diff --git a/data/examples/ArchDetail.FCStd b/data/examples/ArchDetail.FCStd new file mode 100644 index 000000000000..94a39a81031f Binary files /dev/null and b/data/examples/ArchDetail.FCStd differ diff --git a/data/examples/CMakeLists.txt b/data/examples/CMakeLists.txt index f0978b115a43..74d22099ca22 100644 --- a/data/examples/CMakeLists.txt +++ b/data/examples/CMakeLists.txt @@ -7,6 +7,7 @@ SET(Examples_Files BIMExample.FCStd FEMExample.FCStd AssemblyExample.FCStd + ArchDetail.FCStd ) ADD_CUSTOM_TARGET(Example_data ALL diff --git a/src/App/Color.cpp b/src/App/Color.cpp index 1b634ee4e8fe..cfc5c59bfd10 100644 --- a/src/App/Color.cpp +++ b/src/App/Color.cpp @@ -67,6 +67,16 @@ void Color::set(float red, float green, float blue, float alpha) a = alpha; } +float Color::transparency() const +{ + return 1.0F - a; +} + +void Color::setTransparency(float value) +{ + a = 1.0F - value; +} + // NOLINTBEGIN(cppcoreguidelines-avoid-magic-numbers,readability-magic-numbers) Color& Color::setPackedValue(uint32_t rgba) { diff --git a/src/App/Color.h b/src/App/Color.h index bb374ae70d2c..3697c437d730 100644 --- a/src/App/Color.h +++ b/src/App/Color.h @@ -25,7 +25,7 @@ #define APP_COLOR_H #ifdef __GNUC__ -# include +#include #endif #include #include @@ -35,6 +35,50 @@ namespace App { +template +struct color_traits +{ + color_traits() = default; + explicit color_traits(const color_type& ct) + : ct(ct) + {} + float redF() const + { + return static_cast(ct.redF()); + } + float greenF() const + { + return static_cast(ct.greenF()); + } + float blueF() const + { + return static_cast(ct.blueF()); + } + int red() const + { + return ct.red(); + } + int green() const + { + return ct.green(); + } + int blue() const + { + return ct.blue(); + } + int alpha() const + { + return ct.alpha(); + } + static color_type makeColor(int red, int green, int blue, int alpha = 255) + { + return color_type{red, green, blue, alpha}; + } + +private: + color_type ct; +}; + /** Color class */ class AppExport Color @@ -42,9 +86,9 @@ class AppExport Color public: /** * Defines the color as (R,G,B,A) whereas all values are in the range [0,1]. - * \a A defines the transparency. + * \a A defines the alpha value. */ - explicit Color(float R=0.0,float G=0.0, float B=0.0, float A=0.0); + explicit Color(float R = 0.0, float G = 0.0, float B = 0.0, float A = 1.0); /** * Does basically the same as the constructor above unless that (R,G,B,A) is @@ -61,9 +105,11 @@ class AppExport Color bool operator!=(const Color& c) const; /** * Defines the color as (R,G,B,A) whereas all values are in the range [0,1]. - * \a A defines the transparency, 0 means complete opaque and 1 invisible. + * \a A defines the alpha value, 1 means fully opaque and 0 transparent. */ - void set(float R,float G, float B, float A=0.0); + void set(float R, float G, float B, float A = 1.0); + float transparency() const; + void setTransparency(float value); Color& operator=(const Color& c) = default; Color& operator=(Color&& c) = default; /** @@ -97,43 +143,56 @@ class AppExport Color */ void setPackedARGB(uint32_t); - template - static uint32_t asPackedRGBA(const T& color) { - return (color.red() << 24) | (color.green() << 16) | (color.blue() << 8) | color.alpha(); + template + static uint32_t asPackedRGBA(const T& color) + { + color_traits ct{color}; + return (ct.red() << 24) | (ct.green() << 16) | (ct.blue() << 8) | ct.alpha(); } - template - static T fromPackedRGBA(uint32_t color) { - return T((color >> 24) & 0xff, (color >> 16) & 0xff, (color >> 8) & 0xff, color & 0xff); + template + static T fromPackedRGBA(uint32_t color) + { + return color_traits::makeColor((color >> 24) & 0xff, + (color >> 16) & 0xff, + (color >> 8) & 0xff, + (color & 0xff)); } - template - static uint32_t asPackedRGB(const T& color) { - return (color.red() << 24) | (color.green() << 16) | (color.blue() << 8); + template + static uint32_t asPackedRGB(const T& color) + { + color_traits ct{color}; + return (ct.red() << 24) | (ct.green() << 16) | (ct.blue() << 8); } - template - static T fromPackedRGB(uint32_t color) { - return T((color >> 24) & 0xff, (color >> 16) & 0xff, (color >> 8) & 0xff); + template + static T fromPackedRGB(uint32_t color) + { + return color_traits::makeColor((color >> 24) & 0xff, + (color >> 16) & 0xff, + (color >> 8) & 0xff); } /** * creates FC Color from template type, e.g. Qt QColor */ - template - void setValue(const T& q) { - set(q.redF(),q.greenF(),q.blueF()); + template + void setValue(const T& q) + { + color_traits ct{q}; + set(ct.redF(), ct.greenF(), ct.blueF()); } /** * returns a template type e.g. Qt color equivalent to FC color * */ - template + template inline T asValue() const { // clang-format off - return(T(int(std::lround(r * 255.0F)), - int(std::lround(g * 255.0F)), - int(std::lround(b * 255.0F)))); + return color_traits::makeColor(int(std::lround(r * 255.0F)), + int(std::lround(g * 255.0F)), + int(std::lround(b * 255.0F))); // clang-format on } /** @@ -149,9 +208,9 @@ class AppExport Color bool fromHexString(const std::string& hex); /// color values, public accessible - float r,g,b,a; + float r {}, g {}, b {}, a {}; }; -} //namespace App +} // namespace App -#endif // APP_COLOR_H +#endif // APP_COLOR_H diff --git a/src/App/ColorModel.h b/src/App/ColorModel.h index 690701fc629a..5ca292642a07 100644 --- a/src/App/ColorModel.h +++ b/src/App/ColorModel.h @@ -540,8 +540,9 @@ inline Color ColorGradient::getColor (float fVal) const { Color color = _getColor(fVal); if (isOutsideInvisible()) { - if (isOutOfRange(fVal)) - color.a = 0.8f; + if (isOutOfRange(fVal)) { + color.a = 0.2F; + } } return color; diff --git a/src/App/Part.cpp b/src/App/Part.cpp index 3ce9e5d20736..07e80a78ee0f 100644 --- a/src/App/Part.cpp +++ b/src/App/Part.cpp @@ -55,7 +55,7 @@ Part::Part() ADD_PROPERTY_TYPE(License, (""), 0, App::Prop_None, "License string of the Item"); ADD_PROPERTY_TYPE(LicenseURL, (""), 0, App::Prop_None, "URL to the license text/contract"); // color and appearance - ADD_PROPERTY(Color, (1.0, 1.0, 1.0, 1.0)); // set transparent -> not used + ADD_PROPERTY(Color, (1.0, 1.0, 1.0, 0.0)); // set transparent -> not used GroupExtension::initExtension(this); } diff --git a/src/App/PropertyStandard.h b/src/App/PropertyStandard.h index 3a8068f48602..4bdf33b300ea 100644 --- a/src/App/PropertyStandard.h +++ b/src/App/PropertyStandard.h @@ -1038,19 +1038,19 @@ class AppExport PropertyMaterial: public Property */ void setValue(const Material& mat); void setValue(const Color& col); - void setValue(float r, float g, float b, float a = 0.0F); + void setValue(float r, float g, float b, float a = 1.0F); void setValue(uint32_t rgba); void setAmbientColor(const Color& col); - void setAmbientColor(float r, float g, float b, float a = 0.0F); + void setAmbientColor(float r, float g, float b, float a = 1.0F); void setAmbientColor(uint32_t rgba); void setDiffuseColor(const Color& col); - void setDiffuseColor(float r, float g, float b, float a = 0.0F); + void setDiffuseColor(float r, float g, float b, float a = 1.0F); void setDiffuseColor(uint32_t rgba); void setSpecularColor(const Color& col); - void setSpecularColor(float r, float g, float b, float a = 0.0F); + void setSpecularColor(float r, float g, float b, float a = 1.0F); void setSpecularColor(uint32_t rgba); void setEmissiveColor(const Color& col); - void setEmissiveColor(float r, float g, float b, float a = 0.0F); + void setEmissiveColor(float r, float g, float b, float a = 1.0F); void setEmissiveColor(uint32_t rgba); void setShininess(float); void setTransparency(float); @@ -1123,32 +1123,32 @@ class AppExport PropertyMaterialList: public PropertyListsT void setValue(int index, const Material& mat); void setAmbientColor(const Color& col); - void setAmbientColor(float r, float g, float b, float a = 0.0F); + void setAmbientColor(float r, float g, float b, float a = 1.0F); void setAmbientColor(uint32_t rgba); void setAmbientColor(int index, const Color& col); - void setAmbientColor(int index, float r, float g, float b, float a = 0.0F); + void setAmbientColor(int index, float r, float g, float b, float a = 1.0F); void setAmbientColor(int index, uint32_t rgba); void setDiffuseColor(const Color& col); - void setDiffuseColor(float r, float g, float b, float a = 0.0F); + void setDiffuseColor(float r, float g, float b, float a = 1.0F); void setDiffuseColor(uint32_t rgba); void setDiffuseColor(int index, const Color& col); - void setDiffuseColor(int index, float r, float g, float b, float a = 0.0F); + void setDiffuseColor(int index, float r, float g, float b, float a = 1.0F); void setDiffuseColor(int index, uint32_t rgba); void setDiffuseColors(const std::vector& colors); void setSpecularColor(const Color& col); - void setSpecularColor(float r, float g, float b, float a = 0.0F); + void setSpecularColor(float r, float g, float b, float a = 1.0F); void setSpecularColor(uint32_t rgba); void setSpecularColor(int index, const Color& col); - void setSpecularColor(int index, float r, float g, float b, float a = 0.0F); + void setSpecularColor(int index, float r, float g, float b, float a = 1.0F); void setSpecularColor(int index, uint32_t rgba); void setEmissiveColor(const Color& col); - void setEmissiveColor(float r, float g, float b, float a = 0.0F); + void setEmissiveColor(float r, float g, float b, float a = 1.0F); void setEmissiveColor(uint32_t rgba); void setEmissiveColor(int index, const Color& col); - void setEmissiveColor(int index, float r, float g, float b, float a = 0.0F); + void setEmissiveColor(int index, float r, float g, float b, float a = 1.0F); void setEmissiveColor(int index, uint32_t rgba); void setShininess(float); diff --git a/src/App/Resources/translations/App.ts b/src/App/Resources/translations/App.ts index 880c2f213870..038842c3f95a 100644 --- a/src/App/Resources/translations/App.ts +++ b/src/App/Resources/translations/App.ts @@ -13,7 +13,7 @@ that reference the same configurable object QObject - + Unnamed diff --git a/src/App/Resources/translations/App_be.ts b/src/App/Resources/translations/App_be.ts index cd55c7a6a1fc..db1cd2787b82 100644 --- a/src/App/Resources/translations/App_be.ts +++ b/src/App/Resources/translations/App_be.ts @@ -13,7 +13,7 @@ that reference the same configurable object QObject - + Unnamed Без назвы diff --git a/src/App/Resources/translations/App_ca.ts b/src/App/Resources/translations/App_ca.ts index 86b9d63a6dfd..f8e4ba77faa1 100644 --- a/src/App/Resources/translations/App_ca.ts +++ b/src/App/Resources/translations/App_ca.ts @@ -13,7 +13,7 @@ that reference the same configurable object QObject - + Unnamed Sense nom diff --git a/src/App/Resources/translations/App_cs.ts b/src/App/Resources/translations/App_cs.ts index 92b2e8ef7604..dbfd82e93d5d 100644 --- a/src/App/Resources/translations/App_cs.ts +++ b/src/App/Resources/translations/App_cs.ts @@ -14,7 +14,7 @@ které odkazují na stejný konfigurovatelný objekt QObject - + Unnamed Nepojmenovaný diff --git a/src/App/Resources/translations/App_da.ts b/src/App/Resources/translations/App_da.ts index fcfb499a43a2..0cf8ca81a965 100644 --- a/src/App/Resources/translations/App_da.ts +++ b/src/App/Resources/translations/App_da.ts @@ -13,7 +13,7 @@ that reference the same configurable object QObject - + Unnamed Unavngivet diff --git a/src/App/Resources/translations/App_de.ts b/src/App/Resources/translations/App_de.ts index 270423018e8d..2ba3fd77e54a 100644 --- a/src/App/Resources/translations/App_de.ts +++ b/src/App/Resources/translations/App_de.ts @@ -14,7 +14,7 @@ angewendet werden soll, die das gleiche konfigurierbare Objekt referenzieren QObject - + Unnamed Unbenannt diff --git a/src/App/Resources/translations/App_el.ts b/src/App/Resources/translations/App_el.ts index 3fce89401d75..e41d6d0c8e72 100644 --- a/src/App/Resources/translations/App_el.ts +++ b/src/App/Resources/translations/App_el.ts @@ -14,7 +14,7 @@ that reference the same configurable object QObject - + Unnamed Ανώνυμο diff --git a/src/App/Resources/translations/App_es-AR.ts b/src/App/Resources/translations/App_es-AR.ts index 75c89157781d..e478e1176726 100644 --- a/src/App/Resources/translations/App_es-AR.ts +++ b/src/App/Resources/translations/App_es-AR.ts @@ -14,7 +14,7 @@ que hacen referencia al mismo objeto configurable QObject - + Unnamed Sin nombre diff --git a/src/App/Resources/translations/App_es-ES.ts b/src/App/Resources/translations/App_es-ES.ts index e64fe55b1fa9..0949e06d3090 100644 --- a/src/App/Resources/translations/App_es-ES.ts +++ b/src/App/Resources/translations/App_es-ES.ts @@ -13,7 +13,7 @@ that reference the same configurable object QObject - + Unnamed Sin nombre diff --git a/src/App/Resources/translations/App_eu.ts b/src/App/Resources/translations/App_eu.ts index 643abda8e62d..1b2ade4466e4 100644 --- a/src/App/Resources/translations/App_eu.ts +++ b/src/App/Resources/translations/App_eu.ts @@ -13,7 +13,7 @@ that reference the same configurable object QObject - + Unnamed Izenik gabea diff --git a/src/App/Resources/translations/App_fi.ts b/src/App/Resources/translations/App_fi.ts index 5b1821d977cc..af6530ab6043 100644 --- a/src/App/Resources/translations/App_fi.ts +++ b/src/App/Resources/translations/App_fi.ts @@ -14,7 +14,7 @@ that reference the same configurable object QObject - + Unnamed Nimetön diff --git a/src/App/Resources/translations/App_fr.ts b/src/App/Resources/translations/App_fr.ts index 88391a18352d..30dbb52c0d84 100644 --- a/src/App/Resources/translations/App_fr.ts +++ b/src/App/Resources/translations/App_fr.ts @@ -13,7 +13,7 @@ that reference the same configurable object QObject - + Unnamed Nouveau diff --git a/src/App/Resources/translations/App_hr.ts b/src/App/Resources/translations/App_hr.ts index 9e8fee256121..65cef49df05f 100644 --- a/src/App/Resources/translations/App_hr.ts +++ b/src/App/Resources/translations/App_hr.ts @@ -14,7 +14,7 @@ na sve veze koje referenciraju isti konfigurabilni objekt QObject - + Unnamed Neimenovano diff --git a/src/App/Resources/translations/App_hu.ts b/src/App/Resources/translations/App_hu.ts index 5b8d5f29e3a7..054efbb4a068 100644 --- a/src/App/Resources/translations/App_hu.ts +++ b/src/App/Resources/translations/App_hu.ts @@ -14,7 +14,7 @@ amelyek ugyanarra a konfigurálható tárgyra hivatkoznak QObject - + Unnamed Névtelen diff --git a/src/App/Resources/translations/App_it.ts b/src/App/Resources/translations/App_it.ts index bcf70fbcb534..a2ddbc2d6721 100644 --- a/src/App/Resources/translations/App_it.ts +++ b/src/App/Resources/translations/App_it.ts @@ -14,7 +14,7 @@ che fanno riferimento allo stesso oggetto configurabile QObject - + Unnamed Senza nome diff --git a/src/App/Resources/translations/App_ja.ts b/src/App/Resources/translations/App_ja.ts index 04db5e4b6a08..6ee3281f4541 100644 --- a/src/App/Resources/translations/App_ja.ts +++ b/src/App/Resources/translations/App_ja.ts @@ -13,7 +13,7 @@ that reference the same configurable object QObject - + Unnamed 名称未設定 diff --git a/src/App/Resources/translations/App_ka.ts b/src/App/Resources/translations/App_ka.ts index af5dfe2d31eb..1c54e82bfed8 100644 --- a/src/App/Resources/translations/App_ka.ts +++ b/src/App/Resources/translations/App_ka.ts @@ -13,7 +13,7 @@ that reference the same configurable object QObject - + Unnamed უსახელო diff --git a/src/App/Resources/translations/App_ko.ts b/src/App/Resources/translations/App_ko.ts index 589de3ade58c..bf1dbe17e356 100644 --- a/src/App/Resources/translations/App_ko.ts +++ b/src/App/Resources/translations/App_ko.ts @@ -13,7 +13,7 @@ that reference the same configurable object QObject - + Unnamed 이름없음 diff --git a/src/App/Resources/translations/App_lt.ts b/src/App/Resources/translations/App_lt.ts index 78231d13b947..c19d1400e393 100644 --- a/src/App/Resources/translations/App_lt.ts +++ b/src/App/Resources/translations/App_lt.ts @@ -13,7 +13,7 @@ that reference the same configurable object QObject - + Unnamed Be pavadinimo diff --git a/src/App/Resources/translations/App_nl.ts b/src/App/Resources/translations/App_nl.ts index 2ebbf19a9d51..fb0435689880 100644 --- a/src/App/Resources/translations/App_nl.ts +++ b/src/App/Resources/translations/App_nl.ts @@ -14,7 +14,7 @@ die verwijzen naar hetzelfde configureerbare object QObject - + Unnamed Naamloos diff --git a/src/App/Resources/translations/App_pl.ts b/src/App/Resources/translations/App_pl.ts index b393f37ee65e..f6f1bb217607 100644 --- a/src/App/Resources/translations/App_pl.ts +++ b/src/App/Resources/translations/App_pl.ts @@ -14,7 +14,7 @@ które odnoszą się do tego samego obiektu konfigurowalnego QObject - + Unnamed Nienazwany diff --git a/src/App/Resources/translations/App_pt-BR.ts b/src/App/Resources/translations/App_pt-BR.ts index 66e365d723ff..884519f2bdc1 100644 --- a/src/App/Resources/translations/App_pt-BR.ts +++ b/src/App/Resources/translations/App_pt-BR.ts @@ -14,7 +14,7 @@ que referenciam o mesmo objeto configurável QObject - + Unnamed Sem nome diff --git a/src/App/Resources/translations/App_pt-PT.ts b/src/App/Resources/translations/App_pt-PT.ts index 6f99adceecb5..a59221b53d53 100644 --- a/src/App/Resources/translations/App_pt-PT.ts +++ b/src/App/Resources/translations/App_pt-PT.ts @@ -14,7 +14,7 @@ that reference the same configurable object QObject - + Unnamed Sem nome diff --git a/src/App/Resources/translations/App_ro.ts b/src/App/Resources/translations/App_ro.ts index 139d101c2783..a9432be482a5 100644 --- a/src/App/Resources/translations/App_ro.ts +++ b/src/App/Resources/translations/App_ro.ts @@ -14,7 +14,7 @@ care fac referire la același obiect configurabil QObject - + Unnamed Nedenumit diff --git a/src/App/Resources/translations/App_ru.ts b/src/App/Resources/translations/App_ru.ts index 745dd4130364..30448843f8fb 100644 --- a/src/App/Resources/translations/App_ru.ts +++ b/src/App/Resources/translations/App_ru.ts @@ -13,7 +13,7 @@ that reference the same configurable object QObject - + Unnamed Безымянный diff --git a/src/App/Resources/translations/App_sl.ts b/src/App/Resources/translations/App_sl.ts index 990d5c3775fa..fb12df8f391b 100644 --- a/src/App/Resources/translations/App_sl.ts +++ b/src/App/Resources/translations/App_sl.ts @@ -14,7 +14,7 @@ za vse povezave, ki se sklicujejo na isti nastavljivi predmet QObject - + Unnamed Neimenovan diff --git a/src/App/Resources/translations/App_sr-CS.ts b/src/App/Resources/translations/App_sr-CS.ts index 5d4a84a81bef..ca186f43b054 100644 --- a/src/App/Resources/translations/App_sr-CS.ts +++ b/src/App/Resources/translations/App_sr-CS.ts @@ -14,7 +14,7 @@ that reference the same configurable object QObject - + Unnamed Bez imena diff --git a/src/App/Resources/translations/App_sr.ts b/src/App/Resources/translations/App_sr.ts index bec33583f90b..587c08d7bafd 100644 --- a/src/App/Resources/translations/App_sr.ts +++ b/src/App/Resources/translations/App_sr.ts @@ -14,7 +14,7 @@ that reference the same configurable object QObject - + Unnamed Без имена diff --git a/src/App/Resources/translations/App_sv-SE.ts b/src/App/Resources/translations/App_sv-SE.ts index 7ba807bf931f..a47550b4bc9f 100644 --- a/src/App/Resources/translations/App_sv-SE.ts +++ b/src/App/Resources/translations/App_sv-SE.ts @@ -14,7 +14,7 @@ that reference the same configurable object QObject - + Unnamed Namnlös diff --git a/src/App/Resources/translations/App_tr.ts b/src/App/Resources/translations/App_tr.ts index 8f92d77c2dbc..449fc8c94563 100644 --- a/src/App/Resources/translations/App_tr.ts +++ b/src/App/Resources/translations/App_tr.ts @@ -14,7 +14,7 @@ uygulanmayacağına ilişkin son kullanıcı seçimini saklar QObject - + Unnamed İsimsiz diff --git a/src/App/Resources/translations/App_uk.ts b/src/App/Resources/translations/App_uk.ts index c30b6de671df..d56e677054e9 100644 --- a/src/App/Resources/translations/App_uk.ts +++ b/src/App/Resources/translations/App_uk.ts @@ -13,7 +13,7 @@ that reference the same configurable object QObject - + Unnamed Без назви diff --git a/src/App/Resources/translations/App_val-ES.ts b/src/App/Resources/translations/App_val-ES.ts index fc4da6392f1d..edfd60916045 100644 --- a/src/App/Resources/translations/App_val-ES.ts +++ b/src/App/Resources/translations/App_val-ES.ts @@ -14,7 +14,7 @@ that reference the same configurable object QObject - + Unnamed Sense nom diff --git a/src/App/Resources/translations/App_zh-CN.ts b/src/App/Resources/translations/App_zh-CN.ts index 6c6eba249d44..acad5233ac85 100644 --- a/src/App/Resources/translations/App_zh-CN.ts +++ b/src/App/Resources/translations/App_zh-CN.ts @@ -13,7 +13,7 @@ that reference the same configurable object QObject - + Unnamed 未命名 diff --git a/src/App/Resources/translations/App_zh-TW.ts b/src/App/Resources/translations/App_zh-TW.ts index ef8c6e4e6bb5..2d1a3ce5411e 100644 --- a/src/App/Resources/translations/App_zh-TW.ts +++ b/src/App/Resources/translations/App_zh-TW.ts @@ -13,7 +13,7 @@ that reference the same configurable object QObject - + Unnamed 未命名 diff --git a/src/Base/Reader.cpp b/src/Base/Reader.cpp index f172b18c78d1..257dc63d8d8c 100644 --- a/src/Base/Reader.cpp +++ b/src/Base/Reader.cpp @@ -38,6 +38,7 @@ #include "Persistence.h" #include "Sequencer.h" #include "Stream.h" +#include "Tools.h" #include "XMLTools.h" #ifdef _MSC_VER @@ -437,6 +438,13 @@ void Base::XMLReader::readFiles(zipios::ZipInputStream& zipstream) const // failure. Base::Console().Error("Reading failed from embedded file: %s\n", entry->toString().c_str()); + if (jt->FileName == "StringHasher.Table.txt") { + Base::Console().Error(QT_TRANSLATE_NOOP( + "Notifications", + "\nIt is recommended that the user right-click the root of " + "the document and select Mark to recompute.\n" + "The user should then click the Refresh button in the main toolbar.\n")); + } } // Go to the next registered file name it = jt + 1; diff --git a/src/Base/Resources/translations/Base_zh-CN.ts b/src/Base/Resources/translations/Base_zh-CN.ts index 56f509c1a828..40771279de7f 100644 --- a/src/Base/Resources/translations/Base_zh-CN.ts +++ b/src/Base/Resources/translations/Base_zh-CN.ts @@ -26,27 +26,27 @@ Building Euro (cm, m², m³) - Building Euro (cm, m², m³) + 欧规(㎝, ㎡, ㎥) Building US (ft-in, sqft, cft) - Building US (ft-in, sqft, cft) + 美制 (ft-in/sqft/cuft) Metric small parts & CNC (mm, mm/min) - Metric small parts & CNC (mm, mm/min) + 公制 (㎜, ㎧) Imperial for Civil Eng (ft, ft/s) - Imperial for Civil Eng (ft, ft/s) + 英制 (ft, ft/s) FEM (mm, N, s) - FEM (mm, N, s) + 有限元(mm, N, s) diff --git a/src/Gui/Application.cpp b/src/Gui/Application.cpp index 08b3eb222529..087a02ef71ff 100644 --- a/src/Gui/Application.cpp +++ b/src/Gui/Application.cpp @@ -2250,11 +2250,8 @@ void Application::runApplication() // A new QApplication Base::Console().Log("Init: Creating Gui::Application and QApplication\n"); - // if application not yet created by the splasher int argc = App::Application::GetARGC(); GUISingleApplication mainApp(argc, App::Application::GetARGV()); - // https://forum.freecad.org/viewtopic.php?f=3&t=15540 - QApplication::setAttribute(Qt::AA_DontShowIconsInMenus, false); // Make sure that we use '.' as decimal point. See also // http://bugs.debian.org/cgi-bin/bugreport.cgi?bug=559846 @@ -2304,6 +2301,14 @@ void Application::runApplication() Base::Console().Log("Finish: Event loop left\n"); } +bool Application::hiddenMainWindow() +{ + const std::map& cfg = App::Application::Config(); + auto it = cfg.find("StartHidden"); + + return it != cfg.end(); +} + bool Application::testStatus(Status pos) const { return d->StatusBits.test((size_t)pos); diff --git a/src/Gui/Application.h b/src/Gui/Application.h index 423d7600a3b1..0af9884193ed 100644 --- a/src/Gui/Application.h +++ b/src/Gui/Application.h @@ -247,6 +247,8 @@ class GuiExport Application void tryClose( QCloseEvent * e ); //@} + /// whenever GUI is about to start with the main window hidden + static bool hiddenMainWindow(); /// return the status bits bool testStatus(Status pos) const; /// set the status bits diff --git a/src/Gui/BitmapFactory.cpp b/src/Gui/BitmapFactory.cpp index c698f6231d75..cd15e586303b 100644 --- a/src/Gui/BitmapFactory.cpp +++ b/src/Gui/BitmapFactory.cpp @@ -52,7 +52,6 @@ namespace Gui { class BitmapFactoryInstP { public: - QMap xpmMap; QMap xpmCache; bool useIconTheme; @@ -164,11 +163,6 @@ QStringList BitmapFactoryInst::findIconFiles() const return files; } -void BitmapFactoryInst::addXPM(const char* name, const char** pXPM) -{ - d->xpmMap[name] = pXPM; -} - void BitmapFactoryInst::addPixmapToCache(const char* name, const QPixmap& icon) { d->xpmCache[name] = icon; @@ -247,16 +241,11 @@ QPixmap BitmapFactoryInst::pixmap(const char* name) const if (it != d->xpmCache.end()) return it.value(); - // now try to find it in the built-in XPM QPixmap icon; - QMap::Iterator It = d->xpmMap.find(name); - if (It != d->xpmMap.end()) - icon = QPixmap(It.value()); // Try whether an absolute path is given QString fn = QString::fromUtf8(name); - if (icon.isNull()) - loadPixmap(fn, icon); + loadPixmap(fn, icon); // try to find it in the 'icons' search paths if (icon.isNull()) { @@ -364,8 +353,6 @@ QPixmap BitmapFactoryInst::pixmapFromSvg(const QByteArray& originalContents, con QStringList BitmapFactoryInst::pixmapNames() const { QStringList names; - for (QMap::Iterator It = d->xpmMap.begin(); It != d->xpmMap.end(); ++It) - names << QString::fromUtf8(It.key().c_str()); for (QMap::Iterator It = d->xpmCache.begin(); It != d->xpmCache.end(); ++It) { QString item = QString::fromUtf8(It.key().c_str()); if (!names.contains(item)) diff --git a/src/Gui/BitmapFactory.h b/src/Gui/BitmapFactory.h index 58cfc7372001..23288589afbc 100644 --- a/src/Gui/BitmapFactory.h +++ b/src/Gui/BitmapFactory.h @@ -66,8 +66,6 @@ class GuiExport BitmapFactoryInst : public Base::Factory /// Returns the absolute file names of icons found in the given search paths QStringList findIconFiles() const; /// Adds a build in XPM pixmap under a given name - void addXPM(const char* name, const char** pXPM); - /// Adds a build in XPM pixmap under a given name void addPixmapToCache(const char* name, const QPixmap& icon); /// Checks whether the pixmap is already registered. bool findPixmapInCache(const char* name, QPixmap& icon) const; diff --git a/src/Gui/CMakeLists.txt b/src/Gui/CMakeLists.txt index 17539bf28f85..e792d070a22b 100644 --- a/src/Gui/CMakeLists.txt +++ b/src/Gui/CMakeLists.txt @@ -3,6 +3,14 @@ add_subdirectory(Stylesheets) add_subdirectory(PreferencePacks) add_subdirectory(PreferencePackTemplates) +if(BUILD_WITH_CONDA) + add_definitions(-DFC_CONDA) +endif(BUILD_WITH_CONDA) + +if(FC_FLATPAK) + add_definitions(-DFC_FLATPAK) +endif(FC_FLATPAK) + if(WIN32) add_definitions(-DFCGui -DQSINT_MAKEDLL -DOVR_OS_WIN32 -DQUARTER_INTERNAL -DQUARTER_MAKE_DLL -DCOIN_DLL) endif(WIN32) @@ -436,6 +444,7 @@ SOURCE_GROUP("Command" FILES ${Command_SRCS}) SET(Dialog_CPP_SRCS Clipping.cpp DemoMode.cpp + DlgAbout.cpp DlgActivateWindowImp.cpp DlgCreateNewPreferencePackImp.cpp DlgUnitsCalculatorImp.cpp @@ -476,6 +485,7 @@ SET(Dialog_CPP_SRCS SET(Dialog_HPP_SRCS Clipping.h DemoMode.h + DlgAbout.h DlgActivateWindowImp.h DlgCreateNewPreferencePackImp.h DlgUnitsCalculatorImp.h @@ -1080,7 +1090,7 @@ SET(Widget_CPP_SRCS ProgressDialog.cpp QuantitySpinBox.cpp SpinBox.cpp - Splashscreen.cpp + SplashScreen.cpp PythonWrapper.cpp UiLoader.cpp WidgetFactory.cpp @@ -1101,7 +1111,7 @@ SET(Widget_HPP_SRCS QuantitySpinBox.h QuantitySpinBox_p.h SpinBox.h - Splashscreen.h + SplashScreen.h PythonWrapper.h UiLoader.h WidgetFactory.h diff --git a/src/Gui/CommandDoc.cpp b/src/Gui/CommandDoc.cpp index 50dac9f5f338..df33901d75bb 100644 --- a/src/Gui/CommandDoc.cpp +++ b/src/Gui/CommandDoc.cpp @@ -190,7 +190,7 @@ StdCmdImport::StdCmdImport() sWhatsThis = "Std_Import"; sStatusTip = QT_TR_NOOP("Import a file in the active document"); sPixmap = "Std_Import"; - sAccel = "Ctrl+I"; + sAccel = "Ctrl+Shift+I"; } void StdCmdImport::activated(int iMsg) @@ -1590,8 +1590,8 @@ StdCmdTransformManip::StdCmdTransformManip() { sGroup = "Edit"; sMenuText = QT_TR_NOOP("Transform"); - sToolTipText = QT_TR_NOOP("Transform the selected object in the 3d view"); - sStatusTip = QT_TR_NOOP("Transform the selected object in the 3d view"); + sToolTipText = QT_TR_NOOP("Transform the selected object in the 3D view"); + sStatusTip = QT_TR_NOOP("Transform the selected object in the 3D view"); sWhatsThis = "Std_TransformManip"; sPixmap = "Std_TransformManip"; } diff --git a/src/Gui/CommandStd.cpp b/src/Gui/CommandStd.cpp index a6104093eafe..ae571d818621 100644 --- a/src/Gui/CommandStd.cpp +++ b/src/Gui/CommandStd.cpp @@ -42,6 +42,7 @@ #include "Action.h" #include "BitmapFactory.h" #include "Command.h" +#include "DlgAbout.h" #include "DlgCustomizeImp.h" #include "DlgParameterImp.h" #include "DlgPreferencesImp.h" @@ -50,7 +51,6 @@ #include "MainWindow.h" #include "OnlineDocumentation.h" #include "Selection.h" -#include "Splashscreen.h" #include "WhatsThis.h" #include "Workbench.h" #include "WorkbenchManager.h" @@ -220,9 +220,9 @@ StdCmdAbout::StdCmdAbout() { sGroup = "Help"; sMenuText = QT_TR_NOOP("&About %1"); - sToolTipText = QT_TR_NOOP("About %1"); + sToolTipText = QT_TR_NOOP("Displays important information About %1"); sWhatsThis = "Std_About"; - sStatusTip = QT_TR_NOOP("About %1"); + sStatusTip = sToolTipText; eType = 0; } @@ -308,9 +308,9 @@ StdCmdWhatsThis::StdCmdWhatsThis() { sGroup = "Help"; sMenuText = QT_TR_NOOP("&What's This?"); - sToolTipText = QT_TR_NOOP("What's This"); + sToolTipText = QT_TR_NOOP("Opens the documentation corresponding to the selection"); sWhatsThis = "Std_WhatsThis"; - sStatusTip = QT_TR_NOOP("What's This"); + sStatusTip = sToolTipText; sAccel = keySequenceToAccel(QKeySequence::WhatsThis); sPixmap = "WhatsThis"; eType = 0; @@ -331,10 +331,10 @@ StdCmdRestartInSafeMode::StdCmdRestartInSafeMode() :Command("Std_RestartInSafeMode") { sGroup = "Help"; - sMenuText = QT_TR_NOOP("Restart in safe mode"); - sToolTipText = QT_TR_NOOP("Restart in safe mode"); + sMenuText = QT_TR_NOOP("Restart in Safe Mode"); + sToolTipText = QT_TR_NOOP("Starts FreeCAD without any modules or plugins loaded"); sWhatsThis = "Std_RestartInSafeMode"; - sStatusTip = QT_TR_NOOP("Restart in safe mode"); + sStatusTip = sToolTipText; sPixmap = "safe-mode-restart"; eType = 0; } @@ -409,6 +409,7 @@ StdCmdDlgPreferences::StdCmdDlgPreferences() sStatusTip = QT_TR_NOOP("Opens a Dialog to edit the preferences"); sPixmap = "preferences-system"; eType = 0; + sAccel = "Ctrl+,"; } Action * StdCmdDlgPreferences::createAction() @@ -522,9 +523,9 @@ StdCmdOnlineHelp::StdCmdOnlineHelp() { sGroup = "Help"; sMenuText = QT_TR_NOOP("Help"); - sToolTipText = QT_TR_NOOP("Show help to the application"); + sToolTipText = QT_TR_NOOP("Opens the Help documentation"); sWhatsThis = "Std_OnlineHelp"; - sStatusTip = QT_TR_NOOP("Help"); + sStatusTip = sToolTipText; sPixmap = "help-browser"; sAccel = keySequenceToAccel(QKeySequence::HelpContents); eType = 0; @@ -547,9 +548,9 @@ StdCmdOnlineHelpWebsite::StdCmdOnlineHelpWebsite() { sGroup = "Help"; sMenuText = QT_TR_NOOP("Help Website"); - sToolTipText = QT_TR_NOOP("The website where the help is maintained"); + sToolTipText = QT_TR_NOOP("Opens the help documentation"); sWhatsThis = "Std_OnlineHelpWebsite"; - sStatusTip = QT_TR_NOOP("Help Website"); + sStatusTip = sToolTipText; eType = 0; } @@ -573,8 +574,8 @@ StdCmdFreeCADDonation::StdCmdFreeCADDonation() :Command("Std_FreeCADDonation") { sGroup = "Help"; - sMenuText = QT_TR_NOOP("Donate"); - sToolTipText = QT_TR_NOOP("Donate to FreeCAD development"); + sMenuText = QT_TR_NOOP("Support FreeCAD"); + sToolTipText = QT_TR_NOOP("Support FreeCAD development"); sWhatsThis = "Std_FreeCADDonation"; sStatusTip = sToolTipText; sPixmap = "internet-web-browser"; @@ -601,9 +602,9 @@ StdCmdFreeCADWebsite::StdCmdFreeCADWebsite() { sGroup = "Help"; sMenuText = QT_TR_NOOP("FreeCAD Website"); - sToolTipText = QT_TR_NOOP("The FreeCAD website"); + sToolTipText = QT_TR_NOOP("Navigates to the official FreeCAD website"); sWhatsThis = "Std_FreeCADWebsite"; - sStatusTip = QT_TR_NOOP("FreeCAD Website"); + sStatusTip = sToolTipText; sPixmap = "internet-web-browser"; eType = 0; } @@ -628,10 +629,10 @@ StdCmdFreeCADUserHub::StdCmdFreeCADUserHub() :Command("Std_FreeCADUserHub") { sGroup = "Help"; - sMenuText = QT_TR_NOOP("Users documentation"); - sToolTipText = QT_TR_NOOP("Documentation for users on the FreeCAD website"); + sMenuText = QT_TR_NOOP("User Documentation"); + sToolTipText = QT_TR_NOOP("Opens the documentation for users"); sWhatsThis = "Std_FreeCADUserHub"; - sStatusTip = QT_TR_NOOP("Users documentation"); + sStatusTip = sToolTipText; sPixmap = "internet-web-browser"; eType = 0; } @@ -656,11 +657,11 @@ StdCmdFreeCADPowerUserHub::StdCmdFreeCADPowerUserHub() :Command("Std_FreeCADPowerUserHub") { sGroup = "Help"; - sMenuText = QT_TR_NOOP("Python scripting documentation"); - sToolTipText = QT_TR_NOOP("Python scripting documentation on the FreeCAD website"); + sMenuText = QT_TR_NOOP("Python Scripting Documentation"); + sToolTipText = QT_TR_NOOP("Opens the Python Scripting documentation"); sWhatsThis = "Std_FreeCADPowerUserHub"; - sStatusTip = QT_TR_NOOP("PowerUsers documentation"); - sPixmap = "internet-web-browser"; + sStatusTip = sToolTipText; + sPixmap = "applications-python"; eType = 0; } @@ -687,7 +688,7 @@ StdCmdFreeCADForum::StdCmdFreeCADForum() sMenuText = QT_TR_NOOP("FreeCAD Forum"); sToolTipText = QT_TR_NOOP("The FreeCAD forum, where you can find help from other users"); sWhatsThis = "Std_FreeCADForum"; - sStatusTip = QT_TR_NOOP("The FreeCAD Forum"); + sStatusTip = sToolTipText; sPixmap = "internet-web-browser"; eType = 0; } @@ -713,9 +714,9 @@ StdCmdFreeCADFAQ::StdCmdFreeCADFAQ() { sGroup = "Help"; sMenuText = QT_TR_NOOP("FreeCAD FAQ"); - sToolTipText = QT_TR_NOOP("Frequently Asked Questions on the FreeCAD website"); + sToolTipText = QT_TR_NOOP("Opens the Frequently Asked Questions"); sWhatsThis = "Std_FreeCADFAQ"; - sStatusTip = QT_TR_NOOP("Frequently Asked Questions"); + sStatusTip = sToolTipText; sPixmap = "internet-web-browser"; eType = 0; } @@ -765,10 +766,10 @@ StdCmdReportBug::StdCmdReportBug() :Command("Std_ReportBug") { sGroup = "Help"; - sMenuText = QT_TR_NOOP("Report a bug"); - sToolTipText = QT_TR_NOOP("Report a bug or suggest a feature"); + sMenuText = QT_TR_NOOP("Report an Issue"); + sToolTipText = QT_TR_NOOP("Report an issue or suggest a new feature"); sWhatsThis = "Std_ReportBug"; - sStatusTip = QT_TR_NOOP("Report a bug or suggest a feature"); + sStatusTip = sToolTipText; sPixmap = "internet-web-browser"; eType = 0; } diff --git a/src/Gui/Splashscreen.cpp b/src/Gui/DlgAbout.cpp similarity index 62% rename from src/Gui/Splashscreen.cpp rename to src/Gui/DlgAbout.cpp index bb6458b0ca2c..78044e868a37 100644 --- a/src/Gui/Splashscreen.cpp +++ b/src/Gui/DlgAbout.cpp @@ -1,815 +1,731 @@ -/*************************************************************************** - * Copyright (c) 2004 Werner Mayer * - * * - * 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 -# include -# include -# include -# include -# include -# include -# include -# include -# include -# include -# include -# include -# include -# include -# include -#endif - -#include -#include -#include -#include - -#include -#include -#include - -#include "Splashscreen.h" -#include "ui_AboutApplication.h" -#include "MainWindow.h" - - -using namespace Gui; -using namespace Gui::Dialog; -namespace fs = boost::filesystem; - -namespace Gui { - -QString prettyProductInfoWrapper() -{ - auto productName = QSysInfo::prettyProductName(); -#if QT_VERSION < QT_VERSION_CHECK(6, 5, 0) -#ifdef FC_OS_MACOSX - auto macosVersionFile = QString::fromUtf8("/System/Library/CoreServices/.SystemVersionPlatform.plist"); - auto fi = QFileInfo (macosVersionFile); - if (fi.exists() && fi.isReadable()) { - auto plistFile = QFile(macosVersionFile); - plistFile.open(QIODevice::ReadOnly); - while (!plistFile.atEnd()) { - auto line = plistFile.readLine(); - if (line.contains("ProductUserVisibleVersion")) { - auto nextLine = plistFile.readLine(); - if (nextLine.contains("")) { - QRegularExpression re(QString::fromUtf8("\\s*(.*)")); - auto matches = re.match(QString::fromUtf8(nextLine)); - if (matches.hasMatch()) { - productName = QString::fromUtf8("macOS ") + matches.captured(1); - break; - } - } - } - } - } -#endif -#endif -#ifdef FC_OS_WIN64 - QSettings regKey {QString::fromUtf8("HKEY_LOCAL_MACHINE\\SOFTWARE\\Microsoft\\Windows NT\\CurrentVersion"), QSettings::NativeFormat}; - if (regKey.contains(QString::fromUtf8("CurrentBuildNumber"))) { - auto buildNumber = regKey.value(QString::fromUtf8("CurrentBuildNumber")).toInt(); - if (buildNumber > 0) { - if (buildNumber < 9200) { - productName = QString::fromUtf8("Windows 7 build %1").arg(buildNumber); - } - else if (buildNumber < 10240) { - productName = QString::fromUtf8("Windows 8 build %1").arg(buildNumber); - } - else if (buildNumber < 22000) { - productName = QString::fromUtf8("Windows 10 build %1").arg(buildNumber); - } - else { - productName = QString::fromUtf8("Windows 11 build %1").arg(buildNumber); - } - } - } -#endif - return productName; -} - -/** Displays all messages at startup inside the splash screen. - * \author Werner Mayer - */ -class SplashObserver : public Base::ILogger -{ -public: - SplashObserver(const SplashObserver&) = delete; - SplashObserver(SplashObserver&&) = delete; - SplashObserver& operator= (const SplashObserver&) = delete; - SplashObserver& operator= (SplashObserver&&) = delete; - - explicit SplashObserver(QSplashScreen* splasher=nullptr) - : splash(splasher) - , alignment(Qt::AlignBottom|Qt::AlignLeft) - , textColor(Qt::black) - { - Base::Console().AttachObserver(this); - - // allow to customize text position and color - const std::map& cfg = App::Application::Config(); - auto al = cfg.find("SplashAlignment"); - if (al != cfg.end()) { - QString alt = QString::fromLatin1(al->second.c_str()); - int align=0; - if (alt.startsWith(QLatin1String("VCenter"))) { - align = Qt::AlignVCenter; - } - else if (alt.startsWith(QLatin1String("Top"))) { - align = Qt::AlignTop; - } - else { - align = Qt::AlignBottom; - } - - if (alt.endsWith(QLatin1String("HCenter"))) { - align += Qt::AlignHCenter; - } - else if (alt.endsWith(QLatin1String("Right"))) { - align += Qt::AlignRight; - } - else { - align += Qt::AlignLeft; - } - - alignment = align; - } - - // choose text color - auto tc = cfg.find("SplashTextColor"); - if (tc != cfg.end()) { - QColor col(QString::fromStdString(tc->second)); - if (col.isValid()) { - textColor = col; - } - } - } - ~SplashObserver() override - { - Base::Console().DetachObserver(this); - } - const char* Name() override - { - return "SplashObserver"; - } - void SendLog(const std::string& notifiername, const std::string& msg, Base::LogStyle level, - Base::IntendedRecipient recipient, Base::ContentType content) override - { - Q_UNUSED(notifiername) - Q_UNUSED(recipient) - Q_UNUSED(content) - -#ifdef FC_DEBUG - Q_UNUSED(level) - Log(msg); -#else - if (level == Base::LogStyle::Log) { - Log(msg); - } -#endif - } - void Log(const std::string& text) - { - QString msg(QString::fromStdString(text)); - QRegularExpression rx; - // ignore 'Init:' and 'Mod:' prefixes - rx.setPattern(QLatin1String("^\\s*(Init:|Mod:)\\s*")); - auto match = rx.match(msg); - if (match.hasMatch()) { - msg = msg.mid(match.capturedLength()); - } - else { - // ignore activation of commands - rx.setPattern(QLatin1String(R"(^\s*(\+App::|Create|CmdC:|CmdG:|Act:)\s*)")); - match = rx.match(msg); - if (match.hasMatch() && match.capturedStart() == 0) - return; - } - - splash->showMessage(msg.replace(QLatin1String("\n"), QString()), alignment, textColor); - QMutex mutex; - QMutexLocker ml(&mutex); - QWaitCondition().wait(&mutex, 50); - } - -private: - QSplashScreen* splash; - int alignment; - QColor textColor; -}; -} // namespace Gui - -// ------------------------------------------------------------------------------ - -/** - * Constructs a splash screen that will display the pixmap. - */ -SplashScreen::SplashScreen( const QPixmap & pixmap , Qt::WindowFlags f ) - : QSplashScreen(pixmap, f) -{ - // write the messages to splasher - messages = new SplashObserver(this); -} - -/** Destruction. */ -SplashScreen::~SplashScreen() -{ - delete messages; -} - -/** - * Draws the contents of the splash screen using painter \a painter. The default - * implementation draws the message passed by message(). - */ -void SplashScreen::drawContents ( QPainter * painter ) -{ - QSplashScreen::drawContents(painter); -} - -void SplashScreen::setShowMessages(bool on) -{ - messages->bErr = on; - messages->bMsg = on; - messages->bLog = on; - messages->bWrn = on; -} - -// ------------------------------------------------------------------------------ - -AboutDialogFactory* AboutDialogFactory::factory = nullptr; - -AboutDialogFactory::~AboutDialogFactory() = default; - -QDialog *AboutDialogFactory::create(QWidget *parent) const -{ - return new AboutDialog(parent); -} - -const AboutDialogFactory *AboutDialogFactory::defaultFactory() -{ - static const AboutDialogFactory this_factory; - if (factory) - return factory; - return &this_factory; -} - -void AboutDialogFactory::setDefaultFactory(AboutDialogFactory *f) -{ - if (factory != f) - delete factory; - factory = f; -} - -// ------------------------------------------------------------------------------ - -/* TRANSLATOR Gui::Dialog::AboutDialog */ - -/** - * Constructs an AboutDialog which is a child of 'parent', with the - * name 'name' and widget flags set to 'WStyle_Customize|WStyle_NoBorder|WType_Modal' - * - * The dialog will be modal. - */ -AboutDialog::AboutDialog(QWidget* parent) - : QDialog(parent), ui(new Ui_AboutApplication) -{ - setModal(true); - ui->setupUi(this); - connect(ui->copyButton, &QPushButton::clicked, - this, &AboutDialog::copyToClipboard); - - // remove the automatic help button in dialog title since we don't use it - setWindowFlag(Qt::WindowContextHelpButtonHint, false); - - layout()->setSizeConstraint(QLayout::SetFixedSize); - QRect rect = QApplication::primaryScreen()->availableGeometry(); - - // See if we have a custom About screen image set - QPixmap image = getMainWindow()->aboutImage(); - - // Fallback to the splashscreen image - if (image.isNull()) { - image = getMainWindow()->splashImage(); - } - - // Make sure the image is not too big - int denom = 2; - if (image.height() > rect.height()/denom || image.width() > rect.width()/denom) { - float scale = static_cast(image.width()) / static_cast(image.height()); - int width = std::min(image.width(), rect.width()/denom); - int height = std::min(image.height(), rect.height()/denom); - height = std::min(height, static_cast(width / scale)); - width = static_cast(scale * height); - - image = image.scaled(width, height); - } - ui->labelSplashPicture->setPixmap(image); - ui->tabWidget->setCurrentIndex(0); // always start on the About tab - - setupLabels(); - showCredits(); - showLicenseInformation(); - showLibraryInformation(); - showCollectionInformation(); - showPrivacyPolicy(); - showOrHideImage(rect); -} - -/** - * Destroys the object and frees any allocated resources - */ -AboutDialog::~AboutDialog() -{ - // no need to delete child widgets, Qt does it all for us - delete ui; -} - -void AboutDialog::showOrHideImage(const QRect& rect) -{ - adjustSize(); - if (height() > rect.height()) { - ui->labelSplashPicture->hide(); - } -} - -void AboutDialog::setupLabels() -{ - //fonts are rendered smaller on Mac so point size can't be the same for all platforms - int fontSize = 8; -#ifdef Q_OS_MAC - fontSize = 11; -#endif - //avoid overriding user set style sheet - if (qApp->styleSheet().isEmpty()) { - setStyleSheet(QString::fromLatin1("Gui--Dialog--AboutDialog QLabel {font-size: %1pt;}").arg(fontSize)); - } - - QString exeName = qApp->applicationName(); - std::map& config = App::Application::Config(); - std::map::iterator it; - QString banner = QString::fromUtf8(config["CopyrightInfo"].c_str()); - banner = banner.left( banner.indexOf(QLatin1Char('\n')) ); - QString major = QString::fromLatin1(config["BuildVersionMajor"].c_str()); - QString minor = QString::fromLatin1(config["BuildVersionMinor"].c_str()); - QString point = QString::fromLatin1(config["BuildVersionPoint"].c_str()); - QString suffix = QString::fromLatin1(config["BuildVersionSuffix"].c_str()); - QString build = QString::fromLatin1(config["BuildRevision"].c_str()); - QString disda = QString::fromLatin1(config["BuildRevisionDate"].c_str()); - QString mturl = QString::fromLatin1(config["MaintainerUrl"].c_str()); - - // we use replace() to keep label formatting, so a label with text "Unknown" - // gets replaced to "FreeCAD", for example - - QString author = ui->labelAuthor->text(); - author.replace(QString::fromLatin1("Unknown Application"), exeName); - author.replace(QString::fromLatin1("(c) Unknown Author"), banner); - ui->labelAuthor->setText(author); - ui->labelAuthor->setUrl(mturl); - - if (qApp->styleSheet().isEmpty()) { - ui->labelAuthor->setStyleSheet(QString::fromLatin1("Gui--UrlLabel {color: #0000FF;text-decoration: underline;font-weight: 600;}")); - } - - QString version = ui->labelBuildVersion->text(); - version.replace(QString::fromLatin1("Unknown"), QString::fromLatin1("%1.%2.%3%4").arg(major, minor, point, suffix)); - ui->labelBuildVersion->setText(version); - - QString revision = ui->labelBuildRevision->text(); - revision.replace(QString::fromLatin1("Unknown"), build); - ui->labelBuildRevision->setText(revision); - - QString date = ui->labelBuildDate->text(); - date.replace(QString::fromLatin1("Unknown"), disda); - ui->labelBuildDate->setText(date); - - QString os = ui->labelBuildOS->text(); - os.replace(QString::fromLatin1("Unknown"), prettyProductInfoWrapper()); - ui->labelBuildOS->setText(os); - - QString architecture = ui->labelBuildRunArchitecture->text(); - if (QSysInfo::buildCpuArchitecture() == QSysInfo::currentCpuArchitecture()) { - architecture.replace(QString::fromLatin1("Unknown"), QSysInfo::buildCpuArchitecture()); - } - else { - architecture.replace( - QString::fromLatin1("Unknown"), - QString::fromLatin1("%1 (running on: %2)") - .arg(QSysInfo::buildCpuArchitecture(), QSysInfo::currentCpuArchitecture())); - } - ui->labelBuildRunArchitecture->setText(architecture); - - // branch name - it = config.find("BuildRevisionBranch"); - if (it != config.end()) { - QString branch = ui->labelBuildBranch->text(); - branch.replace(QString::fromLatin1("Unknown"), QString::fromUtf8(it->second.c_str())); - ui->labelBuildBranch->setText(branch); - } - else { - ui->labelBranch->hide(); - ui->labelBuildBranch->hide(); - } - - // hash id - it = config.find("BuildRevisionHash"); - if (it != config.end()) { - QString hash = ui->labelBuildHash->text(); - hash.replace(QString::fromLatin1("Unknown"), QString::fromLatin1(it->second.c_str()).left(7)); // Use the 7-char abbreviated hash - ui->labelBuildHash->setText(hash); - if (auto url_itr = config.find("BuildRepositoryURL"); url_itr != config.end()) { - auto url = QString::fromStdString(url_itr->second); - - if (int space = url.indexOf(QChar::fromLatin1(' ')); space != -1) - url = url.left(space); // Strip off the branch information to get just the repo - - if (url == QString::fromUtf8("Unknown")) - url = QString::fromUtf8("https://github.com/FreeCAD/FreeCAD"); // Just take a guess - - // This may only create valid URLs for Github, but some other hosts use the same format so give it a shot... - auto https = url.replace(QString::fromUtf8("git://"), QString::fromUtf8("https://")); - https.replace(QString::fromUtf8(".git"), QString::fromUtf8("")); - ui->labelBuildHash->setUrl(https + QString::fromUtf8("/commit/") + QString::fromStdString(it->second)); - } - } - else { - ui->labelHash->hide(); - ui->labelBuildHash->hide(); - } -} - -void AboutDialog::showCredits() -{ - auto creditsFileURL = QLatin1String(":/doc/CONTRIBUTORS"); - QFile creditsFile(creditsFileURL); - - if (!creditsFile.open(QIODevice::ReadOnly | QIODevice::Text)) { - return; - } - - auto tab_credits = new QWidget(); - tab_credits->setObjectName(QString::fromLatin1("tab_credits")); - ui->tabWidget->addTab(tab_credits, tr("Credits")); - auto hlayout = new QVBoxLayout(tab_credits); - auto textField = new QTextBrowser(tab_credits); - textField->setOpenExternalLinks(false); - textField->setOpenLinks(false); - hlayout->addWidget(textField); - - QString creditsHTML = QString::fromLatin1("

"); - //: Header for bgbsww - creditsHTML += tr("This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww."); - //: Header for the Credits tab of the About screen - creditsHTML += QString::fromLatin1("

"); - creditsHTML += tr("Credits"); - creditsHTML += QString::fromLatin1("

"); - creditsHTML += tr("FreeCAD would not be possible without the contributions of"); - creditsHTML += QString::fromLatin1(":

"); - //: Header for the list of individual people in the Credits list. - creditsHTML += tr("Individuals"); - creditsHTML += QString::fromLatin1("

    "); - - QTextStream stream(&creditsFile); -#if QT_VERSION < QT_VERSION_CHECK(6,0,0) - stream.setCodec("UTF-8"); -#endif - QString line; - while (stream.readLineInto(&line)) { - if (!line.isEmpty()) { - if (line == QString::fromLatin1("Firms")) { - creditsHTML += QString::fromLatin1("

"); - //: Header for the list of companies/organizations in the Credits list. - creditsHTML += tr("Organizations"); - creditsHTML += QString::fromLatin1("

    "); - } - else { - creditsHTML += QString::fromLatin1("
  • ") + line + QString::fromLatin1("
  • "); - } - } - } - creditsHTML += QString::fromLatin1("
"); - textField->setHtml(creditsHTML); -} - -void AboutDialog::showLicenseInformation() -{ - QString licenseFileURL = QString::fromLatin1("%1/LICENSE.html") - .arg(QString::fromUtf8(App::Application::getHelpDir().c_str())); - QFile licenseFile(licenseFileURL); - - if (licenseFile.open(QIODevice::ReadOnly | QIODevice::Text)) { - QString licenseHTML = QString::fromUtf8(licenseFile.readAll()); - const auto placeholder = QString::fromUtf8(""); - licenseHTML.replace(placeholder, getAdditionalLicenseInformation()); - - ui->tabWidget->removeTab(1); // Hide the license placeholder widget - - auto tab_license = new QWidget(); - tab_license->setObjectName(QString::fromLatin1("tab_license")); - ui->tabWidget->addTab(tab_license, tr("License")); - auto hlayout = new QVBoxLayout(tab_license); - auto textField = new QTextBrowser(tab_license); - textField->setOpenExternalLinks(true); - textField->setOpenLinks(true); - hlayout->addWidget(textField); - - textField->setHtml(licenseHTML); - } - else { - QString info(QLatin1String("SUCH DAMAGES.
")); - info += getAdditionalLicenseInformation(); - QString lictext = ui->textBrowserLicense->toHtml(); - lictext.replace(QString::fromLatin1("SUCH DAMAGES.
"), info); - ui->textBrowserLicense->setHtml(lictext); - } -} - -QString AboutDialog::getAdditionalLicenseInformation() const -{ - // Any additional piece of text to be added after the main license text goes below. - // Please set title in

tags, license text in

tags - // and add an


tag at the end to nicely separate license blocks - QString info; -#ifdef _USE_3DCONNEXION_SDK - info += QString::fromUtf8( - "

3D Mouse Support

" - "

Development tools and related technology provided under license from 3Dconnexion.
" - "Copyright © 1992–2012 3Dconnexion. All rights reserved.

" - "
" - ); -#endif - return info; -} - -void AboutDialog::showLibraryInformation() -{ - auto tab_library = new QWidget(); - tab_library->setObjectName(QString::fromLatin1("tab_library")); - ui->tabWidget->addTab(tab_library, tr("Libraries")); - auto hlayout = new QVBoxLayout(tab_library); - auto textField = new QTextBrowser(tab_library); - textField->setOpenExternalLinks(true); - hlayout->addWidget(textField); - - QString baseurl = QString::fromLatin1("file:///%1/ThirdPartyLibraries.html") - .arg(QString::fromUtf8(App::Application::getHelpDir().c_str())); - QUrl librariesFileUrl = QUrl(baseurl); - - textField->setSource(librariesFileUrl); -} - -void AboutDialog::showCollectionInformation() -{ - QString doc = QString::fromUtf8(App::Application::getHelpDir().c_str()); - QString path = doc + QLatin1String("Collection.html"); - if (!QFile::exists(path)) - return; - - auto tab_collection = new QWidget(); - tab_collection->setObjectName(QString::fromLatin1("tab_collection")); - ui->tabWidget->addTab(tab_collection, tr("Collection")); - auto hlayout = new QVBoxLayout(tab_collection); - auto textField = new QTextBrowser(tab_collection); - textField->setOpenExternalLinks(true); - hlayout->addWidget(textField); - textField->setSource(path); -} - -void AboutDialog::showPrivacyPolicy() -{ - auto policyFileURL = QLatin1String(":/doc/PRIVACY_POLICY"); - QFile policyFile(policyFileURL); - - if (!policyFile.open(QIODevice::ReadOnly | QIODevice::Text)) { - return; - } - auto text = QString::fromUtf8(policyFile.readAll()); - auto tabPrivacyPolicy = new QWidget(); - tabPrivacyPolicy->setObjectName(QString::fromLatin1("tabPrivacyPolicy")); - ui->tabWidget->addTab(tabPrivacyPolicy, tr("Privacy Policy")); - auto hLayout = new QVBoxLayout(tabPrivacyPolicy); - auto textField = new QTextBrowser(tabPrivacyPolicy); - textField->setOpenExternalLinks(true); - hLayout->addWidget(textField); - -#if QT_VERSION < QT_VERSION_CHECK(5,15,0) - // We can't actually render the markdown, so just display it as text - textField->setText(text); -#else - textField->setMarkdown(text); -#endif -} - -void AboutDialog::linkActivated(const QUrl& link) -{ - auto licenseView = new LicenseView(); - licenseView->setAttribute(Qt::WA_DeleteOnClose); - licenseView->show(); - QString title = tr("License"); - QString fragment = link.fragment(); - if (fragment.startsWith(QLatin1String("_Toc"))) { - QString prefix = fragment.mid(4); - title = QString::fromLatin1("%1 %2").arg(prefix, title); - } - licenseView->setWindowTitle(title); - getMainWindow()->addWindow(licenseView); - licenseView->setSource(link); -} - -void AboutDialog::copyToClipboard() -{ - QString data; - QTextStream str(&data); - std::map& config = App::Application::Config(); - std::map::iterator it; - QString exe = QString::fromStdString(App::Application::getExecutableName()); - - QString major = QString::fromLatin1(config["BuildVersionMajor"].c_str()); - QString minor = QString::fromLatin1(config["BuildVersionMinor"].c_str()); - QString point = QString::fromLatin1(config["BuildVersionPoint"].c_str()); - QString suffix = QString::fromLatin1(config["BuildVersionSuffix"].c_str()); - QString build = QString::fromLatin1(config["BuildRevision"].c_str()); - - QString deskEnv = QProcessEnvironment::systemEnvironment().value(QStringLiteral("XDG_CURRENT_DESKTOP"), QString()); - QString deskSess = QProcessEnvironment::systemEnvironment().value(QStringLiteral("DESKTOP_SESSION"), QString()); - QStringList deskInfoList; - QString deskInfo; - - if (!deskEnv.isEmpty()) { - deskInfoList.append(deskEnv); - } - if (!deskSess.isEmpty()) { - deskInfoList.append(deskSess); - } - if (qGuiApp->platformName() != QLatin1String("windows") && qGuiApp->platformName() != QLatin1String("cocoa")) { - deskInfoList.append(qGuiApp->platformName()); - } - if(!deskInfoList.isEmpty()) { - deskInfo = QLatin1String(" (") + deskInfoList.join(QLatin1String("/")) + QLatin1String(")"); - } - - str << "OS: " << prettyProductInfoWrapper() << deskInfo << '\n'; - if (QSysInfo::buildCpuArchitecture() == QSysInfo::currentCpuArchitecture()){ - str << "Architecture: " << QSysInfo::buildCpuArchitecture() << "\n"; - } else { - str << "Architecture: " << QSysInfo::buildCpuArchitecture() << "(running on: " << QSysInfo::currentCpuArchitecture() << ")\n"; - } - str << "Version: " << major << "." << minor << "." << point << suffix << "." << build; - char *appimage = getenv("APPIMAGE"); - if (appimage) - str << " AppImage"; - char* snap = getenv("SNAP_REVISION"); - if (snap) - str << " Snap " << snap; - str << '\n'; - -#if defined(_DEBUG) || defined(DEBUG) - str << "Build type: Debug\n"; -#elif defined(NDEBUG) - str << "Build type: Release\n"; -#elif defined(CMAKE_BUILD_TYPE) - str << "Build type: " << CMAKE_BUILD_TYPE << '\n'; -#else - str << "Build type: Unknown\n"; -#endif - it = config.find("BuildRevisionBranch"); - if (it != config.end()) - str << "Branch: " << QString::fromUtf8(it->second.c_str()) << '\n'; - it = config.find("BuildRevisionHash"); - if (it != config.end()) - str << "Hash: " << it->second.c_str() << '\n'; - // report also the version numbers of the most important libraries in FreeCAD - str << "Python " << PY_VERSION << ", "; - str << "Qt " << QT_VERSION_STR << ", "; - str << "Coin " << COIN_VERSION << ", "; - str << "Vtk " << fcVtkVersion << ", "; -#if defined(HAVE_OCC_VERSION) - str << "OCC " - << OCC_VERSION_MAJOR << "." - << OCC_VERSION_MINOR << "." - << OCC_VERSION_MAINTENANCE -#ifdef OCC_VERSION_DEVELOPMENT - << "." OCC_VERSION_DEVELOPMENT -#endif - << '\n'; -#endif - QLocale loc; - str << "Locale: " << QLocale::languageToString(loc.language()) << "/" -#if QT_VERSION < QT_VERSION_CHECK(6,6,0) - << QLocale::countryToString(loc.country()) -#else - << QLocale::territoryToString(loc.territory()) -#endif - << " (" << loc.name() << ")"; - if (loc != QLocale::system()) { - loc = QLocale::system(); - str << " [ OS: " << QLocale::languageToString(loc.language()) << "/" -#if QT_VERSION < QT_VERSION_CHECK(6,6,0) - << QLocale::countryToString(loc.country()) -#else - << QLocale::territoryToString(loc.territory()) -#endif - << " (" << loc.name() << ") ]"; - } - str << "\n"; - - // Add Stylesheet/Theme/Qtstyle information - std::string styleSheet = App::GetApplication().GetParameterGroupByPath("User parameter:BaseApp/Preferences/MainWindow")->GetASCII("StyleSheet"); - std::string theme = App::GetApplication().GetParameterGroupByPath("User parameter:BaseApp/Preferences/MainWindow")->GetASCII("Theme"); - - #if QT_VERSION >= QT_VERSION_CHECK(6, 1, 0) - std::string style = qApp->style()->name().toStdString(); - #else - std::string style = App::GetApplication().GetParameterGroupByPath("User parameter:BaseApp/Preferences/MainWindow")->GetASCII("QtStyle"); - if(style.empty()) { - style = "Qt default"; - } - #endif - - if(styleSheet.empty()) { - styleSheet = "unset"; - } - if(theme.empty()) { - theme = "unset"; - } - - str << "Stylesheet/Theme/QtStyle: " - << QString::fromStdString(styleSheet) << "/" - << QString::fromStdString(theme) << "/" - << QString::fromStdString(style) << "\n"; - - // Add installed module information: - auto modDir = fs::path(App::Application::getUserAppDataDir()) / "Mod"; - bool firstMod = true; - if (fs::exists(modDir) && fs::is_directory(modDir)) { - for (const auto& mod : fs::directory_iterator(modDir)) { - auto dirName = mod.path().filename().string(); - if (dirName[0] == '.') // Ignore dot directories - continue; - if (firstMod) { - firstMod = false; - str << "Installed mods: \n"; - } - str << " * " << QString::fromStdString(mod.path().filename().string()); - auto metadataFile = mod.path() / "package.xml"; - if (fs::exists(metadataFile)) { - App::Metadata metadata(metadataFile); - if (metadata.version() != App::Meta::Version()) - str << QLatin1String(" ") + QString::fromStdString(metadata.version().str()); - } - auto disablingFile = mod.path() / "ADDON_DISABLED"; - if (fs::exists(disablingFile)) - str << " (Disabled)"; - - str << "\n"; - } - } - - QClipboard* cb = QApplication::clipboard(); - cb->setText(data); -} - -// ---------------------------------------------------------------------------- - -/* TRANSLATOR Gui::LicenseView */ - -LicenseView::LicenseView(QWidget* parent) - : MDIView(nullptr,parent,Qt::WindowFlags()) -{ - browser = new QTextBrowser(this); - browser->setOpenExternalLinks(true); - browser->setOpenLinks(true); - setCentralWidget(browser); -} - -LicenseView::~LicenseView() = default; - -void LicenseView::setSource(const QUrl& url) -{ - browser->setSource(url); -} - -#include "moc_Splashscreen.cpp" +/*************************************************************************** + * Copyright (c) 2004 Werner Mayer * + * * + * 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 +#include +#include +#include +#include +#include +#include +#include +#include +#include +#include +#include +#include +#include +#include +#endif + +#include +#include +#include +#include + +#include +#include +#include + +#include "BitmapFactory.h" +#include "DlgAbout.h" +#include "MainWindow.h" +#include "SplashScreen.h" +#include "ui_AboutApplication.h" + +using namespace Gui; +using namespace Gui::Dialog; +namespace fs = boost::filesystem; + +static QString prettyProductInfoWrapper() +{ + auto productName = QSysInfo::prettyProductName(); +#if QT_VERSION < QT_VERSION_CHECK(6, 5, 0) +#ifdef FC_OS_MACOSX + auto macosVersionFile = + QString::fromUtf8("/System/Library/CoreServices/.SystemVersionPlatform.plist"); + auto fi = QFileInfo(macosVersionFile); + if (fi.exists() && fi.isReadable()) { + auto plistFile = QFile(macosVersionFile); + plistFile.open(QIODevice::ReadOnly); + while (!plistFile.atEnd()) { + auto line = plistFile.readLine(); + if (line.contains("ProductUserVisibleVersion")) { + auto nextLine = plistFile.readLine(); + if (nextLine.contains("")) { + QRegularExpression re(QString::fromUtf8("\\s*(.*)")); + auto matches = re.match(QString::fromUtf8(nextLine)); + if (matches.hasMatch()) { + productName = QString::fromUtf8("macOS ") + matches.captured(1); + break; + } + } + } + } + } +#endif +#endif +#ifdef FC_OS_WIN64 + QSettings regKey { + QString::fromUtf8("HKEY_LOCAL_MACHINE\\SOFTWARE\\Microsoft\\Windows NT\\CurrentVersion"), + QSettings::NativeFormat}; + if (regKey.contains(QString::fromUtf8("CurrentBuildNumber"))) { + auto buildNumber = regKey.value(QString::fromUtf8("CurrentBuildNumber")).toInt(); + if (buildNumber > 0) { + if (buildNumber < 9200) { + productName = QString::fromUtf8("Windows 7 build %1").arg(buildNumber); + } + else if (buildNumber < 10240) { + productName = QString::fromUtf8("Windows 8 build %1").arg(buildNumber); + } + else if (buildNumber < 22000) { + productName = QString::fromUtf8("Windows 10 build %1").arg(buildNumber); + } + else { + productName = QString::fromUtf8("Windows 11 build %1").arg(buildNumber); + } + } + } +#endif + return productName; +} + +// ------------------------------------------------------------------------------ + +AboutDialogFactory* AboutDialogFactory::factory = nullptr; + +AboutDialogFactory::~AboutDialogFactory() = default; + +QDialog* AboutDialogFactory::create(QWidget* parent) const +{ + return new AboutDialog(parent); +} + +const AboutDialogFactory* AboutDialogFactory::defaultFactory() +{ + static const AboutDialogFactory this_factory; + if (factory) { + return factory; + } + return &this_factory; +} + +void AboutDialogFactory::setDefaultFactory(AboutDialogFactory* f) +{ + if (factory != f) { + delete factory; + } + factory = f; +} + +// ------------------------------------------------------------------------------ + +/* TRANSLATOR Gui::Dialog::AboutDialog */ + +/** + * Constructs an AboutDialog which is a child of 'parent', with the + * name 'name' and widget flags set to 'WStyle_Customize|WStyle_NoBorder|WType_Modal' + * + * The dialog will be modal. + */ +AboutDialog::AboutDialog(QWidget* parent) + : QDialog(parent) + , ui(new Ui_AboutApplication) +{ + setModal(true); + ui->setupUi(this); + connect(ui->copyButton, &QPushButton::clicked, this, &AboutDialog::copyToClipboard); + + // remove the automatic help button in dialog title since we don't use it + setWindowFlag(Qt::WindowContextHelpButtonHint, false); + + layout()->setSizeConstraint(QLayout::SetFixedSize); + QRect rect = QApplication::primaryScreen()->availableGeometry(); + + // See if we have a custom About screen image set + QPixmap image = aboutImage(); + + // Fallback to the splashscreen image + if (image.isNull()) { + image = SplashScreen::splashImage(); + } + + // Make sure the image is not too big + int denom = 2; + if (image.height() > rect.height() / denom || image.width() > rect.width() / denom) { + float scale = static_cast(image.width()) / static_cast(image.height()); + int width = std::min(image.width(), rect.width() / denom); + int height = std::min(image.height(), rect.height() / denom); + height = std::min(height, static_cast(width / scale)); + width = static_cast(scale * height); + + image = image.scaled(width, height); + } + ui->labelSplashPicture->setPixmap(image); + ui->tabWidget->setCurrentIndex(0); // always start on the About tab + + setupLabels(); + showCredits(); + showLicenseInformation(); + showLibraryInformation(); + showCollectionInformation(); + showPrivacyPolicy(); + showOrHideImage(rect); +} + +/** + * Destroys the object and frees any allocated resources + */ +AboutDialog::~AboutDialog() +{ + // no need to delete child widgets, Qt does it all for us + delete ui; +} + +QPixmap AboutDialog::aboutImage() const +{ + // See if we have a custom About screen image set + QPixmap about_image; + QFileInfo fi(QString::fromLatin1("images:about_image.png")); + if (fi.isFile() && fi.exists()) { + about_image.load(fi.filePath(), "PNG"); + } + + std::string about_path = App::Application::Config()["AboutImage"]; + if (!about_path.empty() && about_image.isNull()) { + QString path = QString::fromStdString(about_path); + if (QDir(path).isRelative()) { + QString home = QString::fromStdString(App::Application::getHomePath()); + path = QFileInfo(QDir(home), path).absoluteFilePath(); + } + about_image.load(path); + + // Now try the icon paths + if (about_image.isNull()) { + about_image = Gui::BitmapFactory().pixmap(about_path.c_str()); + } + } + + return about_image; +} + +void AboutDialog::showOrHideImage(const QRect& rect) +{ + adjustSize(); + if (height() > rect.height()) { + ui->labelSplashPicture->hide(); + } +} + +void AboutDialog::setupLabels() +{ + // fonts are rendered smaller on Mac so point size can't be the same for all platforms + int fontSize = 8; +#ifdef Q_OS_MAC + fontSize = 11; +#endif + // avoid overriding user set style sheet + if (qApp->styleSheet().isEmpty()) { + setStyleSheet(QString::fromLatin1("Gui--Dialog--AboutDialog QLabel {font-size: %1pt;}") + .arg(fontSize)); + } + + QString exeName = qApp->applicationName(); + std::map& config = App::Application::Config(); + std::map::iterator it; + QString banner = QString::fromStdString(config["CopyrightInfo"]); + banner = banner.left(banner.indexOf(QLatin1Char('\n'))); + QString major = QString::fromStdString(config["BuildVersionMajor"]); + QString minor = QString::fromStdString(config["BuildVersionMinor"]); + QString point = QString::fromStdString(config["BuildVersionPoint"]); + QString suffix = QString::fromStdString(config["BuildVersionSuffix"]); + QString build = QString::fromStdString(config["BuildRevision"]); + QString disda = QString::fromStdString(config["BuildRevisionDate"]); + QString mturl = QString::fromStdString(config["MaintainerUrl"]); + + // we use replace() to keep label formatting, so a label with text "Unknown" + // gets replaced to "FreeCAD", for example + + QString author = ui->labelAuthor->text(); + author.replace(QString::fromLatin1("Unknown Application"), exeName); + author.replace(QString::fromLatin1("(c) Unknown Author"), banner); + ui->labelAuthor->setText(author); + ui->labelAuthor->setUrl(mturl); + + if (qApp->styleSheet().isEmpty()) { + ui->labelAuthor->setStyleSheet(QString::fromLatin1( + "Gui--UrlLabel {color: #0000FF;text-decoration: underline;font-weight: 600;}")); + } + + QString version = ui->labelBuildVersion->text(); + version.replace(QString::fromLatin1("Unknown"), + QString::fromLatin1("%1.%2.%3%4").arg(major, minor, point, suffix)); + ui->labelBuildVersion->setText(version); + + QString revision = ui->labelBuildRevision->text(); + revision.replace(QString::fromLatin1("Unknown"), build); + ui->labelBuildRevision->setText(revision); + + QString date = ui->labelBuildDate->text(); + date.replace(QString::fromLatin1("Unknown"), disda); + ui->labelBuildDate->setText(date); + + QString os = ui->labelBuildOS->text(); + os.replace(QString::fromLatin1("Unknown"), prettyProductInfoWrapper()); + ui->labelBuildOS->setText(os); + + QString architecture = ui->labelBuildRunArchitecture->text(); + if (QSysInfo::buildCpuArchitecture() == QSysInfo::currentCpuArchitecture()) { + architecture.replace(QString::fromLatin1("Unknown"), QSysInfo::buildCpuArchitecture()); + } + else { + architecture.replace( + QString::fromLatin1("Unknown"), + QString::fromLatin1("%1 (running on: %2)") + .arg(QSysInfo::buildCpuArchitecture(), QSysInfo::currentCpuArchitecture())); + } + ui->labelBuildRunArchitecture->setText(architecture); + + // branch name + it = config.find("BuildRevisionBranch"); + if (it != config.end()) { + QString branch = ui->labelBuildBranch->text(); + branch.replace(QString::fromLatin1("Unknown"), QString::fromStdString(it->second)); + ui->labelBuildBranch->setText(branch); + } + else { + ui->labelBranch->hide(); + ui->labelBuildBranch->hide(); + } + + // hash id + it = config.find("BuildRevisionHash"); + if (it != config.end()) { + QString hash = ui->labelBuildHash->text(); + hash.replace( + QString::fromLatin1("Unknown"), + QString::fromStdString(it->second).left(7)); // Use the 7-char abbreviated hash + ui->labelBuildHash->setText(hash); + if (auto url_itr = config.find("BuildRepositoryURL"); url_itr != config.end()) { + auto url = QString::fromStdString(url_itr->second); + + if (int space = url.indexOf(QChar::fromLatin1(' ')); space != -1) { + url = url.left(space); // Strip off the branch information to get just the repo + } + + if (url == QString::fromUtf8("Unknown")) { + url = QString::fromUtf8("https://github.com/FreeCAD/FreeCAD"); // Just take a guess + } + + // This may only create valid URLs for Github, but some other hosts use the same format + // so give it a shot... + auto https = url.replace(QString::fromUtf8("git://"), QString::fromUtf8("https://")); + https.replace(QString::fromUtf8(".git"), QString::fromUtf8("")); + ui->labelBuildHash->setUrl(https + QString::fromUtf8("/commit/") + + QString::fromStdString(it->second)); + } + } + else { + ui->labelHash->hide(); + ui->labelBuildHash->hide(); + } +} + +void AboutDialog::showCredits() +{ + auto creditsFileURL = QLatin1String(":/doc/CONTRIBUTORS"); + QFile creditsFile(creditsFileURL); + + if (!creditsFile.open(QIODevice::ReadOnly | QIODevice::Text)) { + return; + } + + auto tab_credits = new QWidget(); + tab_credits->setObjectName(QString::fromLatin1("tab_credits")); + ui->tabWidget->addTab(tab_credits, tr("Credits")); + auto hlayout = new QVBoxLayout(tab_credits); + auto textField = new QTextBrowser(tab_credits); + textField->setOpenExternalLinks(true); + hlayout->addWidget(textField); + + QString creditsHTML = QString::fromLatin1("

"); + //: Header for bgbsww + creditsHTML += + tr("This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww."); + //: Header for the Credits tab of the About screen + creditsHTML += QString::fromLatin1("

"); + creditsHTML += tr("Credits"); + creditsHTML += QString::fromLatin1("

"); + creditsHTML += tr("FreeCAD would not be possible without the contributions of"); + creditsHTML += QString::fromLatin1(":

"); + //: Header for the list of individual people in the Credits list. + creditsHTML += tr("Individuals"); + creditsHTML += QString::fromLatin1("

    "); + + QTextStream stream(&creditsFile); +#if QT_VERSION < QT_VERSION_CHECK(6, 0, 0) + stream.setCodec("UTF-8"); +#endif + QString line; + while (stream.readLineInto(&line)) { + if (!line.isEmpty()) { + if (line == QString::fromLatin1("Firms")) { + creditsHTML += QString::fromLatin1("

"); + //: Header for the list of companies/organizations in the Credits list. + creditsHTML += tr("Organizations"); + creditsHTML += QString::fromLatin1("

    "); + } + else { + creditsHTML += QString::fromLatin1("
  • ") + line + QString::fromLatin1("
  • "); + } + } + } + creditsHTML += QString::fromLatin1("
"); + textField->setHtml(creditsHTML); +} + +void AboutDialog::showLicenseInformation() +{ + QString licenseFileURL = QString::fromLatin1("%1/LICENSE.html") + .arg(QString::fromStdString(App::Application::getHelpDir())); + QFile licenseFile(licenseFileURL); + + if (licenseFile.open(QIODevice::ReadOnly | QIODevice::Text)) { + QString licenseHTML = QString::fromUtf8(licenseFile.readAll()); + const auto placeholder = + QString::fromUtf8(""); + licenseHTML.replace(placeholder, getAdditionalLicenseInformation()); + + ui->tabWidget->removeTab(1); // Hide the license placeholder widget + + auto tab_license = new QWidget(); + tab_license->setObjectName(QString::fromLatin1("tab_license")); + ui->tabWidget->addTab(tab_license, tr("License")); + auto hlayout = new QVBoxLayout(tab_license); + auto textField = new QTextBrowser(tab_license); + textField->setOpenExternalLinks(true); + textField->setOpenLinks(true); + hlayout->addWidget(textField); + + textField->setHtml(licenseHTML); + } + else { + QString info(QLatin1String("SUCH DAMAGES.
")); + info += getAdditionalLicenseInformation(); + QString lictext = ui->textBrowserLicense->toHtml(); + lictext.replace(QString::fromLatin1("SUCH DAMAGES.
"), info); + ui->textBrowserLicense->setHtml(lictext); + } +} + +QString AboutDialog::getAdditionalLicenseInformation() const +{ + // Any additional piece of text to be added after the main license text goes below. + // Please set title in

tags, license text in

tags + // and add an


tag at the end to nicely separate license blocks + QString info; +#ifdef _USE_3DCONNEXION_SDK + info += QString::fromUtf8( + "

3D Mouse Support

" + "

Development tools and related technology provided under license from 3Dconnexion.
" + "Copyright © 1992–2012 3Dconnexion. All rights reserved.

" + "
"); +#endif + return info; +} + +void AboutDialog::showLibraryInformation() +{ + auto tab_library = new QWidget(); + tab_library->setObjectName(QString::fromLatin1("tab_library")); + ui->tabWidget->addTab(tab_library, tr("Libraries")); + auto hlayout = new QVBoxLayout(tab_library); + auto textField = new QTextBrowser(tab_library); + textField->setOpenExternalLinks(false); + textField->setOpenLinks(false); + hlayout->addWidget(textField); + + QString baseurl = QString::fromLatin1("file:///%1/ThirdPartyLibraries.html") + .arg(QString::fromStdString(App::Application::getHelpDir())); + + textField->setSource(QUrl(baseurl)); +} + +void AboutDialog::showCollectionInformation() +{ + QString doc = QString::fromStdString(App::Application::getHelpDir()); + QString path = doc + QLatin1String("Collection.html"); + if (!QFile::exists(path)) { + return; + } + + auto tab_collection = new QWidget(); + tab_collection->setObjectName(QString::fromLatin1("tab_collection")); + ui->tabWidget->addTab(tab_collection, tr("Collection")); + auto hlayout = new QVBoxLayout(tab_collection); + auto textField = new QTextBrowser(tab_collection); + textField->setOpenExternalLinks(true); + hlayout->addWidget(textField); + textField->setSource(path); +} + +void AboutDialog::showPrivacyPolicy() +{ + auto policyFileURL = QLatin1String(":/doc/PRIVACY_POLICY"); + QFile policyFile(policyFileURL); + + if (!policyFile.open(QIODevice::ReadOnly | QIODevice::Text)) { + return; + } + auto text = QString::fromUtf8(policyFile.readAll()); + auto tabPrivacyPolicy = new QWidget(); + tabPrivacyPolicy->setObjectName(QString::fromLatin1("tabPrivacyPolicy")); + ui->tabWidget->addTab(tabPrivacyPolicy, tr("Privacy Policy")); + auto hLayout = new QVBoxLayout(tabPrivacyPolicy); + auto textField = new QTextBrowser(tabPrivacyPolicy); + textField->setOpenExternalLinks(true); + hLayout->addWidget(textField); + +#if QT_VERSION < QT_VERSION_CHECK(5, 15, 0) + // We can't actually render the markdown, so just display it as text + textField->setText(text); +#else + textField->setMarkdown(text); +#endif +} + +void AboutDialog::linkActivated(const QUrl& link) +{ + auto licenseView = new LicenseView(); + licenseView->setAttribute(Qt::WA_DeleteOnClose); + licenseView->show(); + QString title = tr("License"); + QString fragment = link.fragment(); + if (fragment.startsWith(QLatin1String("_Toc"))) { + QString prefix = fragment.mid(4); + title = QString::fromLatin1("%1 %2").arg(prefix, title); + } + licenseView->setWindowTitle(title); + getMainWindow()->addWindow(licenseView); + licenseView->setSource(link); +} + +void AboutDialog::copyToClipboard() +{ + QString data; + QTextStream str(&data); + std::map& config = App::Application::Config(); + std::map::iterator it; + QString exe = QString::fromStdString(App::Application::getExecutableName()); + + QString major = QString::fromStdString(config["BuildVersionMajor"]); + QString minor = QString::fromStdString(config["BuildVersionMinor"]); + QString point = QString::fromStdString(config["BuildVersionPoint"]); + QString suffix = QString::fromStdString(config["BuildVersionSuffix"]); + QString build = QString::fromStdString(config["BuildRevision"]); + + QString deskEnv = + QProcessEnvironment::systemEnvironment().value(QStringLiteral("XDG_CURRENT_DESKTOP"), + QString()); + QString deskSess = + QProcessEnvironment::systemEnvironment().value(QStringLiteral("DESKTOP_SESSION"), + QString()); + QStringList deskInfoList; + QString deskInfo; + + if (!deskEnv.isEmpty()) { + deskInfoList.append(deskEnv); + } + if (!deskSess.isEmpty()) { + deskInfoList.append(deskSess); + } + if (qGuiApp->platformName() != QLatin1String("windows") + && qGuiApp->platformName() != QLatin1String("cocoa")) { + deskInfoList.append(qGuiApp->platformName()); + } + if (!deskInfoList.isEmpty()) { + deskInfo = QLatin1String(" (") + deskInfoList.join(QLatin1String("/")) + QLatin1String(")"); + } + + str << "OS: " << prettyProductInfoWrapper() << deskInfo << '\n'; + if (QSysInfo::buildCpuArchitecture() == QSysInfo::currentCpuArchitecture()) { + str << "Architecture: " << QSysInfo::buildCpuArchitecture() << "\n"; + } + else { + str << "Architecture: " << QSysInfo::buildCpuArchitecture() + << "(running on: " << QSysInfo::currentCpuArchitecture() << ")\n"; + } + str << "Version: " << major << "." << minor << "." << point << suffix << "." << build; +#ifdef FC_CONDA + str << " Conda"; +#endif +#ifdef FC_FLATPAK + str << " Flatpak"; +#endif + char* appimage = getenv("APPIMAGE"); + if (appimage) { + str << " AppImage"; + } + char* snap = getenv("SNAP_REVISION"); + if (snap) { + str << " Snap " << snap; + } + str << '\n'; + +#if defined(_DEBUG) || defined(DEBUG) + str << "Build type: Debug\n"; +#elif defined(NDEBUG) + str << "Build type: Release\n"; +#elif defined(CMAKE_BUILD_TYPE) + str << "Build type: " << CMAKE_BUILD_TYPE << '\n'; +#else + str << "Build type: Unknown\n"; +#endif + it = config.find("BuildRevisionBranch"); + if (it != config.end()) { + str << "Branch: " << QString::fromStdString(it->second) << '\n'; + } + it = config.find("BuildRevisionHash"); + if (it != config.end()) { + str << "Hash: " << QString::fromStdString(it->second) << '\n'; + } + // report also the version numbers of the most important libraries in FreeCAD + str << "Python " << PY_VERSION << ", "; + str << "Qt " << QT_VERSION_STR << ", "; + str << "Coin " << COIN_VERSION << ", "; + str << "Vtk " << fcVtkVersion << ", "; +#if defined(HAVE_OCC_VERSION) + str << "OCC " << OCC_VERSION_MAJOR << "." << OCC_VERSION_MINOR << "." << OCC_VERSION_MAINTENANCE +#ifdef OCC_VERSION_DEVELOPMENT + << "." OCC_VERSION_DEVELOPMENT +#endif + << '\n'; +#endif + QLocale loc; + str << "Locale: " << QLocale::languageToString(loc.language()) << "/" +#if QT_VERSION < QT_VERSION_CHECK(6, 6, 0) + << QLocale::countryToString(loc.country()) +#else + << QLocale::territoryToString(loc.territory()) +#endif + << " (" << loc.name() << ")"; + if (loc != QLocale::system()) { + loc = QLocale::system(); + str << " [ OS: " << QLocale::languageToString(loc.language()) << "/" +#if QT_VERSION < QT_VERSION_CHECK(6, 6, 0) + << QLocale::countryToString(loc.country()) +#else + << QLocale::territoryToString(loc.territory()) +#endif + << " (" << loc.name() << ") ]"; + } + str << "\n"; + + // Add Stylesheet/Theme/Qtstyle information + std::string styleSheet = + App::GetApplication() + .GetParameterGroupByPath("User parameter:BaseApp/Preferences/MainWindow") + ->GetASCII("StyleSheet"); + std::string theme = + App::GetApplication() + .GetParameterGroupByPath("User parameter:BaseApp/Preferences/MainWindow") + ->GetASCII("Theme"); +#if QT_VERSION >= QT_VERSION_CHECK(6, 1, 0) + std::string style = qApp->style()->name().toStdString(); +#else + std::string style = + App::GetApplication() + .GetParameterGroupByPath("User parameter:BaseApp/Preferences/MainWindow") + ->GetASCII("QtStyle"); + if (style.empty()) { + style = "Qt default"; + } +#endif + if (styleSheet.empty()) { + styleSheet = "unset"; + } + if (theme.empty()) { + theme = "unset"; + } + + str << "Stylesheet/Theme/QtStyle: " << QString::fromStdString(styleSheet) << "/" + << QString::fromStdString(theme) << "/" << QString::fromStdString(style) << "\n"; + + // Add installed module information: + auto modDir = fs::path(App::Application::getUserAppDataDir()) / "Mod"; + bool firstMod = true; + if (fs::exists(modDir) && fs::is_directory(modDir)) { + for (const auto& mod : fs::directory_iterator(modDir)) { + auto dirName = mod.path().filename().string(); + if (dirName[0] == '.') { // Ignore dot directories + continue; + } + if (firstMod) { + firstMod = false; + str << "Installed mods: \n"; + } + str << " * " << QString::fromStdString(mod.path().filename().string()); + auto metadataFile = mod.path() / "package.xml"; + if (fs::exists(metadataFile)) { + App::Metadata metadata(metadataFile); + if (metadata.version() != App::Meta::Version()) { + str << QLatin1String(" ") + QString::fromStdString(metadata.version().str()); + } + } + auto disablingFile = mod.path() / "ADDON_DISABLED"; + if (fs::exists(disablingFile)) { + str << " (Disabled)"; + } + + str << "\n"; + } + } + + QClipboard* cb = QApplication::clipboard(); + cb->setText(data); +} + +// ---------------------------------------------------------------------------- + +/* TRANSLATOR Gui::LicenseView */ + +LicenseView::LicenseView(QWidget* parent) + : MDIView(nullptr, parent, Qt::WindowFlags()) +{ + browser = new QTextBrowser(this); + browser->setOpenExternalLinks(true); + browser->setOpenLinks(true); + setCentralWidget(browser); +} + +LicenseView::~LicenseView() = default; + +void LicenseView::setSource(const QUrl& url) +{ + browser->setSource(url); +} + +#include "moc_DlgAbout.cpp" diff --git a/src/Gui/Splashscreen.h b/src/Gui/DlgAbout.h similarity index 69% rename from src/Gui/Splashscreen.h rename to src/Gui/DlgAbout.h index d423236fdd5c..6908238dee88 100644 --- a/src/Gui/Splashscreen.h +++ b/src/Gui/DlgAbout.h @@ -1,125 +1,104 @@ -/*************************************************************************** - * Copyright (c) 2004 Werner Mayer * - * * - * 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 * - * * - ***************************************************************************/ - -#ifndef GUI_SPLASHSCREEN_H -#define GUI_SPLASHSCREEN_H - -#include -#include -#include -#include - -namespace Gui { - -class SplashObserver; - -/** This widget provides a splash screen that can be shown during application startup. - * - * \author Werner Mayer - */ -class SplashScreen : public QSplashScreen -{ - Q_OBJECT - -public: - explicit SplashScreen( const QPixmap & pixmap = QPixmap ( ), Qt::WindowFlags f = Qt::WindowFlags() ); - ~SplashScreen() override; - - void setShowMessages(bool on); - -protected: - void drawContents ( QPainter * painter ) override; - -private: - SplashObserver* messages; -}; - -namespace Dialog { -class Ui_AboutApplication; - -class GuiExport AboutDialogFactory -{ -public: - AboutDialogFactory() = default; - virtual ~AboutDialogFactory(); - - virtual QDialog *create(QWidget *parent) const; - - static const AboutDialogFactory *defaultFactory(); - static void setDefaultFactory(AboutDialogFactory *factory); - -private: - static AboutDialogFactory* factory; -}; - -class GuiExport LicenseView : public Gui::MDIView -{ - Q_OBJECT - -public: - explicit LicenseView(QWidget* parent=nullptr); - ~LicenseView() override; - - void setSource(const QUrl & url); - const char *getName() const override { - return "LicenseView"; - } - -private: - QTextBrowser* browser; -}; - -/** This widget provides the "About dialog" of an application. - * This shows the current version, the build number and date. - * \author Werner Mayer - */ -class GuiExport AboutDialog : public QDialog -{ - Q_OBJECT - -public: - explicit AboutDialog(QWidget* parent = nullptr); - ~AboutDialog() override; - -protected: - void setupLabels(); - void showCredits(); - void showLicenseInformation(); - QString getAdditionalLicenseInformation() const; - void showLibraryInformation(); - void showCollectionInformation(); - void showPrivacyPolicy(); - void showOrHideImage(const QRect& rect); - -protected: - virtual void copyToClipboard(); - void linkActivated(const QUrl& link); - -private: - Ui_AboutApplication* ui; -}; - -} // namespace Dialog -} // namespace Gui - - -#endif // GUI_SPLASHSCREEN_H +/*************************************************************************** + * Copyright (c) 2004 Werner Mayer * + * * + * 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 * + * * + ***************************************************************************/ + +#ifndef GUI_DLG_ABOUT_H +#define GUI_DLG_ABOUT_H + +#include +#include +#include + +namespace Gui +{ +namespace Dialog +{ + +class Ui_AboutApplication; + +class GuiExport AboutDialogFactory +{ +public: + AboutDialogFactory() = default; + virtual ~AboutDialogFactory(); + + virtual QDialog* create(QWidget* parent) const; + + static const AboutDialogFactory* defaultFactory(); + static void setDefaultFactory(AboutDialogFactory* factory); + +private: + static AboutDialogFactory* factory; +}; + +class GuiExport LicenseView: public Gui::MDIView +{ + Q_OBJECT + +public: + explicit LicenseView(QWidget* parent = nullptr); + ~LicenseView() override; + + void setSource(const QUrl& url); + const char* getName() const override + { + return "LicenseView"; + } + +private: + QTextBrowser* browser; +}; + +/** This widget provides the "About dialog" of an application. + * This shows the current version, the build number and date. + * \author Werner Mayer + */ +class GuiExport AboutDialog: public QDialog +{ + Q_OBJECT + +public: + explicit AboutDialog(QWidget* parent = nullptr); + ~AboutDialog() override; + +protected: + void setupLabels(); + void showCredits(); + void showLicenseInformation(); + QString getAdditionalLicenseInformation() const; + void showLibraryInformation(); + void showCollectionInformation(); + void showPrivacyPolicy(); + void showOrHideImage(const QRect& rect); + +protected: + QPixmap aboutImage() const; + virtual void copyToClipboard(); + void linkActivated(const QUrl& link); + +private: + Ui_AboutApplication* ui; +}; + +} // namespace Dialog +} // namespace Gui + +#endif // GUI_DLG_ABOUT_H diff --git a/src/Gui/GraphvizView.cpp b/src/Gui/GraphvizView.cpp index d6dde2600398..fa51ccdf5b59 100644 --- a/src/Gui/GraphvizView.cpp +++ b/src/Gui/GraphvizView.cpp @@ -280,7 +280,10 @@ void GraphvizView::updateSvgItem(const App::Document &doc) QProcess * dotProc = thread->dotProcess(); QProcess * flatProc = thread->unflattenProcess(); QStringList args, flatArgs; - args << QLatin1String("-Tsvg"); + // TODO: Make -Granksep flag value variable depending on number of edges, + // the downside is that the value affects all subgraphs + args << QLatin1String("-Granksep=2") << QLatin1String("-Goutputorder=edgesfirst") + << QLatin1String("-Gsplines=ortho") << QLatin1String("-Tsvg"); flatArgs << QLatin1String("-c2 -l2"); auto dot = QString::fromLatin1("dot"); auto unflatten = QString::fromLatin1("unflatten"); diff --git a/src/Gui/Icons/ClassBrowser/method.png b/src/Gui/Icons/ClassBrowser/method.png index 28a0598ce578..6e562de0c131 100644 Binary files a/src/Gui/Icons/ClassBrowser/method.png and b/src/Gui/Icons/ClassBrowser/method.png differ diff --git a/src/Gui/Icons/ClassBrowser/method.svg b/src/Gui/Icons/ClassBrowser/method.svg index 7e2f66991dc6..eecf5a0ecd2f 100644 --- a/src/Gui/Icons/ClassBrowser/method.svg +++ b/src/Gui/Icons/ClassBrowser/method.svg @@ -80,7 +80,8 @@ gradientUnits="userSpaceOnUse" id="linearGradient3827" xlink:href="#linearGradient3850" - inkscape:collect="always" /> + inkscape:collect="always" + gradientTransform="translate(0,-6.933041)" /> + y2="1012.3622" + gradientTransform="translate(0,-6.933041)" /> + id="g3806" + transform="translate(0,6.933041)"> + d="M 29,15 V 35 L 45,47 V 27 Z" + style="fill:#ad7fa8;stroke:#171018;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1" /> + d="m 31,1007.3622 v 15 l 12,9 v -15 z" + style="fill:url(#linearGradient3856);fill-opacity:1;stroke:#ad7fa8;stroke-width:2;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1" /> + d="M 29,15 V 35 L 45,47 V 27 Z" + style="fill:#ad7fa8;stroke:#171018;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1" /> + d="m 31,1007.3622 v 15 l 12,9 v -15 z" + style="fill:url(#linearGradient3827);fill-opacity:1;stroke:#75507b;stroke-width:2;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1" /> diff --git a/src/Gui/Icons/Std_DemoMode.svg b/src/Gui/Icons/Std_DemoMode.svg index 55cfacaf4c9a..b01c8cc257b8 100644 --- a/src/Gui/Icons/Std_DemoMode.svg +++ b/src/Gui/Icons/Std_DemoMode.svg @@ -260,7 +260,7 @@ disc - Shapes spining on a disc + Shapes spinning on a disc diff --git a/src/Gui/InputField.cpp b/src/Gui/InputField.cpp index ae2641cb45f7..85a4e2858e72 100644 --- a/src/Gui/InputField.cpp +++ b/src/Gui/InputField.cpp @@ -181,7 +181,7 @@ void InputField::resizeEvent(QResizeEvent *) QSize sz = iconLabel->sizeHint(); int frameWidth = style()->pixelMetric(QStyle::PM_DefaultFrameWidth); iconLabel->move(rect().right() - frameWidth - sz.width(), - (rect().bottom() + 1 - sz.height())/2); + rect().center().y() - sz.height() / 2); } void InputField::updateIconLabel(const QString& text) diff --git a/src/Gui/Language/FreeCAD.ts b/src/Gui/Language/FreeCAD.ts index 48f184090fc7..8136fd008185 100644 --- a/src/Gui/Language/FreeCAD.ts +++ b/src/Gui/Language/FreeCAD.ts @@ -91,17 +91,17 @@
- + Import - + Delete - + Paste expressions @@ -131,7 +131,7 @@ - + Insert text document @@ -424,42 +424,42 @@ EditMode - + Default - + The object will be edited using the mode defined internally to be the most appropriate for the object type - + Transform - + The object will have its placement editable with the Std TransformManip command - + Cutting - + This edit mode is implemented as available but currently does not seem to be used by any object - + Color - + The object will have the color of its individual faces editable with the Part FaceAppearances command @@ -680,7 +680,7 @@ while doing a left or right click and move the mouse up or down - Word size + Architecture @@ -706,52 +706,52 @@ while doing a left or right click and move the mouse up or down Gui::Dialog::AboutDialog - - + + Credits - Header for the Credits tab of the About screen - + + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + Header for bgbsww + + + + FreeCAD would not be possible without the contributions of - + Individuals Header for the list of individual people in the Credits list. - + Organizations Header for the list of companies/organizations in the Credits list. - - + + License - + Libraries - - This software uses open source components whose copyright and other proprietary rights belong to their respective owners: - - - - + Collection - + Privacy Policy @@ -1400,8 +1400,8 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgCustomToolBoxbarsImp - - + + Toolbox bars @@ -1490,40 +1490,40 @@ same time. The one with the highest priority will be triggered. - + <Separator> - + %1 module not loaded - + New toolbar - - + + Toolbar name: - - + + Duplicated name - - + + The toolbar name '%1' is already used - + Rename toolbar @@ -1737,71 +1737,71 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgMacroExecuteImp - + Macros - + Read-only - + Macro file - + Enter a file name, please: - - - + + + Existing file - + '%1'. This file already exists. - + Cannot create file - + Creation of file '%1' failed. - + Delete macro - + Do you really want to delete the macro '%1'? - + Do not show again - + Guided Walkthrough - + This will guide you in setting up this macro in a custom global toolbar. Instructions will be in red text inside the dialog. Note: your changes will be applied when you next switch workbenches @@ -1809,76 +1809,76 @@ Note: your changes will be applied when you next switch workbenches - + Walkthrough, dialog 1 of 2 - + Walkthrough instructions: Fill in missing fields (optional) then click Add, then Close - + Walkthrough, dialog 1 of 1 - + Walkthrough, dialog 2 of 2 - - Walkthrough instructions: Click right arrow button (->), then Close. + + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. - Walkthrough instructions: Click New, then right arrow (->) button, then Close. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. - + Renaming Macro File - - + + Enter new name: - - + + '%1' already exists. - + Rename Failed - + Failed to rename to '%1'. Perhaps a file permission error? - + Duplicate Macro - + Duplicate Failed - + Failed to duplicate to '%1'. Perhaps a file permission error? @@ -5828,81 +5828,81 @@ Do you want to save your changes? Gui::GraphvizView - + Graphviz not found - + Graphviz couldn't be found on your system. - + Read more about it here. - + Do you want to specify its installation path if it's already installed? - + Graphviz installation path - + Graphviz failed - + Graphviz failed to create an image file - + PNG format - + Bitmap format - + GIF format - + JPG format - + SVG format - - + + PDF format - - + + Graphviz format - - - + + + Export graph @@ -6062,62 +6062,82 @@ Do you want to save your changes? Gui::MainWindow - - + + Dimension - + Ready - + Close All - - - + + + Toggles this toolbar - - - + + + Toggles this dockable window - + + Safe mode enabled + + + + + FreeCAD is now running in safe mode. + + + + + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + + + + WARNING: This is a development version. - + Please do not use it in a production environment. - - + + Unsaved document - + The exported object contains external link. Please save the documentat least once before exporting. - + To link to external objects, the document must be saved at least once. Do you want to save the document now? + + + Safe Mode + + Gui::ManualAlignment @@ -6615,39 +6635,19 @@ Do you want to exit without saving your data? Open file %1 - - - File not found - - - - - The file '%1' cannot be opened. - - Gui::RecentMacrosAction - + none - + Run macro %1 (Shift+click to edit) keyboard shortcut: %2 - - - File not found - - - - - The file '%1' cannot be opened. - - Gui::RevitNavigationStyle @@ -6898,7 +6898,7 @@ Do you want to specify another directory? Gui::TaskView::TaskDialog - + A dialog is already open in the task panel @@ -6927,38 +6927,8 @@ Do you want to specify another directory? Gui::TextDocumentEditorView - - Text updated - - - - - The text of the underlying object has changed. Discard changes and reload the text from the object? - - - - - Yes, reload. - - - - - Unsaved document - - - - - Do you want to save your changes before closing? - - - - - If you don't save, your changes will be lost. - - - - - + + Edit text @@ -7235,7 +7205,7 @@ Do you want to specify another directory? Gui::TreeDockWidget - + Tree view @@ -7243,7 +7213,7 @@ Do you want to specify another directory? Gui::TreePanel - + Search @@ -7301,148 +7271,148 @@ Do you want to specify another directory? - + Labels & Attributes - + Description - + Internal name - + Show items hidden in tree view - + Show items that are marked as 'hidden' in the tree view - + Toggle visibility in tree view - + Toggles the visibility of selected items in the tree view - + Create group - + Create a group - - + + Rename - + Rename object - + Finish editing - + Finish editing object - + Add dependent objects to selection - + Adds all dependent objects to the selection - + Close document - + Close the document - + Reload document - + Reload a partially loaded document - + Skip recomputes - + Enable or disable recomputations of document - + Allow partial recomputes - + Enable or disable recomputating editing object when 'skip recomputation' is enabled - + Mark to recompute - + Mark this object to be recomputed - + Recompute object - + Recompute the selected object - + (but must be executed) - + %1, Internal name: %2 @@ -7654,47 +7624,47 @@ Do you want to specify another directory? QDockWidget - + Tree view - + Tasks - + Property view - + Selection view - + Task List - + Model - + DAG View - + Report view - + Python console @@ -7734,58 +7704,58 @@ Do you want to specify another directory? - - - + + + Unknown filetype - - + + Cannot open unknown filetype: %1 - + Export failed - + Cannot save to unknown filetype: %1 - + Recomputation required - + Some document(s) require recomputation for migration purposes. It is highly recommended to perform a recomputation before any modification to avoid compatibility problems. Do you want to recompute now? - + Recompute error - + Failed to recompute some document(s). Please check report view for more details. - + Workbench failure - + %1 @@ -7831,89 +7801,104 @@ Please check report view for more details. - + Export file - + Printing... - + Exporting PDF... - - + + Unsaved document - + The exported object contains external link. Please save the documentat least once before exporting. - - + + Delete failed - + Dependency error - + Copy selected - + Copy active document - + Copy all documents - + Paste - + Expression error - + Failed to parse some of the expressions. Please check the Report View for more details. - + Failed to paste expressions - + Cannot load workbench - + A general error occurred while loading the workbench + + + Restart in safe mode + + + + + Are you sure you want to restart FreeCAD and enter safe mode? + + + + + Safe mode temporarily disables your configuration and addons. + + @@ -8137,51 +8122,51 @@ Do you want to continue? - + Identical physical path detected. It may cause unwanted overwrite of existing document! - + Are you sure you want to continue? - + Please check report view for more... - + Physical path: - - + + Document: - - + + Path: - + Identical physical path - + Could not save document - + There was an issue trying to save the file. This may be because some of the parent folders do not exist, or you do not have sufficient permissions, or for other reasons. Error details: "%1" @@ -8190,102 +8175,102 @@ Would you like to save the file with a different name? - - - + + + Saving aborted - + Save dependent files - + The file contains external dependencies. Do you want to save the dependent files, too? - - + + Saving document failed - + Save document under new filename... - - + + Save %1 Document - + Document - - + + Failed to save document - + Documents contains cyclic dependencies. Do you still want to save them? - + Save a copy of the document under new filename... - + %1 document (*.FCStd) - + Document not closable - + The document is not closable for the moment. - + Document not saved - + The document%1 could not be saved. Do you want to cancel closing it? - + Undo - + Redo - + There are grouped transactions in the following documents with other preceding transactions - + Choose 'Yes' to roll back all preceding transactions. Choose 'No' to roll back in the active document only. Choose 'Abort' to abort @@ -8377,7 +8362,7 @@ Choose 'Abort' to abort - + Navigation styles @@ -8388,47 +8373,47 @@ Choose 'Abort' to abort - + Do you want to close this dialog? - + Do you want to save your changes to document '%1' before closing? - + Do you want to save your changes to document before closing? - + If you don't save, your changes will be lost. - + Apply answer to all - + %1 Document(s) not saved - + Some documents could not be saved. Do you want to cancel closing? - + Delete macro - + Not allowed to delete system-wide macros @@ -8524,10 +8509,10 @@ Choose 'Abort' to abort - - - - + + + + Invalid name @@ -8539,25 +8524,25 @@ underscore, and must not start with a digit. - + The property name is a reserved word. - + The property '%1' already exists in '%2' - + Add property - + Failed to add property to '%1': %2 @@ -8837,13 +8822,13 @@ the current copy will be lost. - + The property name must only contain alpha numericals, underscore, and must not start with a digit. - + The group name must only contain alpha numericals, underscore, and must not start with a digit. @@ -8889,13 +8874,13 @@ underscore, and must not start with a digit. StdCmdAbout - + &About %1 - - + + About %1 @@ -8903,13 +8888,13 @@ underscore, and must not start with a digit. StdCmdAboutQt - + About &Qt - - + + About Qt @@ -8945,13 +8930,13 @@ underscore, and must not start with a digit. StdCmdAlignment - + Alignment... - - + + Align the selected objects @@ -9015,13 +9000,13 @@ underscore, and must not start with a digit. StdCmdCommandLine - + Start command &line... - - + + Opens the command line in the console @@ -9029,13 +9014,13 @@ underscore, and must not start with a digit. StdCmdCopy - + C&opy - - + + Copy operation @@ -9043,13 +9028,13 @@ underscore, and must not start with a digit. StdCmdCut - + &Cut - - + + Cut out @@ -9057,13 +9042,13 @@ underscore, and must not start with a digit. StdCmdDelete - + &Delete - - + + Deletes the selected objects @@ -9085,13 +9070,13 @@ underscore, and must not start with a digit. StdCmdDependencyGraph - + Dependency graph... - - + + Show the dependency graph of the objects in the active document @@ -9099,13 +9084,13 @@ underscore, and must not start with a digit. StdCmdDlgCustomize - + Cu&stomize... - - + + Customize toolbars and command bars @@ -9165,13 +9150,13 @@ underscore, and must not start with a digit. StdCmdDlgParameter - + E&dit parameters ... - - + + Opens a Dialog to edit the parameters @@ -9179,13 +9164,13 @@ underscore, and must not start with a digit. StdCmdDlgPreferences - + &Preferences ... - - + + Opens a Dialog to edit the preferences @@ -9221,13 +9206,13 @@ underscore, and must not start with a digit. StdCmdDuplicateSelection - + Duplicate selection - - + + Put duplicates of the selected objects to the active document @@ -9235,17 +9220,17 @@ underscore, and must not start with a digit. StdCmdEdit - + Toggle &Edit mode - + Toggles the selected object's edit mode - + Activates or Deactivates the selected object's edit mode @@ -9264,12 +9249,12 @@ underscore, and must not start with a digit. - + No selection - + Select the objects to export before choosing Export. @@ -9277,13 +9262,13 @@ underscore, and must not start with a digit. StdCmdExpression - + Expression actions - - + + Actions that apply to expressions @@ -9305,12 +9290,12 @@ underscore, and must not start with a digit. StdCmdFreeCADDonation - + Donate - + Donate to FreeCAD development @@ -9318,17 +9303,17 @@ underscore, and must not start with a digit. StdCmdFreeCADFAQ - + FreeCAD FAQ - + Frequently Asked Questions on the FreeCAD website - + Frequently Asked Questions @@ -9336,17 +9321,17 @@ underscore, and must not start with a digit. StdCmdFreeCADForum - + FreeCAD Forum - + The FreeCAD forum, where you can find help from other users - + The FreeCAD Forum @@ -9354,17 +9339,17 @@ underscore, and must not start with a digit. StdCmdFreeCADPowerUserHub - + Python scripting documentation - + Python scripting documentation on the FreeCAD website - + PowerUsers documentation @@ -9372,13 +9357,13 @@ underscore, and must not start with a digit. StdCmdFreeCADUserHub - - + + Users documentation - + Documentation for users on the FreeCAD website @@ -9386,13 +9371,13 @@ underscore, and must not start with a digit. StdCmdFreeCADWebsite - - + + FreeCAD Website - + The FreeCAD website @@ -9707,25 +9692,25 @@ underscore, and must not start with a digit. StdCmdMergeProjects - + Merge document... - - - - + + + + Merge document - + %1 document (*.FCStd) - + Cannot merge document with itself. @@ -9733,18 +9718,18 @@ underscore, and must not start with a digit. StdCmdNew - + &New - - + + Create a new empty document - + Unnamed @@ -9753,13 +9738,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelp - - + + Help - + Show help to the application @@ -9767,13 +9752,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelpWebsite - - + + Help Website - + The website where the help is maintained @@ -9828,13 +9813,13 @@ underscore, and must not start with a digit. StdCmdPaste - + &Paste - - + + Paste operation @@ -9842,13 +9827,13 @@ underscore, and must not start with a digit. StdCmdPlacement - + Placement... - - + + Place the selected objects @@ -9856,13 +9841,13 @@ underscore, and must not start with a digit. StdCmdPrint - + &Print... - - + + Print the document @@ -9870,13 +9855,13 @@ underscore, and must not start with a digit. StdCmdPrintPdf - + &Export PDF... - - + + Export the document as PDF @@ -9884,17 +9869,17 @@ underscore, and must not start with a digit. StdCmdPrintPreview - + &Print preview... - + Print the document - + Print preview @@ -9902,13 +9887,13 @@ underscore, and must not start with a digit. StdCmdPythonWebsite - - + + Python Website - + The official Python website @@ -9916,13 +9901,13 @@ underscore, and must not start with a digit. StdCmdQuit - + E&xit - - + + Quits the application @@ -9944,13 +9929,13 @@ underscore, and must not start with a digit. StdCmdRecentFiles - + Open Recent - - + + Recent file list @@ -9958,13 +9943,13 @@ underscore, and must not start with a digit. StdCmdRecentMacros - + Recent macros - - + + Recent macro list @@ -9972,13 +9957,13 @@ underscore, and must not start with a digit. StdCmdRedo - + &Redo - - + + Redoes a previously undone action @@ -9986,13 +9971,13 @@ underscore, and must not start with a digit. StdCmdRefresh - + &Refresh - - + + Recomputes the current active document @@ -10000,13 +9985,13 @@ underscore, and must not start with a digit. StdCmdReportBug - + Report a bug - - + + Report a bug or suggest a feature @@ -10014,13 +9999,13 @@ underscore, and must not start with a digit. StdCmdRevert - + Revert - - + + Reverts to the saved version of this file @@ -10028,13 +10013,13 @@ underscore, and must not start with a digit. StdCmdSave - + &Save - - + + Save the active document @@ -10042,13 +10027,13 @@ underscore, and must not start with a digit. StdCmdSaveAll - + Save All - - + + Save all opened document @@ -10056,13 +10041,13 @@ underscore, and must not start with a digit. StdCmdSaveAs - + Save &As... - - + + Save the active document under a new file name @@ -10070,13 +10055,13 @@ underscore, and must not start with a digit. StdCmdSaveCopy - + Save a &Copy... - - + + Save a copy of the active document under a new file name @@ -10112,13 +10097,13 @@ underscore, and must not start with a digit. StdCmdSelectAll - + Select &All - - + + Select all @@ -10196,13 +10181,13 @@ underscore, and must not start with a digit. StdCmdTextDocument - + Add text document - - + + Add text document to active document @@ -10336,13 +10321,13 @@ underscore, and must not start with a digit. StdCmdTransform - + Transform... - - + + Transform the geometry of selected objects @@ -10350,13 +10335,13 @@ underscore, and must not start with a digit. StdCmdTransformManip - + Transform - - + + Transform the selected object in the 3d view @@ -10420,13 +10405,13 @@ underscore, and must not start with a digit. StdCmdUndo - + &Undo - - + + Undo exactly one action @@ -10434,13 +10419,13 @@ underscore, and must not start with a digit. StdCmdUserEditMode - + Edit mode - - + + Defines behavior when editing an object from tree @@ -10840,13 +10825,13 @@ underscore, and must not start with a digit. StdCmdWhatsThis - + &What's This? - - + + What's This @@ -10882,13 +10867,13 @@ underscore, and must not start with a digit. StdCmdWorkbench - + Workbench - - + + Switch between workbenches @@ -11212,7 +11197,7 @@ underscore, and must not start with a digit. Std_Delete - + The following referencing objects might break. Are you sure you want to continue? @@ -11220,7 +11205,7 @@ Are you sure you want to continue? - + Object dependencies @@ -11228,7 +11213,7 @@ Are you sure you want to continue? Std_DependencyGraph - + Dependency graph @@ -11309,12 +11294,12 @@ Are you sure you want to continue? Std_DuplicateSelection - + Object dependencies - + To link to external objects, the document must be saved at least once. Do you want to save the document now? @@ -11331,7 +11316,7 @@ Do you want to save the document now? Std_Refresh - + The document contains dependency cycles. Please check the Report View for more details. @@ -11342,17 +11327,17 @@ Do you still want to proceed? Std_Revert - + Revert document - + This will discard all the changes since last file save. - + Do you want to continue? @@ -11526,12 +11511,12 @@ Do you still want to proceed? Gui::MDIView - + Export PDF - + PDF file @@ -12223,82 +12208,82 @@ Currently, your system has the following workbenches:</p></body>< - + Text - + Bookmark - + Breakpoint - + Keyword - + Comment - + Block comment - + Number - + String - + Character - + Class name - + Define name - + Operator - + Python output - + Python error - + Current line highlight - + Items @@ -12793,13 +12778,13 @@ from Python console to Report view panel StdCmdExportDependencyGraph - + Export dependency graph... - - + + Export the dependency graph to a file @@ -13230,13 +13215,13 @@ the region are non-opaque. StdCmdProjectInfo - + Document i&nformation... - - + + Show details of the currently active document @@ -13244,13 +13229,13 @@ the region are non-opaque. StdCmdProjectUtil - + Document utility... - - + + Utility to extract or create document files @@ -13272,12 +13257,12 @@ the region are non-opaque. StdCmdProperties - + Properties - + Show the property view, which displays the properties of the selected object. @@ -13328,13 +13313,13 @@ the region are non-opaque. StdCmdReloadStyleSheet - + &Reload stylesheet - - + + Reloads the current stylesheet @@ -13611,15 +13596,38 @@ the region are non-opaque. StdCmdUnitsCalculator - + &Units converter... - - + + Start the units converter + + Gui::ModuleIO + + + File not found + + + + + The file '%1' cannot be opened. + + + + + StdCmdRestartInSafeMode + + + + + Restart in safe mode + + + diff --git a/src/Gui/Language/FreeCAD_be.ts b/src/Gui/Language/FreeCAD_be.ts index 0361eb445acd..b93fbec42d49 100644 --- a/src/Gui/Language/FreeCAD_be.ts +++ b/src/Gui/Language/FreeCAD_be.ts @@ -91,17 +91,17 @@ Змяніць - + Import Імпарт - + Delete Выдаліць - + Paste expressions Уставіць выраз @@ -131,7 +131,7 @@ Імпартаваць усе сувязі - + Insert text document Уставіць тэкставы дакумент @@ -424,42 +424,42 @@ EditMode - + Default Першапачаткова - + The object will be edited using the mode defined internally to be the most appropriate for the object type Аб'ект будзе зменены з ужываннем рэжыму, вызначанага ўнутры як найбольш прыдатны для дадзенага тыпу аб'екта - + Transform Пераўтварыць - + The object will have its placement editable with the Std TransformManip command Размяшчэнне аб'екту будзе даступна для праўкі з дапамогай каманды Std TransformManip - + Cutting Абрэзка - + This edit mode is implemented as available but currently does not seem to be used by any object Рэжым змены рэалізаваны як даступны, але ў цяперашні час, падобна, не ўжываецца ні адным аб'ектам - + Color Колер - + The object will have the color of its individual faces editable with the Part FaceAppearances command Колер асобных граняў аб'екта можна будзе правіць з дапамогай каманды Part FaceAppearances @@ -681,8 +681,8 @@ while doing a left or right click and move the mouse up or down - Word size - Памер слова + Architecture + Architecture @@ -707,52 +707,52 @@ while doing a left or right click and move the mouse up or down Gui::Dialog::AboutDialog - - + + Credits - Header for the Credits tab of the About screen Падзякі - + + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + Header for bgbsww + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + + + FreeCAD would not be possible without the contributions of FreeCAD не існаваў бы без удзелу - + Individuals Header for the list of individual people in the Credits list. Удзельнікі - + Organizations Header for the list of companies/organizations in the Credits list. Установы - - + + License Ліцэнзія - + Libraries Бібліятэкі - - This software uses open source components whose copyright and other proprietary rights belong to their respective owners: - Гэтае праграмнае забеспячэнне ўжывае кампаненты з адкрытым зыходным кодам, аўтарскія правы на якія і іншыя правы ўласнасці належаць іх адпаведным уладальнікам: - - - + Collection Калекцыя - + Privacy Policy Палітыка прыватнасці @@ -1407,8 +1407,8 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgCustomToolBoxbarsImp - - + + Toolbox bars Панэлі інструментаў @@ -1497,40 +1497,40 @@ same time. The one with the highest priority will be triggered. - + <Separator> <Раздзяляльнік> - + %1 module not loaded %1 модуль не загружаны - + New toolbar Новая панэль інструментаў - - + + Toolbar name: Назва панэлі інструментаў: - - + + Duplicated name Паўторная назва - - + + The toolbar name '%1' is already used Назва панэлі інструментаў '%1' ужо ўжываецца - + Rename toolbar Пераназваць панэль інструментаў @@ -1744,72 +1744,72 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgMacroExecuteImp - + Macros Макрас - + Read-only Толькі для чытання - + Macro file Файл макраса - + Enter a file name, please: Калі ласка, увядзіце імя файла: - - - + + + Existing file Існуючы файл - + '%1'. This file already exists. '%1'. Файл ужо існуе. - + Cannot create file Не атрмылася стварыць файл - + Creation of file '%1' failed. Не атрымалася стварыць файл '%1'. - + Delete macro Выдаліць макрас - + Do you really want to delete the macro '%1'? Сапраўды жадаеце выдаліць макрас '%1'? - + Do not show again Не паказваць зноў - + Guided Walkthrough Пакрокавае Кіраўніцтва - + This will guide you in setting up this macro in a custom global toolbar. Instructions will be in red text inside the dialog. Note: your changes will be applied when you next switch workbenches @@ -1820,78 +1820,78 @@ Note: your changes will be applied when you next switch workbenches - + Walkthrough, dialog 1 of 2 Пакрокавы даведнік, акно 1 з 2 - + Walkthrough instructions: Fill in missing fields (optional) then click Add, then Close Пакрокавыя інструкцыі: Запоўніце поля, якія адсутнічаюць (неабавязкова), потым націсніце Дадаць, потым Зачыніць - + Walkthrough, dialog 1 of 1 Пакрокавы даведнік, акно 1 з 1 - + Walkthrough, dialog 2 of 2 Пакрокавы даведнік, акно 2 з 2 - - Walkthrough instructions: Click right arrow button (->), then Close. - Пакрокавыя інструкцыі: Пстрыкніце кнопку з стрэлкай управа (->), потым Зачыніць. + + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. - Walkthrough instructions: Click New, then right arrow (->) button, then Close. - Пакрокавыя інструкцыі: Пстрыкніце Новы, потым кнопку з правай стрэлкай (->), потым Зачыніць. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. - + Renaming Macro File Пераназваць файл макраса - - + + Enter new name: Увядзіце новую назву: - - + + '%1' already exists. '%1' ужо існуе. - + Rename Failed Пераназваць не атрымалася - + Failed to rename to '%1'. Perhaps a file permission error? Не атрымалася пераназваць у '%1'. Магчыма, памылка дазволу файла? - + Duplicate Macro Паўтарыць макрас - + Duplicate Failed Памылка паўтору - + Failed to duplicate to '%1'. Perhaps a file permission error? Не атрымалася паўтарыць у '%1'. @@ -5892,81 +5892,81 @@ Do you want to save your changes? Gui::GraphvizView - + Graphviz not found Graphviz не знойдзены - + Graphviz couldn't be found on your system. Не атрымалася знайсці Graphviz у вашай сістэме. - + Read more about it here. Больш падрабязна чытайце тут. - + Do you want to specify its installation path if it's already installed? Ці жадаеце вы паказаць шлях устаноўкі, калі ён ужо ўсталяваны? - + Graphviz installation path Шлях устаноўкі Graphviz - + Graphviz failed Памылка Graphviz - + Graphviz failed to create an image file Graphviz не атрымалася стварыць файл выявы - + PNG format Фармат PNG - + Bitmap format Фармат BMP - + GIF format Фармат GIF - + JPG format Фармат JPG - + SVG format Фармат SVG - - + + PDF format Фармат PDF - - + + Graphviz format Фармат Graphviz - - - + + + Export graph Экспартаваць дыяграму @@ -6126,63 +6126,83 @@ Do you want to save your changes? Gui::MainWindow - - + + Dimension Вымярэнне - + Ready Гатовы - + Close All Зачыніць усё - - - + + + Toggles this toolbar Пераключае панэль інструментаў - - - + + + Toggles this dockable window Пераключае ўбудаванае акно - + + Safe mode enabled + Safe mode enabled + + + + FreeCAD is now running in safe mode. + FreeCAD is now running in safe mode. + + + + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + + + WARNING: This is a development version. ПАПЯРЭДЖАННЕ: Гэта версія для распрацоўшчыкаў. - + Please do not use it in a production environment. Калі ласка, не ўжывайце ў вытворчым асяроддзі. - - + + Unsaved document Незахаваны дакумент - + The exported object contains external link. Please save the documentat least once before exporting. Аб'ект, які экспартуецца, утрымлівае знешні спасылак. Калі ласка, захавайце дакумент хаця б адзін раз перад экспартаваннем. - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Каб стварыць спасылак на знешнія аб'екты, дакумент павінен быць захаваны хаця б адзін раз. Ці жадаеце вы захаваць дакумент зараз? + + + Safe Mode + Safe Mode + Gui::ManualAlignment @@ -6685,39 +6705,19 @@ Do you want to exit without saving your data? Open file %1 Адчыніць файл %1 - - - File not found - Файл не знойдзены - - - - The file '%1' cannot be opened. - Не атрымалася адчыніць файл '%1'. - Gui::RecentMacrosAction - + none адсутнічае - + Run macro %1 (Shift+click to edit) keyboard shortcut: %2 Запусціць макрас %1 (<Shift+пстрычка> каб змяніць) спалучэнне клавіш: %2 - - - File not found - Файл не знойдзены - - - - The file '%1' cannot be opened. - Не атрымалася адчыніць файл '%1'. - Gui::RevitNavigationStyle @@ -6972,7 +6972,7 @@ Do you want to specify another directory? Gui::TaskView::TaskDialog - + A dialog is already open in the task panel На панэлі задач дыялогавае акно ўжо адчыненае @@ -7001,38 +7001,8 @@ Do you want to specify another directory? Gui::TextDocumentEditorView - - Text updated - Абноўлены тэкст - - - - The text of the underlying object has changed. Discard changes and reload the text from the object? - Тэкст базавага аб'екта змяніўся. Скасаваць змены і перазагрузіць тэкст з аб'екту? - - - - Yes, reload. - Так, перагрузіць. - - - - Unsaved document - Незахаваны дакумент - - - - Do you want to save your changes before closing? - Ці жадаеце вы захаваць свае змены перад закрыццём? - - - - If you don't save, your changes will be lost. - Калі вы не захаваеце, вашыя змены будуць незваротна страчаныя. - - - - + + Edit text Змяніць тэкст @@ -7309,7 +7279,7 @@ Do you want to specify another directory? Gui::TreeDockWidget - + Tree view Прагляд дрэва @@ -7317,7 +7287,7 @@ Do you want to specify another directory? Gui::TreePanel - + Search Пошук @@ -7376,148 +7346,148 @@ Do you want to specify another directory? Суполка - + Labels & Attributes Надпісы і атрыбуты - + Description Апісанне - + Internal name Унутраная назва - + Show items hidden in tree view Паказаць схаваныя элементы ў праглядзе дрэва - + Show items that are marked as 'hidden' in the tree view Паказвае элементы, якія пазначаныя як 'схаваныя' у праглядзе дрэва - + Toggle visibility in tree view Пераключыць бачнасць у праглядзе дрэва - + Toggles the visibility of selected items in the tree view Пераключае бачнасць абраных элементаў у праглядзе дрэва - + Create group Стварыць суполку - + Create a group Стварыць суполку - - + + Rename Пераназваць - + Rename object Пераназваць аб'ект - + Finish editing Скончыць праўку - + Finish editing object Скончыць праўку аб'екта - + Add dependent objects to selection Дадаць залежныя аб'екты да выдзялення - + Adds all dependent objects to the selection Дадаць усе залежныя аб'екты да выдзялення - + Close document Зачыніць дакумент - + Close the document Закрыць дакумент - + Reload document Перазагрузіць дакумент - + Reload a partially loaded document Перазагрузіць часткова загружаныя дакументы - + Skip recomputes Прапусціць вылічэнні - + Enable or disable recomputations of document Уключае ці адключае паўторныя вылічэнні дакумента - + Allow partial recomputes Дазволіць частковыя вылічэнні - + Enable or disable recomputating editing object when 'skip recomputation' is enabled Уключае ці адключае паўторныя вылічэнні аб'екта змены, калі ўключана налада 'Прапусціць вылічэнні' - + Mark to recompute Адзначыць для пераліку - + Mark this object to be recomputed Адзначыць аб'ект да пералічэння - + Recompute object Вылічыць аб'ект - + Recompute the selected object Вылічыць абраны аб'ект - + (but must be executed) (але павінен быць выкананы) - + %1, Internal name: %2 %1, унутраная назва: %2 @@ -7729,47 +7699,47 @@ Do you want to specify another directory? QDockWidget - + Tree view Прагляд дрэва - + Tasks Задачы - + Property view Выгляд уласцівасці - + Selection view Выгляд абранага - + Task List Спіс задач - + Model Мадэль - + DAG View Выгляд DAG - + Report view Прагляд справаздачы - + Python console Кансоль Python @@ -7809,35 +7779,35 @@ Do you want to specify another directory? Python - - - + + + Unknown filetype Невядомы тып файла - - + + Cannot open unknown filetype: %1 Не атрмылася адчыніць невядомы тып файла: %1 - + Export failed Экспартаваць не атрымалася - + Cannot save to unknown filetype: %1 Не атрымалася захаваць у невядомым тыпе файла: %1 - + Recomputation required Патрабуецца паўторны разлік - + Some document(s) require recomputation for migration purposes. It is highly recommended to perform a recomputation before any modification to avoid compatibility problems. Do you want to recompute now? @@ -7847,24 +7817,24 @@ Do you want to recompute now? Ці жадаеце вы выканаць паўторнае вылічэнне зараз? - + Recompute error Памылка паўторнага разліку - + Failed to recompute some document(s). Please check report view for more details. Не атрымалася выканаць паўторны разлік некаторых дакументаў. Калі ласка, праверце прагляд справаздачы для атрымання больш падрабязнай інфармацыі. - + Workbench failure Памылка загрузкі варштату - + %1 %1 @@ -7912,90 +7882,105 @@ Please check report view for more details. Імпартаваць файл - + Export file Экспартаваць файл - + Printing... Друк... - + Exporting PDF... Экспарт у PDF... - - + + Unsaved document Незахаваны дакумент - + The exported object contains external link. Please save the documentat least once before exporting. Аб'ект, які экспартуецца, утрымлівае знешні спасылак. Калі ласка, захавайце дакумент хаця б адзін раз перад экспартаваннем. - - + + Delete failed Выдаліць не атрымалася - + Dependency error Памылка залежнасці - + Copy selected Скапіраваць абранае - + Copy active document Капіраваць бягучы дакумент - + Copy all documents Капіраваць усе дакументы - + Paste Уставіць - + Expression error Памылка выразу - + Failed to parse some of the expressions. Please check the Report View for more details. Не атрымалася разабраць некаторыя выразы. Калі ласка, азнаёмцеся з праглядам справаздачы для атрымання больш падрабязнай інфармацыі. - + Failed to paste expressions Не атрымалася ўставіць выраз - + Cannot load workbench Не атрымалася загрузіць варштат - + A general error occurred while loading the workbench Агульная памылка пры загрузцы варштату + + + Restart in safe mode + Restart in safe mode + + + + Are you sure you want to restart FreeCAD and enter safe mode? + Are you sure you want to restart FreeCAD and enter safe mode? + + + + Safe mode temporarily disables your configuration and addons. + Safe mode temporarily disables your configuration and addons. + @@ -8220,7 +8205,7 @@ Do you want to continue? Зашмат адчыненых ненадакучлівых апавяшчэнняў. Апавяшчэнні прапускаюцца! - + Identical physical path detected. It may cause unwanted overwrite of existing document! @@ -8229,44 +8214,44 @@ Do you want to continue? - + Are you sure you want to continue? Ці ўпэўненыя вы, што жадаеце працягнуць? - + Please check report view for more... Калі ласка, праверце прагляд справаздачы, каб атрымаць дадатковую інфармацыю... - + Physical path: Фізічны шлях: - - + + Document: Дакумент: - - + + Path: Шлях: - + Identical physical path Ідэнтычны фізічны шлях - + Could not save document Не атрымалася захаваць дакумент - + There was an issue trying to save the file. This may be because some of the parent folders do not exist, or you do not have sufficient permissions, or for other reasons. Error details: "%1" @@ -8279,102 +8264,102 @@ Would you like to save the file with a different name? Ці жадаеце вы захаваць файл з іншым іменем? - - - + + + Saving aborted Захаванне перапынена - + Save dependent files Захаваць залежныя файлы - + The file contains external dependencies. Do you want to save the dependent files, too? Файл утрымлівае знешнія залежнасці. Ці жадаеце вы таксама захаваць залежныя файлы? - - + + Saving document failed Не атрымалася захаваць дакумент - + Save document under new filename... Захаваць дакумент з новым іменем файла... - - + + Save %1 Document Захаваць дакумент %1 - + Document Дакумент - - + + Failed to save document Не атрымалася захаваць дакумент - + Documents contains cyclic dependencies. Do you still want to save them? Дакументы ўтрымлівае цыклічныя залежнасці. Ці жадаеце вы яшчэ іх захаваць? - + Save a copy of the document under new filename... Захаваць копію дакумента з новым іменем файла... - + %1 document (*.FCStd) Дакумент %1 (*.FCStd) - + Document not closable Дакумент не можа быць зачынены - + The document is not closable for the moment. На дадзены момант дакумент нельга зачыніць. - + Document not saved Дакумент не захаваны - + The document%1 could not be saved. Do you want to cancel closing it? Дакумент %1 не атрымалася захаваць. Ці жадаеце вы скасаваць яго закрыццё? - + Undo Адкаціць - + Redo Зрабіць нанова - + There are grouped transactions in the following documents with other preceding transactions У наступных дакументах згрупаваныя аперацыі з іншымі папярэднімі аперацыямі - + Choose 'Yes' to roll back all preceding transactions. Choose 'No' to roll back in the active document only. Choose 'Abort' to abort @@ -8468,7 +8453,7 @@ Choose 'Abort' to abort Не атрымалася знайсці файл %1 ні ў %2, ні ў %3 - + Navigation styles Стылі навігацыі @@ -8479,47 +8464,47 @@ Choose 'Abort' to abort Пераўтварыць - + Do you want to close this dialog? Ці жадаеце вы зачыніць дыялогавае акно? - + Do you want to save your changes to document '%1' before closing? Ці жадаеце вы захаваць свае змены ў дакуменце '%1' перад закрыццём? - + Do you want to save your changes to document before closing? Ці жадаеце вы захаваць свае змены ў дакуменце перад закрыццём? - + If you don't save, your changes will be lost. Калі вы не захаваеце, вашыя змены будуць незваротна страчаныя. - + Apply answer to all Прымяніць адказ да ўсіх - + %1 Document(s) not saved %1 дакументы не захаваныя - + Some documents could not be saved. Do you want to cancel closing? Некаторыя дакументы не атрымалася захаваць. Ці жадаеце вы скасаваць закрыццё? - + Delete macro Выдаліць макрас - + Not allowed to delete system-wide macros Не дазваляецца выдаляць агульнасістэмныя макрасы @@ -8615,10 +8600,10 @@ Choose 'Abort' to abort - - - - + + + + Invalid name Хібная назва @@ -8630,25 +8615,25 @@ underscore, and must not start with a digit. - + The property name is a reserved word. - The property name is a reserved word. + Назва ўласцівасці з'яўляецца зарэзерваваным словам. - + The property '%1' already exists in '%2' Уласцівасць '%1' ужо існуе ў '%2' - + Add property Дадаць уласцівасць - + Failed to add property to '%1': %2 Не атрымалася дадаць уласцівасць да '%1': %2 @@ -8932,13 +8917,13 @@ the current copy will be lost. Душыць - + The property name must only contain alpha numericals, underscore, and must not start with a digit. Назва уласцівасці павінна ўтрымліваць толькі літарна-лічбавыя абазначэнні, знак падкрэслівання, і не павінна пачынацца з лічбы. - + The group name must only contain alpha numericals, underscore, and must not start with a digit. Назва суполкі павінна ўтрымліваць толькі літарна-лічбавыя абазначэнні, знак падкрэслівання, і не павінна пачынацца з лічбы. @@ -8984,13 +8969,13 @@ underscore, and must not start with a digit. StdCmdAbout - + &About %1 &Аб %1 - - + + About %1 Аб %1 @@ -8998,13 +8983,13 @@ underscore, and must not start with a digit. StdCmdAboutQt - + About &Qt Аб &Qt - - + + About Qt Аб Qt @@ -9040,13 +9025,13 @@ underscore, and must not start with a digit. StdCmdAlignment - + Alignment... Выраўноўванне... - - + + Align the selected objects Выраўнаваць абраныя аб'екты @@ -9110,13 +9095,13 @@ underscore, and must not start with a digit. StdCmdCommandLine - + Start command &line... Запусціць камандны &радок... - - + + Opens the command line in the console Адчыняе камандны радок у кансолі @@ -9124,13 +9109,13 @@ underscore, and must not start with a digit. StdCmdCopy - + C&opy &Капіраваць - - + + Copy operation Аперацыя капіравання @@ -9138,13 +9123,13 @@ underscore, and must not start with a digit. StdCmdCut - + &Cut &Выразаць - - + + Cut out Аперацыя выразання @@ -9152,13 +9137,13 @@ underscore, and must not start with a digit. StdCmdDelete - + &Delete &Выдаліць - - + + Deletes the selected objects Выдаляе абраныя аб'екты @@ -9180,13 +9165,13 @@ underscore, and must not start with a digit. StdCmdDependencyGraph - + Dependency graph... Граф залежнасці... - - + + Show the dependency graph of the objects in the active document Паказвае граф залежнасці аб'ектаў у бягучым дакуменце @@ -9194,13 +9179,13 @@ underscore, and must not start with a digit. StdCmdDlgCustomize - + Cu&stomize... &Наладзіць... - - + + Customize toolbars and command bars Наладжвае панэль інструментаў і панэль камандаў @@ -9260,13 +9245,13 @@ underscore, and must not start with a digit. StdCmdDlgParameter - + E&dit parameters ... &Змяніць налады... - - + + Opens a Dialog to edit the parameters Адчыняе дыялогавае акно для змены налад @@ -9274,13 +9259,13 @@ underscore, and must not start with a digit. StdCmdDlgPreferences - + &Preferences ... &Перавагі... - - + + Opens a Dialog to edit the preferences Адчыняе дыялогавае акно для змены пераваг @@ -9316,13 +9301,13 @@ underscore, and must not start with a digit. StdCmdDuplicateSelection - + Duplicate selection Паўтарыць выбар - - + + Put duplicates of the selected objects to the active document Размяшчае паўторны выбар аб'ектаў у бягучы дакумент @@ -9330,17 +9315,17 @@ underscore, and must not start with a digit. StdCmdEdit - + Toggle &Edit mode Пераключыць рэжым &праўкі - + Toggles the selected object's edit mode Пераключае абраныя аб'екты ў рэжым праўкі - + Activates or Deactivates the selected object's edit mode Уключае ці адключае рэжым праўкі абраных аб'ектаў @@ -9359,12 +9344,12 @@ underscore, and must not start with a digit. Экспартуе аб'ект у бягучы дакумент - + No selection Не абрана - + Select the objects to export before choosing Export. Абярыце аб'екты для экспартавання, перш чым абраць каманду Экспартавання. @@ -9372,13 +9357,13 @@ underscore, and must not start with a digit. StdCmdExpression - + Expression actions Дзеянні з выразам - - + + Actions that apply to expressions Дзеянні, якія прымяняюцца да выразаў @@ -9400,12 +9385,12 @@ underscore, and must not start with a digit. StdCmdFreeCADDonation - + Donate Ахвяраваць - + Donate to FreeCAD development Ахвяраваць на падтрымку FreeCAD @@ -9413,17 +9398,17 @@ underscore, and must not start with a digit. StdCmdFreeCADFAQ - + FreeCAD FAQ Частыя пытанні FreeCAD - + Frequently Asked Questions on the FreeCAD website Пытанні, якія часта задаюць на інтэрнэт-сайце FreeCAD - + Frequently Asked Questions Частыя пытанні @@ -9431,17 +9416,17 @@ underscore, and must not start with a digit. StdCmdFreeCADForum - + FreeCAD Forum Форум FreeCAD - + The FreeCAD forum, where you can find help from other users Форум FreeCAD, дзе вы можаце знайсці даведку ад іншых карыстальнікаў - + The FreeCAD Forum Форум FreeCAD @@ -9449,17 +9434,17 @@ underscore, and must not start with a digit. StdCmdFreeCADPowerUserHub - + Python scripting documentation Дакументацыя па стварэнню сцэнараў на Python - + Python scripting documentation on the FreeCAD website Дакументацыя па напісанню сцэнараў на Python на інтэрнэт-сайце FreeCAD - + PowerUsers documentation Дакументацыя для прасунутых карыстальнікаў @@ -9467,13 +9452,13 @@ underscore, and must not start with a digit. StdCmdFreeCADUserHub - - + + Users documentation Карыстальніцкая дакументацыя - + Documentation for users on the FreeCAD website Дакументацыя для карыстальнікаў на інтэрнэт-сайце FreeCAD @@ -9481,13 +9466,13 @@ underscore, and must not start with a digit. StdCmdFreeCADWebsite - - + + FreeCAD Website Інтэрнэт-сайт FreeCAD - + The FreeCAD website Інтэрнэт-сайт FreeCAD @@ -9804,25 +9789,25 @@ underscore, and must not start with a digit. StdCmdMergeProjects - + Merge document... Аб'яднаць дакумент... - - - - + + + + Merge document Аб'яднаць дакумент - + %1 document (*.FCStd) Дакумент %1 (*.FCStd) - + Cannot merge document with itself. Не атрымалася аб'яднаць дакумент з самім сабой. @@ -9830,18 +9815,18 @@ underscore, and must not start with a digit. StdCmdNew - + &New &Новы - - + + Create a new empty document Стварыць новы пусты дакумент - + Unnamed Без назвы @@ -9850,13 +9835,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelp - - + + Help Даведка - + Show help to the application Паказаць даведку да праграмы @@ -9864,13 +9849,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelpWebsite - - + + Help Website Інтэрнэт-сайт даведкі - + The website where the help is maintained Інтэрнэт-сайт, на якім знаходзіцца даведка @@ -9926,13 +9911,13 @@ underscore, and must not start with a digit. StdCmdPaste - + &Paste &Уставіць - - + + Paste operation Аперацыя ўстаўкі @@ -9940,13 +9925,13 @@ underscore, and must not start with a digit. StdCmdPlacement - + Placement... Размяшчэнне... - - + + Place the selected objects Размясціць абраныя аб'екты @@ -9954,13 +9939,13 @@ underscore, and must not start with a digit. StdCmdPrint - + &Print... &Друкаваць... - - + + Print the document Друкуе дакумент @@ -9968,13 +9953,13 @@ underscore, and must not start with a digit. StdCmdPrintPdf - + &Export PDF... &Экспартаваць у PDF... - - + + Export the document as PDF Экспартуе дакумент у PDF @@ -9982,17 +9967,17 @@ underscore, and must not start with a digit. StdCmdPrintPreview - + &Print preview... &Папярэдні прагляд друку... - + Print the document Друкуе дакумент - + Print preview Папярэдні прагляд друку @@ -10000,13 +9985,13 @@ underscore, and must not start with a digit. StdCmdPythonWebsite - - + + Python Website Інтэрнэт-сайт Python - + The official Python website Афіцыйны інтэрнэт-сайт Python @@ -10014,13 +9999,13 @@ underscore, and must not start with a digit. StdCmdQuit - + E&xit &Выйсці - - + + Quits the application Завяршае працу з праграмай @@ -10042,13 +10027,13 @@ underscore, and must not start with a digit. StdCmdRecentFiles - + Open Recent Адчыніць апошнія файлы - - + + Recent file list Спіс апошніх файлаў @@ -10056,13 +10041,13 @@ underscore, and must not start with a digit. StdCmdRecentMacros - + Recent macros Апошнія макрасы - - + + Recent macro list Спіс апошніх макрасаў @@ -10070,13 +10055,13 @@ underscore, and must not start with a digit. StdCmdRedo - + &Redo &Зрабіць нанова - - + + Redoes a previously undone action Зрабіць нанова раней адмененае дзеянне @@ -10084,13 +10069,13 @@ underscore, and must not start with a digit. StdCmdRefresh - + &Refresh &Абнавіць - - + + Recomputes the current active document Перачытаць бягучы дакумент @@ -10098,13 +10083,13 @@ underscore, and must not start with a digit. StdCmdReportBug - + Report a bug Паведаміць пра памылку - - + + Report a bug or suggest a feature Паведамляе пра памылку ці прапанаваць функцыю @@ -10112,13 +10097,13 @@ underscore, and must not start with a digit. StdCmdRevert - + Revert Вярнуць - - + + Reverts to the saved version of this file Вяртае да захаванай версіі файла @@ -10126,13 +10111,13 @@ underscore, and must not start with a digit. StdCmdSave - + &Save &Захаваць - - + + Save the active document Захоўвае бягучы дакумент @@ -10140,13 +10125,13 @@ underscore, and must not start with a digit. StdCmdSaveAll - + Save All Захаваць усе - - + + Save all opened document Захоўвае ўсе адчыненыя дакументы @@ -10154,13 +10139,13 @@ underscore, and must not start with a digit. StdCmdSaveAs - + Save &As... Захаваць &як... - - + + Save the active document under a new file name Захоўвае бягучы дакумент з новым іменем файла @@ -10168,13 +10153,13 @@ underscore, and must not start with a digit. StdCmdSaveCopy - + Save a &Copy... Захаваць &копію... - - + + Save a copy of the active document under a new file name Захоўвае копію бягучага дакумента з новым іменем файла @@ -10210,13 +10195,13 @@ underscore, and must not start with a digit. StdCmdSelectAll - + Select &All Пазначыць &усё - - + + Select all Пазначыць усё @@ -10294,13 +10279,13 @@ underscore, and must not start with a digit. StdCmdTextDocument - + Add text document Дадаць тэкставы дакумент - - + + Add text document to active document Дадае тэкставы дакумент у бягучы дакумент @@ -10434,13 +10419,13 @@ underscore, and must not start with a digit. StdCmdTransform - + Transform... Пераўтварыць... - - + + Transform the geometry of selected objects Пераўтварае геаметрыю абранага аб'екту @@ -10448,13 +10433,13 @@ underscore, and must not start with a digit. StdCmdTransformManip - + Transform Пераўтварыць - - + + Transform the selected object in the 3d view Пераўтварае абраны аб'ект у трохмерным прадстаўленні @@ -10518,13 +10503,13 @@ underscore, and must not start with a digit. StdCmdUndo - + &Undo &Адкаціць - - + + Undo exactly one action Адкаціць толькі адно дзеянне @@ -10532,13 +10517,13 @@ underscore, and must not start with a digit. StdCmdUserEditMode - + Edit mode Рэжым праўкі - - + + Defines behavior when editing an object from tree Вызначае паводзіны пры праўцы аб'екта з дрэва @@ -10938,13 +10923,13 @@ underscore, and must not start with a digit. StdCmdWhatsThis - + &What's This? &Што гэта? - - + + What's This Што гэта @@ -10980,13 +10965,13 @@ underscore, and must not start with a digit. StdCmdWorkbench - + Workbench Варштат - - + + Switch between workbenches Пераключыць паміж варштатамі @@ -11310,7 +11295,7 @@ underscore, and must not start with a digit. Std_Delete - + The following referencing objects might break. Are you sure you want to continue? @@ -11321,7 +11306,7 @@ Are you sure you want to continue? - + Object dependencies Залежнасці аб'екта @@ -11329,7 +11314,7 @@ Are you sure you want to continue? Std_DependencyGraph - + Dependency graph Граф залежнасці @@ -11410,12 +11395,12 @@ Are you sure you want to continue? Std_DuplicateSelection - + Object dependencies Залежнасці аб'екта - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Каб стварыць спасылак на знешнія аб'екты, дакумент павінен быць захаваны хаця б адзін раз. @@ -11433,7 +11418,7 @@ Do you want to save the document now? Std_Refresh - + The document contains dependency cycles. Please check the Report View for more details. @@ -11447,17 +11432,17 @@ Do you still want to proceed? Std_Revert - + Revert document Аднавіць дакумент - + This will discard all the changes since last file save. Гэта прывядзе да скасавання ўсіх змен з моманту апошняга захавання файла. - + Do you want to continue? Ці жадаеце вы пряцягнуць? @@ -11632,12 +11617,12 @@ Do you still want to proceed? Gui::MDIView - + Export PDF Экспартаваць у PDF - + PDF file Файл PDF @@ -12332,82 +12317,82 @@ Currently, your system has the following workbenches:</p></body>< Папярэдні выгляд: - + Text Тэкст - + Bookmark Закладка - + Breakpoint Пункт супыну - + Keyword Ключавое слова - + Comment Каментар - + Block comment Блок каментараў - + Number Лічба - + String Радок - + Character Літара - + Class name Імя класу - + Define name Задаць імя - + Operator Аператар - + Python output Вывад Python - + Python error Памылка Python - + Current line highlight Вылучэнне бягучага радка - + Items Элементы @@ -12917,13 +12902,13 @@ from Python console to Report view panel StdCmdExportDependencyGraph - + Export dependency graph... Экспартаваць графік залежнасці... - - + + Export the dependency graph to a file Экспартаваць графік залежнасці ў файл @@ -13366,13 +13351,13 @@ the region are non-opaque. StdCmdProjectInfo - + Document i&nformation... І&нфармацыя аб дакуменце... - - + + Show details of the currently active document Паказаць падрабязную інфармацыю аб бягучым дакуменце @@ -13380,13 +13365,13 @@ the region are non-opaque. StdCmdProjectUtil - + Document utility... Інструменты дакумента... - - + + Utility to extract or create document files Службовыя інструменты для вымання ці стварэння файлаў дакументу @@ -13408,12 +13393,12 @@ the region are non-opaque. StdCmdProperties - + Properties Уласцівасці - + Show the property view, which displays the properties of the selected object. Паказаць выгляд уласцівасці, у якім адлюстроўваюцца ўласцівасці абранага аб'екту. @@ -13465,13 +13450,13 @@ the region are non-opaque. StdCmdReloadStyleSheet - + &Reload stylesheet &Загрузіць табліцу стыляў нанова - - + + Reloads the current stylesheet Загрузіць бягучую табліцу стыляў нанова @@ -13751,15 +13736,38 @@ the region are non-opaque. StdCmdUnitsCalculator - + &Units converter... &Сродак пераўтварэння адзінак вымярэння... - - + + Start the units converter Запускае сродак пераўтварэння адзінак вымярэння + + Gui::ModuleIO + + + File not found + Файл не знойдзены + + + + The file '%1' cannot be opened. + Не атрымалася адчыніць файл '%1'. + + + + StdCmdRestartInSafeMode + + + + + Restart in safe mode + Restart in safe mode + + diff --git a/src/Gui/Language/FreeCAD_ca.ts b/src/Gui/Language/FreeCAD_ca.ts index 18e33498642b..b638170b1639 100644 --- a/src/Gui/Language/FreeCAD_ca.ts +++ b/src/Gui/Language/FreeCAD_ca.ts @@ -91,17 +91,17 @@ Edita - + Import Importa - + Delete Elimina - + Paste expressions Enganxa expressions @@ -131,7 +131,7 @@ Importa tots els enllaços - + Insert text document Afegeix document de text @@ -424,42 +424,42 @@ EditMode - + Default Per defecte - + The object will be edited using the mode defined internally to be the most appropriate for the object type L'objecte s'editarà fent servir el mode definit internament com el més apropiat segons el tipus d'objecte - + Transform Transforma - + The object will have its placement editable with the Std TransformManip command L'objecte tindrà el seu lloc editable amb el comandament Std TransformManip - + Cutting Tall - + This edit mode is implemented as available but currently does not seem to be used by any object Aquest mode d'edició es troba implementat com a disponible, però ara mateix no sembla que cap objecte l'usi - + Color Color - + The object will have the color of its individual faces editable with the Part FaceAppearances command L'objecte tindrà el color de les seves cares individuals editables amb la comanda Part FaceAppearances @@ -680,8 +680,8 @@ while doing a left or right click and move the mouse up or down - Word size - Mida de paraula + Architecture + Architecture @@ -706,52 +706,52 @@ while doing a left or right click and move the mouse up or down Gui::Dialog::AboutDialog - - + + Credits - Header for the Credits tab of the About screen Crèdits - + + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + Header for bgbsww + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + + + FreeCAD would not be possible without the contributions of El FreeCAD no seria possible sense les contribucions de - + Individuals Header for the list of individual people in the Credits list. Individus - + Organizations Header for the list of companies/organizations in the Credits list. Organitzacions - - + + License Llicència - + Libraries Llibreries - - This software uses open source components whose copyright and other proprietary rights belong to their respective owners: - Aquest programari utilitza components de codi obert el copyright i altres drets de propietat dels quals pertanyen als seus respectius propietaris: - - - + Collection Col·lecció - + Privacy Policy Política de privacitat @@ -1404,8 +1404,8 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgCustomToolBoxbarsImp - - + + Toolbox bars Barres de caixes d'eines @@ -1494,40 +1494,40 @@ same time. The one with the highest priority will be triggered. - + <Separator> <Separador> - + %1 module not loaded El mòdul %1 no s'ha carregat - + New toolbar Barra d'eines nova - - + + Toolbar name: Nom de la barra d'eines: - - + + Duplicated name Nom duplicat - - + + The toolbar name '%1' is already used El nom de la barra d'eines '%1' ja està utilitzat. - + Rename toolbar Reanomena la barra d'eines @@ -1741,71 +1741,71 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgMacroExecuteImp - + Macros Macros - + Read-only Només de lectura - + Macro file Fitxer de la macro - + Enter a file name, please: Introduïu un nom de fitxer, si us plau: - - - + + + Existing file El fitxer ja existeix - + '%1'. This file already exists. '%1'. Aquest fitxer ja existeix. - + Cannot create file No es pot crear el fitxer. - + Creation of file '%1' failed. La creació del fitxer '%1' ha fallat. - + Delete macro Suprimeix la macro - + Do you really want to delete the macro '%1'? Esteu segur que voleu suprimir la macro '%1'? - + Do not show again No ho tornis a mostrar - + Guided Walkthrough Procediment guiat - + This will guide you in setting up this macro in a custom global toolbar. Instructions will be in red text inside the dialog. Note: your changes will be applied when you next switch workbenches @@ -1816,78 +1816,78 @@ Nota: els vostres canvis s'aplicaran quan canvieu de banc de treball - + Walkthrough, dialog 1 of 2 Procediment guiat, diàleg 1 de 2 - + Walkthrough instructions: Fill in missing fields (optional) then click Add, then Close Instruccions del procediment guiat: ompliu els camps que falten (opcional), feu clic a Afegir i després a Tanca - + Walkthrough, dialog 1 of 1 Procediment guiat, diàleg 1 de 1 - + Walkthrough, dialog 2 of 2 Procediment guiat, diàleg 2 de 2 - - Walkthrough instructions: Click right arrow button (->), then Close. - Instruccions del procediment guiat: feu clic en el botó de fletxa dreta (->) i després a Tanca. + + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. - Walkthrough instructions: Click New, then right arrow (->) button, then Close. - Instruccions del procediment guiat: feu clic a Nou, després en el botó de fletxa dreta (->) i després a Tanca. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. - + Renaming Macro File S'està reanomenant l'arxiu de Macro - - + + Enter new name: Introduiu el nou nom: - - + + '%1' already exists. '%1' ja existeix. - + Rename Failed Error al reanomenar - + Failed to rename to '%1'. Perhaps a file permission error? No ha pogut canviar el nom per '%1'. Pot ser és un problema de permisos d'arxiu? - + Duplicate Macro Duplica la macro - + Duplicate Failed Duplicació fallida - + Failed to duplicate to '%1'. Perhaps a file permission error? No s'ha pogut duplicar «%1». @@ -5888,81 +5888,81 @@ Do you want to save your changes? Gui::GraphvizView - + Graphviz not found No s'ha trobat el Graphviz. - + Graphviz couldn't be found on your system. El Graphviz no s'ha pogut trobar al sistema. - + Read more about it here. Més informació aquí. - + Do you want to specify its installation path if it's already installed? Voleu especificar el seu camí d'instal·lació si ja està instal·lat? - + Graphviz installation path Camí d'instal·lació del Graphviz - + Graphviz failed Ha fallat el Graphviz. - + Graphviz failed to create an image file El Graphviz no ha pogut crear un fitxer d'imatge. - + PNG format Format PNG - + Bitmap format Format de mapa de bits - + GIF format Format GIF - + JPG format Format JPG - + SVG format Format SVG - - + + PDF format Format PDF - - + + Graphviz format Format Graphviz - - - + + + Export graph Exporta el gràfic @@ -6122,63 +6122,83 @@ Do you want to save your changes? Gui::MainWindow - - + + Dimension Cota - + Ready Preparat - + Close All Tanca-ho tot - - - + + + Toggles this toolbar Commuta la barra d'eines - - - + + + Toggles this dockable window Commuta la finestra flotant - + + Safe mode enabled + Safe mode enabled + + + + FreeCAD is now running in safe mode. + FreeCAD is now running in safe mode. + + + + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + + + WARNING: This is a development version. ATENCIÓ: Aquesta és una versió de desenvolupament. - + Please do not use it in a production environment. Si us plau, no ho utilitzeu en un entorn de producció. - - + + Unsaved document El document no s'ha desat - + The exported object contains external link. Please save the documentat least once before exporting. L’objecte exportat conté un enllaç extern. Deseu el documenta almenys una vegada abans d’exportar-lo. - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Per a enllaçar amb objectes externs, el document s’ha de desar almenys una vegada. Voleu desar el document ara? + + + Safe Mode + Safe Mode + Gui::ManualAlignment @@ -6677,39 +6697,19 @@ Esteu segur que voleu sortir sense desar les dades? Open file %1 Obre el fitxer %1 - - - File not found - No s'ha trobat el fitxer. - - - - The file '%1' cannot be opened. - El fitxer «%1» no es pot obrir. - Gui::RecentMacrosAction - + none cap - + Run macro %1 (Shift+click to edit) keyboard shortcut: %2 Corre la macro %1 (Maj+clic per editar) drecera de teclat: %2 - - - File not found - No s'ha trobat el fitxer. - - - - The file '%1' cannot be opened. - El fitxer «%1» no es pot obrir. - Gui::RevitNavigationStyle @@ -6960,7 +6960,7 @@ Do you want to specify another directory? Gui::TaskView::TaskDialog - + A dialog is already open in the task panel Ja hi ha un diàleg obert al panell de tasques @@ -6989,38 +6989,8 @@ Do you want to specify another directory? Gui::TextDocumentEditorView - - Text updated - Text actualitzat - - - - The text of the underlying object has changed. Discard changes and reload the text from the object? - El text de l'objecte subjacent ha canviat. Voleu descartar els canvis i tornar a carregar el text des de l'objecte? - - - - Yes, reload. - Sí, torna a carregar-lo. - - - - Unsaved document - El document no s'ha desat - - - - Do you want to save your changes before closing? - Voleu desar els canvis abans de tancar? - - - - If you don't save, your changes will be lost. - Si no guardeu els canvis, es perdran. - - - - + + Edit text Edita el text @@ -7297,7 +7267,7 @@ Do you want to specify another directory? Gui::TreeDockWidget - + Tree view Vista d'arbre @@ -7305,7 +7275,7 @@ Do you want to specify another directory? Gui::TreePanel - + Search Cerca @@ -7363,148 +7333,148 @@ Do you want to specify another directory? Grup - + Labels & Attributes Etiquetes i atributs - + Description Descripció - + Internal name Nom intern - + Show items hidden in tree view Mostra objectes amagats en la vista en arbre - + Show items that are marked as 'hidden' in the tree view Mostra objectes marcats com a "ocults" a la vista en arbre - + Toggle visibility in tree view Commuta la visibilitat en la vista en arbre - + Toggles the visibility of selected items in the tree view Commuta la visibilitat dels objectes seleccionats - + Create group Crea un grup - + Create a group Crea un grup - - + + Rename Reanomena - + Rename object Reanomena l'objecte - + Finish editing Finalitza l'edició - + Finish editing object Finalitza l'edició de l'objecte - + Add dependent objects to selection Afegiu objectes dependents a la selecció - + Adds all dependent objects to the selection Afegiu tots els objectes dependents a la selecció - + Close document Tanca document - + Close the document Tanca el document - + Reload document Torneu a carregar el document - + Reload a partially loaded document Torna a carregar un document que s'ha carregat parcialment - + Skip recomputes Omet el recàlcul - + Enable or disable recomputations of document Activa o desactiva els recàlculs del document - + Allow partial recomputes Permet recàlculs parcials - + Enable or disable recomputating editing object when 'skip recomputation' is enabled Habilita o inhabilita el recàlcul de l'edició d'objectes quan estigui activat «Omet el recàlcul» - + Mark to recompute Marca per a recalcular - + Mark this object to be recomputed Marca aquest objecte per a recalcular-lo - + Recompute object Recalcula l'objecte - + Recompute the selected object Recalcula l'objecte seleccionat - + (but must be executed) (però s'ha d'executar) - + %1, Internal name: %2 %1, nom intern: %2 @@ -7716,47 +7686,47 @@ Do you want to specify another directory? QDockWidget - + Tree view Vista d'arbre - + Tasks Tasques - + Property view Visualització de les propietats - + Selection view Visualització de la selecció - + Task List Llista de tasques - + Model Model - + DAG View Vista DAG - + Report view Visualització de l'informe - + Python console Consola de Python @@ -7796,35 +7766,35 @@ Do you want to specify another directory? Python - - - + + + Unknown filetype El tipus de fitxer és desconegut. - - + + Cannot open unknown filetype: %1 No es pot obrir el tipus de fitxer desconegut: %1 - + Export failed Exportació fallida - + Cannot save to unknown filetype: %1 No es pot desar el tipus de fitxer desconegut: %1 - + Recomputation required Es necessita una recomputació - + Some document(s) require recomputation for migration purposes. It is highly recommended to perform a recomputation before any modification to avoid compatibility problems. Do you want to recompute now? @@ -7833,24 +7803,24 @@ Do you want to recompute now? Estàs segur que vols fer la recomputació ara? - + Recompute error Error de recomputació - + Failed to recompute some document(s). Please check report view for more details. La recomputació ha fallat en alguns documents. Si us plau, comprovi la vista d'informes per a veure més detalls. - + Workbench failure Fallada del banc de treball - + %1 %1 @@ -7896,90 +7866,105 @@ Si us plau, comprovi la vista d'informes per a veure més detalls. Importa el fitxer - + Export file Exporta el fitxer - + Printing... S'està imprimint... - + Exporting PDF... S'està exportant a PDF... - - + + Unsaved document El document no s'ha desat - + The exported object contains external link. Please save the documentat least once before exporting. L’objecte exportat conté un enllaç extern. Deseu el documenta almenys una vegada abans d’exportar-lo. - - + + Delete failed No s'ha pogut eliminar - + Dependency error Error de dependència - + Copy selected Copia la selecció - + Copy active document Copia el document actiu - + Copy all documents Copia tots el documents - + Paste Enganxa - + Expression error S'ha produït un error d'expressió - + Failed to parse some of the expressions. Please check the Report View for more details. No s'han pogut analitzar algunes de les expressions. Per a obtindre més detalls, consulteu la vista de l'informe. - + Failed to paste expressions No s'han pogut enganxar les expressions - + Cannot load workbench No es pot carregar el banc de treball. - + A general error occurred while loading the workbench S'ha produït un error mentre es carregava el banc de treball. + + + Restart in safe mode + Restart in safe mode + + + + Are you sure you want to restart FreeCAD and enter safe mode? + Are you sure you want to restart FreeCAD and enter safe mode? + + + + Safe mode temporarily disables your configuration and addons. + Safe mode temporarily disables your configuration and addons. + @@ -8203,7 +8188,7 @@ Do you want to continue? Massa notificacions no intrusives obertes. S'ometran les notificacions! - + Identical physical path detected. It may cause unwanted overwrite of existing document! @@ -8212,44 +8197,44 @@ Do you want to continue? - + Are you sure you want to continue? Segur que voleu continuar? - + Please check report view for more... Si us plau, comproveu la vista d'informe per obtenir més informació... - + Physical path: Ruta física: - - + + Document: Document: - - + + Path: Camí: - + Identical physical path Ruta física idèntica - + Could not save document No s'ha pogut desar el document - + There was an issue trying to save the file. This may be because some of the parent folders do not exist, or you do not have sufficient permissions, or for other reasons. Error details: "%1" @@ -8262,102 +8247,102 @@ Would you like to save the file with a different name? Voleu desar-lo amb un nom diferent? - - - + + + Saving aborted S'ha interromput el desament - + Save dependent files Desa els fitxers dependents - + The file contains external dependencies. Do you want to save the dependent files, too? El fitxer conté dependències externes. Voleu desar també els fitxers dependents? - - + + Saving document failed No s'ha pogut desar el document - + Save document under new filename... Desa el document amb un altre nom... - - + + Save %1 Document Desa el document %1 - + Document Document - - + + Failed to save document No s'ha pogut desar el document - + Documents contains cyclic dependencies. Do you still want to save them? Els documents contenen dependències cícliques. Encara voleu desar-los? - + Save a copy of the document under new filename... Desa una còpia del document amb un altre nom... - + %1 document (*.FCStd) Document %1 (*.FCStd) - + Document not closable No es pot tancar el document. - + The document is not closable for the moment. De moment el document no es pot tancar. - + Document not saved Document no desat - + The document%1 could not be saved. Do you want to cancel closing it? No s'ha pogut desar el document %1. Vol cancel·lar el tancament? - + Undo Desfés - + Redo Refés - + There are grouped transactions in the following documents with other preceding transactions Hi ha transaccions agrupades en els documents següents amb altres transaccions anteriors - + Choose 'Yes' to roll back all preceding transactions. Choose 'No' to roll back in the active document only. Choose 'Abort' to abort @@ -8451,7 +8436,7 @@ Trieu «Interromp» per a interrompre No s'ha trobat el fitxer %1 ni en %2 ni en %3 - + Navigation styles Estils de navegació @@ -8462,47 +8447,47 @@ Trieu «Interromp» per a interrompre Transforma - + Do you want to close this dialog? Vols tancar aquest diàleg? - + Do you want to save your changes to document '%1' before closing? Voleu desar els canvis en el document '%1' abans de tancar? - + Do you want to save your changes to document before closing? Voleu desar els vostres canvis en el document abans de tancar? - + If you don't save, your changes will be lost. Si no guardeu els canvis, es perdran. - + Apply answer to all Envia la resposta a tots - + %1 Document(s) not saved Document (s) %1 no desat - + Some documents could not be saved. Do you want to cancel closing? Alguns documents no s'han pogut desar. Vol cancel·lar la sortida? - + Delete macro Suprimeix la macro - + Not allowed to delete system-wide macros No es permet eliminar les macros del sistema @@ -8598,10 +8583,10 @@ Trieu «Interromp» per a interrompre - - - - + + + + Invalid name Nom no vàlid @@ -8614,25 +8599,25 @@ guions baixos i no ha de començar amb un dígit. - + The property name is a reserved word. The property name is a reserved word. - + The property '%1' already exists in '%2' La propietat «%1» ja existeix en «%2» - + Add property Afegeix una propietat - + Failed to add property to '%1': %2 No s'ha pogut afegir la propietat a «%1»: %2 @@ -8916,14 +8901,14 @@ la còpia actual es perdrà. Suprimit - + The property name must only contain alpha numericals, underscore, and must not start with a digit. El nom de la propietat només ha de contenir caràcters alfanumèrics i guions baixos i no ha de començar amb un dígit. - + The group name must only contain alpha numericals, underscore, and must not start with a digit. El nom del grup només ha de contenir caràcters alfanumèrics, @@ -8970,13 +8955,13 @@ guions baixos i no ha de començar amb un dígit. StdCmdAbout - + &About %1 Quant a %1 - - + + About %1 Quant a %1 @@ -8984,13 +8969,13 @@ guions baixos i no ha de començar amb un dígit. StdCmdAboutQt - + About &Qt Quant a &Qt - - + + About Qt Quant a Qt @@ -9026,13 +9011,13 @@ guions baixos i no ha de començar amb un dígit. StdCmdAlignment - + Alignment... Alineació... - - + + Align the selected objects Alinea els objectes seleccionats @@ -9096,13 +9081,13 @@ guions baixos i no ha de començar amb un dígit. StdCmdCommandLine - + Start command &line... Inicia la &línia d'ordres... - - + + Opens the command line in the console Obre la línia d'ordres al terminal @@ -9110,13 +9095,13 @@ guions baixos i no ha de començar amb un dígit. StdCmdCopy - + C&opy C&opia - - + + Copy operation Copia l'operació @@ -9124,13 +9109,13 @@ guions baixos i no ha de començar amb un dígit. StdCmdCut - + &Cut &Retalla - - + + Cut out Retalla @@ -9138,13 +9123,13 @@ guions baixos i no ha de començar amb un dígit. StdCmdDelete - + &Delete &Elimina - - + + Deletes the selected objects Elimina els objectes seleccionats @@ -9166,13 +9151,13 @@ guions baixos i no ha de començar amb un dígit. StdCmdDependencyGraph - + Dependency graph... Gràfic de dependències... - - + + Show the dependency graph of the objects in the active document Mostra el gràfic de dependències dels objectes en el document actiu @@ -9180,13 +9165,13 @@ guions baixos i no ha de començar amb un dígit. StdCmdDlgCustomize - + Cu&stomize... Per&sonalitza... - - + + Customize toolbars and command bars Personalitza les barres d'eines i d'ordres @@ -9246,13 +9231,13 @@ guions baixos i no ha de començar amb un dígit. StdCmdDlgParameter - + E&dit parameters ... E&dita els paràmetres... - - + + Opens a Dialog to edit the parameters Obre un quadre de diàleg per a editar els paràmetres @@ -9260,13 +9245,13 @@ guions baixos i no ha de començar amb un dígit. StdCmdDlgPreferences - + &Preferences ... &Preferències... - - + + Opens a Dialog to edit the preferences Obre un quadre de diàleg per a editar les preferències @@ -9302,13 +9287,13 @@ guions baixos i no ha de començar amb un dígit. StdCmdDuplicateSelection - + Duplicate selection Duplica la selecció - - + + Put duplicates of the selected objects to the active document Posa els duplicats dels objectes seleccionats en el document actiu @@ -9316,17 +9301,17 @@ guions baixos i no ha de començar amb un dígit. StdCmdEdit - + Toggle &Edit mode Commuta el mode d'&edició - + Toggles the selected object's edit mode Commuta el mode d'edició de l'objecte seleccionat - + Activates or Deactivates the selected object's edit mode Entra o surt del mode d'edició de l'objecte seleccionat @@ -9345,12 +9330,12 @@ guions baixos i no ha de començar amb un dígit. Exporta un objecte en el document actiu - + No selection No s'ha seleccionat - + Select the objects to export before choosing Export. Selecciona els objectes a exportar abans de triar Exportar. @@ -9358,13 +9343,13 @@ guions baixos i no ha de començar amb un dígit. StdCmdExpression - + Expression actions Accions d’expressió - - + + Actions that apply to expressions Accions que s'apliquen a expressions @@ -9386,12 +9371,12 @@ guions baixos i no ha de començar amb un dígit. StdCmdFreeCADDonation - + Donate Feu un donatiu - + Donate to FreeCAD development Contribueix al desenvolupament @@ -9399,17 +9384,17 @@ guions baixos i no ha de començar amb un dígit. StdCmdFreeCADFAQ - + FreeCAD FAQ PMF del FreeCAD - + Frequently Asked Questions on the FreeCAD website Preguntes més freqüents en el lloc web del FreeCAD - + Frequently Asked Questions Preguntes més freqüents @@ -9417,17 +9402,17 @@ guions baixos i no ha de començar amb un dígit. StdCmdFreeCADForum - + FreeCAD Forum Fòrum del FreeCAD - + The FreeCAD forum, where you can find help from other users Fòrum del FreeCAD, on podeu rebre ajuda d'altres usuaris - + The FreeCAD Forum El fòrum del FreeCAD @@ -9435,17 +9420,17 @@ guions baixos i no ha de començar amb un dígit. StdCmdFreeCADPowerUserHub - + Python scripting documentation Documentació dels scripts Python - + Python scripting documentation on the FreeCAD website Documentació dels scripts Python en el lloc web del FreeCAD - + PowerUsers documentation Documentació per a usuaris avançats @@ -9453,13 +9438,13 @@ guions baixos i no ha de començar amb un dígit. StdCmdFreeCADUserHub - - + + Users documentation Documentació per als usuaris - + Documentation for users on the FreeCAD website Documentació per als usuaris al lloc web del FreeCAD @@ -9467,13 +9452,13 @@ guions baixos i no ha de començar amb un dígit. StdCmdFreeCADWebsite - - + + FreeCAD Website Lloc web del FreeCAD - + The FreeCAD website El lloc web del FreeCAD @@ -9788,25 +9773,25 @@ guions baixos i no ha de començar amb un dígit. StdCmdMergeProjects - + Merge document... Fusiona un document... - - - - + + + + Merge document Fusiona un document - + %1 document (*.FCStd) Document %1 (*.FCStd) - + Cannot merge document with itself. No es pot fusionar el document amb si mateix. @@ -9814,18 +9799,18 @@ guions baixos i no ha de començar amb un dígit. StdCmdNew - + &New &Nou - - + + Create a new empty document Crea un document buit nou - + Unnamed Sense nom @@ -9834,13 +9819,13 @@ guions baixos i no ha de començar amb un dígit. StdCmdOnlineHelp - - + + Help Ajuda - + Show help to the application Mostra l'ajuda de l'aplicació @@ -9848,13 +9833,13 @@ guions baixos i no ha de començar amb un dígit. StdCmdOnlineHelpWebsite - - + + Help Website Lloc web de l'ajuda - + The website where the help is maintained El lloc web on es manté l'ajuda @@ -9909,13 +9894,13 @@ guions baixos i no ha de començar amb un dígit. StdCmdPaste - + &Paste A&pega - - + + Paste operation Apega l'operació @@ -9923,13 +9908,13 @@ guions baixos i no ha de començar amb un dígit. StdCmdPlacement - + Placement... Posició... - - + + Place the selected objects Col·loca els objectes seleccionats @@ -9937,13 +9922,13 @@ guions baixos i no ha de començar amb un dígit. StdCmdPrint - + &Print... Im&primeix... - - + + Print the document Imprimeix el document @@ -9951,13 +9936,13 @@ guions baixos i no ha de començar amb un dígit. StdCmdPrintPdf - + &Export PDF... &Exporta a PDF... - - + + Export the document as PDF Exporta el document com a PDF @@ -9965,17 +9950,17 @@ guions baixos i no ha de començar amb un dígit. StdCmdPrintPreview - + &Print preview... &Previsualització de la impressió... - + Print the document Imprimeix el document - + Print preview Previsualització de la impressió @@ -9983,13 +9968,13 @@ guions baixos i no ha de començar amb un dígit. StdCmdPythonWebsite - - + + Python Website Lloc web del Python - + The official Python website El lloc web oficial del Python @@ -9997,13 +9982,13 @@ guions baixos i no ha de començar amb un dígit. StdCmdQuit - + E&xit S&urt - - + + Quits the application Surt de l'aplicació @@ -10025,13 +10010,13 @@ guions baixos i no ha de començar amb un dígit. StdCmdRecentFiles - + Open Recent Obre un fitxer recent - - + + Recent file list Llista de fitxers recents @@ -10039,13 +10024,13 @@ guions baixos i no ha de començar amb un dígit. StdCmdRecentMacros - + Recent macros Macros recents - - + + Recent macro list Llista de macros recents @@ -10053,13 +10038,13 @@ guions baixos i no ha de començar amb un dígit. StdCmdRedo - + &Redo &Refés - - + + Redoes a previously undone action Refà l'acció prèviament desfeta @@ -10067,13 +10052,13 @@ guions baixos i no ha de començar amb un dígit. StdCmdRefresh - + &Refresh &Actualitza - - + + Recomputes the current active document Recalcula el document actiu actualment @@ -10081,13 +10066,13 @@ guions baixos i no ha de començar amb un dígit. StdCmdReportBug - + Report a bug Notificar un error - - + + Report a bug or suggest a feature Informar d'un error o suggerir una funció @@ -10095,13 +10080,13 @@ guions baixos i no ha de començar amb un dígit. StdCmdRevert - + Revert Torna a una versió anterior - - + + Reverts to the saved version of this file Torna a la versió guardada d'aquest fitxer @@ -10109,13 +10094,13 @@ guions baixos i no ha de començar amb un dígit. StdCmdSave - + &Save &Desa - - + + Save the active document Desa el document actiu @@ -10123,13 +10108,13 @@ guions baixos i no ha de començar amb un dígit. StdCmdSaveAll - + Save All Desa-ho tot - - + + Save all opened document Desa tots els documents oberts @@ -10137,13 +10122,13 @@ guions baixos i no ha de començar amb un dígit. StdCmdSaveAs - + Save &As... &Anomena i desa... - - + + Save the active document under a new file name Guarda el document actiu amb un altre nom... @@ -10151,13 +10136,13 @@ guions baixos i no ha de començar amb un dígit. StdCmdSaveCopy - + Save a &Copy... Desa una &còpia... - - + + Save a copy of the active document under a new file name Guarda una còpia del document actiu amb un altre nom... @@ -10193,13 +10178,13 @@ guions baixos i no ha de començar amb un dígit. StdCmdSelectAll - + Select &All Seleccion&a-ho tot - - + + Select all Selecciona-ho tot @@ -10277,13 +10262,13 @@ guions baixos i no ha de començar amb un dígit. StdCmdTextDocument - + Add text document Afegeix document de text - - + + Add text document to active document Afegeix un document de text al document actiu @@ -10417,13 +10402,13 @@ guions baixos i no ha de començar amb un dígit. StdCmdTransform - + Transform... Transforma... - - + + Transform the geometry of selected objects Transforma la geometria dels objectes seleccionats @@ -10431,13 +10416,13 @@ guions baixos i no ha de començar amb un dígit. StdCmdTransformManip - + Transform Transforma - - + + Transform the selected object in the 3d view Transforma l'objecte seleccionat en la vista 3D @@ -10501,13 +10486,13 @@ guions baixos i no ha de començar amb un dígit. StdCmdUndo - + &Undo &Desfés - - + + Undo exactly one action Desfés exactament una acció @@ -10515,13 +10500,13 @@ guions baixos i no ha de començar amb un dígit. StdCmdUserEditMode - + Edit mode Mode d'edició - - + + Defines behavior when editing an object from tree Defineix el comportament en editar un objecte de l'arbre @@ -10921,13 +10906,13 @@ guions baixos i no ha de començar amb un dígit. StdCmdWhatsThis - + &What's This? &Què és això? - - + + What's This Què és això @@ -10963,13 +10948,13 @@ guions baixos i no ha de començar amb un dígit. StdCmdWorkbench - + Workbench Banc de treball - - + + Switch between workbenches Canvia entre bancs de treball @@ -11293,7 +11278,7 @@ guions baixos i no ha de començar amb un dígit. Std_Delete - + The following referencing objects might break. Are you sure you want to continue? @@ -11304,7 +11289,7 @@ Segur que voleu continuar? - + Object dependencies Dependències de l'objecte @@ -11312,7 +11297,7 @@ Segur que voleu continuar? Std_DependencyGraph - + Dependency graph Gràfic de dependències @@ -11393,12 +11378,12 @@ Segur que voleu continuar? Std_DuplicateSelection - + Object dependencies Dependències de l'objecte - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Per a enllaçar amb objectes externs, el document s’ha de desar almenys una vegada. @@ -11416,7 +11401,7 @@ Voleu desar el document ara? Std_Refresh - + The document contains dependency cycles. Please check the Report View for more details. @@ -11430,17 +11415,17 @@ Encara voleu continuar? Std_Revert - + Revert document Torneu a la versió anterior del document - + This will discard all the changes since last file save. Això descartarà tots els canvis des de l'última acció de desar el fitxer. - + Do you want to continue? Voleu continuar? @@ -11614,12 +11599,12 @@ Encara voleu continuar? Gui::MDIView - + Export PDF Exporta a PDF - + PDF file Arxiu PDF @@ -12313,82 +12298,82 @@ Actualment, el vostre sistema disposa dels bancs de treball següents:</p> Previsualització: - + Text Text - + Bookmark Adreça d'interés - + Breakpoint Punt de ruptura - + Keyword Paraula clau - + Comment Comentari - + Block comment Comentari de bloc - + Number Nombre - + String Cadena - + Character Caràcter - + Class name Nom de classe - + Define name Defineix el nom - + Operator Operador - + Python output Sortida de Python - + Python error Error de Python - + Current line highlight Ressaltat de la línia actual - + Items Elements @@ -12893,13 +12878,13 @@ de la consola Python al tauler de Vista d'informes StdCmdExportDependencyGraph - + Export dependency graph... Exportar graf de dependències... - - + + Export the dependency graph to a file Exportar el graf de dependències en un fitxer @@ -13338,13 +13323,13 @@ la regió no són opacs. StdCmdProjectInfo - + Document i&nformation... I&nformació del document... - - + + Show details of the currently active document Mostra els detalls del document actiu actual @@ -13352,13 +13337,13 @@ la regió no són opacs. StdCmdProjectUtil - + Document utility... Utilitat del document... - - + + Utility to extract or create document files Utilitat per a extraure o crear fitxers del document @@ -13380,12 +13365,12 @@ la regió no són opacs. StdCmdProperties - + Properties Propietats - + Show the property view, which displays the properties of the selected object. Mostra la vista de propietats, que mostra les propietats de l'objecte seleccionat. @@ -13436,13 +13421,13 @@ la regió no són opacs. StdCmdReloadStyleSheet - + &Reload stylesheet &Recarrega el full d'estils - - + + Reloads the current stylesheet Recarrega el full d'estils actual @@ -13720,15 +13705,38 @@ Passa automàticament per l'esdeveniment de la roda del ratolí a la superposici StdCmdUnitsCalculator - + &Units converter... &Convertidor d'unitats... - - + + Start the units converter Inicia el convertidor d'unitats + + Gui::ModuleIO + + + File not found + No s'ha trobat el fitxer. + + + + The file '%1' cannot be opened. + El fitxer «%1» no es pot obrir. + + + + StdCmdRestartInSafeMode + + + + + Restart in safe mode + Restart in safe mode + + diff --git a/src/Gui/Language/FreeCAD_cs.ts b/src/Gui/Language/FreeCAD_cs.ts index ed2c282264f0..24f4c760f0bf 100644 --- a/src/Gui/Language/FreeCAD_cs.ts +++ b/src/Gui/Language/FreeCAD_cs.ts @@ -91,17 +91,17 @@ Upravit - + Import Import - + Delete Odstranit - + Paste expressions Vložit výrazy @@ -131,7 +131,7 @@ Importovat všechny odkazy - + Insert text document Vložit textový dokument @@ -424,42 +424,42 @@ EditMode - + Default Výchozí - + The object will be edited using the mode defined internally to be the most appropriate for the object type Objekt bude upraven pomocí vnitřního režimu tak, aby byl nejvhodnější pro typ objektu - + Transform Transformace - + The object will have its placement editable with the Std TransformManip command Objekt bude mít upravitelné umístění pomocí příkazu Std TransformManip - + Cutting Řez - + This edit mode is implemented as available but currently does not seem to be used by any object Tento režim úprav je implementován jako dostupný, ale v současné době se zdá, že jej žádný objekt nepoužívá - + Color Barva - + The object will have the color of its individual faces editable with the Part FaceAppearances command Objekt bude mít barvu svých jednotlivých ploch upravitelných příkazem Díl Vzhled plochy @@ -680,8 +680,8 @@ while doing a left or right click and move the mouse up or down - Word size - Velikost slova + Architecture + Architecture @@ -706,52 +706,52 @@ while doing a left or right click and move the mouse up or down Gui::Dialog::AboutDialog - - + + Credits - Header for the Credits tab of the About screen Zásluhy - + + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + Header for bgbsww + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + + + FreeCAD would not be possible without the contributions of FreeCAD by nebyl možný bez příspěvků od - + Individuals Header for the list of individual people in the Credits list. Jednotlivci - + Organizations Header for the list of companies/organizations in the Credits list. Organizace - - + + License Licence - + Libraries Knihovny - - This software uses open source components whose copyright and other proprietary rights belong to their respective owners: - Tento program používá open source komponenty, jejichž autorská a další vlastnická práva patří příslušným vlastníkům: - - - + Collection Kolekce - + Privacy Policy Zásady ochrany soukromí @@ -1408,8 +1408,8 @@ současně. Spustí se ten s nejvyšší prioritou. Gui::Dialog::DlgCustomToolBoxbarsImp - - + + Toolbox bars Panely nástrojů @@ -1498,40 +1498,40 @@ současně. Spustí se ten s nejvyšší prioritou. - + <Separator> <Oddělovač> - + %1 module not loaded Modul %1 nebyl načten - + New toolbar Nový nástrojový panel - - + + Toolbar name: Název nástrojového panelu: - - + + Duplicated name Duplicitní název - - + + The toolbar name '%1' is already used Název panelu nástrojů '%1' je již používán - + Rename toolbar Přejmenovat nástrojový panel @@ -1745,72 +1745,72 @@ současně. Spustí se ten s nejvyšší prioritou. Gui::Dialog::DlgMacroExecuteImp - + Macros Makra - + Read-only Jen pro čtení - + Macro file Makro soubor - + Enter a file name, please: Zadejte název souboru, prosím: - - - + + + Existing file Existující soubor - + '%1'. This file already exists. '%1'. Tento soubor již existuje. - + Cannot create file Nelze vytvořit soubor - + Creation of file '%1' failed. Vytvoření souboru '%1' se nezdařilo. - + Delete macro Odstranit makro - + Do you really want to delete the macro '%1'? Opravdu chcete odstranit makro '%1'? - + Do not show again Znovu nezobrazovat - + Guided Walkthrough Komentovaná prohlídka - + This will guide you in setting up this macro in a custom global toolbar. Instructions will be in red text inside the dialog. Note: your changes will be applied when you next switch workbenches @@ -1821,76 +1821,76 @@ Poznámka: změny budou aplikovány při dalším přepnutí pracovních prostř - + Walkthrough, dialog 1 of 2 Průvodce, dialog 1 ze 2 - + Walkthrough instructions: Fill in missing fields (optional) then click Add, then Close Instrukce průvodce: Vyplňte chybějící pole (volitelné) a klikněte na tlačítko Přidat, poté Zavřít - + Walkthrough, dialog 1 of 1 Průvodce, dialog 1 ze 1 - + Walkthrough, dialog 2 of 2 Průvodce, dialog 2 ze 2 - - Walkthrough instructions: Click right arrow button (->), then Close. - Instrukce průvodce: Klikněte na tlačítko šipky doprava (->), a potom Zavřít. + + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. - Walkthrough instructions: Click New, then right arrow (->) button, then Close. - Instrukce průvodce: Klikněte na Nový, potom na pravou šipku (->) a potom Zavřít. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. - + Renaming Macro File Přejmenovávání souboru makra - - + + Enter new name: Zadejte nový název: - - + + '%1' already exists. "%1" už existuje. - + Rename Failed Přejmenování selhalo - + Failed to rename to '%1'. Perhaps a file permission error? Nepodařilo se přejmenovat na "%1". Chyba oprávnění k souboru? - + Duplicate Macro Duplikovat makro - + Duplicate Failed Duplikace selhala - + Failed to duplicate to '%1'. Perhaps a file permission error? Duplikace selhala na "%1". @@ -5892,81 +5892,81 @@ Chcete uložit provedené změny? Gui::GraphvizView - + Graphviz not found Graphviz nebyl nalezen - + Graphviz couldn't be found on your system. Program Graphviz nebyl v systému nalezen. - + Read more about it here. Další informace zde. - + Do you want to specify its installation path if it's already installed? Chcete zadat jeho cestu instalace, i když je už nainstalován? - + Graphviz installation path Instalační cesta Graphvizu - + Graphviz failed Graphviz selhal - + Graphviz failed to create an image file Graphvizu se nepodařilo vytvořit soubor s obrázkem - + PNG format Formát PNG - + Bitmap format Formát rastrového obrázku - + GIF format Formát GIF - + JPG format Formát JPG - + SVG format SVG formát - - + + PDF format PDF formát - - + + Graphviz format Formát Graphvizu - - - + + + Export graph Exportovat graf @@ -6126,63 +6126,83 @@ Chcete uložit provedené změny? Gui::MainWindow - - + + Dimension Rozměr - + Ready Připraven - + Close All Zavřít vše - - - + + + Toggles this toolbar Přepíná panel nástrojů - - - + + + Toggles this dockable window Přepne toto dokované okno - + + Safe mode enabled + Safe mode enabled + + + + FreeCAD is now running in safe mode. + FreeCAD is now running in safe mode. + + + + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + + + WARNING: This is a development version. VAROVÁNÍ: Toto je vývojová verze. - + Please do not use it in a production environment. Nepoužívejte prosím ve výrobním prostředí. - - + + Unsaved document Neuložený dokument - + The exported object contains external link. Please save the documentat least once before exporting. Exportovaný objekt obsahuje externí odkaz. Před exportem uložte dokument alespoň jednou. - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Pro propojení s externími objekty musí být dokument uložen alespoň jednou. Chcete dokument nyní uložit? + + + Safe Mode + Safe Mode + Gui::ManualAlignment @@ -6686,39 +6706,19 @@ Chcete průvodce ukončit bez uložení dat? Open file %1 Otevřít soubor %1 - - - File not found - Soubor nebyl nalezen - - - - The file '%1' cannot be opened. - Soubor '%1' nelze otevřít. - Gui::RecentMacrosAction - + none žádný - + Run macro %1 (Shift+click to edit) keyboard shortcut: %2 Spustit makro %1 (Shift+kliknutí pro úpravu) klávesová zkratka: %2 - - - File not found - Soubor nebyl nalezen - - - - The file '%1' cannot be opened. - Soubor '%1' nelze otevřít. - Gui::RevitNavigationStyle @@ -6969,7 +6969,7 @@ Do you want to specify another directory? Gui::TaskView::TaskDialog - + A dialog is already open in the task panel Dialog je opravdu otevřen v panelu úloh @@ -6998,38 +6998,8 @@ Do you want to specify another directory? Gui::TextDocumentEditorView - - Text updated - Text aktualizován - - - - The text of the underlying object has changed. Discard changes and reload the text from the object? - Text nižšího objektu se změnil. Zahodit změny a načíst znovu text z objektu? - - - - Yes, reload. - Ano, znovu načti. - - - - Unsaved document - Neuložený dokument - - - - Do you want to save your changes before closing? - Chcete uložit změny před zavřením? - - - - If you don't save, your changes will be lost. - V případě neuložení dokumentu budou změny ztraceny. - - - - + + Edit text Upravit text @@ -7306,7 +7276,7 @@ Do you want to specify another directory? Gui::TreeDockWidget - + Tree view Stromové zobrazení @@ -7314,7 +7284,7 @@ Do you want to specify another directory? Gui::TreePanel - + Search Hledat @@ -7372,148 +7342,148 @@ Do you want to specify another directory? Skupina - + Labels & Attributes Štítky & atributy - + Description Popis - + Internal name Interní název - + Show items hidden in tree view Zobrazit položky skryté ve stromovém zobrazení - + Show items that are marked as 'hidden' in the tree view Zobrazit položky, které jsou označeny jako 'skryté' ve stromovém zobrazení - + Toggle visibility in tree view Přepnout viditelnost ve stromovém zobrazení - + Toggles the visibility of selected items in the tree view Přepíná viditelnost vybraných položek ve stromovém zobrazení - + Create group Vytvořit skupinu - + Create a group Vytvořit skupinu - - + + Rename Přejmenovat - + Rename object Přejmenovat objekt - + Finish editing Dokončení úprav - + Finish editing object Dokončení úprav objektu - + Add dependent objects to selection Přidat závislé objekty k výběru - + Adds all dependent objects to the selection Přidá do výběru všechny závislé objekty - + Close document Zavřít dokument - + Close the document Zavřít dokument - + Reload document Znovu načíst dokument - + Reload a partially loaded document Znovu načíst částečně načtený dokument - + Skip recomputes Přeskočit přepočítání - + Enable or disable recomputations of document Povolit nebo zakázat přepočítání dokumentu - + Allow partial recomputes Povolit částečné přepočty - + Enable or disable recomputating editing object when 'skip recomputation' is enabled Povolit nebo zakázat přepočítávání objektu, když je povoleno 'přeskočit přepočítávání' - + Mark to recompute Označit k přepočítání - + Mark this object to be recomputed Označit objekt k přepočítání - + Recompute object Přepočítat objekt - + Recompute the selected object Přepočítat vybraný objekt - + (but must be executed) (ale musí být provedeno) - + %1, Internal name: %2 %1, interní název: %2 @@ -7725,47 +7695,47 @@ Do you want to specify another directory? QDockWidget - + Tree view Stromové zobrazení - + Tasks Tvorba - + Property view Vlastnosti zobrazení - + Selection view Výběr zobrazení - + Task List Seznam úkolů - + Model Model - + DAG View DAG zobrazení - + Report view Zobrazení reportu - + Python console Python konzole @@ -7805,35 +7775,35 @@ Do you want to specify another directory? Python - - - + + + Unknown filetype Neznámý typ souboru - - + + Cannot open unknown filetype: %1 Nelze otevřít neznámý typ souboru: %1 - + Export failed Export selhal - + Cannot save to unknown filetype: %1 Nelze uložit neznámý typ souboru: %1 - + Recomputation required Vyžadováno přepočítání - + Some document(s) require recomputation for migration purposes. It is highly recommended to perform a recomputation before any modification to avoid compatibility problems. Do you want to recompute now? @@ -7842,24 +7812,24 @@ Do you want to recompute now? Chcete nyní přepočítat? - + Recompute error Chyba přepočítání - + Failed to recompute some document(s). Please check report view for more details. Přepočítání některých dokumentů se nezdařilo. Zkontrolujte zobrazení reportu pro více podrobností. - + Workbench failure Selhání v pracovním prostředí - + %1 %1 @@ -7905,90 +7875,105 @@ Zkontrolujte zobrazení reportu pro více podrobností. Importovat soubor - + Export file Exportovat soubor - + Printing... Tisk... - + Exporting PDF... Exportovat PDF... - - + + Unsaved document Neuložený dokument - + The exported object contains external link. Please save the documentat least once before exporting. Exportovaný objekt obsahuje externí odkaz. Před exportem uložte dokument alespoň jednou. - - + + Delete failed Smazání se nezdařilo - + Dependency error Chyba závislosti - + Copy selected Kopírovat výběr - + Copy active document Kopírovat aktivní dokument - + Copy all documents Kopírovat všechny dokumenty - + Paste Vložit - + Expression error Chyba výrazu - + Failed to parse some of the expressions. Please check the Report View for more details. Některé výrazy se nepodařilo analyzovat. Další podrobnosti najdete v zobrazení Přehledu. - + Failed to paste expressions Nepodařilo se vložit výrazy - + Cannot load workbench Nelze načíst pracovní prostředí - + A general error occurred while loading the workbench Došlo k obecné chybě při načítání pracovního prostředí + + + Restart in safe mode + Restart in safe mode + + + + Are you sure you want to restart FreeCAD and enter safe mode? + Are you sure you want to restart FreeCAD and enter safe mode? + + + + Safe mode temporarily disables your configuration and addons. + Safe mode temporarily disables your configuration and addons. + @@ -8212,7 +8197,7 @@ Do you want to continue? Příliš mnoho otevřených nerušivých oznámení. Oznámení jsou vynechána! - + Identical physical path detected. It may cause unwanted overwrite of existing document! @@ -8221,44 +8206,44 @@ Do you want to continue? - + Are you sure you want to continue? Opravdu si přejete pokračovat? - + Please check report view for more... Další informace najdete v zobrazení reportu... - + Physical path: Fyzická cesta: - - + + Document: Dokument: - - + + Path: Cesta: - + Identical physical path Identická fyzická cesta - + Could not save document Dokument nelze uložit - + There was an issue trying to save the file. This may be because some of the parent folders do not exist, or you do not have sufficient permissions, or for other reasons. Error details: "%1" @@ -8271,102 +8256,102 @@ Would you like to save the file with a different name? Chcete uložit soubor s jiným názvem? - - - + + + Saving aborted Ukládání bylo přerušeno - + Save dependent files Uložit závislé soubory - + The file contains external dependencies. Do you want to save the dependent files, too? Soubor obsahuje externí závislosti. Chcete také uložit závislé soubory? - - + + Saving document failed Uložení dokumentu se nezdařilo - + Save document under new filename... Uložte dokument pod novým názvem... - - + + Save %1 Document Uložit dokument %1 - + Document Dokument - - + + Failed to save document Dokumentu se nezdařilo uložit - + Documents contains cyclic dependencies. Do you still want to save them? Dokumenty obsahují cyklické závislosti. Chcete je přesto uložit? - + Save a copy of the document under new filename... Ulož kopii dokumentu pod novým názvem... - + %1 document (*.FCStd) dokument %1 (*.FCStd) - + Document not closable Dokument nelze uzavřít - + The document is not closable for the moment. V tuto chvili nelze dokument uzavřít. - + Document not saved Dokument nebyl uložen - + The document%1 could not be saved. Do you want to cancel closing it? Dokument%1 nelze uložit. Chcete zrušit jeho zavírání? - + Undo Zpět - + Redo Znovu - + There are grouped transactions in the following documents with other preceding transactions V následujících dokumentech jsou seskupeny transakce s jinými předcházejícími transakcemi - + Choose 'Yes' to roll back all preceding transactions. Choose 'No' to roll back in the active document only. Choose 'Abort' to abort @@ -8460,7 +8445,7 @@ Zvolte 'Přerušit' pro zrušení Nelze najít soubor %1 %2 ani v %3 - + Navigation styles Styly navigace @@ -8471,47 +8456,47 @@ Zvolte 'Přerušit' pro zrušení Transformace - + Do you want to close this dialog? Chcete zavřít tento dialog? - + Do you want to save your changes to document '%1' before closing? Přejete si uložit změny v dokumentu "%1" před zavřením? - + Do you want to save your changes to document before closing? Přejete si uložit změny před zavřením dokumentu? - + If you don't save, your changes will be lost. V případě neuložení dokumentu budou změny ztraceny. - + Apply answer to all Použít odpověď na všechny - + %1 Document(s) not saved %1 dokument(y) nebyl(y) uložen(y) - + Some documents could not be saved. Do you want to cancel closing? Některé dokumenty nelze uložit. Chcete zrušit uzavření? - + Delete macro Odstranit makro - + Not allowed to delete system-wide macros Není povoleno mazat systémová makra @@ -8607,10 +8592,10 @@ Zvolte 'Přerušit' pro zrušení - - - - + + + + Invalid name Neplatný název @@ -8623,25 +8608,25 @@ podtržítko a nesmí začínat číslicí. - + The property name is a reserved word. - The property name is a reserved word. + Název vlastnosti je vyhrazené slovo. - + The property '%1' already exists in '%2' Vlastnost '%1' již existuje v '%2' - + Add property Přidat vlastnost - + Failed to add property to '%1': %2 Selhalo přidání vlastnosti do '%1': %2 @@ -8927,14 +8912,14 @@ na aktuální kopii budou ztraceny. Potlačeno - + The property name must only contain alpha numericals, underscore, and must not start with a digit. Název vlastnosti musí obsahovat pouze alfanumerické znaky, podtržítko a nesmí začínat číslicí. - + The group name must only contain alpha numericals, underscore, and must not start with a digit. Název skupiny smí obsahovat pouze alfanumerické znaky, @@ -8981,13 +8966,13 @@ podtržítko a nesmí začínat číslicí. StdCmdAbout - + &About %1 &O %1 - - + + About %1 O %1 @@ -8995,13 +8980,13 @@ podtržítko a nesmí začínat číslicí. StdCmdAboutQt - + About &Qt O &Qt - - + + About Qt O Qt @@ -9037,13 +9022,13 @@ podtržítko a nesmí začínat číslicí. StdCmdAlignment - + Alignment... Zarovnání... - - + + Align the selected objects Zarovnat vybrané objekty @@ -9107,13 +9092,13 @@ podtržítko a nesmí začínat číslicí. StdCmdCommandLine - + Start command &line... Začátek příkazu &čára... - - + + Opens the command line in the console Otevře se příkazový řádek v konzole @@ -9121,13 +9106,13 @@ podtržítko a nesmí začínat číslicí. StdCmdCopy - + C&opy Kopírovat - - + + Copy operation Operace kopírování @@ -9135,13 +9120,13 @@ podtržítko a nesmí začínat číslicí. StdCmdCut - + &Cut Vyjmout - - + + Cut out Vystřihnout @@ -9149,13 +9134,13 @@ podtržítko a nesmí začínat číslicí. StdCmdDelete - + &Delete &Odstranit - - + + Deletes the selected objects Odstraní vybrané objekty @@ -9177,13 +9162,13 @@ podtržítko a nesmí začínat číslicí. StdCmdDependencyGraph - + Dependency graph... Graf závislosti... - - + + Show the dependency graph of the objects in the active document Zobrazit graf závislosti objektů v aktivním dokumentu @@ -9191,13 +9176,13 @@ podtržítko a nesmí začínat číslicí. StdCmdDlgCustomize - + Cu&stomize... Přizpůsobit... - - + + Customize toolbars and command bars Přizpůsobit panely nástrojů a příkazů @@ -9257,13 +9242,13 @@ podtržítko a nesmí začínat číslicí. StdCmdDlgParameter - + E&dit parameters ... Upravit parametry... - - + + Opens a Dialog to edit the parameters Otevře dialogové okno pro úpravu parametrů @@ -9271,13 +9256,13 @@ podtržítko a nesmí začínat číslicí. StdCmdDlgPreferences - + &Preferences ... Nastavení ... - - + + Opens a Dialog to edit the preferences Otevře dialogové okno pro upravení předvoleb @@ -9313,13 +9298,13 @@ podtržítko a nesmí začínat číslicí. StdCmdDuplicateSelection - + Duplicate selection Duplikovat výběr - - + + Put duplicates of the selected objects to the active document Vložit vybrané duplikáty objektů do aktivního dokumentu @@ -9327,17 +9312,17 @@ podtržítko a nesmí začínat číslicí. StdCmdEdit - + Toggle &Edit mode Přepnout režim úprav - + Toggles the selected object's edit mode Přepíná režim úprav vybraného objektu - + Activates or Deactivates the selected object's edit mode Aktivuje nebo deaktivuje režim úprav vybraného objektu @@ -9356,12 +9341,12 @@ podtržítko a nesmí začínat číslicí. Export objektu v aktivním dokumentu - + No selection Žádný výběr - + Select the objects to export before choosing Export. Vyberte objekty, které chcete exportovat před výběrem exportu. @@ -9369,13 +9354,13 @@ podtržítko a nesmí začínat číslicí. StdCmdExpression - + Expression actions Akce výrazu - - + + Actions that apply to expressions Akce, které se vztahují na výrazy @@ -9397,12 +9382,12 @@ podtržítko a nesmí začínat číslicí. StdCmdFreeCADDonation - + Donate Přispějte - + Donate to FreeCAD development Přispět na vývoj FreeCAD @@ -9410,17 +9395,17 @@ podtržítko a nesmí začínat číslicí. StdCmdFreeCADFAQ - + FreeCAD FAQ FreeCAD FAQ - + Frequently Asked Questions on the FreeCAD website FAQ na stránkách FreeCAD - + Frequently Asked Questions Často Kladené Otázky @@ -9428,17 +9413,17 @@ podtržítko a nesmí začínat číslicí. StdCmdFreeCADForum - + FreeCAD Forum FreeCAD Forum - + The FreeCAD forum, where you can find help from other users FreeCAD forum, kde můžete najít nápovědu od ostatních uživatelů - + The FreeCAD Forum FreeCAD Forum @@ -9446,17 +9431,17 @@ podtržítko a nesmí začínat číslicí. StdCmdFreeCADPowerUserHub - + Python scripting documentation Dokumentace o skriptování v Pythonu - + Python scripting documentation on the FreeCAD website Dokumentace o skriptování v Pythonu na stránkách FreeCAD - + PowerUsers documentation Dokumentace pokročilých uživatelů @@ -9464,13 +9449,13 @@ podtržítko a nesmí začínat číslicí. StdCmdFreeCADUserHub - - + + Users documentation Uživatelská dokumentace - + Documentation for users on the FreeCAD website Dokumentace pro uživatele na stránkách FreeCAD @@ -9478,13 +9463,13 @@ podtržítko a nesmí začínat číslicí. StdCmdFreeCADWebsite - - + + FreeCAD Website FreeCAD stránky - + The FreeCAD website Webové stránky FreeCAD @@ -9799,25 +9784,25 @@ podtržítko a nesmí začínat číslicí. StdCmdMergeProjects - + Merge document... Sloučit dokument... - - - - + + + + Merge document Sloučit dokument - + %1 document (*.FCStd) dokument %1 (*.FCStd) - + Cannot merge document with itself. Nelze sloučit dokument se sebou samým. @@ -9825,18 +9810,18 @@ podtržítko a nesmí začínat číslicí. StdCmdNew - + &New Nový - - + + Create a new empty document Vytvořit nový prázdný dokument - + Unnamed Nepojmenovaný @@ -9845,13 +9830,13 @@ podtržítko a nesmí začínat číslicí. StdCmdOnlineHelp - - + + Help Nápověda - + Show help to the application Zobrazí nápovědu k aplikaci @@ -9859,13 +9844,13 @@ podtržítko a nesmí začínat číslicí. StdCmdOnlineHelpWebsite - - + + Help Website Nápověda na stránkách Web - + The website where the help is maintained Webové stránky, kde je nápověda udržována @@ -9920,13 +9905,13 @@ podtržítko a nesmí začínat číslicí. StdCmdPaste - + &Paste &Vložit - - + + Paste operation Operace vložení @@ -9934,13 +9919,13 @@ podtržítko a nesmí začínat číslicí. StdCmdPlacement - + Placement... Umístění... - - + + Place the selected objects Umístit vybrané objekty @@ -9948,13 +9933,13 @@ podtržítko a nesmí začínat číslicí. StdCmdPrint - + &Print... Tisk... - - + + Print the document Tisk dokumentu @@ -9962,13 +9947,13 @@ podtržítko a nesmí začínat číslicí. StdCmdPrintPdf - + &Export PDF... Export do PDF... - - + + Export the document as PDF Exportovat dokument jako PDF @@ -9976,17 +9961,17 @@ podtržítko a nesmí začínat číslicí. StdCmdPrintPreview - + &Print preview... &Náhled tisku... - + Print the document Tisk dokumentu - + Print preview Náhled tisku @@ -9994,13 +9979,13 @@ podtržítko a nesmí začínat číslicí. StdCmdPythonWebsite - - + + Python Website Python Web - + The official Python website Oficiální stránky Pythonu @@ -10008,13 +9993,13 @@ podtržítko a nesmí začínat číslicí. StdCmdQuit - + E&xit Konec - - + + Quits the application Ukončí aplikaci @@ -10036,13 +10021,13 @@ podtržítko a nesmí začínat číslicí. StdCmdRecentFiles - + Open Recent Naposledy otevřené - - + + Recent file list Seznam naposledy otevřených souborů @@ -10050,13 +10035,13 @@ podtržítko a nesmí začínat číslicí. StdCmdRecentMacros - + Recent macros Nedávná makra - - + + Recent macro list Seznam nedávných maker @@ -10064,13 +10049,13 @@ podtržítko a nesmí začínat číslicí. StdCmdRedo - + &Redo Znovu - - + + Redoes a previously undone action Znovu provést předchozí vrácenou akci @@ -10078,13 +10063,13 @@ podtržítko a nesmí začínat číslicí. StdCmdRefresh - + &Refresh Aktualizovat - - + + Recomputes the current active document Přepočítat aktivní dokument @@ -10092,13 +10077,13 @@ podtržítko a nesmí začínat číslicí. StdCmdReportBug - + Report a bug Nahlásit chybu - - + + Report a bug or suggest a feature Nahlásit chybu nebo navrhnout funkci @@ -10106,13 +10091,13 @@ podtržítko a nesmí začínat číslicí. StdCmdRevert - + Revert Vrátit - - + + Reverts to the saved version of this file Vrátit se k uložené verzi tohoto souboru @@ -10120,13 +10105,13 @@ podtržítko a nesmí začínat číslicí. StdCmdSave - + &Save Uložit - - + + Save the active document Uloží aktivní dokument @@ -10134,13 +10119,13 @@ podtržítko a nesmí začínat číslicí. StdCmdSaveAll - + Save All Uložit vše - - + + Save all opened document Uložit všechny otevřené dokumenty @@ -10148,13 +10133,13 @@ podtržítko a nesmí začínat číslicí. StdCmdSaveAs - + Save &As... Uložit jako... - - + + Save the active document under a new file name Uložit aktivní dokument pod novým názvem @@ -10162,13 +10147,13 @@ podtržítko a nesmí začínat číslicí. StdCmdSaveCopy - + Save a &Copy... Ulož kopii... - - + + Save a copy of the active document under a new file name Uložit kopii aktivního dokumento pod novým názvem @@ -10204,13 +10189,13 @@ podtržítko a nesmí začínat číslicí. StdCmdSelectAll - + Select &All Vybrat vše - - + + Select all Vybrat vše @@ -10288,13 +10273,13 @@ podtržítko a nesmí začínat číslicí. StdCmdTextDocument - + Add text document Přidat textový dokument - - + + Add text document to active document Přidat textový dokument do aktivního dokumentu @@ -10428,13 +10413,13 @@ podtržítko a nesmí začínat číslicí. StdCmdTransform - + Transform... Transformace... - - + + Transform the geometry of selected objects Transformace geometrie vybraných objektů @@ -10442,13 +10427,13 @@ podtržítko a nesmí začínat číslicí. StdCmdTransformManip - + Transform Transformace - - + + Transform the selected object in the 3d view Transformovat na vybraný objekt v 3d zobrazení @@ -10512,13 +10497,13 @@ podtržítko a nesmí začínat číslicí. StdCmdUndo - + &Undo &Zpět - - + + Undo exactly one action Vrátit zpět jednu akci @@ -10526,13 +10511,13 @@ podtržítko a nesmí začínat číslicí. StdCmdUserEditMode - + Edit mode Režim úprav - - + + Defines behavior when editing an object from tree Definuje chování při úpravách objektu ze stromu @@ -10932,13 +10917,13 @@ podtržítko a nesmí začínat číslicí. StdCmdWhatsThis - + &What's This? Co to je? - - + + What's This Co to je @@ -10974,13 +10959,13 @@ podtržítko a nesmí začínat číslicí. StdCmdWorkbench - + Workbench Pracovní prostředí - - + + Switch between workbenches Přepnout mezi pracovními prostředími @@ -11304,7 +11289,7 @@ podtržítko a nesmí začínat číslicí. Std_Delete - + The following referencing objects might break. Are you sure you want to continue? @@ -11315,7 +11300,7 @@ Opravdu chcete pokračovat? - + Object dependencies Závislosti objektu @@ -11323,7 +11308,7 @@ Opravdu chcete pokračovat? Std_DependencyGraph - + Dependency graph Graf závislostí @@ -11404,12 +11389,12 @@ Opravdu chcete pokračovat? Std_DuplicateSelection - + Object dependencies Závislosti objektu - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Pro propojení s externími objekty musí být dokument uložen alespoň jednou. @@ -11427,7 +11412,7 @@ Chcete dokument nyní uložit? Std_Refresh - + The document contains dependency cycles. Please check the Report View for more details. @@ -11441,17 +11426,17 @@ Chcete pokračovat? Std_Revert - + Revert document Obnovit dokument - + This will discard all the changes since last file save. Toto vymaže všechny změny před posledním uložením souboru. - + Do you want to continue? Chcete pokračovat? @@ -11625,12 +11610,12 @@ Chcete pokračovat? Gui::MDIView - + Export PDF Export PDF - + PDF file PDF soubor @@ -12324,82 +12309,82 @@ V současné době má váš systém následující pracovní plochy:</p>& Náhled: - + Text Text - + Bookmark Záložka - + Breakpoint Bod přerušení - + Keyword Klíčové slovo - + Comment Komentář - + Block comment Blok komentáře - + Number Číslo - + String Řetězec - + Character Znak - + Class name Název třídy - + Define name Definovat název - + Operator Operátor - + Python output Python výstup - + Python error Python chyba - + Current line highlight Aktuální řádek zvýraznění - + Items Položky @@ -12910,13 +12895,13 @@ z Python konzole do panelu Report StdCmdExportDependencyGraph - + Export dependency graph... Exportovat graf závislostí... - - + + Export the dependency graph to a file Exportovat graf závislosti do souboru @@ -13359,13 +13344,13 @@ Nastavte na 0 pro vyplnění celého prostoru. StdCmdProjectInfo - + Document i&nformation... Informace o dokumentu... - - + + Show details of the currently active document Zobrazit podrobnosti o aktivním dokumentu @@ -13373,13 +13358,13 @@ Nastavte na 0 pro vyplnění celého prostoru. StdCmdProjectUtil - + Document utility... Nástroj dokumentu... - - + + Utility to extract or create document files Nástroj pro extrahování nebo vytvoření souborů dokumentu @@ -13401,12 +13386,12 @@ Nastavte na 0 pro vyplnění celého prostoru. StdCmdProperties - + Properties Vlastnosti - + Show the property view, which displays the properties of the selected object. Zobrazí náhled vlastností, který zobrazuje vlastnosti vybraného objektu. @@ -13457,13 +13442,13 @@ Nastavte na 0 pro vyplnění celého prostoru. StdCmdReloadStyleSheet - + &Reload stylesheet Obnovit &šablonu stylů - - + + Reloads the current stylesheet Znovu načte aktuální šablonu stylů @@ -13740,15 +13725,38 @@ Nastavte na 0 pro vyplnění celého prostoru. StdCmdUnitsCalculator - + &Units converter... &Převodník jednotek... - - + + Start the units converter Spustit převodník jednotek + + Gui::ModuleIO + + + File not found + Soubor nebyl nalezen + + + + The file '%1' cannot be opened. + Soubor '%1' nelze otevřít. + + + + StdCmdRestartInSafeMode + + + + + Restart in safe mode + Restart in safe mode + + diff --git a/src/Gui/Language/FreeCAD_da.ts b/src/Gui/Language/FreeCAD_da.ts index eeebe8aa92f6..85b4eceb572e 100644 --- a/src/Gui/Language/FreeCAD_da.ts +++ b/src/Gui/Language/FreeCAD_da.ts @@ -91,17 +91,17 @@ Rediger - + Import Importer - + Delete Slette - + Paste expressions Indsæt udtryk @@ -131,7 +131,7 @@ Importer alle links - + Insert text document Indsæt tekstdokument @@ -424,42 +424,42 @@ EditMode - + Default Standard - + The object will be edited using the mode defined internally to be the most appropriate for the object type Objektet vil blive redigeret ved hjælp af tilstanden defineret internt til at være den mest passende for objekttypen - + Transform Transformér - + The object will have its placement editable with the Std TransformManip command Objektet vil have sin placering redigerbar med kommandoen Std TransformManip - + Cutting Klipper - + This edit mode is implemented as available but currently does not seem to be used by any object Denne redigeringstilstand er implementeret som tilgængelig, men synes i øjeblikket ikke at blive brugt af noget objekt - + Color Farve - + The object will have the color of its individual faces editable with the Part FaceAppearances command The object will have the color of its individual faces editable with the Part FaceAppearances command @@ -680,8 +680,8 @@ while doing a left or right click and move the mouse up or down - Word size - Ordstørrelse + Architecture + Architecture @@ -706,52 +706,52 @@ while doing a left or right click and move the mouse up or down Gui::Dialog::AboutDialog - - + + Credits - Header for the Credits tab of the About screen Tak til - + + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + Header for bgbsww + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + + + FreeCAD would not be possible without the contributions of FreeCAD ville ikke være muligt uden bidragene fra - + Individuals Header for the list of individual people in the Credits list. Personer - + Organizations Header for the list of companies/organizations in the Credits list. Organisationer - - + + License Licens - + Libraries Biblioteker - - This software uses open source components whose copyright and other proprietary rights belong to their respective owners: - Denne software bruger open source-komponenter hvis ophavsret og andre ejendomsrettigheder tilhører deres respektive ejere: - - - + Collection Samling - + Privacy Policy Privacy Policy @@ -1408,8 +1408,8 @@ vil kommandoen med den højeste prioritet blive aktiveret. Gui::Dialog::DlgCustomToolBoxbarsImp - - + + Toolbox bars Værktøjskassebjælker @@ -1498,40 +1498,40 @@ vil kommandoen med den højeste prioritet blive aktiveret. - + <Separator> <Separator> - + %1 module not loaded %1 modul ikke indlæst - + New toolbar Ny værktøjslinje - - + + Toolbar name: Værktøjslinjenavn: - - + + Duplicated name Duplikeret navn - - + + The toolbar name '%1' is already used Værktøjslinjenavnet '%1' er allerede brugt - + Rename toolbar Omdøb værktøjsbjælke @@ -1745,71 +1745,71 @@ vil kommandoen med den højeste prioritet blive aktiveret. Gui::Dialog::DlgMacroExecuteImp - + Macros Makroer - + Read-only Skrivebeskyttet - + Macro file Makro-fil - + Enter a file name, please: Skriv et filnavn, venligst: - - - + + + Existing file Eksisterende fil - + '%1'. This file already exists. '%1'. Denne fil allerede eksisterer. - + Cannot create file Kan ikke oprette filen - + Creation of file '%1' failed. Oprettelse af filen '%1' mislykkedes. - + Delete macro Slet makro - + Do you really want to delete the macro '%1'? Vil du slette makroen '%1'? - + Do not show again Vis ikke igen - + Guided Walkthrough Guidet gennemgang - + This will guide you in setting up this macro in a custom global toolbar. Instructions will be in red text inside the dialog. Note: your changes will be applied when you next switch workbenches @@ -1820,78 +1820,78 @@ Bemærk: dine ændringer vil blive anvendt, næste gang du skifter arbejdsfunkti - + Walkthrough, dialog 1 of 2 Gennemgang, dialog 1 af 2 - + Walkthrough instructions: Fill in missing fields (optional) then click Add, then Close Gennemgang af vejledning: Udfyld manglende felter (valgfri), klik derefter Tilføj, og Luk - + Walkthrough, dialog 1 of 1 Gennemgang, dialog 1 af 1 - + Walkthrough, dialog 2 of 2 Gennemgang, dialog 2 af 2 - - Walkthrough instructions: Click right arrow button (->), then Close. - Gennemgang af vejledning: Klik på højre pileknap (->), derefter Luk. + + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. - Walkthrough instructions: Click New, then right arrow (->) button, then Close. - Gennemgang af vejledning: Klik på Ny, derefter højre pileknap (->), derefter Luk. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. - + Renaming Macro File Omdøb makro - - + + Enter new name: Angiv nyt navn: - - + + '%1' already exists. '%1' findes allerede. - + Rename Failed Omdøbning mislykkedes - + Failed to rename to '%1'. Perhaps a file permission error? Kunne ikke omdøbe til '%1'. Dette kan f.eks. skyldes manglende rettigheder - + Duplicate Macro Kopier makro - + Duplicate Failed Kopieringen mislykkedes - + Failed to duplicate to '%1'. Perhaps a file permission error? Kunne ikke kopiere til '%1'. @@ -5898,81 +5898,81 @@ Vil du gemme ændringerne? Gui::GraphvizView - + Graphviz not found Graphviz blev ikke fundet - + Graphviz couldn't be found on your system. Kunne ikke finde Graphviz på dit system. - + Read more about it here. Læs mere om det her. - + Do you want to specify its installation path if it's already installed? Vil du angive dens installationssti, hvis den allerede er installeret? - + Graphviz installation path Graphviz installationssti - + Graphviz failed Graphviz fejlede - + Graphviz failed to create an image file Graphviz kunne ikke oprette en billedfil - + PNG format PNG format - + Bitmap format Bitmap format - + GIF format GIF format - + JPG format JPG format - + SVG format SVG format - - + + PDF format PDF format - - + + Graphviz format Grafviz format - - - + + + Export graph Eksporter graf @@ -6132,63 +6132,83 @@ Vil du gemme ændringerne? Gui::MainWindow - - + + Dimension Dimension - + Ready Klar - + Close All Luk alle - - - + + + Toggles this toolbar Slår denne værktøjslinje til/fra - - - + + + Toggles this dockable window Slår fastgørelse af dette vindue til/fra - + + Safe mode enabled + Safe mode enabled + + + + FreeCAD is now running in safe mode. + FreeCAD is now running in safe mode. + + + + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + + + WARNING: This is a development version. ADVARSEL: Dette er en udviklingsversion. - + Please do not use it in a production environment. Den bør ikke anvendes i et produktionsmiljø. - - + + Unsaved document Ikke-gemt dokument - + The exported object contains external link. Please save the documentat least once before exporting. Det eksporterede objekt indeholder ekstern(e) link(s). Gem dokumentet før eksportering. - + To link to external objects, the document must be saved at least once. Do you want to save the document now? For at linke til eksterne objekter, skal dokumentet gemmes mindst én gang. Vil du gemme dokumentet nu? + + + Safe Mode + Safe Mode + Gui::ManualAlignment @@ -6690,39 +6710,19 @@ Vil du afslutte uden at gemme dine data? Open file %1 Åbn filen %1 - - - File not found - Filen blev ikke fundet - - - - The file '%1' cannot be opened. - Filen '%1' kan ikke åbnes. - Gui::RecentMacrosAction - + none ingen - + Run macro %1 (Shift+click to edit) keyboard shortcut: %2 Kør makro %1 (Shift+klik for at redigere) tastaturgenvej: %2 - - - File not found - Filen blev ikke fundet - - - - The file '%1' cannot be opened. - Filen '%1' kan ikke åbnes. - Gui::RevitNavigationStyle @@ -6977,7 +6977,7 @@ Do you want to specify another directory? Gui::TaskView::TaskDialog - + A dialog is already open in the task panel En dialog er allerede åben i opgavepanelet @@ -7006,38 +7006,8 @@ Do you want to specify another directory? Gui::TextDocumentEditorView - - Text updated - Tekst opdateret - - - - The text of the underlying object has changed. Discard changes and reload the text from the object? - Teksten til det underliggende objekt er blevet ændret. Skal ændringerne kasseres teksten fra objektet genindlæses? - - - - Yes, reload. - Ja, genindlæs. - - - - Unsaved document - Ikke-gemt dokument - - - - Do you want to save your changes before closing? - Vil du gemme dine ændringer, før du afslutter? - - - - If you don't save, your changes will be lost. - Hvis du ikke gemmer, vil dine ændringer gå tabt. - - - - + + Edit text Redigér tekst @@ -7314,7 +7284,7 @@ Do you want to specify another directory? Gui::TreeDockWidget - + Tree view Trævisningen @@ -7322,7 +7292,7 @@ Do you want to specify another directory? Gui::TreePanel - + Search Søg @@ -7380,148 +7350,148 @@ Do you want to specify another directory? Gruppe - + Labels & Attributes Etiketter & attributter - + Description Beskrivelse - + Internal name Internal name - + Show items hidden in tree view Vis skjulte elementer i trævisning - + Show items that are marked as 'hidden' in the tree view Vis elementer der er markeret som 'skjulte' i trævisningen - + Toggle visibility in tree view Skift synlighed i trævisningen - + Toggles the visibility of selected items in the tree view Ændrer synligheden af valgte elementer i trævisningen - + Create group Opret gruppe - + Create a group Opret en gruppe - - + + Rename Omdøb - + Rename object Omdøb objekt - + Finish editing Færdig med at redigere - + Finish editing object Færdig med at redigere objekt - + Add dependent objects to selection Tilføj afhængige objekter til markeringen - + Adds all dependent objects to the selection Tilføjer alle afhængige objekter til markeringen - + Close document Luk dokument - + Close the document Luk dokumentet - + Reload document Genindlæs Dokument - + Reload a partially loaded document Genindlæs et delvist indlæst dokument - + Skip recomputes Undlad genberegning - + Enable or disable recomputations of document Aktiver eller deaktiver omregning af dokument - + Allow partial recomputes Tillad delvise omregninger - + Enable or disable recomputating editing object when 'skip recomputation' is enabled Aktiver eller deaktiver genberegning af det objekt der redigeres når 'Undlad genberegning' er aktiveret - + Mark to recompute Markér for genberegning - + Mark this object to be recomputed Markér dette objekt, som et der skal genberegnes - + Recompute object Genberegn objekt - + Recompute the selected object Genberegn det valgte objekt - + (but must be executed) (men skal udføres) - + %1, Internal name: %2 %1, Internt navn: %2 @@ -7733,47 +7703,47 @@ Do you want to specify another directory? QDockWidget - + Tree view Trævisningen - + Tasks Opgaver - + Property view Egenskabsvisning - + Selection view Udvælgelsesvisning - + Task List Opgaveliste - + Model Model - + DAG View DAG Visning - + Report view Rapportvisning - + Python console Python-konsollen @@ -7813,35 +7783,35 @@ Do you want to specify another directory? Python - - - + + + Unknown filetype Ukendt filtype - - + + Cannot open unknown filetype: %1 Kan ikke åbne ukendt filetype: %1 - + Export failed Eksporten mislykkedes - + Cannot save to unknown filetype: %1 Kan ikke gemme ukendt filetype: %1 - + Recomputation required Recomputation required - + Some document(s) require recomputation for migration purposes. It is highly recommended to perform a recomputation before any modification to avoid compatibility problems. Do you want to recompute now? @@ -7850,24 +7820,24 @@ Do you want to recompute now? Do you want to recompute now? - + Recompute error Recompute error - + Failed to recompute some document(s). Please check report view for more details. Failed to recompute some document(s). Please check report view for more details. - + Workbench failure Værktøjskasse-fejl - + %1 %1 @@ -7913,90 +7883,105 @@ Please check report view for more details. Importer fil - + Export file Eksportér fil - + Printing... Udskriver... - + Exporting PDF... Eksporterer PDF... - - + + Unsaved document Ikke-gemt dokument - + The exported object contains external link. Please save the documentat least once before exporting. Det eksporterede objekt indeholder ekstern(e) link(s). Gem dokumentet før eksportering. - - + + Delete failed Sletning lykkedes ikke - + Dependency error Afhængighedsfejl - + Copy selected Kopi valgt - + Copy active document Kopier aktivt dokument - + Copy all documents Kopier alle dokumenter - + Paste Indsæt - + Expression error Udtryksfejl - + Failed to parse some of the expressions. Please check the Report View for more details. Kunne ikke fortolke nogle af udtrykkene. Se venligst Rapportvisningen for flere detaljer. - + Failed to paste expressions Kunne ikke indsætte udtryk - + Cannot load workbench Kan ikke indlæse værktøjskassen - + A general error occurred while loading the workbench En generel fejl opstod under indlæsning af værktøjskassen + + + Restart in safe mode + Restart in safe mode + + + + Are you sure you want to restart FreeCAD and enter safe mode? + Are you sure you want to restart FreeCAD and enter safe mode? + + + + Safe mode temporarily disables your configuration and addons. + Safe mode temporarily disables your configuration and addons. + @@ -8221,7 +8206,7 @@ Vil du fortsætte? For mange åbne ikke-forstyrrende meddelelser. Notifikationer bliver udeladt! - + Identical physical path detected. It may cause unwanted overwrite of existing document! @@ -8230,44 +8215,44 @@ Vil du fortsætte? - + Are you sure you want to continue? Sikker på, at du vil fortsætte? - + Please check report view for more... Se venligst rapportvisningen for mere... - + Physical path: Fysisk sti: - - + + Document: Dokument: - - + + Path: Sti: - + Identical physical path Identisk fysisk sti - + Could not save document Kunne ikke gemme dokument - + There was an issue trying to save the file. This may be because some of the parent folders do not exist, or you do not have sufficient permissions, or for other reasons. Error details: "%1" @@ -8280,102 +8265,102 @@ Would you like to save the file with a different name? Vil du gemme filen med et andet navn? - - - + + + Saving aborted Gemmer afbrudte - + Save dependent files Gem afhængige filer - + The file contains external dependencies. Do you want to save the dependent files, too? Filen indeholder eksterne afhængigheder. Vil du også gemme de afhængige filer? - - + + Saving document failed Kunne ikke gemme dokumentet - + Save document under new filename... Gem dokumentet under nyt filnavn... - - + + Save %1 Document Gem %1 dokument - + Document Dokument - - + + Failed to save document Kunne ikke gemme dokument - + Documents contains cyclic dependencies. Do you still want to save them? Dokumenter indeholder rekursive afhængigheder. Vil du stadig gemme dem? - + Save a copy of the document under new filename... Gem en kopi af dokumentet under nyt filnavn... - + %1 document (*.FCStd) %1 dokument (*.FCStd) - + Document not closable Dokumentet kan ikke lukkes - + The document is not closable for the moment. Dokumentet kan ikke lukkes for øjeblikket. - + Document not saved Dokument ikke gemt - + The document%1 could not be saved. Do you want to cancel closing it? Dokumentet%1 kunne ikke gemmes. Vil du annullere lukning af det? - + Undo Fortryd - + Redo Annulér fortrydning - + There are grouped transactions in the following documents with other preceding transactions Der er grupperede transaktioner i følgende dokumenter, med andre forudgående transaktioner - + Choose 'Yes' to roll back all preceding transactions. Choose 'No' to roll back in the active document only. Choose 'Abort' to abort @@ -8469,7 +8454,7 @@ Vælg 'Afbryd' for at afbryde Kan ikke finde filen %1, hverken i %2 eller i %3 - + Navigation styles Navigationsmåder @@ -8480,47 +8465,47 @@ Vælg 'Afbryd' for at afbryde Transformér - + Do you want to close this dialog? Vil du lukke denne dialog? - + Do you want to save your changes to document '%1' before closing? Vil du gemme dine ændringer i dokumentet '%1', før du lukker? - + Do you want to save your changes to document before closing? Vil du gemme dine ændringer i dokumentet før du lukker? - + If you don't save, your changes will be lost. Hvis du ikke gemmer, vil dine ændringer gå tabt. - + Apply answer to all Anvend svar på alle - + %1 Document(s) not saved %1 Dokument(er) er ikke gemt - + Some documents could not be saved. Do you want to cancel closing? Nogle dokumenter kunne ikke gemmes. Vil du annullere lukningen? - + Delete macro Slet makro - + Not allowed to delete system-wide macros Ikke tilladt at slette systemdækkende makroer @@ -8616,10 +8601,10 @@ Vælg 'Afbryd' for at afbryde - - - - + + + + Invalid name Ugyldigt navn @@ -8632,25 +8617,25 @@ og understregning, og må ikke starte med et tal. - + The property name is a reserved word. The property name is a reserved word. - + The property '%1' already exists in '%2' Egenskaben '%1' findes allerede i '%2' - + Add property Tilføj egenskab - + Failed to add property to '%1': %2 Kunne ikke tilføje egenskab til '%1': %2 @@ -8936,14 +8921,14 @@ i den aktuelle kopi vil gå tabt. Undertrykt - + The property name must only contain alpha numericals, underscore, and must not start with a digit. The property name must only contain alpha numericals, underscore, and must not start with a digit. - + The group name must only contain alpha numericals, underscore, and must not start with a digit. The group name must only contain alpha numericals, @@ -8990,13 +8975,13 @@ underscore, and must not start with a digit. StdCmdAbout - + &About %1 &Om %1 - - + + About %1 Om %1 @@ -9004,13 +8989,13 @@ underscore, and must not start with a digit. StdCmdAboutQt - + About &Qt Om &Qt - - + + About Qt Om Qt @@ -9046,13 +9031,13 @@ underscore, and must not start with a digit. StdCmdAlignment - + Alignment... På linje... - - + + Align the selected objects Bring de markerede objekter på linje @@ -9116,13 +9101,13 @@ underscore, and must not start with a digit. StdCmdCommandLine - + Start command &line... Start kommando&linje... - - + + Opens the command line in the console Åbner kommandolinjen i konsollen @@ -9130,13 +9115,13 @@ underscore, and must not start with a digit. StdCmdCopy - + C&opy K&opi - - + + Copy operation Kopier handling @@ -9144,13 +9129,13 @@ underscore, and must not start with a digit. StdCmdCut - + &Cut &Klip - - + + Cut out Klip ud @@ -9158,13 +9143,13 @@ underscore, and must not start with a digit. StdCmdDelete - + &Delete &Slet - - + + Deletes the selected objects Sletter de markerede objekter @@ -9186,13 +9171,13 @@ underscore, and must not start with a digit. StdCmdDependencyGraph - + Dependency graph... Afhængighedsgraf... - - + + Show the dependency graph of the objects in the active document Vis afhængighedsgrafen for objekterne i det aktive dokument @@ -9200,13 +9185,13 @@ underscore, and must not start with a digit. StdCmdDlgCustomize - + Cu&stomize... &Tilpas... - - + + Customize toolbars and command bars Tilpas værktøjslinjer og kommandolinjer @@ -9266,13 +9251,13 @@ underscore, and must not start with a digit. StdCmdDlgParameter - + E&dit parameters ... Re&diger parametre ... - - + + Opens a Dialog to edit the parameters Åbner en dialog til at redigere parametrene @@ -9280,13 +9265,13 @@ underscore, and must not start with a digit. StdCmdDlgPreferences - + &Preferences ... &Indstillinger ... - - + + Opens a Dialog to edit the preferences Åbner en dialog til at redigere indstillingerne @@ -9322,13 +9307,13 @@ underscore, and must not start with a digit. StdCmdDuplicateSelection - + Duplicate selection Duplikér valgte - - + + Put duplicates of the selected objects to the active document Placér dubletter af de markerede objekter i det aktive dokument @@ -9336,17 +9321,17 @@ underscore, and must not start with a digit. StdCmdEdit - + Toggle &Edit mode Skift &redigeringstilstand - + Toggles the selected object's edit mode Ændrer redigeringstilstand for det valgte objekts - + Activates or Deactivates the selected object's edit mode Aktiverer eller deaktiverer det valgte objekts redigeringstilstand @@ -9365,12 +9350,12 @@ underscore, and must not start with a digit. Eksportér et objekt i det aktive dokument - + No selection Ingen valg - + Select the objects to export before choosing Export. Vælg de objekter der skal eksporteres, før du vælger Eksport. @@ -9378,13 +9363,13 @@ underscore, and must not start with a digit. StdCmdExpression - + Expression actions Udtrykshandlinger - - + + Actions that apply to expressions Handlinger der er knyttet til udtryk @@ -9406,12 +9391,12 @@ underscore, and must not start with a digit. StdCmdFreeCADDonation - + Donate Donér - + Donate to FreeCAD development Donér til udviklingen af FreeCAD @@ -9419,17 +9404,17 @@ underscore, and must not start with a digit. StdCmdFreeCADFAQ - + FreeCAD FAQ FreeCAD FAQ - + Frequently Asked Questions on the FreeCAD website Ofte stillede spørgsmål på FreeCAD's hjemmeside - + Frequently Asked Questions Ofte stillede spørgsmål (FAQ) @@ -9437,17 +9422,17 @@ underscore, and must not start with a digit. StdCmdFreeCADForum - + FreeCAD Forum FreeCAD Forum - + The FreeCAD forum, where you can find help from other users FreeCAD forum, hvor du kan få hjælp fra andre brugere - + The FreeCAD Forum FreeCAD Forum @@ -9455,17 +9440,17 @@ underscore, and must not start with a digit. StdCmdFreeCADPowerUserHub - + Python scripting documentation Python-script dokumentation - + Python scripting documentation on the FreeCAD website Python dokumentation på FreeCAD's hjemmeside - + PowerUsers documentation Superbruger dokumentation @@ -9473,13 +9458,13 @@ underscore, and must not start with a digit. StdCmdFreeCADUserHub - - + + Users documentation Bruger dokumentation - + Documentation for users on the FreeCAD website Dokumentation for brugere på FreeCAD's hjemmeside @@ -9487,13 +9472,13 @@ underscore, and must not start with a digit. StdCmdFreeCADWebsite - - + + FreeCAD Website FreeCAD's Hjemmeside - + The FreeCAD website FreeCAD hjemmesiden @@ -9808,25 +9793,25 @@ underscore, and must not start with a digit. StdCmdMergeProjects - + Merge document... Flet dokument... - - - - + + + + Merge document Flet dokument - + %1 document (*.FCStd) %1 dokument (*.FCStd) - + Cannot merge document with itself. Dokumenter kan ikke flettes med sig selv. @@ -9834,18 +9819,18 @@ underscore, and must not start with a digit. StdCmdNew - + &New &Ny - - + + Create a new empty document Opret et nyt tomt dokument - + Unnamed Unavngivet @@ -9854,13 +9839,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelp - - + + Help Hjælp - + Show help to the application Vis hjælp til programmet @@ -9868,13 +9853,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelpWebsite - - + + Help Website Hjemmeside med hjælp - + The website where the help is maintained Det websted, hvor hjælpen vedligeholdes @@ -9929,13 +9914,13 @@ underscore, and must not start with a digit. StdCmdPaste - + &Paste &Indsæt - - + + Paste operation Indsætning @@ -9943,13 +9928,13 @@ underscore, and must not start with a digit. StdCmdPlacement - + Placement... Placering... - - + + Place the selected objects Placér de markerede objekter @@ -9957,13 +9942,13 @@ underscore, and must not start with a digit. StdCmdPrint - + &Print... &Udskriv... - - + + Print the document Udskriv dokumentet @@ -9971,13 +9956,13 @@ underscore, and must not start with a digit. StdCmdPrintPdf - + &Export PDF... &Eksporter PDF... - - + + Export the document as PDF Eksportér dokumentet som PDF @@ -9985,17 +9970,17 @@ underscore, and must not start with a digit. StdCmdPrintPreview - + &Print preview... &Vis udskrift... - + Print the document Udskriv dokumentet - + Print preview Vis udskrift @@ -10003,13 +9988,13 @@ underscore, and must not start with a digit. StdCmdPythonWebsite - - + + Python Website Python's Hjemmeside - + The official Python website Den officielle Python hjemmeside @@ -10017,13 +10002,13 @@ underscore, and must not start with a digit. StdCmdQuit - + E&xit &Afslut - - + + Quits the application Afslutter programmet @@ -10045,13 +10030,13 @@ underscore, and must not start with a digit. StdCmdRecentFiles - + Open Recent Åbn seneste - - + + Recent file list Liste over seneste filer @@ -10059,13 +10044,13 @@ underscore, and must not start with a digit. StdCmdRecentMacros - + Recent macros Seneste makroer - - + + Recent macro list Liste over seneste makroer @@ -10073,13 +10058,13 @@ underscore, and must not start with a digit. StdCmdRedo - + &Redo &Annulér fortryd - - + + Redoes a previously undone action Gendanner en tidligere fortrudt handling @@ -10087,13 +10072,13 @@ underscore, and must not start with a digit. StdCmdRefresh - + &Refresh &Opdatér - - + + Recomputes the current active document Opdaterer det aktuelle aktive dokument @@ -10101,13 +10086,13 @@ underscore, and must not start with a digit. StdCmdReportBug - + Report a bug Rapportér en fejl - - + + Report a bug or suggest a feature Rapporter en fejl eller foreslå en forbedring @@ -10115,13 +10100,13 @@ underscore, and must not start with a digit. StdCmdRevert - + Revert Vend tilbage - - + + Reverts to the saved version of this file Vend tilbage til den gemte version af denne fil @@ -10129,13 +10114,13 @@ underscore, and must not start with a digit. StdCmdSave - + &Save &Gem - - + + Save the active document Gem det aktive dokument @@ -10143,13 +10128,13 @@ underscore, and must not start with a digit. StdCmdSaveAll - + Save All Gem alt - - + + Save all opened document Gem alle åbne dokumenter @@ -10157,13 +10142,13 @@ underscore, and must not start with a digit. StdCmdSaveAs - + Save &As... Gem &som... - - + + Save the active document under a new file name Gem det aktive dokument under et nyt filnavn @@ -10171,13 +10156,13 @@ underscore, and must not start with a digit. StdCmdSaveCopy - + Save a &Copy... Gem en &kopi... - - + + Save a copy of the active document under a new file name Gem en kopi af det aktive dokument under et nyt filnavn @@ -10213,13 +10198,13 @@ underscore, and must not start with a digit. StdCmdSelectAll - + Select &All Vælg &Alt - - + + Select all Vælg alt @@ -10297,13 +10282,13 @@ underscore, and must not start with a digit. StdCmdTextDocument - + Add text document Tilføj tekst dokument - - + + Add text document to active document Tilføj tekst dokument til aktivt dokument @@ -10437,13 +10422,13 @@ underscore, and must not start with a digit. StdCmdTransform - + Transform... Transformér... - - + + Transform the geometry of selected objects Transformér geometrien for markerede objekter @@ -10451,13 +10436,13 @@ underscore, and must not start with a digit. StdCmdTransformManip - + Transform Transformér - - + + Transform the selected object in the 3d view Transformér det markerede objekt i 3D-visningen @@ -10521,13 +10506,13 @@ underscore, and must not start with a digit. StdCmdUndo - + &Undo &Fortryd - - + + Undo exactly one action Fortryd præcis én handling @@ -10535,13 +10520,13 @@ underscore, and must not start with a digit. StdCmdUserEditMode - + Edit mode Redigeringstilstand - - + + Defines behavior when editing an object from tree Definerer opførsel ved redigering af et objekt fra trævisningen @@ -10941,13 +10926,13 @@ underscore, and must not start with a digit. StdCmdWhatsThis - + &What's This? &Hvad er dette? - - + + What's This Hvad er dette @@ -10983,13 +10968,13 @@ underscore, and must not start with a digit. StdCmdWorkbench - + Workbench Værktøjskasse - - + + Switch between workbenches Skift mellem værktøjskasser @@ -11313,7 +11298,7 @@ underscore, and must not start with a digit. Std_Delete - + The following referencing objects might break. Are you sure you want to continue? @@ -11324,7 +11309,7 @@ Er du sikker på du vil fortsætte? - + Object dependencies Objektafhængigheder @@ -11332,7 +11317,7 @@ Er du sikker på du vil fortsætte? Std_DependencyGraph - + Dependency graph Afhængighedsgraf @@ -11413,12 +11398,12 @@ Er du sikker på du vil fortsætte? Std_DuplicateSelection - + Object dependencies Objektafhængigheder - + To link to external objects, the document must be saved at least once. Do you want to save the document now? For at linke til eksterne objekter, skal dokumentet gemmes mindst én gang. @@ -11436,7 +11421,7 @@ Vil du gemme dokumentet nu? Std_Refresh - + The document contains dependency cycles. Please check the Report View for more details. @@ -11450,17 +11435,17 @@ Vil du stadig fortsætte? Std_Revert - + Revert document Gendan dokument - + This will discard all the changes since last file save. Dette vil fjerne alle ændringer siden sidste gang filen blev gemt. - + Do you want to continue? Vil du fortsætte? @@ -11634,12 +11619,12 @@ Vil du stadig fortsætte? Gui::MDIView - + Export PDF Eksporter PDF - + PDF file PDF file @@ -12333,82 +12318,82 @@ Currently, your system has the following workbenches:</p></body>< Forhåndsvisning: - + Text Tekst - + Bookmark Bogmærke - + Breakpoint Breakpoint - + Keyword nøgleord - + Comment Kommentér - + Block comment Blok-kommentar - + Number Tal - + String Streng - + Character Tegn - + Class name Klassenavn - + Define name Definer navn - + Operator Operator - + Python output Python output - + Python error Python fejl - + Current line highlight Aktuel linje fremhævelse - + Items Elementer @@ -12919,13 +12904,13 @@ fra Python-konsollen til Rapportvisningspanelet StdCmdExportDependencyGraph - + Export dependency graph... Eksportér afhængighedsgraf... - - + + Export the dependency graph to a file Eksporter afhængighedsgrafen til en fil @@ -13363,13 +13348,13 @@ hvis alle pixels i området er ugennemsigtige. StdCmdProjectInfo - + Document i&nformation... Dokument i&nformation... - - + + Show details of the currently active document Vis detaljer for det aktuelt aktive dokument @@ -13377,13 +13362,13 @@ hvis alle pixels i området er ugennemsigtige. StdCmdProjectUtil - + Document utility... Dokumentværktøj... - - + + Utility to extract or create document files Værktøj til at udtrække eller oprette dokumentfiler @@ -13405,12 +13390,12 @@ hvis alle pixels i området er ugennemsigtige. StdCmdProperties - + Properties Egenskaber - + Show the property view, which displays the properties of the selected object. Viser egenskabsvisningen, som viser egenskaberne for det markerede objekt. @@ -13461,13 +13446,13 @@ hvis alle pixels i området er ugennemsigtige. StdCmdReloadStyleSheet - + &Reload stylesheet &Reload stylesheet - - + + Reloads the current stylesheet Reloads the current stylesheet @@ -13744,15 +13729,38 @@ hvis alle pixels i området er ugennemsigtige. StdCmdUnitsCalculator - + &Units converter... &Units converter... - - + + Start the units converter Start the units converter + + Gui::ModuleIO + + + File not found + Filen blev ikke fundet + + + + The file '%1' cannot be opened. + Filen '%1' kan ikke åbnes. + + + + StdCmdRestartInSafeMode + + + + + Restart in safe mode + Restart in safe mode + + diff --git a/src/Gui/Language/FreeCAD_de.ts b/src/Gui/Language/FreeCAD_de.ts index af51c9b22ab6..3ab85c18f00f 100644 --- a/src/Gui/Language/FreeCAD_de.ts +++ b/src/Gui/Language/FreeCAD_de.ts @@ -91,17 +91,17 @@ Bearbeiten - + Import Importieren - + Delete Löschen - + Paste expressions Ausdrücke einfügen @@ -131,7 +131,7 @@ Alle Verknüpfungen importieren - + Insert text document Textdokument einfügen @@ -180,7 +180,7 @@ Toggle visibility - Ein/Ausblenden + Ein-/ausblenden @@ -424,42 +424,42 @@ EditMode - + Default Standard - + The object will be edited using the mode defined internally to be the most appropriate for the object type Das Objekt wird mit dem intern als dafür am geeignetsten gekennzeichneten Modus bearbeitet - + Transform Bewegen - + The object will have its placement editable with the Std TransformManip command Die Objektplatzierung wird mit dem Befehl Std TransformManip editierbar sein - + Cutting Schneiden - + This edit mode is implemented as available but currently does not seem to be used by any object Dieser Bearbeitungsmodus ist als verfügbar implementiert, scheint aber von keinem Objekt verwendet zu werden - + Color Farbe - + The object will have the color of its individual faces editable with the Part FaceAppearances command Das Objekt wird seine einzelnen Flächenfarben mit dem Befehl Part FaceAppearances editierbar haben @@ -681,8 +681,8 @@ while doing a left or right click and move the mouse up or down - Word size - Wortgröße + Architecture + Architecture @@ -701,58 +701,58 @@ while doing a left or right click and move the mouse up or down - Text source + Gui::Dialog::AboutDialog - - + + Credits - Header for the Credits tab of the About screen Danksagungen - + + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + Header for bgbsww + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + + + FreeCAD would not be possible without the contributions of FreeCAD wäre nicht möglich ohne die Beiträge von - + Individuals Header for the list of individual people in the Credits list. Personen - + Organizations Header for the list of companies/organizations in the Credits list. Organisationen - - + + License Lizenz - + Libraries Bibliotheken - - This software uses open source components whose copyright and other proprietary rights belong to their respective owners: - Dieses Programm verwendet Open-Source-Komponenten, deren Urheberrechte und andere Eigentumsrechte ihren jeweiligen Eigentümern gehören: - - - + Collection Sammlung - + Privacy Policy Datenschutzrichtlinie @@ -970,7 +970,7 @@ while doing a left or right click and move the mouse up or down - Text source + @@ -1062,7 +1062,7 @@ Wenn dies nicht ausgewählt ist, muss die Eigenschaft eindeutig benannt sein und - Text source + @@ -1249,7 +1249,7 @@ Wenn dies nicht ausgewählt ist, muss die Eigenschaft eindeutig benannt sein und Gui::Dialog::DlgCustomCommands - Text source + @@ -1351,7 +1351,7 @@ same time. The one with the highest priority will be triggered. - Text source + @@ -1406,8 +1406,8 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgCustomToolBoxbarsImp - - + + Toolbox bars Werkzeugleisten @@ -1496,46 +1496,46 @@ same time. The one with the highest priority will be triggered. - + <Separator> <Trennlinie> - + %1 module not loaded Modul %1 nicht geladen - + New toolbar Neue Symbolleiste - - + + Toolbar name: Name der Symbolleiste: - - + + Duplicated name Doppelter Namen - - + + The toolbar name '%1' is already used Der Name der Symbolleiste '%1' wird bereits verwendet - + Rename toolbar Symbolleiste umbenennen - Text source + @@ -1606,14 +1606,14 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgDisplayProperties - Text source + Gui::Dialog::DlgEditorSettings - Text source + @@ -1625,7 +1625,7 @@ same time. The one with the highest priority will be triggered. - Text source + @@ -1743,72 +1743,72 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgMacroExecuteImp - + Macros Makros - + Read-only Nur Lesezugriff - + Macro file Makro-Datei - + Enter a file name, please: Bitte einen Dateinamen eingeben: - - - + + + Existing file Vorhandene Datei - + '%1'. This file already exists. '%1'.\n Diese Datei ist bereits vorhanden. - + Cannot create file Datei kann nicht erstellt werden - + Creation of file '%1' failed. Erstellen der Datei %1' fehlgeschlagen. - + Delete macro Makro löschen - + Do you really want to delete the macro '%1'? Soll das Makro '%1' wirklich gelöscht werden? - + Do not show again Nicht noch einmal anzeigen - + Guided Walkthrough Programm-Einführung - + This will guide you in setting up this macro in a custom global toolbar. Instructions will be in red text inside the dialog. Note: your changes will be applied when you next switch workbenches @@ -1819,77 +1819,77 @@ Hinweis: Die Änderungen werden beim nächsten Wechsel im Arbeitsbereich wirksam - + Walkthrough, dialog 1 of 2 Lösungsansatz, Dialog 1 von 2 - + Walkthrough instructions: Fill in missing fields (optional) then click Add, then Close Lösung: Fehlende Felder ausfüllen (optional) und auf Hinzufügen klicken, dann schließen - + Walkthrough, dialog 1 of 1 Lösungsansatz, Dialog 1 von 1 - + Walkthrough, dialog 2 of 2 Lösungsansatz, Dialog 2 von 2 - - Walkthrough instructions: Click right arrow button (->), then Close. - Lösungsansatz: Auf den rechten Pfeil (->) klicken, dann Schließen. + + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. - Walkthrough instructions: Click New, then right arrow (->) button, then Close. - Lösungsansatz: Auf Neu klicken, dann rechten Pfeil (->), dann Schließen. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. - + Renaming Macro File Makrodatei umbenennen - - + + Enter new name: Neuen Namen eingeben: - - + + '%1' already exists. '%1' ist bereits vorhanden. - + Rename Failed Umbenennen fehlgeschlagen - + Failed to rename to '%1'. Perhaps a file permission error? Umbenennen nach '%1' fehlgeschlagen. Möglicherweise ein Dateizugriffsfehler? - + Duplicate Macro Makro kopieren - + Duplicate Failed Kopieren fehlgeschlagen - + Failed to duplicate to '%1'. Perhaps a file permission error? Fehler beim Kopieren nach '%1'. Vielleicht liegt ein Dateiberechtigungsfehler vor? @@ -2027,7 +2027,7 @@ Perhaps a file permission error? - Text source + @@ -2294,7 +2294,7 @@ Wählen Sie bitte ein anderes Verzeichnis aus. - Text source + @@ -2459,7 +2459,7 @@ Wählen Sie bitte ein anderes Verzeichnis aus. - Text source + @@ -2472,7 +2472,7 @@ Wählen Sie bitte ein anderes Verzeichnis aus. Extract document - Dokument entpacken + Dokument extrahieren @@ -2489,7 +2489,7 @@ Wählen Sie bitte ein anderes Verzeichnis aus. Extract - Entpacken + Extrahieren @@ -2593,7 +2593,7 @@ Wählen Sie bitte ein anderes Verzeichnis aus. Gui::Dialog::DlgReportView - Text source + @@ -2944,7 +2944,7 @@ Der angegebene Wert ist ein Faktor, der mit der Größe des Hüllquaders des ger - Text source + @@ -3238,7 +3238,7 @@ neben dem Farbbalken - Text source + @@ -3868,7 +3868,7 @@ Es kann auch diese Form verwendet werden: Max Mustermann <max@mustermann.de&g How many macros should be listed in recent macros list - Anzahl der Makros in der aktuellen Makroliste + Gibt die Anzahl der Makros an, die in der Liste der aktuellen Makros angezeigt werden @@ -3878,7 +3878,7 @@ Es kann auch diese Form verwendet werden: Max Mustermann <max@mustermann.de&g How many recent macros should have shortcuts - Wie viele der aktuellen Makros sollten Tastenkombinationen haben + Gibt an, wie viele der aktuellen Makros über Tastaturkürzel gestartet werden können @@ -3902,7 +3902,7 @@ Es kann auch diese Form verwendet werden: Max Mustermann <max@mustermann.de&g Navigation cube - Steuerwürfel + Navigationswürfel @@ -4554,7 +4554,7 @@ Größere Werte erleichtern das Selektieren von Dingen, können aber die Auswahl Gui::Dialog::DlgTipOfTheDay - Text source + @@ -4919,7 +4919,7 @@ Die Spalte "Status" zeigt an, ob das Dokument wiederhergestellt werden konnte. Removing a folder only takes effect after an application restart. - Das Entfernen eines Ordners wird erst wirksam nach einem Anwendungs-Neustart. + Das Entfernen eines Ordners wird erst nach einem Neustart der Anwendung wirksam. @@ -5340,7 +5340,7 @@ Die Spalte "Status" zeigt an, ob das Dokument wiederhergestellt werden konnte. Inventor Tree - Szenengraph + Inventor-Baum @@ -5492,7 +5492,7 @@ dieses Dialogs ausgewählt wurden - Text source + @@ -5890,81 +5890,81 @@ ODER ALT-Taste + rechte Maustaste drücken ODER Bild auf/Bild ab auf der Tastatu Gui::GraphvizView - + Graphviz not found Graphviz nicht gefunden - + Graphviz couldn't be found on your system. Graphviz konnte auf dem System nicht gefunden werden. - + Read more about it here. Mehr dazu hier nachlesen. - + Do you want to specify its installation path if it's already installed? Den Installationsort angeben, falls es bereits installiert wurde? - + Graphviz installation path Graphviz-Installationspfad - + Graphviz failed Graphviz ist fehlgeschlagen - + Graphviz failed to create an image file Graphviz konnte keine Bild-Datei erstellen - + PNG format PNG-Format - + Bitmap format Bitmap-Format - + GIF format GIF-Format - + JPG format JPG-Format - + SVG format SVG-Format - - + + PDF format PDF-Format - - + + Graphviz format Graphviz-Format - - - + + + Export graph Graphik exportieren @@ -6124,63 +6124,83 @@ ODER ALT-Taste + rechte Maustaste drücken ODER Bild auf/Bild ab auf der Tastatu Gui::MainWindow - - + + Dimension Abmessung - + Ready Bereit - + Close All Alles schließen - - - + + + Toggles this toolbar Symbolleiste ein-/ausschalten - - - + + + Toggles this dockable window Andockbares Fenster ein-/ausschalten - + + Safe mode enabled + Safe mode enabled + + + + FreeCAD is now running in safe mode. + FreeCAD is now running in safe mode. + + + + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + + + WARNING: This is a development version. ACHTUNG: Dies ist eine Entwicklungsversion. - + Please do not use it in a production environment. Bitte nicht in einer Produktionsumgebung verwenden. - - + + Unsaved document Nicht gespeichertes Dokument - + The exported object contains external link. Please save the documentat least once before exporting. Das exportierte Objekt enthält einen externen Link. Das Dokument sollte vor dem Exportieren mindestens einmal gespeichert werden. - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Um zu externen Objekten zu verlinken, muss das Dokument mindestens einmal gespeichert werden. Das Dokument jetzt speichern? + + + Safe Mode + Safe Mode + Gui::ManualAlignment @@ -6682,39 +6702,19 @@ Trotzdem beenden, ohne die Daten zu speichern? Open file %1 Öffne Datei %1 - - - File not found - Datei nicht gefunden - - - - The file '%1' cannot be opened. - Die Datei '%1' kann nicht geöffnet werden. - Gui::RecentMacrosAction - + none kein - + Run macro %1 (Shift+click to edit) keyboard shortcut: %2 Makro %1 ausführen (Umschalt+Klick zum Bearbeiten) Tastenkombination: %2 - - - File not found - Datei nicht gefunden - - - - The file '%1' cannot be opened. - Die Datei '%1' kann nicht geöffnet werden. - Gui::RevitNavigationStyle @@ -6969,7 +6969,7 @@ Stattdessen ein anderes Verzeichnis angeben? Gui::TaskView::TaskDialog - + A dialog is already open in the task panel Im Aufgabenbereich ist bereits ein Dialog geöffnet @@ -6998,38 +6998,8 @@ Stattdessen ein anderes Verzeichnis angeben? Gui::TextDocumentEditorView - - Text updated - Text aktualisiert - - - - The text of the underlying object has changed. Discard changes and reload the text from the object? - Der Text des zugrunde liegenden Objekts wurde geändert. Änderungen verwerfen und den Text aus dem Objekt neu laden? - - - - Yes, reload. - Ja, neu zu laden. - - - - Unsaved document - Nicht gespeichertes Dokument - - - - Do you want to save your changes before closing? - Änderungen vor dem Schließen speichern? - - - - If you don't save, your changes will be lost. - Ohne speichern, gehen die Änderungen verloren. - - - - + + Edit text Text bearbeiten @@ -7306,7 +7276,7 @@ Stattdessen ein anderes Verzeichnis angeben? Gui::TreeDockWidget - + Tree view Baumansicht @@ -7314,7 +7284,7 @@ Stattdessen ein anderes Verzeichnis angeben? Gui::TreePanel - + Search Suche @@ -7372,148 +7342,148 @@ Stattdessen ein anderes Verzeichnis angeben? Gruppe - + Labels & Attributes Bezeichnungen & Eigenschaften - + Description Beschreibung - + Internal name Interner Name - + Show items hidden in tree view In der Baumansicht ausgeblendete Elemente anzeigen - + Show items that are marked as 'hidden' in the tree view Elemente anzeigen, die in der Baumansicht als 'ausgeblendet' gekennzeichnet sind - + Toggle visibility in tree view Sichtbarkeit in der Baumansicht umschalten - + Toggles the visibility of selected items in the tree view Schaltet die Sichtbarkeit ausgewählter Elemente in der Baumansicht um - + Create group Gruppe erstellen - + Create a group Erstelle eine Gruppe - - + + Rename Umbenennen - + Rename object Objekt umbenennen - + Finish editing Bearbeitung beenden - + Finish editing object Bearbeitung des Objekts beenden - + Add dependent objects to selection Abhängige Objekte zur Auswahl hinzufügen - + Adds all dependent objects to the selection Fügt alle abhängigen Objekte zur Auswahl hinzu - + Close document Dokument schließen - + Close the document Das Dokument schließen - + Reload document Dokument neu laden - + Reload a partially loaded document Ein teilweise geladenes Dokument neu laden - + Skip recomputes Neuberechnungen überspringen - + Enable or disable recomputations of document Aktivieren oder Deaktivieren von Neuberechnungen des Dokuments - + Allow partial recomputes Teilweise Neuberechnungen erlauben - + Enable or disable recomputating editing object when 'skip recomputation' is enabled Aktivieren oder deaktivieren der Neuberechnung des Editierungsobjekts, wenn 'Neuberechnung überspringen' aktiviert ist - + Mark to recompute Markieren, um neu zu berechnen - + Mark this object to be recomputed Markiert dieses Objekt zum Neuberechnen - + Recompute object Objekt neu berechnen - + Recompute the selected object Ausgewähltes Objekt neu berechnen - + (but must be executed) (muss aber ausgeführt werden) - + %1, Internal name: %2 %1, Interner Name:%2 @@ -7725,47 +7695,47 @@ Stattdessen ein anderes Verzeichnis angeben? QDockWidget - + Tree view Baumansicht - + Tasks Aufgaben - + Property view Eigenschaften - + Selection view Auswahlansicht - + Task List Aufgabenliste - + Model Modell - + DAG View DAG-Ansicht - + Report view Ausgabefenster - + Python console Python-Konsole @@ -7805,35 +7775,35 @@ Stattdessen ein anderes Verzeichnis angeben? Python - - - + + + Unknown filetype Unbekannter Dateityp - - + + Cannot open unknown filetype: %1 Kann unbekannten Dateityp nicht öffnen: %1 - + Export failed Fehler beim Exportieren - + Cannot save to unknown filetype: %1 Kann in unbekannten Dateityp nicht speichern: %1 - + Recomputation required Neuberechnung erforderlich - + Some document(s) require recomputation for migration purposes. It is highly recommended to perform a recomputation before any modification to avoid compatibility problems. Do you want to recompute now? @@ -7842,24 +7812,24 @@ Do you want to recompute now? Jetzt neu berechnen? - + Recompute error Neuberechnungsfehler - + Failed to recompute some document(s). Please check report view for more details. Fehler bei der Neuberechnung einiger Dokumente. Bitte die Berichtsansicht für weitere Details überprüfen. - + Workbench failure Wechsel von Arbeitsbereich fehlgeschlagen - + %1 %1 @@ -7905,90 +7875,105 @@ Bitte die Berichtsansicht für weitere Details überprüfen. Importiere Datei - + Export file Exportiere Datei - + Printing... Drucken... - + Exporting PDF... Exportiert als PDF... - - + + Unsaved document Nicht gespeichertes Dokument - + The exported object contains external link. Please save the documentat least once before exporting. Das exportierte Objekt enthält einen externen Link. Das Dokument sollte vor dem Exportieren mindestens einmal gespeichert werden. - - + + Delete failed Löschen fehlgeschlagen - + Dependency error Abhängigkeitsfehler - + Copy selected Ausgewählte kopieren - + Copy active document Aktives Dokument kopieren - + Copy all documents Alle Dokumente kopieren - + Paste Einfügen - + Expression error Ausdrucksfehler - + Failed to parse some of the expressions. Please check the Report View for more details. Fehler beim Analysieren einiger Ausdrücke. Weitere Einzelheiten finden sich im Ausgabefenster. - + Failed to paste expressions Das Einfügen von Ausdrücken ist fehlgeschlagen - + Cannot load workbench Kann Arbeitsbereich nicht laden - + A general error occurred while loading the workbench Allgemeiner Fehler beim Laden des Arbeitsbereiches aufgetreten + + + Restart in safe mode + Restart in safe mode + + + + Are you sure you want to restart FreeCAD and enter safe mode? + Are you sure you want to restart FreeCAD and enter safe mode? + + + + Safe mode temporarily disables your configuration and addons. + Safe mode temporarily disables your configuration and addons. + @@ -8213,7 +8198,7 @@ Trotzdem fortfahren? Zu viele offene, unaufdringliche Benachrichtigungen. Benachrichtigungen werden ausgelassen! - + Identical physical path detected. It may cause unwanted overwrite of existing document! @@ -8222,44 +8207,44 @@ Trotzdem fortfahren? - + Are you sure you want to continue? Wirklich fortfahren? - + Please check report view for more... Bitte das Ausgabefenster prüfen für weitere... - + Physical path: Physischer Pfad: - - + + Document: Dokument: - - + + Path: Pfad: - + Identical physical path Identischer physischer Pfad - + Could not save document Dokument konnte nicht gespeichert werden - + There was an issue trying to save the file. This may be because some of the parent folders do not exist, or you do not have sufficient permissions, or for other reasons. Error details: "%1" @@ -8272,102 +8257,102 @@ Would you like to save the file with a different name? Die Datei unter einem anderen Namen speichern? - - - + + + Saving aborted Speichern abgebrochen - + Save dependent files Abhängige Dateien speichern - + The file contains external dependencies. Do you want to save the dependent files, too? Die Datei enthält externe Abhängigkeiten. Auch die abhängigen Dateien speichern? - - + + Saving document failed Fehler beim Speichern des Dokuments - + Save document under new filename... Dokument unter neuem Dateinamen speichern... - - + + Save %1 Document Dokument %1 speichern - + Document Dokument - - + + Failed to save document Fehler beim Speichern des Dokuments - + Documents contains cyclic dependencies. Do you still want to save them? Die Dokumente enthalten zyklische Abhängigkeiten. Sollen sie trotzdem gespeichert werden? - + Save a copy of the document under new filename... Eine Kopie des Dokuments unter einem neuen Dateinamen speichern... - + %1 document (*.FCStd) %1-Dokument (*.FCStd) - + Document not closable Dokument kann nicht geschlossen werden - + The document is not closable for the moment. Das Dokument kann im Moment nicht geschlossen werden. - + Document not saved Dokument nicht gespeichert - + The document%1 could not be saved. Do you want to cancel closing it? Das Dokument%1 konnte nicht gespeichert werden. Möchtest du das Schließen abbrechen? - + Undo Rückgängig - + Redo Wiederholen - + There are grouped transactions in the following documents with other preceding transactions Es gibt gruppierte Transaktionen in den folgenden Dokumenten mit anderen vorhergehenden Transaktionen - + Choose 'Yes' to roll back all preceding transactions. Choose 'No' to roll back in the active document only. Choose 'Abort' to abort @@ -8461,7 +8446,7 @@ Choose 'Abort' to abort Kann Datei %1 weder in %2 noch in %3 finden - + Navigation styles Navigationsstile @@ -8472,47 +8457,47 @@ Choose 'Abort' to abort Transformieren - + Do you want to close this dialog? Soll dieser Dialog geschlossen werden? - + Do you want to save your changes to document '%1' before closing? Sollen die Änderungen an dem Dokument '%1' vor dem Schließen gespeichert werden? - + Do you want to save your changes to document before closing? Sollen die Änderungen am Dokument vor dem Schließen gespeichert werden? - + If you don't save, your changes will be lost. Ohne speichern, gehen die Änderungen verloren. - + Apply answer to all Antwort auf alle anwenden - + %1 Document(s) not saved %1 Dokument(e) nicht gespeichert - + Some documents could not be saved. Do you want to cancel closing? Einige Dokumente konnten nicht gespeichert werden. Möchtest du das Schließen abbrechen? - + Delete macro Makro löschen - + Not allowed to delete system-wide macros Keine Erlaubnis, die systemweiten Makros zu löschen @@ -8608,10 +8593,10 @@ Choose 'Abort' to abort - - - - + + + + Invalid name Ungültiger Name @@ -8624,25 +8609,25 @@ und Unterstriche enthalten und darf nicht mit einer Ziffer beginnen. - + The property name is a reserved word. - The property name is a reserved word. + Der Eigenschaftsname ist ein bereits vergebenes Wort - + The property '%1' already exists in '%2' Die Eigenschaft '%1' existiert bereits in '%2' - + Add property Eigenschaft hinzufügen - + Failed to add property to '%1': %2 Das Hinzufügen der Eigenschaft %2 zu '%1' ist fehlgeschlagen @@ -8925,14 +8910,14 @@ the current copy will be lost. Unterdrückt - + The property name must only contain alpha numericals, underscore, and must not start with a digit. Der Name der Eigenschaft darf nur alphanumerische Zeichen und Unterstriche enthalten und darf nicht mit einer Ziffer beginnen. - + The group name must only contain alpha numericals, underscore, and must not start with a digit. Der Gruppenname darf nur alphanumerische Zeichen @@ -8979,13 +8964,13 @@ und Unterstriche enthalten und darf nicht mit einer Ziffer beginnen. StdCmdAbout - + &About %1 &Über %1 - - + + About %1 Über %1 @@ -8993,13 +8978,13 @@ und Unterstriche enthalten und darf nicht mit einer Ziffer beginnen. StdCmdAboutQt - + About &Qt Über &Qt - - + + About Qt Über Qt @@ -9015,7 +9000,7 @@ und Unterstriche enthalten und darf nicht mit einer Ziffer beginnen. Activate next window - Nächstes Fenster aktivieren + Aktiviert das folgende Fenster @@ -9029,19 +9014,19 @@ und Unterstriche enthalten und darf nicht mit einer Ziffer beginnen. Activate previous window - Vorheriges Fenster aktivieren + Aktiviert das vorherige Fenster StdCmdAlignment - + Alignment... Ausrichtung... - - + + Align the selected objects Die ausgewählten Objekte ausrichten @@ -9105,13 +9090,13 @@ und Unterstriche enthalten und darf nicht mit einer Ziffer beginnen. StdCmdCommandLine - + Start command &line... Kommandozei&le... - - + + Opens the command line in the console In Kommandozeile springen @@ -9119,13 +9104,13 @@ und Unterstriche enthalten und darf nicht mit einer Ziffer beginnen. StdCmdCopy - + C&opy &Kopieren - - + + Copy operation Kopieren @@ -9133,13 +9118,13 @@ und Unterstriche enthalten und darf nicht mit einer Ziffer beginnen. StdCmdCut - + &Cut &Ausschneiden - - + + Cut out Ausschneiden @@ -9147,13 +9132,13 @@ und Unterstriche enthalten und darf nicht mit einer Ziffer beginnen. StdCmdDelete - + &Delete &Löschen - - + + Deletes the selected objects Löscht die ausgewählten Objekte @@ -9175,13 +9160,13 @@ und Unterstriche enthalten und darf nicht mit einer Ziffer beginnen. StdCmdDependencyGraph - + Dependency graph... Abhängigkeitsdiagramm... - - + + Show the dependency graph of the objects in the active document Zeigt das Abhängigkeitsdiagramm der Objekte im aktiven Dokument an @@ -9189,15 +9174,15 @@ und Unterstriche enthalten und darf nicht mit einer Ziffer beginnen. StdCmdDlgCustomize - + Cu&stomize... - &Benutzerdefiniert... + Anpa&ssen... - - + + Customize toolbars and command bars - Benutzerdefinierte Einstellungen für Symbolleisten und Befehlsleisten + Passt Symbol- und Befehlsleisten an @@ -9255,13 +9240,13 @@ und Unterstriche enthalten und darf nicht mit einer Ziffer beginnen. StdCmdDlgParameter - + E&dit parameters ... P&arameter bearbeiten... - - + + Opens a Dialog to edit the parameters Öffnet Dialog zum Ändern der Parameter @@ -9269,13 +9254,13 @@ und Unterstriche enthalten und darf nicht mit einer Ziffer beginnen. StdCmdDlgPreferences - + &Preferences ... &Einstellungen... - - + + Opens a Dialog to edit the preferences Öffnet Dialog zum Ändern der Benutzereinstellungen @@ -9311,13 +9296,13 @@ und Unterstriche enthalten und darf nicht mit einer Ziffer beginnen. StdCmdDuplicateSelection - + Duplicate selection Auswahl duplizieren - - + + Put duplicates of the selected objects to the active document Duplikate der selektierten Objekte in aktives Dokument einfügen @@ -9325,17 +9310,17 @@ und Unterstriche enthalten und darf nicht mit einer Ziffer beginnen. StdCmdEdit - + Toggle &Edit mode Bearbeitungsmodus umschalten - + Toggles the selected object's edit mode Schaltet den Bearbeitungsmodus des ausgewählten Objekts um - + Activates or Deactivates the selected object's edit mode Aktiviert oder deaktiviert den Bearbeiten-Modus des ausgewählten Objekts @@ -9354,12 +9339,12 @@ und Unterstriche enthalten und darf nicht mit einer Ziffer beginnen.Objekt im aktiven Dokument exportieren - + No selection Keine Auswahl - + Select the objects to export before choosing Export. Die zu exportierenden Objekte vorher auswählen. @@ -9367,13 +9352,13 @@ und Unterstriche enthalten und darf nicht mit einer Ziffer beginnen. StdCmdExpression - + Expression actions Ausdruck-Aktionen - - + + Actions that apply to expressions Aktionen, die auf Ausdrücke angewendet werden @@ -9395,12 +9380,12 @@ und Unterstriche enthalten und darf nicht mit einer Ziffer beginnen. StdCmdFreeCADDonation - + Donate Spenden - + Donate to FreeCAD development Spende, um die FreeCAD-Entwicklung zu unterstützen @@ -9408,17 +9393,17 @@ und Unterstriche enthalten und darf nicht mit einer Ziffer beginnen. StdCmdFreeCADFAQ - + FreeCAD FAQ FreeCAD FAQ - + Frequently Asked Questions on the FreeCAD website Häufig gestellte Fragen auf der FreeCAD-Webseite - + Frequently Asked Questions Häufig gestellte Fragen @@ -9426,17 +9411,17 @@ und Unterstriche enthalten und darf nicht mit einer Ziffer beginnen. StdCmdFreeCADForum - + FreeCAD Forum FreeCAD-Forum - + The FreeCAD forum, where you can find help from other users Das FreeCAD-Forum, für Hilfe von anderen Nutzern - + The FreeCAD Forum Das FreeCAD Forum @@ -9444,17 +9429,17 @@ und Unterstriche enthalten und darf nicht mit einer Ziffer beginnen. StdCmdFreeCADPowerUserHub - + Python scripting documentation Python Scripting Dokumentation - + Python scripting documentation on the FreeCAD website Python Scripting Dokumentation auf der FreeCAD Website - + PowerUsers documentation PowerUser Dokumentation @@ -9462,13 +9447,13 @@ und Unterstriche enthalten und darf nicht mit einer Ziffer beginnen. StdCmdFreeCADUserHub - - + + Users documentation Benutzerdokumentation - + Documentation for users on the FreeCAD website Benutzerdokumentation auf der FreeCAD-Webseite @@ -9476,13 +9461,13 @@ und Unterstriche enthalten und darf nicht mit einer Ziffer beginnen. StdCmdFreeCADWebsite - - + + FreeCAD Website FreeCAD Webseite - + The FreeCAD website Die FreeCAD Webseite @@ -9525,7 +9510,7 @@ und Unterstriche enthalten und darf nicht mit einer Ziffer beginnen. Hide all objects in the document - Alle Objekte im Dokument ausblenden + Blendet alle Objekte im Dokument aus @@ -9539,7 +9524,7 @@ und Unterstriche enthalten und darf nicht mit einer Ziffer beginnen. Hide all selected objects - Alle ausgewählten Objekte ausblenden + Blendet alle ausgewählten Objekte aus @@ -9797,25 +9782,25 @@ und Unterstriche enthalten und darf nicht mit einer Ziffer beginnen. StdCmdMergeProjects - + Merge document... Dokument zusammenführen... - - - - + + + + Merge document Dokument zusammenführen - + %1 document (*.FCStd) %1-Dokument (*.FCStd) - + Cannot merge document with itself. Dokument kann nicht mit sich selbst zusammengeführt werden. @@ -9823,18 +9808,18 @@ und Unterstriche enthalten und darf nicht mit einer Ziffer beginnen. StdCmdNew - + &New &Neu - - + + Create a new empty document Neues Dokument erstellen - + Unnamed Unbenannt @@ -9843,13 +9828,13 @@ und Unterstriche enthalten und darf nicht mit einer Ziffer beginnen. StdCmdOnlineHelp - - + + Help Hilfe - + Show help to the application Hilfe zur Applikation anzeigen @@ -9857,13 +9842,13 @@ und Unterstriche enthalten und darf nicht mit einer Ziffer beginnen. StdCmdOnlineHelpWebsite - - + + Help Website Hilfe-Webseite - + The website where the help is maintained Die Webseite, wo die Hilfe gepflegt wird @@ -9919,13 +9904,13 @@ Es ist dazu gedacht, Objekte zusammenzustellen, die eine Part-Topoform enthalten StdCmdPaste - + &Paste Ein&fügen - - + + Paste operation Einfügen @@ -9933,13 +9918,13 @@ Es ist dazu gedacht, Objekte zusammenzustellen, die eine Part-Topoform enthalten StdCmdPlacement - + Placement... Positionierung... - - + + Place the selected objects Platziere die ausgewählten Objekte @@ -9947,13 +9932,13 @@ Es ist dazu gedacht, Objekte zusammenzustellen, die eine Part-Topoform enthalten StdCmdPrint - + &Print... &Drucken... - - + + Print the document Dokument drucken @@ -9961,13 +9946,13 @@ Es ist dazu gedacht, Objekte zusammenzustellen, die eine Part-Topoform enthalten StdCmdPrintPdf - + &Export PDF... PDF &exportieren... - - + + Export the document as PDF Das Dokument als PDF exportieren @@ -9975,17 +9960,17 @@ Es ist dazu gedacht, Objekte zusammenzustellen, die eine Part-Topoform enthalten StdCmdPrintPreview - + &Print preview... &Druckvorschau... - + Print the document Dokument drucken - + Print preview Druckvorschau @@ -9993,13 +9978,13 @@ Es ist dazu gedacht, Objekte zusammenzustellen, die eine Part-Topoform enthalten StdCmdPythonWebsite - - + + Python Website Python-Webseite - + The official Python website Die offizielle Python-Webseite @@ -10007,13 +9992,13 @@ Es ist dazu gedacht, Objekte zusammenzustellen, die eine Part-Topoform enthalten StdCmdQuit - + E&xit B&eenden - - + + Quits the application Anwendung beenden @@ -10035,13 +10020,13 @@ Es ist dazu gedacht, Objekte zusammenzustellen, die eine Part-Topoform enthalten StdCmdRecentFiles - + Open Recent Zuletzt geöffnete Dateien - - + + Recent file list Zuletzt geöffnete Dateien @@ -10049,27 +10034,27 @@ Es ist dazu gedacht, Objekte zusammenzustellen, die eine Part-Topoform enthalten StdCmdRecentMacros - + Recent macros Aktuelle Makros - - + + Recent macro list - Aktuelle Makroliste + Liste der aktuellen Makros StdCmdRedo - + &Redo Wieder&herstellen - - + + Redoes a previously undone action Zuletzt rückgängig gemachte Aktion wiederherstellen @@ -10077,13 +10062,13 @@ Es ist dazu gedacht, Objekte zusammenzustellen, die eine Part-Topoform enthalten StdCmdRefresh - + &Refresh A&ktualisieren - - + + Recomputes the current active document Berechnet das aktive Dokument neu @@ -10091,13 +10076,13 @@ Es ist dazu gedacht, Objekte zusammenzustellen, die eine Part-Topoform enthalten StdCmdReportBug - + Report a bug Einen Fehler melden - - + + Report a bug or suggest a feature Fehler melden oder Feature vorschlagen @@ -10105,13 +10090,13 @@ Es ist dazu gedacht, Objekte zusammenzustellen, die eine Part-Topoform enthalten StdCmdRevert - + Revert Änderungen widerrufen - - + + Reverts to the saved version of this file Zurücksetzen auf die zuletzt gespeicherte Version dieser Datei @@ -10119,13 +10104,13 @@ Es ist dazu gedacht, Objekte zusammenzustellen, die eine Part-Topoform enthalten StdCmdSave - + &Save &Speichern - - + + Save the active document Aktives Dokument speichern @@ -10133,13 +10118,13 @@ Es ist dazu gedacht, Objekte zusammenzustellen, die eine Part-Topoform enthalten StdCmdSaveAll - + Save All Alle speichern - - + + Save all opened document Speichert alle geöffneten Dokumente @@ -10147,13 +10132,13 @@ Es ist dazu gedacht, Objekte zusammenzustellen, die eine Part-Topoform enthalten StdCmdSaveAs - + Save &As... Speichern &unter... - - + + Save the active document under a new file name Aktives Dokument unter anderem Namen speichern @@ -10161,13 +10146,13 @@ Es ist dazu gedacht, Objekte zusammenzustellen, die eine Part-Topoform enthalten StdCmdSaveCopy - + Save a &Copy... Eine Kopie spei&chern... - - + + Save a copy of the active document under a new file name Speichert eine Kopie des aktiven Dokuments unter einem neuen Dateinamen @@ -10203,13 +10188,13 @@ Es ist dazu gedacht, Objekte zusammenzustellen, die eine Part-Topoform enthalten StdCmdSelectAll - + Select &All &Alles auswählen - - + + Select all Alles auswählen @@ -10225,7 +10210,7 @@ Es ist dazu gedacht, Objekte zusammenzustellen, die eine Part-Topoform enthalten Select visible objects in the active document - Sichtbare Objekte im aktiven Dokument auswählen + Wählt die im aktiven Dokument sichtbaren Objekte aus @@ -10253,7 +10238,7 @@ Es ist dazu gedacht, Objekte zusammenzustellen, die eine Part-Topoform enthalten Show all objects in the document - Alle Objekte im Dokument einblenden + Blendet alle Objekte im Dokument ein @@ -10267,7 +10252,7 @@ Es ist dazu gedacht, Objekte zusammenzustellen, die eine Part-Topoform enthalten Show all selected objects - Alle ausgewählten Objekte einblenden + Blendet alle ausgewählten Objekte ein @@ -10287,13 +10272,13 @@ Es ist dazu gedacht, Objekte zusammenzustellen, die eine Part-Topoform enthalten StdCmdTextDocument - + Add text document Textdokument hinzufügen - - + + Add text document to active document Textdokument zum aktiven Dokument hinzufügen @@ -10323,7 +10308,7 @@ Es ist dazu gedacht, Objekte zusammenzustellen, die eine Part-Topoform enthalten Tile the windows - Fenster anordnen + Ordnet die Fenster an @@ -10373,13 +10358,13 @@ Es ist dazu gedacht, Objekte zusammenzustellen, die eine Part-Topoform enthalten Toggle all objects - Alle Objekte umkehren + Alle Objekte umschalten Toggles visibility of all objects in the active document - Die Sichtbarkeit aller Objekte im aktiven Dokument umkehren + Schaltet die Sichtbarkeit aller Objekte im aktiven Dokument um @@ -10387,13 +10372,13 @@ Es ist dazu gedacht, Objekte zusammenzustellen, die eine Part-Topoform enthalten Toggle selectability - Selektierbarkeit an/aus + Auswählbarkeit umschalten Toggles the property of the objects to get selected in the 3D-View - Schaltet die Eigenschaft der Objekte, in der 3D-Ansicht ausgewählt zu werden um + Schaltet die Eigenschaft der Objekte, dass sie in der 3D-Ansicht ausgewählt werden können, um @@ -10401,7 +10386,7 @@ Es ist dazu gedacht, Objekte zusammenzustellen, die eine Part-Topoform enthalten Toggle visibility - Ein/Ausblenden + Ein-/ausblenden @@ -10427,13 +10412,13 @@ Es ist dazu gedacht, Objekte zusammenzustellen, die eine Part-Topoform enthalten StdCmdTransform - + Transform... Transformieren... - - + + Transform the geometry of selected objects Geometrie ausgewählter Objekte transformieren @@ -10441,13 +10426,13 @@ Es ist dazu gedacht, Objekte zusammenzustellen, die eine Part-Topoform enthalten StdCmdTransformManip - + Transform Bewegen - - + + Transform the selected object in the 3d view Ausgewähltes Objekt in der 3D-Ansicht transformieren @@ -10511,13 +10496,13 @@ Es ist dazu gedacht, Objekte zusammenzustellen, die eine Part-Topoform enthalten StdCmdUndo - + &Undo &Rückgängig - - + + Undo exactly one action Letzte Aktion rückgängig machen @@ -10525,13 +10510,13 @@ Es ist dazu gedacht, Objekte zusammenzustellen, die eine Part-Topoform enthalten StdCmdUserEditMode - + Edit mode Bearbeitungsmodus - - + + Defines behavior when editing an object from tree Definiert das Verhalten beim Bearbeiten eines Objekts aus dem Baum @@ -10931,13 +10916,13 @@ Es ist dazu gedacht, Objekte zusammenzustellen, die eine Part-Topoform enthalten StdCmdWhatsThis - + &What's This? Dire&kthilfe - - + + What's This Direkthilfe @@ -10973,13 +10958,13 @@ Es ist dazu gedacht, Objekte zusammenzustellen, die eine Part-Topoform enthalten StdCmdWorkbench - + Workbench Arbeitsbereich - - + + Switch between workbenches Zwischen Arbeitsbereichen wechseln @@ -11303,7 +11288,7 @@ Es ist dazu gedacht, Objekte zusammenzustellen, die eine Part-Topoform enthalten Std_Delete - + The following referencing objects might break. Are you sure you want to continue? @@ -11314,7 +11299,7 @@ Trotzdem fortfahren? - + Object dependencies Objektabhängigkeiten @@ -11322,7 +11307,7 @@ Trotzdem fortfahren? Std_DependencyGraph - + Dependency graph Abhängigkeitsdiagramm @@ -11403,12 +11388,12 @@ Trotzdem fortfahren? Std_DuplicateSelection - + Object dependencies Objektabhängigkeiten - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Um zu externen Objekten zu verlinken, muss das Dokument mindestens einmal gespeichert werden. @@ -11426,7 +11411,7 @@ Das Dokument jetzt speichern? Std_Refresh - + The document contains dependency cycles. Please check the Report View for more details. @@ -11440,17 +11425,17 @@ Trotzdem fortfahren? Std_Revert - + Revert document Änderung am Dokument zurücknehmen - + This will discard all the changes since last file save. Dies wird alle Änderungen seit dem letzten Speichern der Datei verwerfen. - + Do you want to continue? Fortfahren? @@ -11624,12 +11609,12 @@ Trotzdem fortfahren? Gui::MDIView - + Export PDF PDF exportieren - + PDF file PDF-Datei @@ -12322,82 +12307,82 @@ Zurzeit verfügt dieses System über folgende Arbeitsbereiche:</p></bod Vorschau: - + Text Text - + Bookmark Lesezeichen - + Breakpoint Haltepunkt - + Keyword Schlüsselwort - + Comment Kommentieren - + Block comment Blockkommentar - + Number Ziffer - + String Zeichenkette - + Character Zeichen - + Class name Klassenname - + Define name Define-Name - + Operator Operator - + Python output Pythonausgabe - + Python error Pythonfehler - + Current line highlight Aktuelle Zeile hervorheben - + Items Elemente @@ -12543,10 +12528,10 @@ je nach Bildschirmgröße oder persönlichen Geschmack angepasst werden - Anpassung der Baumansicht im Fenster (Neustart erforderlich). + Passt die Darstellung der Baumansicht im Fenster an (Neustart erforderlich). -'Kombiniert': Kombinierte Baum- und Eigenschaftsansicht in einem Fenster. -'Eigenständig': Aufteilung der Baum- und Eigenschaftsansicht in separate Fenster. +'Kombiniert': Kombiniert Baumansicht und Eigenschafteneditor in einem Fenster (Modell). +'Eigenständig': Teilt Baumansicht und Eigenschaften-Ansicht in separate Fenster auf. @@ -12556,7 +12541,7 @@ je nach Bildschirmgröße oder persönlichen Geschmack angepasst werden How many files should be listed in recent files list - Anzahl der zuletzt verwendeten Dateien (Historie) + Gibt die Anzahl der Dateien an, die in der Liste der zuletzt verwendeten Dateien angezeigt werden @@ -12906,15 +12891,15 @@ Python-Konsole in das Ausgabefenster umgeleitet StdCmdExportDependencyGraph - + Export dependency graph... Abhängigkeitsdiagramm exportieren... - - + + Export the dependency graph to a file - Abhängigkeitsdiagramm in eine Datei exportieren + Exportiert das Abhängigkeitsdiagramm in eine Datei @@ -13009,7 +12994,7 @@ Python-Konsole in das Ausgabefenster umgeleitet Toggle overlay mode for all docked windows - Überlagerungsmodus für alle angedockten Fenster umschalten + Schaltet den Überlagerungsmodus für alle angedockten Fenster um @@ -13037,7 +13022,7 @@ Dadurch bleiben die angedockten Fenster jederzeit transparent. Toggle overlay mode for the docked window under the cursor - Überlagerungsmodus für das angedockte Fenster unter dem Mauszeiger umschalten + Schaltet den Überlagerungsmodus für das angedockte Fenster unter dem Mauszeiger um @@ -13349,13 +13334,13 @@ der Region nicht transparent sind. StdCmdProjectInfo - + Document i&nformation... Dokumenti&nformation... - - + + Show details of the currently active document Details des aktuell aktiven Dokuments anzeigen @@ -13363,15 +13348,15 @@ der Region nicht transparent sind. StdCmdProjectUtil - + Document utility... Dokument-Dienstprogramm... - - + + Utility to extract or create document files - Werkzeug zum Entpacken oder Erzeugen von Dokumentdateien + Werkzeug zum Entpacken oder Erstellen von Dokumentdateien @@ -13391,14 +13376,14 @@ der Region nicht transparent sind. StdCmdProperties - + Properties Eigenschaften - + Show the property view, which displays the properties of the selected object. - Zeigt die Eigenschaften-Ansicht, welche die Eigenschaften des ausgewählten Objekts zeigt. + Blendet die Eigenschaften-Ansicht ein, welche die Eigenschaften des ausgewählten Objekts auflistet. @@ -13447,13 +13432,13 @@ der Region nicht transparent sind. StdCmdReloadStyleSheet - + &Reload stylesheet Stylesheet neu laden - - + + Reloads the current stylesheet Lädt das aktuelle Stylesheet erneut @@ -13606,7 +13591,7 @@ der Region nicht transparent sind. This section lets you customize your current theme. The offered settings are optional for theme developers so they may or may not have an effect in your current theme. - In diesem Abschnitt kann das aktuelles Design angepasst werden. Die angebotenen Einstellungen und deren Nutzung sind optional für Designentwickler, somit ist der Einfluss auf das aktuelle Design nicht sichergestellt. + In diesem Abschnitt kann das aktuelle Design angepasst werden. Die angebotenen Einstellungen und deren Nutzung sind optional für Designentwickler, somit ist der Einfluss auf das aktuelle Design nicht sichergestellt. @@ -13676,12 +13661,12 @@ der Region nicht transparent sind. Hide property view scroll bar in dock overlay - Eigenschaften-Scrollleiste im angedockten Überlagerungsmodus ausblenden + Blendet die Bildlaufleiste der Eigenschaften-Ansicht im andockbaren Überlagerungsfenster aus Hide property view scroll bar - Eigenschaften-Bildlaufleiste ausblenden + Bildlaufleiste der Eigenschaften-Ansicht ausblenden @@ -13730,15 +13715,38 @@ der Region nicht transparent sind. StdCmdUnitsCalculator - + &Units converter... Einheiten-&Umrechner... - - + + Start the units converter Einheiten-Umrechner starten + + Gui::ModuleIO + + + File not found + Datei nicht gefunden + + + + The file '%1' cannot be opened. + Die Datei '%1' kann nicht geöffnet werden. + + + + StdCmdRestartInSafeMode + + + + + Restart in safe mode + Restart in safe mode + + diff --git a/src/Gui/Language/FreeCAD_el.ts b/src/Gui/Language/FreeCAD_el.ts index b090c8a06b75..5dc8253bfad8 100644 --- a/src/Gui/Language/FreeCAD_el.ts +++ b/src/Gui/Language/FreeCAD_el.ts @@ -91,17 +91,17 @@ Επεξεργασία - + Import Εισάγετε - + Delete Διαγραφή - + Paste expressions Επικόλληση εκφράσεων @@ -131,7 +131,7 @@ Εισαγωγή όλων των συνδέσμων - + Insert text document Εισαγωγή εγγράφου κειμένου @@ -424,42 +424,42 @@ EditMode - + Default Προεπιλεγμένο - + The object will be edited using the mode defined internally to be the most appropriate for the object type Το αντικείμενο θα επεξεργαστεί χρησιμοποιώντας τη λειτουργία που έχει οριστεί εσωτερικά ώστε να είναι η καταλληλότερη για τον τύπο αντικειμένου - + Transform Μετατόπιση - + The object will have its placement editable with the Std TransformManip command Η τοποθέτησή του θα είναι επεξεργάσιμη με την εντολή Std TransformManip - + Cutting Περικοπή - + This edit mode is implemented as available but currently does not seem to be used by any object Αυτή η λειτουργία επεξεργασίας 'είναι διαθέσιμη, αλλά προς το παρόν δεν φαίνεται να χρησιμοποιείται από κανένα αντικείμενο - + Color Χρώμα - + The object will have the color of its individual faces editable with the Part FaceAppearances command The object will have the color of its individual faces editable with the Part FaceAppearances command @@ -680,8 +680,8 @@ while doing a left or right click and move the mouse up or down - Word size - Μέγεθος λέξης + Architecture + Architecture @@ -706,52 +706,52 @@ while doing a left or right click and move the mouse up or down Gui::Dialog::AboutDialog - - + + Credits - Header for the Credits tab of the About screen Ονόματα Συντελεστών - + + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + Header for bgbsww + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + + + FreeCAD would not be possible without the contributions of Το FreeCAD δεν θα ήταν δυνατό χωρίς τις συνεισφορές του - + Individuals Header for the list of individual people in the Credits list. Ατομικά - + Organizations Header for the list of companies/organizations in the Credits list. Οργανισμός - - + + License Άδεια - + Libraries Βιβλιοθήκες - - This software uses open source components whose copyright and other proprietary rights belong to their respective owners: - Αυτό το λογισμικό χρησιμοποιεί στοιχεία ανοικτού κώδικα. Τα πνευματικά δικαιώματα, καθώς και τα άλλα δικαιώματα ιδιοκτησίας, αυτών των στοιχείων, ανήκουν στους εκάστοτε ιδιοκτήτες τους: - - - + Collection Συλλογή - + Privacy Policy Privacy Policy @@ -1405,8 +1405,8 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgCustomToolBoxbarsImp - - + + Toolbox bars Γραμμές εργαλειοθηκών @@ -1495,40 +1495,40 @@ same time. The one with the highest priority will be triggered. - + <Separator> <Διαχωριστικό> - + %1 module not loaded %1 πρόσθετο δεν φορτώθηκε - + New toolbar Νέα γραμμή εργαλείων - - + + Toolbar name: Όνομα γραμμής εργαλείων: - - + + Duplicated name Το όνομα υπάρχει ήδη - - + + The toolbar name '%1' is already used Το όνομα γραμμής εργαλείων '%1' χρησιμοποιείται ήδη - + Rename toolbar Μετονομασία γραμμής εργαλείων @@ -1742,72 +1742,72 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgMacroExecuteImp - + Macros Μακροεντολές - + Read-only Μόνο για ανάγνωση - + Macro file Αρχείο μακροεντολής - + Enter a file name, please: Εισάγετε ένα όνομα αρχείου, παρακαλώ: - - - + + + Existing file Υπάρχον αρχείο - + '%1'. This file already exists. '%1'. Αυτό το αρχείο υπάρχει ήδη. - + Cannot create file Αδύνατη η δημιουργία αρχείου - + Creation of file '%1' failed. Η δημιουργία του αρχείου '% 1' απέτυχε. - + Delete macro Διαγραφή μακροεντολής - + Do you really want to delete the macro '%1'? Θέλετε πραγματικά να διαγράψετε την μακροεντολή '%1'; - + Do not show again Να μην εμφανιστεί ξανά - + Guided Walkthrough Καθοδήγηση - Περιήγηση - + This will guide you in setting up this macro in a custom global toolbar. Instructions will be in red text inside the dialog. Note: your changes will be applied when you next switch workbenches @@ -1818,78 +1818,78 @@ Note: your changes will be applied when you next switch workbenches - + Walkthrough, dialog 1 of 2 Περιγράφει, διαλόγου 1 από 2 - + Walkthrough instructions: Fill in missing fields (optional) then click Add, then Close Οδηγίες περιγραφή: Συμπληρώστε τα πεδία που λείπουν (προαιρετικά) και μετά κάντε κλικ στην επιλογή Προσθήκη, έπειτα Κλείσιμο - + Walkthrough, dialog 1 of 1 Περιήγηση, διαλόγου 1 από 1 - + Walkthrough, dialog 2 of 2 Περιήγηση, διαλόγου 2 από 2 - - Walkthrough instructions: Click right arrow button (->), then Close. - Οδηγίες περιήγησης: Κάντε κλικ στο κουμπί με το δεξί βέλος (->) και, στη συνέχεια, στο Κλείσιμο. + + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. - Walkthrough instructions: Click New, then right arrow (->) button, then Close. - Οδηγίες περιήγησης: Κάντε κλικ στο Νέο, στη συνέχεια στο κουμπί με το δεξί βέλος (->) και στη συνέχεια στο Κλείσιμο. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. - + Renaming Macro File Πραγματοποιείται μετονομασία του Αρχείου Μακροεντολής - - + + Enter new name: Εισάγετε νέο όνομα: - - + + '%1' already exists. Το '%1' υπάρχει ήδη. - + Rename Failed Η Μετονομασία Απέτυχε - + Failed to rename to '%1'. Perhaps a file permission error? Αποτυχία μετονομασίας σε '%1'. Ίσως υπάρχει κάποιο σφάλμα άδειας αρχείου; - + Duplicate Macro Διπλογραφή της Μακροεντολής - + Duplicate Failed Αποτυχία Κατά τη Διπλογραφή - + Failed to duplicate to '%1'. Perhaps a file permission error? Αποτυχία κατά την διπλογραφή στο '%1'. @@ -5892,81 +5892,81 @@ Do you want to save your changes? Gui::GraphvizView - + Graphviz not found Δεν βρέθηκε το λογισμικό Graphviz - + Graphviz couldn't be found on your system. Αδύνατη η εύρεση του λογισμικού Graphviz στον υπολογιστή σας. - + Read more about it here. Διαβάστε περισσότερα σχετικά με αυτό εδώ. - + Do you want to specify its installation path if it's already installed? Θέλετε να καθορίσετε τη διαδρομή εγκατάστασής του εφόσον είναι ήδη εγκατεστημένο; - + Graphviz installation path Διαδρομή εγκατάστασης λογισμικού Graphviz - + Graphviz failed Το λογισμικό Graphviz απέτυχε - + Graphviz failed to create an image file Το λογισμικό Graphviz απέτυχε στη δημιουργία αρχείου εικόνας - + PNG format Μορφή PNG - + Bitmap format Μορφή Bitmap - + GIF format Μορφή GIF - + JPG format Μορφή JPG - + SVG format Μορφή SVG - - + + PDF format Μορφή PDF - - + + Graphviz format Graphviz format - - - + + + Export graph Εξαγωγή γραφικού @@ -6126,63 +6126,83 @@ Do you want to save your changes? Gui::MainWindow - - + + Dimension Διάσταση - + Ready Έτοιμο - + Close All Κλείσιμο Όλων - - - + + + Toggles this toolbar Εναλλάσσει την λειτουργία εμφάνισης/απόκρυψης αυτής της γραμμής εργαλείων - - - + + + Toggles this dockable window Εναλλάσσει την λειτουργία εμφάνισης/απόκρυψης αυτού του προσδέσιμου παραθύρου - + + Safe mode enabled + Safe mode enabled + + + + FreeCAD is now running in safe mode. + FreeCAD is now running in safe mode. + + + + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + + + WARNING: This is a development version. WARNING: This is a development version. - + Please do not use it in a production environment. Please do not use it in a production environment. - - + + Unsaved document Μη αποθηκευμένο έγγραφο - + The exported object contains external link. Please save the documentat least once before exporting. The exported object contains external link. Please save the documentat least once before exporting. - + To link to external objects, the document must be saved at least once. Do you want to save the document now? To link to external objects, the document must be saved at least once. Do you want to save the document now? + + + Safe Mode + Safe Mode + Gui::ManualAlignment @@ -6683,39 +6703,19 @@ Do you want to exit without saving your data? Open file %1 Άνοιγμα του αρχείου %1 - - - File not found - Το αρχείο δεν βρέθηκε - - - - The file '%1' cannot be opened. - Αδυναμία ανοίγματος του αρχείου '%1'. - Gui::RecentMacrosAction - + none κανένα - + Run macro %1 (Shift+click to edit) keyboard shortcut: %2 Εκτέλεση μακροεντολής %1 (Shift+click για επεξεργασία) συντόμευση πληκτρολογίου: %2 - - - File not found - Το αρχείο δεν βρέθηκε - - - - The file '%1' cannot be opened. - Αδυναμία ανοίγματος του αρχείου '%1'. - Gui::RevitNavigationStyle @@ -6970,7 +6970,7 @@ Do you want to specify another directory? Gui::TaskView::TaskDialog - + A dialog is already open in the task panel A dialog is already open in the task panel @@ -6999,38 +6999,8 @@ Do you want to specify another directory? Gui::TextDocumentEditorView - - Text updated - Το κείμενο ενημερώθηκε - - - - The text of the underlying object has changed. Discard changes and reload the text from the object? - Το κείμενο του υποκειμένου στοιχείου έχει αλλάξει. Να γίνει απόρριψη αλλαγών και επαναφόρτωση του κειμένου από το στοιχείο; - - - - Yes, reload. - Ναι, να γίνει επαναφόρτωση. - - - - Unsaved document - Μη αποθηκευμένο έγγραφο - - - - Do you want to save your changes before closing? - Θέλετε να αποθηκεύσετε τις αλλαγές σας πριν το κλείσιμο; - - - - If you don't save, your changes will be lost. - Αν δεν κάνετε αποθήκευση, οι αλλαγές σας θα χαθούν. - - - - + + Edit text Επεξεργασία του κειμένου @@ -7307,7 +7277,7 @@ Do you want to specify another directory? Gui::TreeDockWidget - + Tree view Προβολή δενδροδιαγράμματος @@ -7315,7 +7285,7 @@ Do you want to specify another directory? Gui::TreePanel - + Search Αναζήτηση @@ -7373,148 +7343,148 @@ Do you want to specify another directory? Ομάδα - + Labels & Attributes Ετικέτες & Χαρακτηριστικά - + Description Περιγραφή - + Internal name Internal name - + Show items hidden in tree view Εμφάνιση κρυφών αντικειμένων στην προβολή δέντρου - + Show items that are marked as 'hidden' in the tree view Εμφάνιση αντικειμένων που έχουν επισημανθεί ως 'κρυμμένα' στην προβολή δέντρου - + Toggle visibility in tree view Toggle visibility in tree view - + Toggles the visibility of selected items in the tree view Toggles the visibility of selected items in the tree view - + Create group Δημιουργήστε μια ομάδα - + Create a group Δημιουργήστε μια ομάδα - - + + Rename Μετονομασία - + Rename object Μετονομασία αντικειμένου - + Finish editing Ολοκλήρωση επεξεργασίας - + Finish editing object Ολοκλήρωση επεξεργασίας του αντικειμένου - + Add dependent objects to selection Add dependent objects to selection - + Adds all dependent objects to the selection Adds all dependent objects to the selection - + Close document Close document - + Close the document Close the document - + Reload document Reload document - + Reload a partially loaded document Reload a partially loaded document - + Skip recomputes Παράλειψη επανεκτέλεσης υπoλογισμών - + Enable or disable recomputations of document Ενεργοποιήστε ή απενεργοποιήστε την επανεκτέλεση υπολογισμών του εγγράφου - + Allow partial recomputes Allow partial recomputes - + Enable or disable recomputating editing object when 'skip recomputation' is enabled Enable or disable recomputating editing object when 'skip recomputation' is enabled - + Mark to recompute Επισημάνετε για επανεκτέλεση υπολογισμών - + Mark this object to be recomputed Επισημάνετε αυτό το αντικείμενο για επανεκτέλεση των υπολογισμών του - + Recompute object Recompute object - + Recompute the selected object Recompute the selected object - + (but must be executed) (but must be executed) - + %1, Internal name: %2 %1, Εσωτερικό όνομα: %2 @@ -7726,47 +7696,47 @@ Do you want to specify another directory? QDockWidget - + Tree view Προβολή δενδροδιαγράμματος - + Tasks Ανατεθειμένες Εργασίες - + Property view Προβολή ιδιοτήτων - + Selection view Προβολή επιλογής - + Task List Task List - + Model Μοντέλο - + DAG View Προβολή Κατευθυνόμενου Ακυκλικού Γραφήματος - + Report view Προβολή αναφοράς - + Python console Κονσόλα Python @@ -7806,35 +7776,35 @@ Do you want to specify another directory? Python - - - + + + Unknown filetype Άγνωστος τύπος αρχείου - - + + Cannot open unknown filetype: %1 Αδυναμία ανοίγματος του αγνώστου τύπου αρχείου: %1 - + Export failed Αποτυχία της εξαγωγής - + Cannot save to unknown filetype: %1 Αδυναμία αποθήκευσης στον άγνωστο τύπο αρχείου: %1 - + Recomputation required Recomputation required - + Some document(s) require recomputation for migration purposes. It is highly recommended to perform a recomputation before any modification to avoid compatibility problems. Do you want to recompute now? @@ -7843,24 +7813,24 @@ Do you want to recompute now? Do you want to recompute now? - + Recompute error Recompute error - + Failed to recompute some document(s). Please check report view for more details. Failed to recompute some document(s). Please check report view for more details. - + Workbench failure Αποτυχία πάγκου εργασίας - + %1 %1 @@ -7906,90 +7876,105 @@ Please check report view for more details. Εισαγωγή αρχείου - + Export file Εξαγωγή αρχείου - + Printing... Πραγματοποιείται εκτύπωση... - + Exporting PDF... Πραγματοποιείται εξαγωγή αρχείου PDF... - - + + Unsaved document Μη αποθηκευμένο έγγραφο - + The exported object contains external link. Please save the documentat least once before exporting. The exported object contains external link. Please save the documentat least once before exporting. - - + + Delete failed Delete failed - + Dependency error Dependency error - + Copy selected Copy selected - + Copy active document Copy active document - + Copy all documents Copy all documents - + Paste Paste - + Expression error Expression error - + Failed to parse some of the expressions. Please check the Report View for more details. Failed to parse some of the expressions. Please check the Report View for more details. - + Failed to paste expressions Failed to paste expressions - + Cannot load workbench Αδυναμία φόρτωσης του πάγκου εργασίας - + A general error occurred while loading the workbench Εμφανίστηκε ένα γενικό σφάλμα κατά τη φόρτωση του πάγκου εργασίας + + + Restart in safe mode + Restart in safe mode + + + + Are you sure you want to restart FreeCAD and enter safe mode? + Are you sure you want to restart FreeCAD and enter safe mode? + + + + Safe mode temporarily disables your configuration and addons. + Safe mode temporarily disables your configuration and addons. + @@ -8215,7 +8200,7 @@ Do you want to continue? Too many opened non-intrusive notifications. Notifications are being omitted! - + Identical physical path detected. It may cause unwanted overwrite of existing document! @@ -8224,44 +8209,44 @@ Do you want to continue? - + Are you sure you want to continue? Are you sure you want to continue? - + Please check report view for more... Ελέγξτε την προβολή αναφοράς για περισσότερα... - + Physical path: Physical path: - - + + Document: Document: - - + + Path: Διαδρομή: - + Identical physical path Identical physical path - + Could not save document Could not save document - + There was an issue trying to save the file. This may be because some of the parent folders do not exist, or you do not have sufficient permissions, or for other reasons. Error details: "%1" @@ -8274,102 +8259,102 @@ Would you like to save the file with a different name? Would you like to save the file with a different name? - - - + + + Saving aborted Η αποθήκευση διεκόπη - + Save dependent files Save dependent files - + The file contains external dependencies. Do you want to save the dependent files, too? The file contains external dependencies. Do you want to save the dependent files, too; - - + + Saving document failed Αποτυχία αποθήκευσης εγγράφου - + Save document under new filename... Αποθήκευση εγγράφου με άλλο όνομα αρχείου... - - + + Save %1 Document Αποθήκευση Εγγράφου %1 - + Document Έγγραφο - - + + Failed to save document Failed to save document - + Documents contains cyclic dependencies. Do you still want to save them? Documents contains cyclic dependencies. Do you still want to save them; - + Save a copy of the document under new filename... Αποθηκεύστε ένα αντίγραφο του εγγράφου με νέο όνομα αρχείου... - + %1 document (*.FCStd) έγγραφο %1 (*.FCStd) - + Document not closable Το έγγραφο δεν κλείνει - + The document is not closable for the moment. Το έγγραφο δεν κλείνει προς το παρόν. - + Document not saved Document not saved - + The document%1 could not be saved. Do you want to cancel closing it? Το έγγραφο%1 δεν μπορεί να αποθηκευτεί. Θέλετε να ακυρώσετε το κλείσιμο; - + Undo Undo - + Redo Redo - + There are grouped transactions in the following documents with other preceding transactions There are grouped transactions in the following documents with other preceding transactions - + Choose 'Yes' to roll back all preceding transactions. Choose 'No' to roll back in the active document only. Choose 'Abort' to abort @@ -8463,7 +8448,7 @@ Choose 'Abort' to abort Αδυναμία εύρεσης του αρχείου %1 τόσο στο %2 όσο και στο %3 - + Navigation styles Τύποι μορφοποίησης πλοήγησης @@ -8474,47 +8459,47 @@ Choose 'Abort' to abort Μετατόπιση - + Do you want to close this dialog? Do you want to close this dialog? - + Do you want to save your changes to document '%1' before closing? Θέλετε να αποθηκεύσετε τις αλλαγές σας στο έγγραφο '%1' πριν το κλείσιμο; - + Do you want to save your changes to document before closing? Do you want to save your changes to document before closing? - + If you don't save, your changes will be lost. Αν δεν κάνετε αποθήκευση, οι αλλαγές σας θα χαθούν. - + Apply answer to all Apply answer to all - + %1 Document(s) not saved %1 Document(s) not saved - + Some documents could not be saved. Do you want to cancel closing? Ορισμένα έγγραφα δεν ήταν δυνατόν να αποθηκευτούν. Θέλετε να ακυρώσετε τον τερματισμό; - + Delete macro Διαγραφή μακροεντολής - + Not allowed to delete system-wide macros Δεν επιτρέπεται να διαγράψετε μακροεντολές συστήματος @@ -8610,10 +8595,10 @@ Choose 'Abort' to abort - - - - + + + + Invalid name Invalid name @@ -8626,25 +8611,25 @@ underscore, and must not start with a digit. - + The property name is a reserved word. The property name is a reserved word. - + The property '%1' already exists in '%2' The property '%1' already exists in '%2' - + Add property Add property - + Failed to add property to '%1': %2 Failed to add property to '%1': %2 @@ -8927,14 +8912,14 @@ the current copy will be lost. Suppressed - + The property name must only contain alpha numericals, underscore, and must not start with a digit. The property name must only contain alpha numericals, underscore, and must not start with a digit. - + The group name must only contain alpha numericals, underscore, and must not start with a digit. The group name must only contain alpha numericals, @@ -8981,13 +8966,13 @@ underscore, and must not start with a digit. StdCmdAbout - + &About %1 Σχετικ&ά με το %1 - - + + About %1 Σχετικά με το %1 @@ -8995,13 +8980,13 @@ underscore, and must not start with a digit. StdCmdAboutQt - + About &Qt Σχετικά με το πρόγραμμα δημιουργίας &Qt - - + + About Qt Σχετικά με το πρόγραμμα δημιουργίας Qt @@ -9037,13 +9022,13 @@ underscore, and must not start with a digit. StdCmdAlignment - + Alignment... Ευθυγράμμιση... - - + + Align the selected objects Ευθυγράμμιση των επιλεγμένων αντικειμένων @@ -9107,13 +9092,13 @@ underscore, and must not start with a digit. StdCmdCommandLine - + Start command &line... Εκκίνηση γραμμής εντο&λών... - - + + Opens the command line in the console Ανοίγει την γραμμή εντολών στην κονσόλα @@ -9121,13 +9106,13 @@ underscore, and must not start with a digit. StdCmdCopy - + C&opy Αντιγραφή - - + + Copy operation Αντιγραφή λειτουργίας @@ -9135,13 +9120,13 @@ underscore, and must not start with a digit. StdCmdCut - + &Cut Περικοπή - - + + Cut out Περικοπή @@ -9149,13 +9134,13 @@ underscore, and must not start with a digit. StdCmdDelete - + &Delete &Διαγραφή - - + + Deletes the selected objects Διαγράφει τα επιλεγμένα αντικείμενα @@ -9177,13 +9162,13 @@ underscore, and must not start with a digit. StdCmdDependencyGraph - + Dependency graph... Γράφημα εξαρτήσεων... - - + + Show the dependency graph of the objects in the active document Εμφάνιση του γραφήματος εξαρτήσεων των αντικειμένων στο ενεργό έγγραφο @@ -9191,13 +9176,13 @@ underscore, and must not start with a digit. StdCmdDlgCustomize - + Cu&stomize... Προ&σαρμογή... - - + + Customize toolbars and command bars Προσαρμογή των γραμμών εργαλείων και των γραμμών εντολών @@ -9257,13 +9242,13 @@ underscore, and must not start with a digit. StdCmdDlgParameter - + E&dit parameters ... Επεξεργασία παραμέτρων ... - - + + Opens a Dialog to edit the parameters Ανοίγει ένα Παράθυρο Διαλόγου για την επεξεργασία των παραμέτρων @@ -9271,13 +9256,13 @@ underscore, and must not start with a digit. StdCmdDlgPreferences - + &Preferences ... &Προτιμήσεις ... - - + + Opens a Dialog to edit the preferences Ανοίγει ένα Παράθυρο Διαλόγου για την επεξεργασία των προτιμήσεων @@ -9313,13 +9298,13 @@ underscore, and must not start with a digit. StdCmdDuplicateSelection - + Duplicate selection Αντιγραφή επιλογής - - + + Put duplicates of the selected objects to the active document Τοποθετήστε αντίγραφα των επιλεγμένων αντικειμένων στο ενεργό έγγραφο @@ -9327,17 +9312,17 @@ underscore, and must not start with a digit. StdCmdEdit - + Toggle &Edit mode Εναλλαγή της λειτουργίας &Επεξεργασίας - + Toggles the selected object's edit mode Εναλλάσσει την λειτουργία επεξεργασίας των επιλεγμένων αντικειμένων - + Activates or Deactivates the selected object's edit mode Ενεργοποιεί ή Απενεργοποιεί την κατάσταση λειτουργίας επεξεργασίας του επιλεγμένου αντικείμενου @@ -9356,12 +9341,12 @@ underscore, and must not start with a digit. Πραγματοποιήστε εξαγωγή ενός αντικειμένου στο ενεργό έγγραφο - + No selection Καμία επιλογή - + Select the objects to export before choosing Export. Select the objects to export before choosing Export. @@ -9369,13 +9354,13 @@ underscore, and must not start with a digit. StdCmdExpression - + Expression actions Expression actions - - + + Actions that apply to expressions Actions that apply to expressions @@ -9397,12 +9382,12 @@ underscore, and must not start with a digit. StdCmdFreeCADDonation - + Donate Δωρεά - + Donate to FreeCAD development Δωρεά για την ανάπτυξη του FreeCAD @@ -9410,17 +9395,17 @@ underscore, and must not start with a digit. StdCmdFreeCADFAQ - + FreeCAD FAQ Συχνές Ερωτήσεις σχετικά με το FreeCAD - + Frequently Asked Questions on the FreeCAD website Συχνές Ερωτήσεις στην ιστοσελίδα του FreeCAD - + Frequently Asked Questions Συχνές Ερωτήσεις @@ -9428,17 +9413,17 @@ underscore, and must not start with a digit. StdCmdFreeCADForum - + FreeCAD Forum Forum του FreeCAD - + The FreeCAD forum, where you can find help from other users Το forum του FreeCAD, όπου μπορείτε να βρείτε βοήθεια από άλλους χρήστες - + The FreeCAD Forum Το Forum του FreeCAD @@ -9446,17 +9431,17 @@ underscore, and must not start with a digit. StdCmdFreeCADPowerUserHub - + Python scripting documentation Οδηγίες σεναρίων Python - + Python scripting documentation on the FreeCAD website Οδηγίες σεναρίων Python στην ιστοσελίδα του FreeCAD - + PowerUsers documentation Οδηγίες για Προχωρημένους Χρήστες @@ -9464,13 +9449,13 @@ underscore, and must not start with a digit. StdCmdFreeCADUserHub - - + + Users documentation Έγγραφα βοήθειας για τους χρήστες - + Documentation for users on the FreeCAD website Κείμενα βοήθειας για τους χρήστες, στον ιστότοπο του ΦρειΚΑΝΤ @@ -9478,13 +9463,13 @@ underscore, and must not start with a digit. StdCmdFreeCADWebsite - - + + FreeCAD Website Ιστοσελίδα του FreeCAD - + The FreeCAD website Η ιστοσελίδα του FreeCAD @@ -9799,25 +9784,25 @@ underscore, and must not start with a digit. StdCmdMergeProjects - + Merge document... Merge document... - - - - + + + + Merge document Merge document - + %1 document (*.FCStd) έγγραφο %1 (*.FCStd) - + Cannot merge document with itself. Cannot merge document with itself. @@ -9825,18 +9810,18 @@ underscore, and must not start with a digit. StdCmdNew - + &New &Νέο - - + + Create a new empty document Δημιουργήστε ένα νέο κενό έγγραφο - + Unnamed Ανώνυμο @@ -9845,13 +9830,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelp - - + + Help Βοήθεια - + Show help to the application Εμφάνιση βοήθειας στην εφαρμογή @@ -9859,13 +9844,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelpWebsite - - + + Help Website Ιστοσελίδα Βοήθειας - + The website where the help is maintained Η ιστοσελίδα όπου διατηρείται η βοήθεια @@ -9920,13 +9905,13 @@ underscore, and must not start with a digit. StdCmdPaste - + &Paste Ε&πικόλληση - - + + Paste operation Λειτουργία επικόλλησης @@ -9934,13 +9919,13 @@ underscore, and must not start with a digit. StdCmdPlacement - + Placement... Τοποθέτηση... - - + + Place the selected objects Τοποθετήστε τα επιλεγμένα αντικείμενα @@ -9948,13 +9933,13 @@ underscore, and must not start with a digit. StdCmdPrint - + &Print... Εκτύ&πωση... - - + + Print the document Εκτυπώστε το έγγραφο @@ -9962,13 +9947,13 @@ underscore, and must not start with a digit. StdCmdPrintPdf - + &Export PDF... &Εξαγωγή σε PDF... - - + + Export the document as PDF Εξαγωγή του εγγράφου ως PDF @@ -9976,17 +9961,17 @@ underscore, and must not start with a digit. StdCmdPrintPreview - + &Print preview... &Προεπισκόπηση εκτύπωσης... - + Print the document Εκτυπώστε το έγγραφο - + Print preview Προεπισκόπηση εκτύπωσης @@ -9994,13 +9979,13 @@ underscore, and must not start with a digit. StdCmdPythonWebsite - - + + Python Website Ιστοσελίδα της Python - + The official Python website Η επίσημη ιστοσελίδα της Python @@ -10008,13 +9993,13 @@ underscore, and must not start with a digit. StdCmdQuit - + E&xit Έξοδος - - + + Quits the application Εγκαταλείπει την εφαρμογή @@ -10036,13 +10021,13 @@ underscore, and must not start with a digit. StdCmdRecentFiles - + Open Recent Open Recent - - + + Recent file list Λίστα πρόσφατων αρχείων @@ -10050,13 +10035,13 @@ underscore, and must not start with a digit. StdCmdRecentMacros - + Recent macros Recent macros - - + + Recent macro list Recent macro list @@ -10064,13 +10049,13 @@ underscore, and must not start with a digit. StdCmdRedo - + &Redo Επανάληψη - - + + Redoes a previously undone action Επαναλαμβάνει μια ενέργεια που είχε προηγουμένως αναιρεθεί @@ -10078,13 +10063,13 @@ underscore, and must not start with a digit. StdCmdRefresh - + &Refresh Ανανέωση - - + + Recomputes the current active document Πραγματοποιεί επανεκτέλεση υπολογισμών για το τρέχον ενεργό έγγραφο @@ -10092,13 +10077,13 @@ underscore, and must not start with a digit. StdCmdReportBug - + Report a bug Αναφορά Σφάλματος - - + + Report a bug or suggest a feature Αναφέρετε ένα σφάλμα ή προτείνετε μια λειτουργία @@ -10106,13 +10091,13 @@ underscore, and must not start with a digit. StdCmdRevert - + Revert Επαναφορά - - + + Reverts to the saved version of this file Πραγματοποιεί επαναφορά στην αποθηκευμένη έκδοση αυτού του αρχείου @@ -10120,13 +10105,13 @@ underscore, and must not start with a digit. StdCmdSave - + &Save Αποθήκευ&ση - - + + Save the active document Αποθήκευση του ενεργού εγγράφου @@ -10134,13 +10119,13 @@ underscore, and must not start with a digit. StdCmdSaveAll - + Save All Αποθήκευση όλων - - + + Save all opened document Αποθήκευση όλων των ανοιγμένων εγγράφων @@ -10148,13 +10133,13 @@ underscore, and must not start with a digit. StdCmdSaveAs - + Save &As... &Αποθήκευση Ως... - - + + Save the active document under a new file name Αποθήκευση του ενεργού εγγράφου με νέο όνομα αρχείου @@ -10162,13 +10147,13 @@ underscore, and must not start with a digit. StdCmdSaveCopy - + Save a &Copy... Αποθήκευση ενός Αντιγράφου... - - + + Save a copy of the active document under a new file name Αποθήκευση ενός αντιγράφου του ενεργού εγγράφου με νέο όνομα αρχείου @@ -10204,13 +10189,13 @@ underscore, and must not start with a digit. StdCmdSelectAll - + Select &All Επιλογή Όλων - - + + Select all Επιλογή όλων @@ -10288,13 +10273,13 @@ underscore, and must not start with a digit. StdCmdTextDocument - + Add text document Add text document - - + + Add text document to active document Add text document to active document @@ -10428,13 +10413,13 @@ underscore, and must not start with a digit. StdCmdTransform - + Transform... Μετατόπιση... - - + + Transform the geometry of selected objects Μετασχηματισμός της γεωμετρίας των επιλεγμένων αντικειμένων @@ -10442,13 +10427,13 @@ underscore, and must not start with a digit. StdCmdTransformManip - + Transform Μετατόπιση - - + + Transform the selected object in the 3d view Μετασχηματισμός του επιλεγμένου αντικειμένου στην τρισδιάστατη προβολή @@ -10512,13 +10497,13 @@ underscore, and must not start with a digit. StdCmdUndo - + &Undo Αναίρεση - - + + Undo exactly one action Αναίρεση ακριβώς μιας πράξης @@ -10526,13 +10511,13 @@ underscore, and must not start with a digit. StdCmdUserEditMode - + Edit mode Λειτουργία επεξεργασίας - - + + Defines behavior when editing an object from tree Καθορίζει τη συμπεριφορά κατά την ανάπτυξη επεξεργασίας ενός αντικειμένου @@ -10932,13 +10917,13 @@ underscore, and must not start with a digit. StdCmdWhatsThis - + &What's This? Τι Είναι Αυτό; - - + + What's This Τι Είναι Αυτό @@ -10974,13 +10959,13 @@ underscore, and must not start with a digit. StdCmdWorkbench - + Workbench Πάγκος εργασίας - - + + Switch between workbenches Εναλλαγή μεταξύ πάγκων εργασίας @@ -11305,7 +11290,7 @@ underscore, and must not start with a digit. Std_Delete - + The following referencing objects might break. Are you sure you want to continue? @@ -11316,7 +11301,7 @@ Are you sure you want to continue; - + Object dependencies Εξαρτήσεις αντικειμένου @@ -11324,7 +11309,7 @@ Are you sure you want to continue; Std_DependencyGraph - + Dependency graph Γράφημα εξάρτησης @@ -11405,12 +11390,12 @@ Are you sure you want to continue; Std_DuplicateSelection - + Object dependencies Εξαρτήσεις αντικειμένου - + To link to external objects, the document must be saved at least once. Do you want to save the document now? To link to external objects, the document must be saved at least once. @@ -11428,7 +11413,7 @@ Do you want to save the document now? Std_Refresh - + The document contains dependency cycles. Please check the Report View for more details. @@ -11442,17 +11427,17 @@ Do you still want to proceed; Std_Revert - + Revert document Επαναφορά εγγράφου - + This will discard all the changes since last file save. Αυτό θα πραγματοποιήσει απόρριψη όλων των αλλαγών από την τελευταία αποθήκευση αρχείου. - + Do you want to continue? Θέλετε να συνεχίσετε; @@ -11626,12 +11611,12 @@ Do you still want to proceed; Gui::MDIView - + Export PDF Εξαγωγή σε PDF - + PDF file Αρχείο PDF @@ -12325,82 +12310,82 @@ Currently, your system has the following workbenches:</p></body>< Προεπισκόπηση: - + Text Κείμενο - + Bookmark Σελιδοδείκτης - + Breakpoint Σημείο Διακοπής - + Keyword Λέξη-κλειδί - + Comment Σχόλιο - + Block comment Σχόλιο του μπλοκ - + Number Αριθμός - + String Συμβολοσειρά - + Character Χαρακτήρας - + Class name Όνομα κλάσης - + Define name Ορίστε όνομα - + Operator Τελεστής - + Python output Έξοδος Python - + Python error Σφάλμα Python - + Current line highlight Επισήμανση τρέχουσας γραμμής - + Items Αντικείμενα @@ -12905,13 +12890,13 @@ from Python console to Report view panel StdCmdExportDependencyGraph - + Export dependency graph... Export dependency graph... - - + + Export the dependency graph to a file Export the dependency graph to a file @@ -13349,13 +13334,13 @@ the region are non-opaque. StdCmdProjectInfo - + Document i&nformation... Document i&nformation... - - + + Show details of the currently active document Show details of the currently active document @@ -13363,13 +13348,13 @@ the region are non-opaque. StdCmdProjectUtil - + Document utility... Document utility... - - + + Utility to extract or create document files Utility to extract or create document files @@ -13391,12 +13376,12 @@ the region are non-opaque. StdCmdProperties - + Properties Ιδιότητες - + Show the property view, which displays the properties of the selected object. Show the property view, which displays the properties of the selected object. @@ -13447,13 +13432,13 @@ the region are non-opaque. StdCmdReloadStyleSheet - + &Reload stylesheet &Reload stylesheet - - + + Reloads the current stylesheet Reloads the current stylesheet @@ -13730,15 +13715,38 @@ the region are non-opaque. StdCmdUnitsCalculator - + &Units converter... &Units converter... - - + + Start the units converter Start the units converter + + Gui::ModuleIO + + + File not found + Το αρχείο δεν βρέθηκε + + + + The file '%1' cannot be opened. + Αδυναμία ανοίγματος του αρχείου '%1'. + + + + StdCmdRestartInSafeMode + + + + + Restart in safe mode + Restart in safe mode + + diff --git a/src/Gui/Language/FreeCAD_es-AR.ts b/src/Gui/Language/FreeCAD_es-AR.ts index 084fe4c1e776..fc36484c56e1 100644 --- a/src/Gui/Language/FreeCAD_es-AR.ts +++ b/src/Gui/Language/FreeCAD_es-AR.ts @@ -91,17 +91,17 @@ Editar - + Import Importar - + Delete Eliminar - + Paste expressions Pegar expresiones @@ -131,7 +131,7 @@ Importar todos los enlaces - + Insert text document Insertar documento de texto @@ -424,42 +424,42 @@ EditMode - + Default Predeterminado - + The object will be edited using the mode defined internally to be the most appropriate for the object type El objeto será editado utilizando el modo definido internamente que es más apropiado para el tipo de objeto - + Transform Transformar - + The object will have its placement editable with the Std TransformManip command El objeto tendrá su ubicación editable con el comando Std TransformManip - + Cutting Corte - + This edit mode is implemented as available but currently does not seem to be used by any object Este modo de edición está implementado como disponible pero actualmente no parece ser utilizado por ningún objeto - + Color Color - + The object will have the color of its individual faces editable with the Part FaceAppearances command El objeto tendrá el color de sus caras individuales editables con el comando Part FaceAppearances @@ -681,8 +681,8 @@ mientras hace un clic izquierdo o derecho y mueve el mouse hacia arriba o hacia - Word size - Tamaño de palabra + Architecture + Architecture @@ -707,52 +707,52 @@ mientras hace un clic izquierdo o derecho y mueve el mouse hacia arriba o hacia Gui::Dialog::AboutDialog - - + + Credits - Header for the Credits tab of the About screen Créditos - + + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + Header for bgbsww + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + + + FreeCAD would not be possible without the contributions of FreeCAD no sería posible sin las contribuciones de - + Individuals Header for the list of individual people in the Credits list. Individual - + Organizations Header for the list of companies/organizations in the Credits list. Organizaciones - - + + License Licencia - + Libraries Bibliotecas - - This software uses open source components whose copyright and other proprietary rights belong to their respective owners: - Este software utiliza componentes de código abierto cuyos derechos de autor y otros derechos de propiedad pertenecen a sus respectivos propietarios: - - - + Collection Colección - + Privacy Policy Política de privacidad @@ -1407,8 +1407,8 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgCustomToolBoxbarsImp - - + + Toolbox bars Barras de caja de herramientas @@ -1497,40 +1497,40 @@ same time. The one with the highest priority will be triggered. - + <Separator> <Separador> - + %1 module not loaded %1 módulo no cargado - + New toolbar Nueva barra de herramientas - - + + Toolbar name: Nombre de la barra de herramientas: - - + + Duplicated name Nombre duplicado - - + + The toolbar name '%1' is already used El nombre de la barra de herramientas '%1' ya está en uso - + Rename toolbar Renombrar barra de herramientas @@ -1744,72 +1744,72 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgMacroExecuteImp - + Macros Macros - + Read-only Sólo lectura - + Macro file Archivo de macro - + Enter a file name, please: Ingrese un nombre de archivo, por favor: - - - + + + Existing file Archivo existente - + '%1'. This file already exists. '%1'. Este archivo ya existe. - + Cannot create file No se puede crear el archivo - + Creation of file '%1' failed. Error al crear el archivo '%1'. - + Delete macro Eliminar macro - + Do you really want to delete the macro '%1'? ¿Realmente desea eliminar la macro '%1'? - + Do not show again No mostrar de nuevo - + Guided Walkthrough Tutorial guiado - + This will guide you in setting up this macro in a custom global toolbar. Instructions will be in red text inside the dialog. Note: your changes will be applied when you next switch workbenches @@ -1820,78 +1820,78 @@ Nota: tus cambios se aplicarán cuando cambies de banco de trabajo - + Walkthrough, dialog 1 of 2 Tutorial, diálogo 1 de 2 - + Walkthrough instructions: Fill in missing fields (optional) then click Add, then Close Instrucciones del tutorial: Rellene los campos que faltan (opcional) y luego haga clic en Agregar, luego en Cerrar - + Walkthrough, dialog 1 of 1 Tutorial, diálogo 1 de 1 - + Walkthrough, dialog 2 of 2 Tutorial, diálogo 2 de 2 - - Walkthrough instructions: Click right arrow button (->), then Close. - Instrucciones del tutorial: Haga clic en el botón derecho de la flecha (->), luego cierre. + + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. - Walkthrough instructions: Click New, then right arrow (->) button, then Close. - Instrucciones del tutorial: Haga clic en Nuevo, luego en la flecha derecha (->) botón, luego en Cerrar. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. - + Renaming Macro File Renombrar el archivo de la Macro - - + + Enter new name: Introduce nuevo nombre: - - + + '%1' already exists. '%1' ya existe. - + Rename Failed Renombrar fallido - + Failed to rename to '%1'. Perhaps a file permission error? Error al renombrar a '%1'. ¿Tal vez un error de permiso de archivo? - + Duplicate Macro Duplicar Macro - + Duplicate Failed Error al Duplicar - + Failed to duplicate to '%1'. Perhaps a file permission error? Error al duplicar en '%1'. @@ -5892,81 +5892,81 @@ Desea guardar los cambios? Gui::GraphvizView - + Graphviz not found Graphviz no encontrado - + Graphviz couldn't be found on your system. No se pudo encontrar Graphviz en su sistema. - + Read more about it here. Leer más sobre esto aquí. - + Do you want to specify its installation path if it's already installed? ¿Desea especificar su ruta de instalación si ya está instalado? - + Graphviz installation path Ruta de instalación de Graphviz - + Graphviz failed Error de Graphviz - + Graphviz failed to create an image file Graphviz falló al crear un archivo de imagen - + PNG format Formato PNG - + Bitmap format Formato de mapa de bits - + GIF format Formato GIF - + JPG format Formato JPG - + SVG format Formato SVG - - + + PDF format Formato PDF - - + + Graphviz format Formato Graphviz - - - + + + Export graph Exportar gráfico @@ -6126,63 +6126,83 @@ Desea guardar los cambios? Gui::MainWindow - - + + Dimension Cota - + Ready Listo - + Close All Cerrar todo - - - + + + Toggles this toolbar Alterna esta barra de herramientas - - - + + + Toggles this dockable window Alterna esta ventana acoplable - + + Safe mode enabled + Safe mode enabled + + + + FreeCAD is now running in safe mode. + FreeCAD is now running in safe mode. + + + + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + + + WARNING: This is a development version. ADVERTENCIA: Esta es una versión de desarrollo. - + Please do not use it in a production environment. Por favor, no utilizar en un entorno de producción. - - + + Unsaved document Documento sin guardar - + The exported object contains external link. Please save the documentat least once before exporting. El objeto exportado contiene un vínculo externo. Por favor, guarde el documento al menos una vez antes de exportar. - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Para vincular a objetos externos, el documento debe guardarse al menos una vez. ¿Desea guardar el documento ahora? + + + Safe Mode + Safe Mode + Gui::ManualAlignment @@ -6681,39 +6701,19 @@ Do you want to exit without saving your data? Open file %1 Abrir archivo %1 - - - File not found - Archivo no encontrado - - - - The file '%1' cannot be opened. - El archivo '%1' no puede ser abierto. - Gui::RecentMacrosAction - + none ninguno - + Run macro %1 (Shift+click to edit) keyboard shortcut: %2 Ejecutar macro %1 (Shift+clic para editar) el atajo de teclado: %2 - - - File not found - Archivo no encontrado - - - - The file '%1' cannot be opened. - El archivo '%1' no puede ser abierto. - Gui::RevitNavigationStyle @@ -6968,7 +6968,7 @@ Do you want to specify another directory? Gui::TaskView::TaskDialog - + A dialog is already open in the task panel Un diálogo ya está abierto en el panel de tareas @@ -6997,38 +6997,8 @@ Do you want to specify another directory? Gui::TextDocumentEditorView - - Text updated - Texto actualizado - - - - The text of the underlying object has changed. Discard changes and reload the text from the object? - El texto del objeto subyacente ha cambiado. ¿Descartar cambios y volver a cargar el texto del objeto? - - - - Yes, reload. - Sí, recargar. - - - - Unsaved document - Documento sin guardar - - - - Do you want to save your changes before closing? - ¿Desea guardar sus cambios antes de cerrar? - - - - If you don't save, your changes will be lost. - Si no guarda, los cambios se perderán. - - - - + + Edit text Editar texto @@ -7305,7 +7275,7 @@ Do you want to specify another directory? Gui::TreeDockWidget - + Tree view Vista de árbol @@ -7313,7 +7283,7 @@ Do you want to specify another directory? Gui::TreePanel - + Search Búsqueda @@ -7371,148 +7341,148 @@ Do you want to specify another directory? Grupo - + Labels & Attributes Etiquetas & Atributos - + Description Descripción - + Internal name Nombre interno - + Show items hidden in tree view Mostrar elementos ocultos en la vista de árbol - + Show items that are marked as 'hidden' in the tree view Mostrar elementos marcados como 'ocultos' en la vista de árbol - + Toggle visibility in tree view Cambiar visibilidad en la vista de árbol - + Toggles the visibility of selected items in the tree view Cambia la visibilidad de los elementos seleccionados en la vista de árbol - + Create group Crear grupo - + Create a group Crear un grupo - - + + Rename Renombrar - + Rename object Renombrar objeto - + Finish editing Finalizar edición - + Finish editing object Finalizar edición de objeto - + Add dependent objects to selection Añadir objetos dependientes a la selección - + Adds all dependent objects to the selection Agrega todos los objetos dependientes a la selección - + Close document Cerrar documento - + Close the document Cerrar el documento - + Reload document Recargar documento - + Reload a partially loaded document Recargar un documento parcialmente cargado - + Skip recomputes Saltar recálculo - + Enable or disable recomputations of document Activar o desactivar el recálculo del documento - + Allow partial recomputes Permitir recalculado parcial - + Enable or disable recomputating editing object when 'skip recomputation' is enabled Activar o desactivar el recálculo del objeto de edición cuando 'saltar recálculo' está habilitado - + Mark to recompute Marcar para recalcular - + Mark this object to be recomputed Marca este objeto para ser recalculado - + Recompute object Recalcular objeto - + Recompute the selected object Recalcular el objeto seleccionado - + (but must be executed) (pero debe ser ejecutado) - + %1, Internal name: %2 %1, Nombre interno: %2 @@ -7724,47 +7694,47 @@ Do you want to specify another directory? QDockWidget - + Tree view Vista de árbol - + Tasks Tareas - + Property view Vista de Propiedades - + Selection view Vista de selección - + Task List Lista de tareas - + Model Modelo - + DAG View Vista DAG - + Report view Vista de informe - + Python console Consola de Python @@ -7804,35 +7774,35 @@ Do you want to specify another directory? Python - - - + + + Unknown filetype Tipo de archivo desconocido - - + + Cannot open unknown filetype: %1 No es posible abrir el tipo de archivo desconocido: %1 - + Export failed Exportación fallida - + Cannot save to unknown filetype: %1 No es posible guardar el tipo de archivo desconocido: %1 - + Recomputation required Recálculo requerido - + Some document(s) require recomputation for migration purposes. It is highly recommended to perform a recomputation before any modification to avoid compatibility problems. Do you want to recompute now? @@ -7841,24 +7811,24 @@ Do you want to recompute now? ¿Desea recalcularlo(s) ahora? - + Recompute error Error al recalcular - + Failed to recompute some document(s). Please check report view for more details. Error al recalcular algunos documento(s). Por favor, vea la vista del informe para más detalles. - + Workbench failure Fallo del banco de trabajo - + %1 %1 @@ -7904,90 +7874,105 @@ Por favor, vea la vista del informe para más detalles. Importar archivo - + Export file Exportar archivo - + Printing... Imprimiendo... - + Exporting PDF... Exportando a PDF... - - + + Unsaved document Documento sin guardar - + The exported object contains external link. Please save the documentat least once before exporting. El objeto exportado contiene un vínculo externo. Por favor, guarde el documento al menos una vez antes de exportar. - - + + Delete failed Error al eliminar - + Dependency error Error de dependencia - + Copy selected Copiar seleccionado - + Copy active document Copiar documento activo - + Copy all documents Copiar todos los documentos - + Paste Pegar - + Expression error Error de Expresión - + Failed to parse some of the expressions. Please check the Report View for more details. Error al analizar alguna(s) de las expresiones. Por favor, compruebe la Vista de Informe para más detalles. - + Failed to paste expressions Error al pegar expresiones - + Cannot load workbench No es posible cargar el banco de trabajo - + A general error occurred while loading the workbench Un error general ocurrió mientras se cargaba el banco de trabajo + + + Restart in safe mode + Restart in safe mode + + + + Are you sure you want to restart FreeCAD and enter safe mode? + Are you sure you want to restart FreeCAD and enter safe mode? + + + + Safe mode temporarily disables your configuration and addons. + Safe mode temporarily disables your configuration and addons. + @@ -8212,7 +8197,7 @@ Desea continuar? Demasiadas notificaciones no intrusivas abiertas. ¡Las notificaciones serán omitidas! - + Identical physical path detected. It may cause unwanted overwrite of existing document! @@ -8221,44 +8206,44 @@ Desea continuar? - + Are you sure you want to continue? ¿Estás seguro/a de que quieres continuar? - + Please check report view for more... Por favor, compruebe la vista del informe para más... - + Physical path: Ruta física: - - + + Document: Documento: - - + + Path: Trayectoria: - + Identical physical path Ruta física idéntica - + Could not save document No se pudo guardar el documento - + There was an issue trying to save the file. This may be because some of the parent folders do not exist, or you do not have sufficient permissions, or for other reasons. Error details: "%1" @@ -8271,102 +8256,102 @@ Would you like to save the file with a different name? ¿Desea guardar el archivo con un nombre diferente? - - - + + + Saving aborted Guardando anulado - + Save dependent files Guardar archivos dependientes - + The file contains external dependencies. Do you want to save the dependent files, too? El archivo contiene dependencias externas. ¿Desea guardar los archivos dependientes también? - - + + Saving document failed No se pudo guardar el documento - + Save document under new filename... Guardar documento con un nombre de archivo nuevo... - - + + Save %1 Document Guardar el documento %1 - + Document Documento - - + + Failed to save document Error al guardar el documento - + Documents contains cyclic dependencies. Do you still want to save them? Los documentos contienen dependencias cíclicas. ¿Desea guardarlos? - + Save a copy of the document under new filename... Guardar una copia del documento con un nuevo nombre de archivo... - + %1 document (*.FCStd) %1 documento (*.FCStd) - + Document not closable El documento no se puede cerrar - + The document is not closable for the moment. El documento no se puede cerrar por el momento. - + Document not saved Documento no guardado - + The document%1 could not be saved. Do you want to cancel closing it? El documento%1 no se pudo guardar. ¿Desea cancelar cerrando? - + Undo Deshacer - + Redo Rehacer - + There are grouped transactions in the following documents with other preceding transactions Hay transacciones de grupo en los siguientes documentos con otras transacciones anteriores - + Choose 'Yes' to roll back all preceding transactions. Choose 'No' to roll back in the active document only. Choose 'Abort' to abort @@ -8460,7 +8445,7 @@ Elija 'Anular' para anular No se pueden encontrar los archivos %1 ni %2 ni %3 - + Navigation styles Estilos de navegación @@ -8471,47 +8456,47 @@ Elija 'Anular' para anular Transformar - + Do you want to close this dialog? ¿Desea cerrar este diálogo? - + Do you want to save your changes to document '%1' before closing? ¿Desea guardar el documento '%1' antes de cerrar? - + Do you want to save your changes to document before closing? ¿Desea guardar los cambios en el documento antes de cerrar? - + If you don't save, your changes will be lost. Si no guarda, los cambios se perderán. - + Apply answer to all Aplicar respuesta a todos - + %1 Document(s) not saved %1 Documento(s) no guardados - + Some documents could not be saved. Do you want to cancel closing? Algunos documentos no se han podido guardar. ¿Desea cancelar el cierre? - + Delete macro Eliminar macro - + Not allowed to delete system-wide macros No se permite eliminar macros del sistema @@ -8607,10 +8592,10 @@ Elija 'Anular' para anular - - - - + + + + Invalid name Nombre no válido @@ -8622,25 +8607,25 @@ underscore, and must not start with a digit. - + The property name is a reserved word. - The property name is a reserved word. + El nombre de la propiedad es una palabra reservada. - + The property '%1' already exists in '%2' La propiedad '%1' ya existe en '%2' - + Add property Agregar propiedad - + Failed to add property to '%1': %2 Error al añadir la propiedad a '%1': %2 @@ -8926,14 +8911,13 @@ la copia actual se perderá. Suprimido - + The property name must only contain alpha numericals, underscore, and must not start with a digit. - El nombre de propiedad solo debe contener caracteres alfanuméricos, -guión bajo, y no debe comenzar con un dígito. + El nombre de la propiedad solo debe contener caracteres alfanuméricos, guion bajo, y no debe comenzar con un dígito. - + The group name must only contain alpha numericals, underscore, and must not start with a digit. El nombre del grupo solo debe contener caracteres alfanuméricos, @@ -8980,13 +8964,13 @@ guión bajo, y no debe comenzar con un dígito. StdCmdAbout - + &About %1 &Acerca de %1 - - + + About %1 Acerca de %1 @@ -8994,13 +8978,13 @@ guión bajo, y no debe comenzar con un dígito. StdCmdAboutQt - + About &Qt Acerca de &Qt - - + + About Qt Acerca de Qt @@ -9036,13 +9020,13 @@ guión bajo, y no debe comenzar con un dígito. StdCmdAlignment - + Alignment... Alineación... - - + + Align the selected objects Alinea los objetos seleccionados @@ -9106,13 +9090,13 @@ guión bajo, y no debe comenzar con un dígito. StdCmdCommandLine - + Start command &line... Iniciar &línea de comandos... - - + + Opens the command line in the console Abre la línea de comandos en la consola @@ -9120,13 +9104,13 @@ guión bajo, y no debe comenzar con un dígito. StdCmdCopy - + C&opy Copiar - - + + Copy operation Operación de copia @@ -9134,13 +9118,13 @@ guión bajo, y no debe comenzar con un dígito. StdCmdCut - + &Cut &Cortar - - + + Cut out Recorta @@ -9148,13 +9132,13 @@ guión bajo, y no debe comenzar con un dígito. StdCmdDelete - + &Delete Eliminar - - + + Deletes the selected objects Elimina los elementos seleccionados @@ -9176,13 +9160,13 @@ guión bajo, y no debe comenzar con un dígito. StdCmdDependencyGraph - + Dependency graph... Gráfico de dependencias... - - + + Show the dependency graph of the objects in the active document Muestra el gráfico de dependencia de los objetos en el documento activo @@ -9190,13 +9174,13 @@ guión bajo, y no debe comenzar con un dígito. StdCmdDlgCustomize - + Cu&stomize... Pe&rsonalizar... - - + + Customize toolbars and command bars Personaliza barras de herramientas y barras de comandos @@ -9256,13 +9240,13 @@ guión bajo, y no debe comenzar con un dígito. StdCmdDlgParameter - + E&dit parameters ... &Editar parámetros... - - + + Opens a Dialog to edit the parameters Abre un cuadro de diálogo para editar los parámetros @@ -9270,13 +9254,13 @@ guión bajo, y no debe comenzar con un dígito. StdCmdDlgPreferences - + &Preferences ... &Preferencias ... - - + + Opens a Dialog to edit the preferences Abre un cuadro de diálogo para editar las preferencias @@ -9312,13 +9296,13 @@ guión bajo, y no debe comenzar con un dígito. StdCmdDuplicateSelection - + Duplicate selection Duplicar la selección - - + + Put duplicates of the selected objects to the active document Pone los duplicados de los objetos seleccionados en el documento activo @@ -9326,17 +9310,17 @@ guión bajo, y no debe comenzar con un dígito. StdCmdEdit - + Toggle &Edit mode Alternar &modo de edición - + Toggles the selected object's edit mode Activa o desactiva el modo de edición del objeto seleccionado - + Activates or Deactivates the selected object's edit mode Activa o desactiva el modo de edición del objeto seleccionado @@ -9355,12 +9339,12 @@ guión bajo, y no debe comenzar con un dígito. Exporta un objeto en el documento activo - + No selection Sin selección - + Select the objects to export before choosing Export. Seleccione los objetos a exportar antes de elegir Exportar. @@ -9368,13 +9352,13 @@ guión bajo, y no debe comenzar con un dígito. StdCmdExpression - + Expression actions Acciones de expresión - - + + Actions that apply to expressions Acciones que se aplican a las expresiones @@ -9396,12 +9380,12 @@ guión bajo, y no debe comenzar con un dígito. StdCmdFreeCADDonation - + Donate Donar - + Donate to FreeCAD development Donar para apoyar el desarrollo @@ -9409,17 +9393,17 @@ guión bajo, y no debe comenzar con un dígito. StdCmdFreeCADFAQ - + FreeCAD FAQ Preguntas frecuentes sobre FreeCAD - + Frequently Asked Questions on the FreeCAD website Preguntas frecuentes en la página de FreeCAD - + Frequently Asked Questions Preguntas Frecuentes @@ -9427,17 +9411,17 @@ guión bajo, y no debe comenzar con un dígito. StdCmdFreeCADForum - + FreeCAD Forum Foro de FreeCAD - + The FreeCAD forum, where you can find help from other users El foro de FreeCAD, donde puede encontrar ayuda de otros usuarios - + The FreeCAD Forum El Foro de FreeCAD @@ -9445,17 +9429,17 @@ guión bajo, y no debe comenzar con un dígito. StdCmdFreeCADPowerUserHub - + Python scripting documentation Documentación sobre FreeCAD + Python - + Python scripting documentation on the FreeCAD website Documentación de FreeCAD + Python en el sitio web de FreeCAD - + PowerUsers documentation Documentación para usuarios avanzados @@ -9463,13 +9447,13 @@ guión bajo, y no debe comenzar con un dígito. StdCmdFreeCADUserHub - - + + Users documentation Documentacion para el usuario - + Documentation for users on the FreeCAD website Documentacion para el usuario en el sitio web de FreeCAD @@ -9477,13 +9461,13 @@ guión bajo, y no debe comenzar con un dígito. StdCmdFreeCADWebsite - - + + FreeCAD Website Sitio Web de FreeCAD - + The FreeCAD website El Sitio Web de FreeCAD @@ -9798,25 +9782,25 @@ guión bajo, y no debe comenzar con un dígito. StdCmdMergeProjects - + Merge document... Fusionar documento... - - - - + + + + Merge document Fusiona el documento - + %1 document (*.FCStd) %1 documento (*.FCStd) - + Cannot merge document with itself. No se puede fusionar el documento consigo mismo. @@ -9824,18 +9808,18 @@ guión bajo, y no debe comenzar con un dígito. StdCmdNew - + &New &Nuevo - - + + Create a new empty document Crea un documento vacío nuevo - + Unnamed Sin nombre @@ -9844,13 +9828,13 @@ guión bajo, y no debe comenzar con un dígito. StdCmdOnlineHelp - - + + Help Ayuda - + Show help to the application Mostrar ayuda de la aplicación @@ -9858,13 +9842,13 @@ guión bajo, y no debe comenzar con un dígito. StdCmdOnlineHelpWebsite - - + + Help Website Sitio web de ayuda - + The website where the help is maintained El sitio web donde se mantiene la ayuda @@ -9920,13 +9904,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdPaste - + &Paste &Pegar - - + + Paste operation Operación de pegar @@ -9934,13 +9918,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdPlacement - + Placement... Ubicación... - - + + Place the selected objects Ubica los elementos seleccionados @@ -9948,13 +9932,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdPrint - + &Print... &Imprimir... - - + + Print the document Imprime el documento @@ -9962,13 +9946,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdPrintPdf - + &Export PDF... &Exportar PDF... - - + + Export the document as PDF Exporta el documento como PDF @@ -9976,17 +9960,17 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdPrintPreview - + &Print preview... &Vista previa de impresión... - + Print the document Imprime el documento - + Print preview Vista previa de impresión @@ -9994,13 +9978,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdPythonWebsite - - + + Python Website Sitio web de Python - + The official Python website El sitio web oficial de Python @@ -10008,13 +9992,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdQuit - + E&xit S&alir - - + + Quits the application Sale de la aplicación @@ -10036,13 +10020,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdRecentFiles - + Open Recent Abrir reciente - - + + Recent file list Lista de archivos recientes @@ -10050,13 +10034,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdRecentMacros - + Recent macros Macros recientes - - + + Recent macro list Lista de macros recientes @@ -10064,13 +10048,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdRedo - + &Redo &Rehacer - - + + Redoes a previously undone action Rehace una acción previa de deshacer @@ -10078,13 +10062,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdRefresh - + &Refresh &Actualizar - - + + Recomputes the current active document Recalcula el documento activo actual @@ -10092,13 +10076,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdReportBug - + Report a bug Informar de un error - - + + Report a bug or suggest a feature Informar de un error o sugerir una nueva característica @@ -10106,13 +10090,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdRevert - + Revert Revertir - - + + Reverts to the saved version of this file Vuelve a la versión guardada del archivo @@ -10120,13 +10104,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdSave - + &Save &Guardar - - + + Save the active document Guarda el documento activo @@ -10134,13 +10118,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdSaveAll - + Save All Guardar todo - - + + Save all opened document Guarda todos los documentos abiertos @@ -10148,13 +10132,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdSaveAs - + Save &As... Guardar &como... - - + + Save the active document under a new file name Guarda el documento activo con un nuevo nombre de archivo @@ -10162,13 +10146,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdSaveCopy - + Save a &Copy... Guardar una &copia... - - + + Save a copy of the active document under a new file name Guarda una copia del documento activo con un nuevo nombre de archivo @@ -10204,13 +10188,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdSelectAll - + Select &All Seleccionar &todo - - + + Select all Selecciona todo @@ -10288,13 +10272,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdTextDocument - + Add text document Añadir documento de texto - - + + Add text document to active document Añade documento de texto al documento activo @@ -10428,13 +10412,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdTransform - + Transform... Transformar... - - + + Transform the geometry of selected objects Transformar la geometría de los objetos seleccionados @@ -10442,13 +10426,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdTransformManip - + Transform Transformar - - + + Transform the selected object in the 3d view Transforma el objeto seleccionado en la vista 3d @@ -10512,13 +10496,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdUndo - + &Undo &Deshacer - - + + Undo exactly one action Deshace exactamente una acción @@ -10526,13 +10510,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdUserEditMode - + Edit mode Modo de edición - - + + Defines behavior when editing an object from tree Determina el comportamiento cuando se edita un objeto del árbol @@ -10932,13 +10916,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdWhatsThis - + &What's This? &¿Qué es esto? - - + + What's This Qué es Esto @@ -10974,13 +10958,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdWorkbench - + Workbench Banco de trabajo - - + + Switch between workbenches Cambia entre entornos de trabajo @@ -11304,7 +11288,7 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri Std_Delete - + The following referencing objects might break. Are you sure you want to continue? @@ -11315,7 +11299,7 @@ Are you sure you want to continue? - + Object dependencies Dependencias del objeto @@ -11323,7 +11307,7 @@ Are you sure you want to continue? Std_DependencyGraph - + Dependency graph Gráfico de dependencias @@ -11404,12 +11388,12 @@ Are you sure you want to continue? Std_DuplicateSelection - + Object dependencies Dependencias del objeto - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Para vincular a objetos externos, el documento debe guardarse al menos una vez. @@ -11427,7 +11411,7 @@ Do you want to save the document now? Std_Refresh - + The document contains dependency cycles. Please check the Report View for more details. @@ -11441,17 +11425,17 @@ Por favor, compruebe la Vista de Reportes para más detalles. Std_Revert - + Revert document Revertir documento - + This will discard all the changes since last file save. Esto descartará todos los cambios desde el último archivo guardado. - + Do you want to continue? ¿Desea continuar? @@ -11625,12 +11609,12 @@ Por favor, compruebe la Vista de Reportes para más detalles. Gui::MDIView - + Export PDF Exportar a PDF - + PDF file Archivo PDF @@ -12323,82 +12307,82 @@ Actualmente, su sistema tiene los siguientes bancos de trabajo:</p></bo Vista previa: - + Text Texto - + Bookmark Marcador - + Breakpoint Punto de parada - + Keyword Palabra clave - + Comment Comentario - + Block comment Comentar bloque - + Number Número - + String Cadena de texto - + Character Carácter - + Class name Nombre de clase - + Define name Definir nombre - + Operator Operador - + Python output Salida de Python - + Python error Error de Python - + Current line highlight Resaltado de línea actual - + Items Artículos @@ -12905,13 +12889,13 @@ from Python console to Report view panel StdCmdExportDependencyGraph - + Export dependency graph... Exportar gráfico de dependencias... - - + + Export the dependency graph to a file Exportar el gráfico de dependencias a un archivo @@ -12977,7 +12961,7 @@ from Python console to Report view panel Adjust the orientation of the directional light source by dragging the handle with the mouse or use the spin boxes for fine tuning. - Ajustar la orientación de la fuente de luz direccional arrastrando el asa con el ratón o utilice las cajas giratorias para un ajuste fino. + Ajuste la orientación de la fuente de luz direccional arrastrando el asa con el ratón o utilice las cajas giratorias para un ajuste fino. @@ -13349,13 +13333,13 @@ de la región no son opacos. StdCmdProjectInfo - + Document i&nformation... I&nformación del documento... - - + + Show details of the currently active document Muestra detalles del proyecto activo actual @@ -13363,13 +13347,13 @@ de la región no son opacos. StdCmdProjectUtil - + Document utility... Utilidad del documento... - - + + Utility to extract or create document files Utilidad para extraer o crear documentos @@ -13391,12 +13375,12 @@ de la región no son opacos. StdCmdProperties - + Properties Propiedades - + Show the property view, which displays the properties of the selected object. Mostrar la vista de propiedad, que muestra las propiedades del objeto seleccionado. @@ -13447,13 +13431,13 @@ de la región no son opacos. StdCmdReloadStyleSheet - + &Reload stylesheet &Recargar hoja de estilo - - + + Reloads the current stylesheet Recarga la hoja de estilos actual @@ -13730,15 +13714,38 @@ de la región no son opacos. StdCmdUnitsCalculator - + &Units converter... Conversor de &unidades... - - + + Start the units converter Iniciar el conversor de unidades + + Gui::ModuleIO + + + File not found + Archivo no encontrado + + + + The file '%1' cannot be opened. + El archivo '%1' no puede ser abierto. + + + + StdCmdRestartInSafeMode + + + + + Restart in safe mode + Restart in safe mode + + diff --git a/src/Gui/Language/FreeCAD_es-ES.ts b/src/Gui/Language/FreeCAD_es-ES.ts index 7c22a9d5af7a..8145e8d9f9a0 100644 --- a/src/Gui/Language/FreeCAD_es-ES.ts +++ b/src/Gui/Language/FreeCAD_es-ES.ts @@ -91,17 +91,17 @@ Editar - + Import Importar - + Delete Borrar - + Paste expressions Pegar expresiones @@ -131,7 +131,7 @@ Importar todos los vínculos - + Insert text document Insertar documento de texto @@ -424,42 +424,42 @@ EditMode - + Default Por defecto - + The object will be edited using the mode defined internally to be the most appropriate for the object type El objeto será editado utilizando el modo definido internamente que es más apropiado para el tipo de objeto - + Transform Transformar - + The object will have its placement editable with the Std TransformManip command El objeto tendrá su ubicación editable con el comando Std TransformManip - + Cutting Corte - + This edit mode is implemented as available but currently does not seem to be used by any object Este modo de edición está implementado como disponible pero actualmente no parece ser utilizado por ningún objeto - + Color Color - + The object will have the color of its individual faces editable with the Part FaceAppearances command El objeto tendrá el color de sus caras individuales editables con el comando Part FaceAppearances @@ -681,8 +681,8 @@ mientras hace clic con el botón izquierdo o derecho y mueve el ratón hacia arr - Word size - Tamaño de la palabra + Architecture + Architecture @@ -707,52 +707,52 @@ mientras hace clic con el botón izquierdo o derecho y mueve el ratón hacia arr Gui::Dialog::AboutDialog - - + + Credits - Header for the Credits tab of the About screen Créditos - + + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + Header for bgbsww + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + + + FreeCAD would not be possible without the contributions of FreeCAD no sería posible sin las contribuciones de - + Individuals Header for the list of individual people in the Credits list. Individuos - + Organizations Header for the list of companies/organizations in the Credits list. Organizaciones - - + + License Licencia - + Libraries Bibliotecas - - This software uses open source components whose copyright and other proprietary rights belong to their respective owners: - Este software utiliza componentes de código abierto, cuyos derechos de autor y otros derechos de propiedad pertenecen a sus respectivos propietarios: - - - + Collection Colección - + Privacy Policy Política de privacidad @@ -1407,8 +1407,8 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgCustomToolBoxbarsImp - - + + Toolbox bars Barras de herramientas @@ -1497,40 +1497,40 @@ same time. The one with the highest priority will be triggered. - + <Separator> <Separator> - + %1 module not loaded %1 módulo no cargado - + New toolbar Nueva barra de herramientas - - + + Toolbar name: Nombre de la barra de herramientas: - - + + Duplicated name Nombre duplicado - - + + The toolbar name '%1' is already used El nombre de la barra de herramientas '%1' ya se está utilizando - + Rename toolbar Renombrar barra de herramientas @@ -1744,72 +1744,72 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgMacroExecuteImp - + Macros Macros - + Read-only Solo lectura - + Macro file Archivo de macro - + Enter a file name, please: Introduzca un nombre de archivo, por favor: - - - + + + Existing file Archivo existente - + '%1'. This file already exists. '%1'. Este archivo ya existe. - + Cannot create file No se puede crear el archivo - + Creation of file '%1' failed. Error al crear el archivo '%1'. - + Delete macro Borrar macro - + Do you really want to delete the macro '%1'? ¿Realmente quiere borrar la macro '%1'? - + Do not show again No volver a mostrar - + Guided Walkthrough Tutorial guiado - + This will guide you in setting up this macro in a custom global toolbar. Instructions will be in red text inside the dialog. Note: your changes will be applied when you next switch workbenches @@ -1820,78 +1820,78 @@ Nota: tus cambios se aplicarán cuando cambies de banco de trabajo - + Walkthrough, dialog 1 of 2 Tutorial, diálogo 1 de 2 - + Walkthrough instructions: Fill in missing fields (optional) then click Add, then Close Instrucciones de aprobación: Rellene los campos que faltan (opcional) y luego haga clic en Añadir, luego en Cerrar - + Walkthrough, dialog 1 of 1 Tutorial, diálogo 1 de 1 - + Walkthrough, dialog 2 of 2 Tutorial, diálogo 2 de 2 - - Walkthrough instructions: Click right arrow button (->), then Close. - Instrucciones del tutorial: Haga clic en el botón derecho de la flecha (->), luego cierre. + + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. - Walkthrough instructions: Click New, then right arrow (->) button, then Close. - Instrucciones del tutorial: Haga clic en el botón derecho de la flecha (->), luego cierre. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. - + Renaming Macro File Renombrar el archivo de la Macro - - + + Enter new name: Introduce nuevo nombre: - - + + '%1' already exists. '%1' ya existe. - + Rename Failed Error al Re-nombrarlo - + Failed to rename to '%1'. Perhaps a file permission error? Error al cambiar el nombre a '%1'. ¿Tal vez un error de permiso de archivo? - + Duplicate Macro Duplicar Macro - + Duplicate Failed Error al Duplicar - + Failed to duplicate to '%1'. Perhaps a file permission error? Error al duplicar en '%1'. @@ -5895,81 +5895,81 @@ Desea guardar los cambios? Gui::GraphvizView - + Graphviz not found Graphviz no encontrado - + Graphviz couldn't be found on your system. Graphviz no pudo encontrarse en su sistema. - + Read more about it here. Leer más sobre esto aquí. - + Do you want to specify its installation path if it's already installed? ¿Desea especificar su ruta de instalación si ya está instalado? - + Graphviz installation path Ruta de instalación de Graphviz - + Graphviz failed Error de Graphviz - + Graphviz failed to create an image file No se pudo crear un archivo de imagen de Graphviz - + PNG format Formato PNG - + Bitmap format Formato de mapa de bits - + GIF format Formato GIF - + JPG format Formato JPG - + SVG format Formato SVG - - + + PDF format Formato PDF - - + + Graphviz format Formato Graphviz - - - + + + Export graph Exportar gráfico @@ -6129,63 +6129,83 @@ Desea guardar los cambios? Gui::MainWindow - - + + Dimension Cota - + Ready Preparado - + Close All Cerrar todo - - - + + + Toggles this toolbar Muestra u oculta la barra de herramientas - - - + + + Toggles this dockable window Alterna esta ventana acoplable - + + Safe mode enabled + Safe mode enabled + + + + FreeCAD is now running in safe mode. + FreeCAD is now running in safe mode. + + + + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + + + WARNING: This is a development version. ATENCIÓN: Esta es una versión en desarrollo. - + Please do not use it in a production environment. No se utilice en entornos de producción. - - + + Unsaved document Documento sin guardar - + The exported object contains external link. Please save the documentat least once before exporting. El objeto exportado contiene un vínculo externo. Por favor, guarde el documento al menos una vez antes de exportar. - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Para vincular a objetos externos, el documento debe guardarse al menos una vez. ¿Desea guardar el documento ahora? + + + Safe Mode + Safe Mode + Gui::ManualAlignment @@ -6684,39 +6704,19 @@ Do you want to exit without saving your data? Open file %1 Abrir archivo %1 - - - File not found - Archivo no encontrado - - - - The file '%1' cannot be opened. - El archivo '%1' no se puede abrir. - Gui::RecentMacrosAction - + none ninguno - + Run macro %1 (Shift+click to edit) keyboard shortcut: %2 Ejecutar macro %1 (Shift+clic para editar) el atajo de teclado: %2 - - - File not found - Archivo no encontrado - - - - The file '%1' cannot be opened. - El archivo '%1' no se puede abrir. - Gui::RevitNavigationStyle @@ -6971,7 +6971,7 @@ Do you want to specify another directory? Gui::TaskView::TaskDialog - + A dialog is already open in the task panel Un diálogo ya está abierto en el panel de tareas @@ -7000,38 +7000,8 @@ Do you want to specify another directory? Gui::TextDocumentEditorView - - Text updated - Texto actualizado - - - - The text of the underlying object has changed. Discard changes and reload the text from the object? - El texto del objeto subyacente ha cambiado. ¿Descartar cambios y volver a cargar el texto del objeto? - - - - Yes, reload. - Sí, cargar de nuevo. - - - - Unsaved document - Documento sin guardar - - - - Do you want to save your changes before closing? - ¿Quiere guardar sus cambios antes de cerrar? - - - - If you don't save, your changes will be lost. - De no guardar, se perderán los cambios. - - - - + + Edit text Editar texto @@ -7308,7 +7278,7 @@ Do you want to specify another directory? Gui::TreeDockWidget - + Tree view Vista en árbol @@ -7316,7 +7286,7 @@ Do you want to specify another directory? Gui::TreePanel - + Search Buscar @@ -7374,148 +7344,148 @@ Do you want to specify another directory? Grupo - + Labels & Attributes Etiquetas y atributos - + Description Descripción - + Internal name Nombre interno - + Show items hidden in tree view Mostrar elementos ocultos en la vista de árbol - + Show items that are marked as 'hidden' in the tree view Mostrar elementos marcados como 'ocultos' en la vista de árbol - + Toggle visibility in tree view Cambiar visibilidad en la vista de árbol - + Toggles the visibility of selected items in the tree view Cambia la visibilidad de los elementos seleccionados en la vista de árbol - + Create group Crear grupo - + Create a group Crear un grupo - - + + Rename Renombrar - + Rename object Renombrar objeto - + Finish editing Finalizar la edición - + Finish editing object Finalizar edición del objeto - + Add dependent objects to selection Añadir objetos dependientes a la selección - + Adds all dependent objects to the selection Agrega todos los objetos dependientes a la selección - + Close document Cerrar documento - + Close the document Cerrar el documento - + Reload document Recargar documento - + Reload a partially loaded document Recargar un documento parcialmente cargado - + Skip recomputes Omitir recálculos - + Enable or disable recomputations of document Activar o desactivar el recalculado del documento - + Allow partial recomputes Permitir recalculado parcial - + Enable or disable recomputating editing object when 'skip recomputation' is enabled Activar o desactivar el recalculado del objeto de edición cuando 'saltar recalculado' está activado - + Mark to recompute Marcar para recalcular - + Mark this object to be recomputed Marca este objeto para ser recalculado - + Recompute object Recalcular objeto - + Recompute the selected object Recalcular el objeto seleccionado - + (but must be executed) (pero debe ser ejecutado) - + %1, Internal name: %2 %1, Nombre interno: %2 @@ -7727,47 +7697,47 @@ Do you want to specify another directory? QDockWidget - + Tree view Vista en árbol - + Tasks Tareas - + Property view Vista de las propiedades - + Selection view Vista de selección - + Task List Lista de tareas - + Model Modelo - + DAG View Vista DAG - + Report view Vista de informe - + Python console Consola de Python @@ -7807,35 +7777,35 @@ Do you want to specify another directory? Python - - - + + + Unknown filetype Tipo de archivo desconocido - - + + Cannot open unknown filetype: %1 No es posible abrir el tipo de archivo desconocido: %1 - + Export failed Exportación fallida - + Cannot save to unknown filetype: %1 No es posible guardar el tipo de archivo desconocido: %1 - + Recomputation required Recálculo requerido - + Some document(s) require recomputation for migration purposes. It is highly recommended to perform a recomputation before any modification to avoid compatibility problems. Do you want to recompute now? @@ -7844,24 +7814,24 @@ Do you want to recompute now? ¿Desea recalcularlo(s) ahora? - + Recompute error Error al recalcular - + Failed to recompute some document(s). Please check report view for more details. Error al recalcular algunos documento(s). Por favor, vea la vista del informe para más detalles. - + Workbench failure Fallo del banco de trabajo - + %1 %1 @@ -7907,90 +7877,105 @@ Por favor, vea la vista del informe para más detalles. Importar archivo - + Export file Exportar archivo - + Printing... Imprimiendo... - + Exporting PDF... Exportando a PDF... - - + + Unsaved document Documento sin guardar - + The exported object contains external link. Please save the documentat least once before exporting. El objeto exportado contiene un vínculo externo. Por favor, guarde el documento al menos una vez antes de exportar. - - + + Delete failed Error al eliminar - + Dependency error Error de dependencia - + Copy selected Copiar seleccionado - + Copy active document Copiar documento activo - + Copy all documents Copiar todos los documentos - + Paste Pegar - + Expression error Error de Expresión - + Failed to parse some of the expressions. Please check the Report View for more details. Error al analizar alguna(s) de las expresiones. Por favor, compruebe la Vista de Informe para más detalles. - + Failed to paste expressions Error al pegar expresiones - + Cannot load workbench No es posible cargar el banco de trabajo - + A general error occurred while loading the workbench Un error general ocurrió mientras se cargaba el banco de trabajo + + + Restart in safe mode + Restart in safe mode + + + + Are you sure you want to restart FreeCAD and enter safe mode? + Are you sure you want to restart FreeCAD and enter safe mode? + + + + Safe mode temporarily disables your configuration and addons. + Safe mode temporarily disables your configuration and addons. + @@ -8215,7 +8200,7 @@ Desea continuar? Demasiadas notificaciones no intrusivas abiertas. ¡Se están omitiendo las notificaciones! - + Identical physical path detected. It may cause unwanted overwrite of existing document! @@ -8224,44 +8209,44 @@ Desea continuar? - + Are you sure you want to continue? ¿Está seguro de que desea continuar? - + Please check report view for more... Por favor, compruebe la vista del informe para más... - + Physical path: Ruta física: - - + + Document: Documento: - - + + Path: Ruta: - + Identical physical path Ruta física idéntica - + Could not save document No se pudo guardar el documento - + There was an issue trying to save the file. This may be because some of the parent folders do not exist, or you do not have sufficient permissions, or for other reasons. Error details: "%1" @@ -8274,102 +8259,102 @@ Would you like to save the file with a different name? ¿Desea guardar el archivo con un nombre diferente? - - - + + + Saving aborted Guardar abortado - + Save dependent files Guardar archivos dependientes - + The file contains external dependencies. Do you want to save the dependent files, too? El archivo contiene dependencias externas. ¿Desea guardar los archivos dependientes también? - - + + Saving document failed No se pudo guardar el documento - + Save document under new filename... Guardar documento con un nombre de archivo nuevo... - - + + Save %1 Document Guardar el documento %1 - + Document Documento - - + + Failed to save document Error al guardar el documento - + Documents contains cyclic dependencies. Do you still want to save them? Los documentos contienen dependencias cíclicas. ¿Desea guardarlos? - + Save a copy of the document under new filename... Guardar una copia del documento con un nuevo nombre de archivo... - + %1 document (*.FCStd) %1 documento (*.FCStd) - + Document not closable El documento no se puede cerrar - + The document is not closable for the moment. El documento no se puede cerrar por el momento. - + Document not saved Documento no guardado - + The document%1 could not be saved. Do you want to cancel closing it? El documento%1 no se pudo guardar. ¿Desea cancelar cerrando? - + Undo Deshacer - + Redo Rehacer - + There are grouped transactions in the following documents with other preceding transactions Hay transacciones de grupo en los siguientes documentos con otras transacciones anteriores - + Choose 'Yes' to roll back all preceding transactions. Choose 'No' to roll back in the active document only. Choose 'Abort' to abort @@ -8463,7 +8448,7 @@ Seleccione 'Abortar' para abortar No se pueden encontrar los archivos %1 ni %2 ni %3 - + Navigation styles Estilos de navegación @@ -8474,47 +8459,47 @@ Seleccione 'Abortar' para abortar Transformar - + Do you want to close this dialog? ¿Desea cerrar este diálogo? - + Do you want to save your changes to document '%1' before closing? ¿Desea guardar el documento '%1' antes de cerrar? - + Do you want to save your changes to document before closing? ¿Desea guardar los cambios en el documento antes de cerrar? - + If you don't save, your changes will be lost. De no guardar, se perderán los cambios. - + Apply answer to all Aplicar respuesta a todos - + %1 Document(s) not saved %1 Documento(s) no guardados - + Some documents could not be saved. Do you want to cancel closing? Algunos documentos no se han podido guardar. ¿Desea cancelar el cierre? - + Delete macro Borrar macro - + Not allowed to delete system-wide macros No se permite eliminar macros del sistema @@ -8610,10 +8595,10 @@ Seleccione 'Abortar' para abortar - - - - + + + + Invalid name Nombre inválido @@ -8625,25 +8610,25 @@ underscore, and must not start with a digit. - + The property name is a reserved word. - The property name is a reserved word. + El nombre de la propiedad es una palabra reservada. - + The property '%1' already exists in '%2' La propiedad '%1' ya existe en '%2' - + Add property Añadir propiedad - + Failed to add property to '%1': %2 Error al añadir la propiedad a '%1': %2 @@ -8929,14 +8914,14 @@ la copia actual se perderá. Desactivada - + The property name must only contain alpha numericals, underscore, and must not start with a digit. El nombre de propiedad solo debe contener caracteres alfanuméricos, guión bajo, y no debe comenzar con un dígito. - + The group name must only contain alpha numericals, underscore, and must not start with a digit. El nombre del grupo solo debe contener caracteres alfanuméricos, @@ -8983,13 +8968,13 @@ guión bajo, y no debe comenzar con un dígito. StdCmdAbout - + &About %1 &Acerca de %1 - - + + About %1 Acerca de %1 @@ -8997,13 +8982,13 @@ guión bajo, y no debe comenzar con un dígito. StdCmdAboutQt - + About &Qt Acerca de &Qt - - + + About Qt Acerca de Qt @@ -9039,13 +9024,13 @@ guión bajo, y no debe comenzar con un dígito. StdCmdAlignment - + Alignment... Alineación... - - + + Align the selected objects Alinea los objetos seleccionados @@ -9109,13 +9094,13 @@ guión bajo, y no debe comenzar con un dígito. StdCmdCommandLine - + Start command &line... Iniciar &línea de comandos... - - + + Opens the command line in the console Abre la línea de comandos en la consola @@ -9123,13 +9108,13 @@ guión bajo, y no debe comenzar con un dígito. StdCmdCopy - + C&opy C&opiar - - + + Copy operation Operación de copia @@ -9137,13 +9122,13 @@ guión bajo, y no debe comenzar con un dígito. StdCmdCut - + &Cut &Cortar - - + + Cut out Recortar @@ -9151,13 +9136,13 @@ guión bajo, y no debe comenzar con un dígito. StdCmdDelete - + &Delete &Borrar - - + + Deletes the selected objects Borra los elementos seleccionados @@ -9179,13 +9164,13 @@ guión bajo, y no debe comenzar con un dígito. StdCmdDependencyGraph - + Dependency graph... Gráfico de dependencias... - - + + Show the dependency graph of the objects in the active document Muestra el gráfico de dependencia de los objetos en el documento activo @@ -9193,13 +9178,13 @@ guión bajo, y no debe comenzar con un dígito. StdCmdDlgCustomize - + Cu&stomize... Pe&rsonalizar... - - + + Customize toolbars and command bars Personalizar barras de herramientas y comandos @@ -9259,13 +9244,13 @@ guión bajo, y no debe comenzar con un dígito. StdCmdDlgParameter - + E&dit parameters ... &Editar parámetros... - - + + Opens a Dialog to edit the parameters Abre un cuadro de diálogo para editar los parámetros @@ -9273,13 +9258,13 @@ guión bajo, y no debe comenzar con un dígito. StdCmdDlgPreferences - + &Preferences ... &Preferencias... - - + + Opens a Dialog to edit the preferences Abre un cuadro de diálogo para editar las preferencias @@ -9315,13 +9300,13 @@ guión bajo, y no debe comenzar con un dígito. StdCmdDuplicateSelection - + Duplicate selection Duplicar la selección - - + + Put duplicates of the selected objects to the active document Pone los duplicados de los objetos seleccionados en el documento activo @@ -9329,17 +9314,17 @@ guión bajo, y no debe comenzar con un dígito. StdCmdEdit - + Toggle &Edit mode Activar &Modo de edición - + Toggles the selected object's edit mode Activa o desactiva el modo de edición del objeto seleccionado - + Activates or Deactivates the selected object's edit mode Activa o desactiva el modo de edición del objeto seleccionado @@ -9358,12 +9343,12 @@ guión bajo, y no debe comenzar con un dígito. Exporta un objeto en el documento activo - + No selection Ninguna selección - + Select the objects to export before choosing Export. Seleccione los objetos a exportar antes de elegir Exportar. @@ -9371,13 +9356,13 @@ guión bajo, y no debe comenzar con un dígito. StdCmdExpression - + Expression actions Acciones de expresión - - + + Actions that apply to expressions Acciones que se aplican a las expresiones @@ -9399,12 +9384,12 @@ guión bajo, y no debe comenzar con un dígito. StdCmdFreeCADDonation - + Donate Donar - + Donate to FreeCAD development Donar para apoyar el desarrollo @@ -9412,17 +9397,17 @@ guión bajo, y no debe comenzar con un dígito. StdCmdFreeCADFAQ - + FreeCAD FAQ Preguntas frecuentes sobre FreeCAD - + Frequently Asked Questions on the FreeCAD website Preguntas frecuentes en la página de FreeCAD - + Frequently Asked Questions Preguntas Frecuentes @@ -9430,17 +9415,17 @@ guión bajo, y no debe comenzar con un dígito. StdCmdFreeCADForum - + FreeCAD Forum Foro de FreeCAD - + The FreeCAD forum, where you can find help from other users Foro de FreeCAD, donde puedes recibir ayuda de otros usuarios - + The FreeCAD Forum El foro de FreeCAD @@ -9448,17 +9433,17 @@ guión bajo, y no debe comenzar con un dígito. StdCmdFreeCADPowerUserHub - + Python scripting documentation Documentación sobre FreeCAD + Python - + Python scripting documentation on the FreeCAD website Documentación de FreeCAD + Python en el sitio web de FreeCAD - + PowerUsers documentation Documentación para usuarios avanzados @@ -9466,13 +9451,13 @@ guión bajo, y no debe comenzar con un dígito. StdCmdFreeCADUserHub - - + + Users documentation Documentacion para el usuario - + Documentation for users on the FreeCAD website Documentacion para el usuario en el sitio web de FreeCAD @@ -9480,13 +9465,13 @@ guión bajo, y no debe comenzar con un dígito. StdCmdFreeCADWebsite - - + + FreeCAD Website Sitio web de FreeCAD - + The FreeCAD website El sitio web de FreeCAD @@ -9801,25 +9786,25 @@ guión bajo, y no debe comenzar con un dígito. StdCmdMergeProjects - + Merge document... Fusionar documento... - - - - + + + + Merge document Fusionar documento - + %1 document (*.FCStd) %1 documento (*.FCStd) - + Cannot merge document with itself. No se puede combinar el documento consigo mismo. @@ -9827,18 +9812,18 @@ guión bajo, y no debe comenzar con un dígito. StdCmdNew - + &New &Nuevo - - + + Create a new empty document Crea un documento vacío nuevo - + Unnamed Sin nombre @@ -9847,13 +9832,13 @@ guión bajo, y no debe comenzar con un dígito. StdCmdOnlineHelp - - + + Help Ayuda - + Show help to the application Mostrar ayuda de la aplicación @@ -9861,13 +9846,13 @@ guión bajo, y no debe comenzar con un dígito. StdCmdOnlineHelpWebsite - - + + Help Website Sitio web de ayuda - + The website where the help is maintained El sitio web donde se mantiene la ayuda @@ -9923,13 +9908,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdPaste - + &Paste &Pegar - - + + Paste operation Operación de pegar @@ -9937,13 +9922,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdPlacement - + Placement... Ubicación... - - + + Place the selected objects Sitúe los objetos seleccionados @@ -9951,13 +9936,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdPrint - + &Print... &Imprimir... - - + + Print the document Imprime el documento @@ -9965,13 +9950,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdPrintPdf - + &Export PDF... &Exportar en PDF... - - + + Export the document as PDF Exporta el documento como PDF @@ -9979,17 +9964,17 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdPrintPreview - + &Print preview... Vista previa de impresión... - + Print the document Imprime el documento - + Print preview Vista previa de impresión @@ -9997,13 +9982,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdPythonWebsite - - + + Python Website Sitio web de Python - + The official Python website El sitio web oficial de Python @@ -10011,13 +9996,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdQuit - + E&xit S&alir - - + + Quits the application Sale de la aplicación @@ -10039,13 +10024,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdRecentFiles - + Open Recent Abrir recientes - - + + Recent file list Lista de archivos recientes @@ -10053,13 +10038,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdRecentMacros - + Recent macros Macros recientes - - + + Recent macro list Lista de macros recientes @@ -10067,13 +10052,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdRedo - + &Redo &Rehacer - - + + Redoes a previously undone action Rehace una acción previa de deshacer @@ -10081,13 +10066,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdRefresh - + &Refresh &Actualizar pantalla - - + + Recomputes the current active document Recalcula el documento activo actual @@ -10095,13 +10080,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdReportBug - + Report a bug Informar de un error - - + + Report a bug or suggest a feature Informar de un error o sugerir una nueva característica @@ -10109,13 +10094,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdRevert - + Revert Deshacer - - + + Reverts to the saved version of this file Vuelve a la versión guardada del archivo @@ -10123,13 +10108,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdSave - + &Save &Guardar - - + + Save the active document Guarda el documento activo @@ -10137,13 +10122,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdSaveAll - + Save All Guardar todo - - + + Save all opened document Guarda todos los documentos abiertos @@ -10151,13 +10136,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdSaveAs - + Save &As... Guardar &Como... - - + + Save the active document under a new file name Guarda el documento activo con un nombre de archivo nuevo @@ -10165,13 +10150,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdSaveCopy - + Save a &Copy... Guardar una &Copia... - - + + Save a copy of the active document under a new file name Guarda una copia del documento activo con un nuevo nombre de archivo @@ -10207,13 +10192,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdSelectAll - + Select &All Seleccionar &Todo - - + + Select all Selecciona todo @@ -10291,13 +10276,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdTextDocument - + Add text document Añadir documento de texto - - + + Add text document to active document Añadir documento de texto al documento activo @@ -10431,13 +10416,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdTransform - + Transform... Transformar... - - + + Transform the geometry of selected objects Transformar la geometría de los objetos seleccionados @@ -10445,13 +10430,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdTransformManip - + Transform Transformar - - + + Transform the selected object in the 3d view Transforma el objeto seleccionado en la vista 3d @@ -10515,13 +10500,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdUndo - + &Undo &Deshacer - - + + Undo exactly one action Deshace exactamente una acción @@ -10529,13 +10514,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdUserEditMode - + Edit mode Modo de edición - - + + Defines behavior when editing an object from tree Determina el comportamiento cuando se edita un objeto del árbol @@ -10935,13 +10920,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdWhatsThis - + &What's This? ¿&Qué es esto? - - + + What's This Qué es esto @@ -10977,13 +10962,13 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri StdCmdWorkbench - + Workbench Banco de trabajo - - + + Switch between workbenches Cambiar entre bancos de trabajo @@ -11307,7 +11292,7 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri Std_Delete - + The following referencing objects might break. Are you sure you want to continue? @@ -11318,7 +11303,7 @@ Are you sure you want to continue? - + Object dependencies Dependencias del objeto @@ -11326,7 +11311,7 @@ Are you sure you want to continue? Std_DependencyGraph - + Dependency graph Gráfico de dependencias @@ -11407,12 +11392,12 @@ Are you sure you want to continue? Std_DuplicateSelection - + Object dependencies Dependencias del objeto - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Para vincular a objetos externos, el documento debe guardarse al menos una vez. @@ -11430,7 +11415,7 @@ Do you want to save the document now? Std_Refresh - + The document contains dependency cycles. Please check the Report View for more details. @@ -11444,17 +11429,17 @@ Por favor, compruebe la Vista de Reportes para más detalles. Std_Revert - + Revert document Revertir documento - + This will discard all the changes since last file save. Esto descartará todos los cambios desde el último guardado. - + Do you want to continue? ¿Desea continuar? @@ -11628,12 +11613,12 @@ Por favor, compruebe la Vista de Reportes para más detalles. Gui::MDIView - + Export PDF Exportar en PDF - + PDF file Archivo PDF @@ -12327,82 +12312,82 @@ Actualmente, su sistema tiene los siguientes bancos de trabajo:</p></bo Vista previa: - + Text Texto - + Bookmark Marcador - + Breakpoint Punto de parada - + Keyword Palabra clave - + Comment Comentar - + Block comment Comentar bloque - + Number Número - + String Cadena de texto - + Character Caracter - + Class name Nombre de clase - + Define name Definir nombre - + Operator Operador - + Python output Salida de Python - + Python error Error de Python - + Current line highlight Resaltado de línea actual - + Items Elementos @@ -12760,12 +12745,12 @@ la pantalla de bienvenida Warnings will be recorded - Las advertencias se registrarán + Las advertencias serán grabadas Record warnings - Guardar advertencias + Grabar advertencias @@ -12775,7 +12760,7 @@ la pantalla de bienvenida Record error messages - Guardar mensajes de error + Grabar mensajes de error @@ -12908,13 +12893,13 @@ from Python console to Report view panel StdCmdExportDependencyGraph - + Export dependency graph... Exportar gráfico de dependencias... - - + + Export the dependency graph to a file Exportar el gráfico de dependencias a un archivo @@ -13352,13 +13337,13 @@ de la región no son opacos. StdCmdProjectInfo - + Document i&nformation... I&nformación del documento... - - + + Show details of the currently active document Muestra detalles del documento activo actual @@ -13366,13 +13351,13 @@ de la región no son opacos. StdCmdProjectUtil - + Document utility... Utilidad del documento... - - + + Utility to extract or create document files Utilidad para extraer o crear archivos de documentos @@ -13394,12 +13379,12 @@ de la región no son opacos. StdCmdProperties - + Properties Propiedades - + Show the property view, which displays the properties of the selected object. Mostrar la vista de propiedades, que muestra las propiedades del objeto seleccionado. @@ -13450,13 +13435,13 @@ de la región no son opacos. StdCmdReloadStyleSheet - + &Reload stylesheet &Recargar hoja de estilo - - + + Reloads the current stylesheet Recarga la hoja de estilos actual @@ -13733,15 +13718,38 @@ de la región no son opacos. StdCmdUnitsCalculator - + &Units converter... Conversor de &unidades... - - + + Start the units converter Iniciar el conversor de unidades + + Gui::ModuleIO + + + File not found + Archivo no encontrado + + + + The file '%1' cannot be opened. + El archivo '%1' no se puede abrir. + + + + StdCmdRestartInSafeMode + + + + + Restart in safe mode + Restart in safe mode + + diff --git a/src/Gui/Language/FreeCAD_eu.ts b/src/Gui/Language/FreeCAD_eu.ts index 49678e611a77..75be26468ffb 100644 --- a/src/Gui/Language/FreeCAD_eu.ts +++ b/src/Gui/Language/FreeCAD_eu.ts @@ -91,17 +91,17 @@ Editatu - + Import Inportatu - + Delete Ezabatu - + Paste expressions Itsatsi adierazpenak @@ -131,7 +131,7 @@ Inportatu esteka guztiak - + Insert text document Txertatu testu-dokumentua @@ -424,42 +424,42 @@ EditMode - + Default Lehenetsia - + The object will be edited using the mode defined internally to be the most appropriate for the object type Objektua barnean definitutako modua erabiliz editatuko da, objektu mota egokiena izan dadin - + Transform Transformatu - + The object will have its placement editable with the Std TransformManip command Objektuaren kokapena editatu ahal izango da Std TransformManip komandoaren bidez - + Cutting Moztea - + This edit mode is implemented as available but currently does not seem to be used by any object Edizio modua erabilgarri gisa inplementatu da, baina badirudi momentuan ez dagoela objekturik hura erabiltzen - + Color Kolorea - + The object will have the color of its individual faces editable with the Part FaceAppearances command The object will have the color of its individual faces editable with the Part FaceAppearances command @@ -680,8 +680,8 @@ while doing a left or right click and move the mouse up or down - Word size - Hitz-tamaina + Architecture + Architecture @@ -706,52 +706,52 @@ while doing a left or right click and move the mouse up or down Gui::Dialog::AboutDialog - - + + Credits - Header for the Credits tab of the About screen Kredituak - + + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + Header for bgbsww + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + + + FreeCAD would not be possible without the contributions of FreeCADik ez litzateke egongo honakoen laguntzarik gabe: - + Individuals Header for the list of individual people in the Credits list. Banakoak - + Organizations Header for the list of companies/organizations in the Credits list. Erakundeak - - + + License Lizentzia - + Libraries Liburutegiak - - This software uses open source components whose copyright and other proprietary rights belong to their respective owners: - Software honek kode irekiko osagaiak darabiltza, eta horien copyright-a eta beste jabetza-eskubide batzuk beren jabearenak dira: - - - + Collection Bilduma - + Privacy Policy Pribatutasun-politika @@ -1406,8 +1406,8 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgCustomToolBoxbarsImp - - + + Toolbox bars Tresna-kutxen barrak @@ -1496,40 +1496,40 @@ same time. The one with the highest priority will be triggered. - + <Separator> <Bereizlea> - + %1 module not loaded %1 modulua ez dago kargatuta - + New toolbar Tresna-barra berria - - + + Toolbar name: Tresna-barraren izena: - - + + Duplicated name Izen bikoiztua - - + + The toolbar name '%1' is already used Dagoeneko badago '%1' izena duen tresna-barra - + Rename toolbar Berrizendatu tresna-barra @@ -1743,72 +1743,72 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgMacroExecuteImp - + Macros Makroak - + Read-only Irakurtzeko soilik - + Macro file Makro-fitxategia - + Enter a file name, please: Sartu fitxategi-izena, mesedez: - - - + + + Existing file Lehendik dagoen fitxategia - + '%1'. This file already exists. '%1'. Fitxategi hau lehendik badago. - + Cannot create file Ezin da fitxategia sortu - + Creation of file '%1' failed. '%1' fitxategia ezin da sortu. - + Delete macro Ezabatu makroa - + Do you really want to delete the macro '%1'? Ziur zaude '%1' makroa ezabatu nahi duzula? - + Do not show again Ez erakutsi berriro - + Guided Walkthrough Bisita gidatua - + This will guide you in setting up this macro in a custom global toolbar. Instructions will be in red text inside the dialog. Note: your changes will be applied when you next switch workbenches @@ -1819,78 +1819,78 @@ Oharra: Zure aldaketak aplikatzeko, lan-mahaiz aldatu behar duzu - + Walkthrough, dialog 1 of 2 Bisita gidatua, 2 esalditik 1. a - + Walkthrough instructions: Fill in missing fields (optional) then click Add, then Close Bisita gidatuaren jarraibideak: bete falta diren eremuak (aukerakoa), egin klik 'Gehitu' aukeran eta gero 'Itxi' aukeran - + Walkthrough, dialog 1 of 1 Bisita gidatua, 1 elkarrizketa-koadrotik 1. a - + Walkthrough, dialog 2 of 2 Bisita gidatua, 2 elkarrizketa-koadrotik 2. a - - Walkthrough instructions: Click right arrow button (->), then Close. - Bisita gidatuaren jarraibideak: egin klik eskuin-gezian (->) eta Itxi. + + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. - Walkthrough instructions: Click New, then right arrow (->) button, then Close. - Bisita gidatuaren jarraibideak: Egin klik 'Berria' aukeran, sakatu eskuin-gezia (->) eta Itxi. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. - + Renaming Macro File Makro-fitxategiaren izena aldatzen - - + + Enter new name: Sartu izen berria: - - + + '%1' already exists. '%1' badago lehendik. - + Rename Failed Izena aldatzeak huts egin du - + Failed to rename to '%1'. Perhaps a file permission error? Ezin izan da '%1' izenez aldatu. Fitxategi-baimenen arazo bat ote da? - + Duplicate Macro Bikoiztu makroa - + Duplicate Failed Bikoizketak huts egin du - + Failed to duplicate to '%1'. Perhaps a file permission error? Ezin izan da '%1' bikoiztu. @@ -5902,81 +5902,81 @@ Aldaketak gorde nahi dituzu? Gui::GraphvizView - + Graphviz not found Graphviz ez da aurkitu - + Graphviz couldn't be found on your system. Graphviz ez da aurkitu zure sisteman. - + Read more about it here. Irakurri horri buruzko gehiago hemen. - + Do you want to specify its installation path if it's already installed? Bere instalazio-bidea zehaztu nahi duzu, dagoeneko instalatuta badago? - + Graphviz installation path Graphviz instalazio-bidea - + Graphviz failed Graphviz-ek huts egin du - + Graphviz failed to create an image file Graphviz-ek ezin izan du irudi-fitxategi bat sortu - + PNG format PNG formatua - + Bitmap format Bit-mapa formatua - + GIF format GIF formatua - + JPG format JPG formatua - + SVG format SVG formatua - - + + PDF format PDF formatua - - + + Graphviz format Graphviz formatua - - - + + + Export graph Esportatu grafikoa @@ -6136,63 +6136,83 @@ Aldaketak gorde nahi dituzu? Gui::MainWindow - - + + Dimension Kota - + Ready Prest - + Close All Itxi dena - - - + + + Toggles this toolbar Tresna-barra hau aktibatzen/desaktibatzen du - - - + + + Toggles this dockable window Aktibatu/desaktibatu leiho atrakagarri hau - + + Safe mode enabled + Safe mode enabled + + + + FreeCAD is now running in safe mode. + FreeCAD is now running in safe mode. + + + + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + + + WARNING: This is a development version. ABISUA: Hau garapen-bertsioa da. - + Please do not use it in a production environment. Ez erabili hau ekoizpen-ingurune batean. - - + + Unsaved document Gorde gabeko dokumentua - + The exported object contains external link. Please save the documentat least once before exporting. Esportatutako objektuak kanpoko estekak ditu. Gorde dokumentua gutxienez behin hura esportatu baino lehen. - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Kanpoko objektuekin estekatzeko, dokumentua gutxienez behin gorde behar da. Dokumentua gorde nahi al duzu? + + + Safe Mode + Safe Mode + Gui::ManualAlignment @@ -6694,39 +6714,19 @@ Datuak gorde gabe irten nahi duzu? Open file %1 Ireki %1 fitxategia - - - File not found - Fitxategia ez da aurkitu - - - - The file '%1' cannot be opened. - '%1' fitxategia ezin da ireki. - Gui::RecentMacrosAction - + none bat ere ez - + Run macro %1 (Shift+click to edit) keyboard shortcut: %2 Exekutatu %1 makroa (Shift+klik editatzeko), teklatu-lasterbidea: %2 - - - File not found - Fitxategia ez da aurkitu - - - - The file '%1' cannot be opened. - '%1' fitxategia ezin da ireki. - Gui::RevitNavigationStyle @@ -6981,7 +6981,7 @@ Beste direktorio bat aukeratu nahi al duzu? Gui::TaskView::TaskDialog - + A dialog is already open in the task panel Elkarrizketa-koadro bat irekita dago ataza-panelean @@ -7010,38 +7010,8 @@ Beste direktorio bat aukeratu nahi al duzu? Gui::TextDocumentEditorView - - Text updated - Testua eguneratu da - - - - The text of the underlying object has changed. Discard changes and reload the text from the object? - Azpiko objektuaren testua aldatu egin da. Aldaketak baztertu eta testua objektutik birkargatu? - - - - Yes, reload. - Bai, birkargatu. - - - - Unsaved document - Gorde gabeko dokumentua - - - - Do you want to save your changes before closing? - Zure aldaketak gorde nahi dituzu aplikazioa itxi baino lehen? - - - - If you don't save, your changes will be lost. - Gordetzen ez baduzu, zure aldaketak galdu egingo dira. - - - - + + Edit text Editatu testua @@ -7318,7 +7288,7 @@ Beste direktorio bat aukeratu nahi al duzu? Gui::TreeDockWidget - + Tree view Zuhaitz-bista @@ -7326,7 +7296,7 @@ Beste direktorio bat aukeratu nahi al duzu? Gui::TreePanel - + Search Bilatu @@ -7384,148 +7354,148 @@ Beste direktorio bat aukeratu nahi al duzu? Taldea - + Labels & Attributes Etiketak eta atributuak - + Description Deskribapena - + Internal name Internal name - + Show items hidden in tree view Erakutsi zuhaitz-bistan ezkutatutako elementuak - + Show items that are marked as 'hidden' in the tree view Erakutsi zuhaitz-bistan "ezkutuan" markatuta dauden elementuak - + Toggle visibility in tree view Aldatu ikuspena zuhaitz-bistan - + Toggles the visibility of selected items in the tree view Aukeratutako elementuen ikuspena zuhaitz-bistan aldatzen du - + Create group Sortu taldea - + Create a group Sortu talde bat - - + + Rename Aldatu izena - + Rename object Aldatu objektuaren izena - + Finish editing Amaitu edizioa - + Finish editing object Amaitu objektuaren edizioa - + Add dependent objects to selection Gehitu mendeko objektuak hautapenari - + Adds all dependent objects to the selection Mendeko objektu guztiak hautapenari gehitzen dizkio - + Close document Itxi dokumentua - + Close the document Itxi dokumentua - + Reload document Birkargatu dokumentua - + Reload a partially loaded document Birkargatu partzialki kargatutako dokumentu bat - + Skip recomputes Saltatu birkalkuluak - + Enable or disable recomputations of document Gaitu edo desgaitu dokumentuaren birkalkuluak - + Allow partial recomputes Onartu birkalkulu partzialak - + Enable or disable recomputating editing object when 'skip recomputation' is enabled Gaitu edo desgaitu objektuaren edizioa birkalkulatzea 'Saltatu birkalkulua' gaituta dagoenean - + Mark to recompute Markatu birkalkulurako - + Mark this object to be recomputed Markatu objektu hau birkalkulatua izan dadin - + Recompute object Birkalkulatu objektua - + Recompute the selected object Birkalkulatu hautatutako objektua - + (but must be executed) (baina exekutatu behar da) - + %1, Internal name: %2 %1, barne-izena: %2 @@ -7737,47 +7707,47 @@ Beste direktorio bat aukeratu nahi al duzu? QDockWidget - + Tree view Zuhaitz-bista - + Tasks Atazak - + Property view Propietateen bista - + Selection view Hautapen-bista - + Task List Zereginen zerrenda - + Model Eredua - + DAG View DAG bista - + Report view Txosten-bista - + Python console Python kontsola @@ -7817,35 +7787,35 @@ Beste direktorio bat aukeratu nahi al duzu? Python - - - + + + Unknown filetype Fitxategi mota ezezaguna - - + + Cannot open unknown filetype: %1 Ezin da ireki fitxategi mota ezezaguna: %1 - + Export failed Esportazioak huts egin du - + Cannot save to unknown filetype: %1 Ezin da gorde fitxategi mota ezezagunera: %1 - + Recomputation required Recomputation required - + Some document(s) require recomputation for migration purposes. It is highly recommended to perform a recomputation before any modification to avoid compatibility problems. Do you want to recompute now? @@ -7854,24 +7824,24 @@ Do you want to recompute now? Do you want to recompute now? - + Recompute error Recompute error - + Failed to recompute some document(s). Please check report view for more details. Failed to recompute some document(s). Please check report view for more details. - + Workbench failure Lan-mahaiaren hutsegitea - + %1 %1 @@ -7917,90 +7887,105 @@ Please check report view for more details. Inportatu fitxategia - + Export file Esportatu fitxategia - + Printing... Inprimatzen... - + Exporting PDF... PDFa esportatzen... - - + + Unsaved document Gorde gabeko dokumentua - + The exported object contains external link. Please save the documentat least once before exporting. Esportatutako objektuak kanpoko estekak ditu. Gorde dokumentua gutxienez behin hura esportatu baino lehen. - - + + Delete failed Ezabatzeak huts egin du - + Dependency error Mendekotasun-errorea - + Copy selected Kopiatu hautatua - + Copy active document Kopiatu dokumentu aktiboa - + Copy all documents Kopiatu dokumentu guztiak - + Paste Itsatsi - + Expression error Adierazpen-errorea - + Failed to parse some of the expressions. Please check the Report View for more details. Adierazpenetako batzuk ezin izan dira analizatu. Begiratu txosten-bista xehetasun gehiagorako. - + Failed to paste expressions Adierazpenak itsasteak huts egin du - + Cannot load workbench Ezin da lan-mahaia kargatu - + A general error occurred while loading the workbench Errore orokor bat gertatu da lan-mahaia kargatzean + + + Restart in safe mode + Restart in safe mode + + + + Are you sure you want to restart FreeCAD and enter safe mode? + Are you sure you want to restart FreeCAD and enter safe mode? + + + + Safe mode temporarily disables your configuration and addons. + Safe mode temporarily disables your configuration and addons. + @@ -8225,7 +8210,7 @@ Jarraitu nahi duzu? Jakinarazpen ez intrusibo gehiegi dago irekita. Jakinarazpenei ez ikusiarena egiten ari zaie. - + Identical physical path detected. It may cause unwanted overwrite of existing document! @@ -8234,44 +8219,44 @@ Jarraitu nahi duzu? - + Are you sure you want to continue? Ziur zaude jarraitu nahi duzula? - + Please check report view for more... Begiratu txosten-bista gehiagorako... - + Physical path: Bide-izen fisikoa: - - + + Document: Dokumentua: - - + + Path: Bidea: - + Identical physical path Bide-izen fisiko berdina - + Could not save document Ezin da dokumentua gorde - + There was an issue trying to save the file. This may be because some of the parent folders do not exist, or you do not have sufficient permissions, or for other reasons. Error details: "%1" @@ -8284,102 +8269,102 @@ Would you like to save the file with a different name? Fitxategia beste izen batekin gorde nahi al duzu? - - - + + + Saving aborted Gordetzea abortatu da - + Save dependent files Gorde mendeko fitxategiak - + The file contains external dependencies. Do you want to save the dependent files, too? Fitxategiak kanpoko mendekotasunak ditu. Mendeko fitxategiak ere gorde nahi al dituzu? - - + + Saving document failed Dokumentua ezin izan da gorde - + Save document under new filename... Gorde dokumentua beste fitxategi-izen batekin... - - + + Save %1 Document Gorde %1 dokumentua - + Document Dokumentua - - + + Failed to save document Dokumentua gordetzeak huts egin du - + Documents contains cyclic dependencies. Do you still want to save them? Dokumentuek mendekotasun ziklikoak dituzte. Gorde nahi dituzu ala ere? - + Save a copy of the document under new filename... Gorde dokumentuaren kopia bat fitxategi-izen berri batekin... - + %1 document (*.FCStd) %1 dokumentua (*.FCStd) - + Document not closable Dokumentua ezin da itxi - + The document is not closable for the moment. Dokumentua ezin da momentuz itxi. - + Document not saved Dokumentua ez da gorde - + The document%1 could not be saved. Do you want to cancel closing it? %1 dokumentua ezin izan da gorde. Hura ixtea bertan behera utzi nahi duzu? - + Undo Desegin - + Redo Berregin - + There are grouped transactions in the following documents with other preceding transactions Transakzio taldekatuak daude aurretiko beste transakzio batzuk dituzten hurrengo dokumentuetan - + Choose 'Yes' to roll back all preceding transactions. Choose 'No' to roll back in the active document only. Choose 'Abort' to abort @@ -8473,7 +8458,7 @@ Aukeratu 'Abortatu' abortatzeko. Ez da %1 fitxategia aurkitu ez %2 ez %3 tokietan - + Navigation styles Nabigazio-estiloak @@ -8484,47 +8469,47 @@ Aukeratu 'Abortatu' abortatzeko. Transformatu - + Do you want to close this dialog? Elkarrizketa-koadro hau itxi nahi duzu? - + Do you want to save your changes to document '%1' before closing? '%1' dokumentuko aldaketak gorde nahi dituzu aplikazioa itxi baino lehen? - + Do you want to save your changes to document before closing? Dokumentuko aldaketak gorde nahi dituzu aplikazioa itxi baino lehen? - + If you don't save, your changes will be lost. Gordetzen ez baduzu, zure aldaketak galdu egingo dira. - + Apply answer to all Aplikatu erantzuna denei - + %1 Document(s) not saved %1 dokumentu ez dira gorde - + Some documents could not be saved. Do you want to cancel closing? Zenbait dokumentu ezin izan dira gorde. Ixtea bertan behera utzi nahi duzu? - + Delete macro Ezabatu makroa - + Not allowed to delete system-wide macros Ezin dira ezabatu sistemako makroak @@ -8620,10 +8605,10 @@ Aukeratu 'Abortatu' abortatzeko. - - - - + + + + Invalid name Izen baliogabea @@ -8636,25 +8621,25 @@ eduki ditzakete eta ez dira digitu batekin hasi behar. - + The property name is a reserved word. The property name is a reserved word. - + The property '%1' already exists in '%2' '%1' propietatea badago '%2' objektuan - + Add property Gehitu propietatea - + Failed to add property to '%1': %2 Huts egin du '%1' objektuari propietatea gehitzeak: %2 @@ -8938,14 +8923,14 @@ egindako aldaketak galdu egingo direla. Ezabatuta - + The property name must only contain alpha numericals, underscore, and must not start with a digit. The property name must only contain alpha numericals, underscore, and must not start with a digit. - + The group name must only contain alpha numericals, underscore, and must not start with a digit. The group name must only contain alpha numericals, @@ -8992,13 +8977,13 @@ underscore, and must not start with a digit. StdCmdAbout - + &About %1 %1 aplikazioari &buruz - - + + About %1 %1 aplikazioari buruz @@ -9006,13 +8991,13 @@ underscore, and must not start with a digit. StdCmdAboutQt - + About &Qt &Qt-ri buruz - - + + About Qt Qt-ri buruz @@ -9048,13 +9033,13 @@ underscore, and must not start with a digit. StdCmdAlignment - + Alignment... Lerrokatzea... - - + + Align the selected objects Lerrokatu hautatutako objektuak @@ -9118,13 +9103,13 @@ underscore, and must not start with a digit. StdCmdCommandLine - + Start command &line... Abiarazi komando-&lerroa... - - + + Opens the command line in the console Komando-lerroa kontsolan irekitzen du @@ -9132,13 +9117,13 @@ underscore, and must not start with a digit. StdCmdCopy - + C&opy K&opiatu - - + + Copy operation Kopiatu eragiketa @@ -9146,13 +9131,13 @@ underscore, and must not start with a digit. StdCmdCut - + &Cut Mo&ztu - - + + Cut out Inausi @@ -9160,13 +9145,13 @@ underscore, and must not start with a digit. StdCmdDelete - + &Delete E&zabatu - - + + Deletes the selected objects Hautatutako objektuak ezabatzen ditu @@ -9188,13 +9173,13 @@ underscore, and must not start with a digit. StdCmdDependencyGraph - + Dependency graph... Mendekotasun-grafikoa... - - + + Show the dependency graph of the objects in the active document Erakutsi dokumentu aktiboko objektuen mendekotasun-grafoa @@ -9202,13 +9187,13 @@ underscore, and must not start with a digit. StdCmdDlgCustomize - + Cu&stomize... Pert&sonalizatu... - - + + Customize toolbars and command bars Pertsonalizatu tresna-barrak eta komando-barrak @@ -9268,13 +9253,13 @@ underscore, and must not start with a digit. StdCmdDlgParameter - + E&dit parameters ... E&ditatu parametroak... - - + + Opens a Dialog to edit the parameters Parametroak editatzeko elkarrizketa-koadro bat irekitzen du @@ -9282,13 +9267,13 @@ underscore, and must not start with a digit. StdCmdDlgPreferences - + &Preferences ... &Hobespenak... - - + + Opens a Dialog to edit the preferences Elkarrizketa-koadro bat irekitzen du hobespenak editatzeko @@ -9324,13 +9309,13 @@ underscore, and must not start with a digit. StdCmdDuplicateSelection - + Duplicate selection Bikoiztu hautapena - - + + Put duplicates of the selected objects to the active document Ipini hautatutako objektuen bikoiztuak dokumentu aktiboan @@ -9338,17 +9323,17 @@ underscore, and must not start with a digit. StdCmdEdit - + Toggle &Edit mode Txandakatu &edizio modua - + Toggles the selected object's edit mode Hautatutako objektuaren edizio modua txandakatzen du - + Activates or Deactivates the selected object's edit mode Hautatutako objektuaren edizio modua aktibatzen edo desaktibatzen du @@ -9367,12 +9352,12 @@ underscore, and must not start with a digit. Esportatu dokumentu aktiboko objektu bat - + No selection Hautapenik ez - + Select the objects to export before choosing Export. Hautatu esportatuko diren objektuak 'Esportatu' aukeratu baino lehen. @@ -9380,13 +9365,13 @@ underscore, and must not start with a digit. StdCmdExpression - + Expression actions Adierazpen-ekintzak - - + + Actions that apply to expressions Adierazpenei aplikatzen zaizkien ekintzak @@ -9408,12 +9393,12 @@ underscore, and must not start with a digit. StdCmdFreeCADDonation - + Donate Lagundu diruarekin - + Donate to FreeCAD development Lagundu diruz FreeCADen garapenean @@ -9421,17 +9406,17 @@ underscore, and must not start with a digit. StdCmdFreeCADFAQ - + FreeCAD FAQ FreeCADen ohiko galderak - + Frequently Asked Questions on the FreeCAD website Ohiko galderak FreeCAD webgunean - + Frequently Asked Questions Ohiko galderak @@ -9439,17 +9424,17 @@ underscore, and must not start with a digit. StdCmdFreeCADForum - + FreeCAD Forum FreeCAD foroa - + The FreeCAD forum, where you can find help from other users FreeCAD foroa, beste erabiltzaile batzuen laguntza eskuratu dezakezu bertan - + The FreeCAD Forum FreeCAD foroa @@ -9457,17 +9442,17 @@ underscore, and must not start with a digit. StdCmdFreeCADPowerUserHub - + Python scripting documentation Python scriptgintzarako dokumentazioa - + Python scripting documentation on the FreeCAD website Python scriptgintzarako dokumentazioa FreeCADen webgunean - + PowerUsers documentation Erabiltzaile aurreratuentzako dokumentazioa @@ -9475,13 +9460,13 @@ underscore, and must not start with a digit. StdCmdFreeCADUserHub - - + + Users documentation Erabiltzaile-dokumentazioa - + Documentation for users on the FreeCAD website Erabiltzaileentzako dokumentazioa FreeCADen webgunean @@ -9489,13 +9474,13 @@ underscore, and must not start with a digit. StdCmdFreeCADWebsite - - + + FreeCAD Website FreeCAD webgunea - + The FreeCAD website FreeCAD webgunea @@ -9810,25 +9795,25 @@ underscore, and must not start with a digit. StdCmdMergeProjects - + Merge document... Fusionatu dokumentua... - - - - + + + + Merge document Fusionatu dokumentua - + %1 document (*.FCStd) %1 dokumentua (*.FCStd) - + Cannot merge document with itself. Ezin da dokumentua bere buruarekin fusionatu. @@ -9836,18 +9821,18 @@ underscore, and must not start with a digit. StdCmdNew - + &New &Berria - - + + Create a new empty document Sortu dokumentu huts berri bat - + Unnamed Izenik gabea @@ -9856,13 +9841,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelp - - + + Help Laguntza - + Show help to the application Erakutsi aplikazioaren laguntza @@ -9870,13 +9855,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelpWebsite - - + + Help Website Laguntzarako webgunea - + The website where the help is maintained Laguntza mantentzen den webgunea @@ -9931,13 +9916,13 @@ underscore, and must not start with a digit. StdCmdPaste - + &Paste &Itsatsi - - + + Paste operation Itsaste-eragiketa @@ -9945,13 +9930,13 @@ underscore, and must not start with a digit. StdCmdPlacement - + Placement... Kokapena... - - + + Place the selected objects Kokatu hautatutako objektuak @@ -9959,13 +9944,13 @@ underscore, and must not start with a digit. StdCmdPrint - + &Print... &Inprimatu... - - + + Print the document Inprimatu dokumentua @@ -9973,13 +9958,13 @@ underscore, and must not start with a digit. StdCmdPrintPdf - + &Export PDF... &Esportatu PDFa... - - + + Export the document as PDF Esportatu dokumentua PDF gisa @@ -9987,17 +9972,17 @@ underscore, and must not start with a digit. StdCmdPrintPreview - + &Print preview... Inprimatze-&aurrebista... - + Print the document Inprimatu dokumentua - + Print preview Inprimatze-aurrebista @@ -10005,13 +9990,13 @@ underscore, and must not start with a digit. StdCmdPythonWebsite - - + + Python Website Python webgunea - + The official Python website Python-en webgune ofiziala @@ -10019,13 +10004,13 @@ underscore, and must not start with a digit. StdCmdQuit - + E&xit Ir&ten - - + + Quits the application Aplikaziotik irteten da @@ -10047,13 +10032,13 @@ underscore, and must not start with a digit. StdCmdRecentFiles - + Open Recent Ireki azken aldikoa - - + + Recent file list Azken fitxategien zerrenda @@ -10061,13 +10046,13 @@ underscore, and must not start with a digit. StdCmdRecentMacros - + Recent macros Azken makroak - - + + Recent macro list Azken makroen zerrenda @@ -10075,13 +10060,13 @@ underscore, and must not start with a digit. StdCmdRedo - + &Redo Be&rregin - - + + Redoes a previously undone action Aurretik desegindako ekintza bat berregiten du @@ -10089,13 +10074,13 @@ underscore, and must not start with a digit. StdCmdRefresh - + &Refresh &Freskatu - - + + Recomputes the current active document Uneko dokumentu aktiboa birkalkulatzen du @@ -10103,13 +10088,13 @@ underscore, and must not start with a digit. StdCmdReportBug - + Report a bug Jakinarazi akatsa - - + + Report a bug or suggest a feature Jakinarazi akats bat edo iradoki eginbide berria @@ -10117,13 +10102,13 @@ underscore, and must not start with a digit. StdCmdRevert - + Revert Leheneratu - - + + Reverts to the saved version of this file Fitxategi honen gordetako bertsiora itzultzen da @@ -10131,13 +10116,13 @@ underscore, and must not start with a digit. StdCmdSave - + &Save &Gorde - - + + Save the active document Gorde dokumentu aktiboa @@ -10145,13 +10130,13 @@ underscore, and must not start with a digit. StdCmdSaveAll - + Save All Gorde dena - - + + Save all opened document Gorde irekitako dokumentu guztiak @@ -10159,13 +10144,13 @@ underscore, and must not start with a digit. StdCmdSaveAs - + Save &As... Gorde &honela... - - + + Save the active document under a new file name Gorde dokumentu aktiboa beste fitxategi-izen batekin @@ -10173,13 +10158,13 @@ underscore, and must not start with a digit. StdCmdSaveCopy - + Save a &Copy... Gorde &kopia bat... - - + + Save a copy of the active document under a new file name Gorde dokumentu aktiboaren kopia bat beste fitxategi-izen batekin @@ -10215,13 +10200,13 @@ underscore, and must not start with a digit. StdCmdSelectAll - + Select &All Hautatu &dena - - + + Select all Hautatu dena @@ -10299,13 +10284,13 @@ underscore, and must not start with a digit. StdCmdTextDocument - + Add text document Gehitu testu-dokumentua - - + + Add text document to active document Gehitu testu-dokumentua dokumentu aktiboari @@ -10439,13 +10424,13 @@ underscore, and must not start with a digit. StdCmdTransform - + Transform... Transformatu... - - + + Transform the geometry of selected objects Transformatu hautatutako objektuen geometria @@ -10453,13 +10438,13 @@ underscore, and must not start with a digit. StdCmdTransformManip - + Transform Transformatu - - + + Transform the selected object in the 3d view Transformatu 3D bistan hautatutako objektua @@ -10523,13 +10508,13 @@ underscore, and must not start with a digit. StdCmdUndo - + &Undo &Desegin - - + + Undo exactly one action Desegin ekintza bakar bat @@ -10537,13 +10522,13 @@ underscore, and must not start with a digit. StdCmdUserEditMode - + Edit mode Edizio modua - - + + Defines behavior when editing an object from tree Zuhaitzeko objektu bat editatzean izango den portaera definitzen du @@ -10943,13 +10928,13 @@ underscore, and must not start with a digit. StdCmdWhatsThis - + &What's This? &Zer da hau? - - + + What's This Zer da hau @@ -10985,13 +10970,13 @@ underscore, and must not start with a digit. StdCmdWorkbench - + Workbench Lan-mahaia - - + + Switch between workbenches Trukatu lan-mahaiak @@ -11315,7 +11300,7 @@ underscore, and must not start with a digit. Std_Delete - + The following referencing objects might break. Are you sure you want to continue? @@ -11326,7 +11311,7 @@ Ziur zaude jarraitu nahi duzula? - + Object dependencies Objektuaren mendekotasunak @@ -11334,7 +11319,7 @@ Ziur zaude jarraitu nahi duzula? Std_DependencyGraph - + Dependency graph Mendekotasun-grafikoa @@ -11415,12 +11400,12 @@ Ziur zaude jarraitu nahi duzula? Std_DuplicateSelection - + Object dependencies Objektuaren mendekotasunak - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Kanpoko objektuekin estekatzeko, dokumentua gutxienez behin gorde behar da. @@ -11438,7 +11423,7 @@ Dokumentua gorde nahi al duzu? Std_Refresh - + The document contains dependency cycles. Please check the Report View for more details. @@ -11452,17 +11437,17 @@ Jarraitu nahi al duzu? Std_Revert - + Revert document Leheneratu dokumentua - + This will discard all the changes since last file save. Honek fitxategia azken aldiz gorde zenetik izandako aldaketa guztiak baztertuko ditu. - + Do you want to continue? Jarraitu nahi duzu? @@ -11636,12 +11621,12 @@ Jarraitu nahi al duzu? Gui::MDIView - + Export PDF Esportatu PDFa - + PDF file PDF fitxategia @@ -12335,82 +12320,82 @@ Currently, your system has the following workbenches:</p></body>< Aurrebista: - + Text Testua - + Bookmark Laster-marka - + Breakpoint Eten-puntua - + Keyword Gako-hitza - + Comment Iruzkina - + Block comment Bloke-iruzkina - + Number Zenbakia - + String Katea - + Character Karakterea - + Class name Klase-izena - + Define name Definizio-izena - + Operator Eragilea - + Python output Python irteera - + Python error Python errorea - + Current line highlight Uneko lerroaren nabarmentzea - + Items Elementuak @@ -12921,13 +12906,13 @@ txosten-bistaren panelera birzuzenduko da StdCmdExportDependencyGraph - + Export dependency graph... Esportatu mendekotasun-grafikoa... - - + + Export the dependency graph to a file Esportatu mendekotasun-grafikoa fitxategi batera @@ -13365,13 +13350,13 @@ the region are non-opaque. StdCmdProjectInfo - + Document i&nformation... Document i&nformation... - - + + Show details of the currently active document Show details of the currently active document @@ -13379,13 +13364,13 @@ the region are non-opaque. StdCmdProjectUtil - + Document utility... Document utility... - - + + Utility to extract or create document files Utility to extract or create document files @@ -13407,12 +13392,12 @@ the region are non-opaque. StdCmdProperties - + Properties Propietateak - + Show the property view, which displays the properties of the selected object. Show the property view, which displays the properties of the selected object. @@ -13463,13 +13448,13 @@ the region are non-opaque. StdCmdReloadStyleSheet - + &Reload stylesheet &Birkargatu estilo-orriak - - + + Reloads the current stylesheet Uneko estilo-orria birkargatzen du @@ -13746,15 +13731,38 @@ the region are non-opaque. StdCmdUnitsCalculator - + &Units converter... &Units converter... - - + + Start the units converter Start the units converter + + Gui::ModuleIO + + + File not found + Fitxategia ez da aurkitu + + + + The file '%1' cannot be opened. + '%1' fitxategia ezin da ireki. + + + + StdCmdRestartInSafeMode + + + + + Restart in safe mode + Restart in safe mode + + diff --git a/src/Gui/Language/FreeCAD_fi.ts b/src/Gui/Language/FreeCAD_fi.ts index 9e3f635496ab..7dd81d5ab1ce 100644 --- a/src/Gui/Language/FreeCAD_fi.ts +++ b/src/Gui/Language/FreeCAD_fi.ts @@ -91,17 +91,17 @@ Muokkaa - + Import Tuonti - + Delete Poista - + Paste expressions Liitä lausekkeet @@ -131,7 +131,7 @@ Tuo kaikki linkit - + Insert text document Lisää tekstiasiakirja @@ -148,7 +148,7 @@ Add a variable set - Add a variable set + Lisää muutujien sarja @@ -375,7 +375,7 @@ Info: - Info: + Tiedot: @@ -424,42 +424,42 @@ EditMode - + Default Oletus - + The object will be edited using the mode defined internally to be the most appropriate for the object type Objektia muokataan käyttäen sisäisesti määriteltyä moodia, joka on sopivin objektityypille - + Transform Muunna - + The object will have its placement editable with the Std TransformManip command Objektin sijoittelua voidaan muokata Std TransformManip -komennolla - + Cutting Leikkuu - + This edit mode is implemented as available but currently does not seem to be used by any object Tämä muokkaustila on toteutettu käytettävissä olevaksi, mutta tällä hetkellä mikään objekti ei näytä käyttävän sitä - + Color Väri - + The object will have the color of its individual faces editable with the Part FaceAppearances command The object will have the color of its individual faces editable with the Part FaceAppearances command @@ -680,8 +680,8 @@ while doing a left or right click and move the mouse up or down - Word size - Sanakoko + Architecture + Architecture @@ -706,52 +706,52 @@ while doing a left or right click and move the mouse up or down Gui::Dialog::AboutDialog - - + + Credits - Header for the Credits tab of the About screen Tekijät - + + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + Header for bgbsww + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + + + FreeCAD would not be possible without the contributions of FreeCAD ei olisi mahdollinen ilman seuraavien tahojen vaivannäköä - + Individuals Header for the list of individual people in the Credits list. Yksityishenkilöt - + Organizations Header for the list of companies/organizations in the Credits list. Organisaatiot - - + + License Lisenssi - + Libraries Kirjastot - - This software uses open source components whose copyright and other proprietary rights belong to their respective owners: - Tämä ohjelmisto käyttää avoimen lähdekoodin komponentteja, joiden tekijänoikeudet ja muut omistusoikeudet kuuluvat niiden omistajille: - - - + Collection Kokoelma - + Privacy Policy Privacy Policy @@ -1408,8 +1408,8 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgCustomToolBoxbarsImp - - + + Toolbox bars Työkaluryhmän palkit @@ -1498,40 +1498,40 @@ same time. The one with the highest priority will be triggered. - + <Separator> <Separator> - + %1 module not loaded %1 moduulia ei ole ladattu - + New toolbar Uusi työkalurivi - - + + Toolbar name: Työkalurivin nimi: - - + + Duplicated name Monistettu nimi - - + + The toolbar name '%1' is already used Työkalurivin nimi '%1' on jo käytössä - + Rename toolbar Uudelleennimeä työkalurivi @@ -1745,72 +1745,72 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgMacroExecuteImp - + Macros Makrot - + Read-only Vain luku - + Macro file Makro-tiedosto - + Enter a file name, please: Anna tiedostolle nimi: - - - + + + Existing file Olemassa oleva tiedosto - + '%1'. This file already exists. "%1". Tämä tiedosto on jo olemassa. - + Cannot create file Tiedostoa ei voi luoda - + Creation of file '%1' failed. Tiedoston '%1' luonti epäonnistui. - + Delete macro Poista makro - + Do you really want to delete the macro '%1'? Haluatko varmasti poistaa makron '%1'? - + Do not show again Älä näytä uudestaan - + Guided Walkthrough Opastettu kävelykierros - + This will guide you in setting up this macro in a custom global toolbar. Instructions will be in red text inside the dialog. Note: your changes will be applied when you next switch workbenches @@ -1821,78 +1821,78 @@ Huomautus: muutokset otetaan käyttöön, kun seuraavan kerran vaihdat työpöyt - + Walkthrough, dialog 1 of 2 kävelykierros, valintaikkuna 1 (2:sta) - + Walkthrough instructions: Fill in missing fields (optional) then click Add, then Close Kävelykierros: Täytä puuttuvat kentät (valinnainen) ja napsauta Lisää ja sulje - + Walkthrough, dialog 1 of 1 kävelykierros, valintaikkuna 1 (1:stä) - + Walkthrough, dialog 2 of 2 kävelykierros, valintaikkuna 2 (2:sta) - - Walkthrough instructions: Click right arrow button (->), then Close. - Kävelyohjeet: Napsauta oikeaa nuolinäppäintä (->), ja sulje se. + + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. - Walkthrough instructions: Click New, then right arrow (->) button, then Close. - Kävelyohjeet: Klikkaa uusi, napsauta oikeaa nuolinäppäintä (->), ja sulje se. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. - + Renaming Macro File Uudelleennimetään Makrotiedosto - - + + Enter new name: Syötä uusi nimi: - - + + '%1' already exists. '%1' on jo olemassa. - + Rename Failed Uudelleennimeäminen epäonnistui - + Failed to rename to '%1'. Perhaps a file permission error? Ei voitu nimetä uudelleen '%1'. Ehkä tiedoston käyttöoikeusvirhe? - + Duplicate Macro Monista makro - + Duplicate Failed Monistaminen epäonnistui - + Failed to duplicate to '%1'. Perhaps a file permission error? Ei voitu monistaa '%1':ksi. @@ -5899,81 +5899,81 @@ Do you want to save your changes? Gui::GraphvizView - + Graphviz not found Graphviz:iä ei löydy - + Graphviz couldn't be found on your system. Graphvizia ei löytynyt järjestelmästäsi. - + Read more about it here. Lue lisää täältä. - + Do you want to specify its installation path if it's already installed? Haluatko määrittää sen asennuspolun, jos se on jo asennettu? - + Graphviz installation path Graphviz:in asennuspolun - + Graphviz failed Graphviz:in käyttö epäonnistui - + Graphviz failed to create an image file Graphviz ei pystynyt luomaan kuvatiedostoa - + PNG format PNG-muoto - + Bitmap format Bitmap-muoto - + GIF format GIF-muoto - + JPG format JPG-muoto - + SVG format SVG-muoto - - + + PDF format PDF-muoto - - + + Graphviz format Graphviz format - - - + + + Export graph Vie kaavio @@ -6133,63 +6133,83 @@ Do you want to save your changes? Gui::MainWindow - - + + Dimension Mitta - + Ready Valmis - + Close All Sulje kaikki - - - + + + Toggles this toolbar Näyttä tai piilota tämä työkalurivi - - - + + + Toggles this dockable window Näytä tai piilota telakointiasema ikkunasta - + + Safe mode enabled + Safe mode enabled + + + + FreeCAD is now running in safe mode. + FreeCAD is now running in safe mode. + + + + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + + + WARNING: This is a development version. WARNING: This is a development version. - + Please do not use it in a production environment. Please do not use it in a production environment. - - + + Unsaved document Tallentamaton asiakirja - + The exported object contains external link. Please save the documentat least once before exporting. Viety objekti sisältää ulkoisen linkin. Tallenna asiakirja vähintään kerran ennen vientiä. - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Linkittääksesi ulkoisiin objekteihin, asiakirja on tallennettava vähintään kerran. Haluatko tallentaa asiakirjan nyt? + + + Safe Mode + Safe Mode + Gui::ManualAlignment @@ -6689,39 +6709,19 @@ Do you want to exit without saving your data? Open file %1 Avaa tiedosto %1 - - - File not found - Tiedostoa ei löydy - - - - The file '%1' cannot be opened. - Tiedostoa '%1' ei voi avata. - Gui::RecentMacrosAction - + none ei mitään - + Run macro %1 (Shift+click to edit) keyboard shortcut: %2 Run macro %1 (Shift+click to edit) keyboard shortcut: %2 - - - File not found - Tiedostoa ei löydy - - - - The file '%1' cannot be opened. - Tiedostoa '%1' ei voi avata. - Gui::RevitNavigationStyle @@ -6976,7 +6976,7 @@ Haluatko valita toisen hakemiston? Gui::TaskView::TaskDialog - + A dialog is already open in the task panel Valintaikkuna on jo avoinna tehtäväpaneelissa @@ -7005,38 +7005,8 @@ Haluatko valita toisen hakemiston? Gui::TextDocumentEditorView - - Text updated - Teksti päivitetty - - - - The text of the underlying object has changed. Discard changes and reload the text from the object? - Alaolevan kohteen teksti on muuttunut. Hylkää muutokset ja lataa teksti uudelleen kohteesta? - - - - Yes, reload. - Kyllä, lataa uudelleen. - - - - Unsaved document - Tallentamaton asiakirja - - - - Do you want to save your changes before closing? - Haluatko tallentaa muutokset ennen poistumista? - - - - If you don't save, your changes will be lost. - Jos et tallenna, niin tekemäsi muutokset menetetään. - - - - + + Edit text Muokkaa tekstiä @@ -7313,7 +7283,7 @@ Haluatko valita toisen hakemiston? Gui::TreeDockWidget - + Tree view Puunäkymä @@ -7321,7 +7291,7 @@ Haluatko valita toisen hakemiston? Gui::TreePanel - + Search Haku @@ -7379,148 +7349,148 @@ Haluatko valita toisen hakemiston? Ryhmä - + Labels & Attributes Nimilaput & Määritteet - + Description Kuvaus - + Internal name Internal name - + Show items hidden in tree view Show items hidden in tree view - + Show items that are marked as 'hidden' in the tree view Show items that are marked as 'hidden' in the tree view - + Toggle visibility in tree view Toggle visibility in tree view - + Toggles the visibility of selected items in the tree view Toggles the visibility of selected items in the tree view - + Create group Luo ryhmä - + Create a group Ryhmän luominen - - + + Rename Nimeä uudelleen - + Rename object Nimeä objekti uudelleen - + Finish editing Lopeta muokkaaminen - + Finish editing object Lopeta objektin muokkaaminen - + Add dependent objects to selection Lisää riippuvaisia objekteja valintaan - + Adds all dependent objects to the selection Lisää kaikki riippuvaiset objektit valintaan - + Close document Sulje asiakirja - + Close the document Sulje asiakirja - + Reload document Lataa asiakirja uudelleen - + Reload a partially loaded document Lataa osittain ladattu asiakirja uudelleen - + Skip recomputes Ohita uudelleenlaskenta - + Enable or disable recomputations of document Ota käyttöön tai poista käytöstä asiakirjan uudelleenlaskenta - + Allow partial recomputes Salli osittainen uudelleenlaskenta - + Enable or disable recomputating editing object when 'skip recomputation' is enabled Ota käyttöön tai poista käytöstä kohteen uudelleenlaskenta kun 'ohita uudelleenlaskenta' on käytössä - + Mark to recompute Merkitse laskettavaksi uudelleen - + Mark this object to be recomputed Merkitse tämä objekti laskettavaksi uudelleen - + Recompute object Laske objekti uudelleen - + Recompute the selected object Laske uudelleen valittu objekti - + (but must be executed) (mutta on suoritettava) - + %1, Internal name: %2 %1, Sisäinen nimi: %2 @@ -7732,47 +7702,47 @@ Haluatko valita toisen hakemiston? QDockWidget - + Tree view Puunäkymä - + Tasks Tehtävät - + Property view Ominaisuusnäkymä - + Selection view Valintanäkymä - + Task List Task List - + Model Malli - + DAG View DAG-näkymä - + Report view Raporttinäkymä - + Python console Python-konsoli @@ -7812,35 +7782,35 @@ Haluatko valita toisen hakemiston? Python - - - + + + Unknown filetype Tuntematon tiedostotyyppi - - + + Cannot open unknown filetype: %1 Ei voida avata tuntematonta tiedostotyyppiä:%1 - + Export failed Vienti epäonnistui - + Cannot save to unknown filetype: %1 Ei voi tallentaa tuntematonta tiedostotyyppiä:%1 - + Recomputation required Recomputation required - + Some document(s) require recomputation for migration purposes. It is highly recommended to perform a recomputation before any modification to avoid compatibility problems. Do you want to recompute now? @@ -7849,24 +7819,24 @@ Do you want to recompute now? Do you want to recompute now? - + Recompute error Recompute error - + Failed to recompute some document(s). Please check report view for more details. Failed to recompute some document(s). Please check report view for more details. - + Workbench failure Työpöydän häiriö - + %1 %1 @@ -7912,90 +7882,105 @@ Please check report view for more details. Tuo tiedosto - + Export file Vie tiedosto - + Printing... Tulostaminen... - + Exporting PDF... Viedään PDF... - - + + Unsaved document Tallentamaton asiakirja - + The exported object contains external link. Please save the documentat least once before exporting. Viety objekti sisältää ulkoisen linkin. Tallenna asiakirja vähintään kerran ennen vientiä. - - + + Delete failed Poistaminen epäonnistui - + Dependency error Riippuvuusvirhe - + Copy selected Kopioi valitut - + Copy active document Kopioi aktiivinen asiakirja - + Copy all documents Kopioi kaikki asiakirjat - + Paste Liitä - + Expression error Lausekevirhe - + Failed to parse some of the expressions. Please check the Report View for more details. Joitakin lausekkeita ei voitu jäsentää. Ole hyvä ja tarkista raporttinäkymä saadaksesi lisätietoja. - + Failed to paste expressions Lausekkeiden liittäminen epäonnistui - + Cannot load workbench Ei voi ladata työpöytää - + A general error occurred while loading the workbench Yleinen virhe ladattaessa työpöytää + + + Restart in safe mode + Restart in safe mode + + + + Are you sure you want to restart FreeCAD and enter safe mode? + Are you sure you want to restart FreeCAD and enter safe mode? + + + + Safe mode temporarily disables your configuration and addons. + Safe mode temporarily disables your configuration and addons. + @@ -8220,7 +8205,7 @@ Haluatko jatkaa? Too many opened non-intrusive notifications. Notifications are being omitted! - + Identical physical path detected. It may cause unwanted overwrite of existing document! @@ -8229,44 +8214,44 @@ Haluatko jatkaa? - + Are you sure you want to continue? Haluatko varmasti jatkaa? - + Please check report view for more... Please check report view for more... - + Physical path: Fyysinen polku: - - + + Document: Document: - - + + Path: Polku: - + Identical physical path Identtinen fyysinen polku - + Could not save document Could not save document - + There was an issue trying to save the file. This may be because some of the parent folders do not exist, or you do not have sufficient permissions, or for other reasons. Error details: "%1" @@ -8279,102 +8264,102 @@ Would you like to save the file with a different name? Would you like to save the file with a different name? - - - + + + Saving aborted Tallentaminen keskeytettiin - + Save dependent files Tallenna riippuvaiset tiedostot - + The file contains external dependencies. Do you want to save the dependent files, too? Tiedosto sisältää ulkoisia riippuvuuksia. Haluatko tallentaa myös riippuvaiset tiedostot? - - + + Saving document failed Asiakirjan tallennus epäonnistui - + Save document under new filename... Tallenna asiakirja uudella tiedostonimellä... - - + + Save %1 Document Tallenna %1-asiakirja - + Document Asiakirja - - + + Failed to save document Asiakirjan tallennus epäonnistui - + Documents contains cyclic dependencies. Do you still want to save them? Asiakirjat sisältävät syklisiä riippuvuuksia. Haluatko silti tallentaa ne? - + Save a copy of the document under new filename... Tallenna kopio asiakirjasta uudelle tiedostonimelle... - + %1 document (*.FCStd) %1-asiakirja (*.FCStd) - + Document not closable Asiakirja ei ole suljettavissa - + The document is not closable for the moment. Asiakirja ei ole tällä hetkellä suljettavissa. - + Document not saved Document not saved - + The document%1 could not be saved. Do you want to cancel closing it? The document%1 could not be saved. Do you want to cancel closing it? - + Undo Kumoa - + Redo Tee uudelleen - + There are grouped transactions in the following documents with other preceding transactions Seuraavissa asiakirjoissa on ryhmiteltyjä yhteistoimintoja muiden edeltävien yhteistoimintojen kanssa - + Choose 'Yes' to roll back all preceding transactions. Choose 'No' to roll back in the active document only. Choose 'Abort' to abort @@ -8468,7 +8453,7 @@ Valitse 'Abort' keskeyttääksesi Ei voida löytää tiedostoja %1, %2 ja %3 - + Navigation styles Navigointityylit @@ -8479,47 +8464,47 @@ Valitse 'Abort' keskeyttääksesi Muunna - + Do you want to close this dialog? Haluatko sulkea tämän valintaikkunan? - + Do you want to save your changes to document '%1' before closing? Haluatko tallentaa asiakirjan "%1" muutokset ennen sulkemista? - + Do you want to save your changes to document before closing? Haluatko tallentaa asiakirjan muutokset ennen sulkemista? - + If you don't save, your changes will be lost. Jos et tallenna, niin tekemäsi muutokset menetetään. - + Apply answer to all Käytä samaa vastausta kaikkiin - + %1 Document(s) not saved %1 Document(s) not saved - + Some documents could not be saved. Do you want to cancel closing? Some documents could not be saved. Do you want to cancel closing? - + Delete macro Poista makro - + Not allowed to delete system-wide macros Järjestelmän laajuisten makrojen poistaminen ei ole sallittua @@ -8615,10 +8600,10 @@ Valitse 'Abort' keskeyttääksesi - - - - + + + + Invalid name Virheellinen nimi @@ -8631,25 +8616,25 @@ alaviivoja, eikä se saa alkaa numerolla. - + The property name is a reserved word. The property name is a reserved word. - + The property '%1' already exists in '%2' Ominaisuus '%1' on jo olemassa '%2':ssa - + Add property Lisää ominaisuus - + Failed to add property to '%1': %2 Ominaisuutta ei voitu lisätä kohteeseen '%1': %2 @@ -8935,14 +8920,14 @@ the current copy will be lost. Suppressed - + The property name must only contain alpha numericals, underscore, and must not start with a digit. The property name must only contain alpha numericals, underscore, and must not start with a digit. - + The group name must only contain alpha numericals, underscore, and must not start with a digit. The group name must only contain alpha numericals, @@ -8989,13 +8974,13 @@ underscore, and must not start with a digit. StdCmdAbout - + &About %1 &Tietoja %1ista - - + + About %1 Tietoja %1 @@ -9003,13 +8988,13 @@ underscore, and must not start with a digit. StdCmdAboutQt - + About &Qt Tietoja &Qt:stä - - + + About Qt Tietoja Qt:stä @@ -9045,13 +9030,13 @@ underscore, and must not start with a digit. StdCmdAlignment - + Alignment... Tasaus... - - + + Align the selected objects Tasaa valitut objektit @@ -9115,13 +9100,13 @@ underscore, and must not start with a digit. StdCmdCommandLine - + Start command &line... Avaa &komentohoputeikkuna... - - + + Opens the command line in the console Avaa komentorivin konsolissa @@ -9129,13 +9114,13 @@ underscore, and must not start with a digit. StdCmdCopy - + C&opy K&opioi - - + + Copy operation Kopiointitoiminto @@ -9143,13 +9128,13 @@ underscore, and must not start with a digit. StdCmdCut - + &Cut &Leikkaa - - + + Cut out Leikkaa pois @@ -9157,13 +9142,13 @@ underscore, and must not start with a digit. StdCmdDelete - + &Delete &Poista - - + + Deletes the selected objects Poistaa valitut objektit @@ -9185,13 +9170,13 @@ underscore, and must not start with a digit. StdCmdDependencyGraph - + Dependency graph... Riippuvuuskaavio... - - + + Show the dependency graph of the objects in the active document Näytä aktiivisen asiakirjan objektien riippuvuuskaavio @@ -9199,13 +9184,13 @@ underscore, and must not start with a digit. StdCmdDlgCustomize - + Cu&stomize... &Mukauta... - - + + Customize toolbars and command bars Mukauta työkalurivejä ja komentorivejä @@ -9265,13 +9250,13 @@ underscore, and must not start with a digit. StdCmdDlgParameter - + E&dit parameters ... M&uokkaa parametrejä... - - + + Opens a Dialog to edit the parameters Avaa valintaikkunan, jossa voit muokata parametreja @@ -9279,13 +9264,13 @@ underscore, and must not start with a digit. StdCmdDlgPreferences - + &Preferences ... &Asetukset ... - - + + Opens a Dialog to edit the preferences Avaa valintaikkunan, jossa voit muokata asetuksia @@ -9321,13 +9306,13 @@ underscore, and must not start with a digit. StdCmdDuplicateSelection - + Duplicate selection Moninkertainen valinta - - + + Put duplicates of the selected objects to the active document Laita valittujen objektien kaksoiskappaleet aktiiviseen asiakirjaan @@ -9335,17 +9320,17 @@ underscore, and must not start with a digit. StdCmdEdit - + Toggle &Edit mode Vaihda &muokkaustila - + Toggles the selected object's edit mode Vaihtaa valitun objektin muokkaustilan - + Activates or Deactivates the selected object's edit mode Aktivoi tai deaktivoi valitun objektin muokkaustila @@ -9364,12 +9349,12 @@ underscore, and must not start with a digit. Vie aktiivisen asiakirjassa oleva objekti - + No selection Ei valintaa - + Select the objects to export before choosing Export. Valitse vietävät objektit ennen kuin valitset viennin. @@ -9377,13 +9362,13 @@ underscore, and must not start with a digit. StdCmdExpression - + Expression actions Lausekkeen toiminnot - - + + Actions that apply to expressions Actions that apply to expressions @@ -9405,12 +9390,12 @@ underscore, and must not start with a digit. StdCmdFreeCADDonation - + Donate Lahjoita - + Donate to FreeCAD development Lahjoita FreeCADin kehittämiselle @@ -9418,17 +9403,17 @@ underscore, and must not start with a digit. StdCmdFreeCADFAQ - + FreeCAD FAQ FreeCADin UKK - + Frequently Asked Questions on the FreeCAD website Usein kysyttyjä kysymyksiä FreeCAD-sivustolla - + Frequently Asked Questions Usein kysyttyjä kysymyksiä @@ -9436,17 +9421,17 @@ underscore, and must not start with a digit. StdCmdFreeCADForum - + FreeCAD Forum FreeCAD-keskustelupalsta - + The FreeCAD forum, where you can find help from other users FreeCAD-keskustelupalsta, jonka kautta saat apua muilta käyttäjiltä - + The FreeCAD Forum FreeCAD-keskustelupalsta @@ -9454,17 +9439,17 @@ underscore, and must not start with a digit. StdCmdFreeCADPowerUserHub - + Python scripting documentation Python-komentosarjojen dokumentaatio - + Python scripting documentation on the FreeCAD website Python-komentosarjojen dokumentaatio FreeCAD-sivustolla - + PowerUsers documentation Tehokäyttäjän dokumentaatio @@ -9472,13 +9457,13 @@ underscore, and must not start with a digit. StdCmdFreeCADUserHub - - + + Users documentation Käyttäjän dokumentaatio - + Documentation for users on the FreeCAD website Ohjeita käyttäjille FreeCAD-sivustolla @@ -9486,13 +9471,13 @@ underscore, and must not start with a digit. StdCmdFreeCADWebsite - - + + FreeCAD Website FreeCADin verkkosivusto - + The FreeCAD website FreeCAD-sivusto @@ -9807,25 +9792,25 @@ underscore, and must not start with a digit. StdCmdMergeProjects - + Merge document... Merge document... - - - - + + + + Merge document Merge document - + %1 document (*.FCStd) %1-asiakirja (*.FCStd) - + Cannot merge document with itself. Cannot merge document with itself. @@ -9833,18 +9818,18 @@ underscore, and must not start with a digit. StdCmdNew - + &New &Uusi - - + + Create a new empty document Luo uusi tyhjä asiakirja - + Unnamed Nimetön @@ -9853,13 +9838,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelp - - + + Help Ohje - + Show help to the application Näytä sovelluksen ohje @@ -9867,13 +9852,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelpWebsite - - + + Help Website Ohjeen verkkosivusto - + The website where the help is maintained Verkkosivusto, jossa ohjetta ylläpidetään @@ -9928,13 +9913,13 @@ underscore, and must not start with a digit. StdCmdPaste - + &Paste &Liitä - - + + Paste operation Liittämistoiminto @@ -9942,13 +9927,13 @@ underscore, and must not start with a digit. StdCmdPlacement - + Placement... Sijainti... - - + + Place the selected objects Siirrä valitut objektit @@ -9956,13 +9941,13 @@ underscore, and must not start with a digit. StdCmdPrint - + &Print... &Tulosta... - - + + Print the document Tulosta asiakirja @@ -9970,13 +9955,13 @@ underscore, and must not start with a digit. StdCmdPrintPdf - + &Export PDF... &Vie PDF-asiakirjaan... - - + + Export the document as PDF Vie asiakirja PDF-tiedostona @@ -9984,17 +9969,17 @@ underscore, and must not start with a digit. StdCmdPrintPreview - + &Print preview... &Esikatselu... - + Print the document Tulosta asiakirja - + Print preview Tulostuksen esikatselu @@ -10002,13 +9987,13 @@ underscore, and must not start with a digit. StdCmdPythonWebsite - - + + Python Website Pythonin verkkosivusto - + The official Python website Python-projektin virallinen sivusto @@ -10016,13 +10001,13 @@ underscore, and must not start with a digit. StdCmdQuit - + E&xit L&opeta - - + + Quits the application Lopeta sovellus @@ -10044,13 +10029,13 @@ underscore, and must not start with a digit. StdCmdRecentFiles - + Open Recent Viimeisimmät - - + + Recent file list Viimeksi käytettyjen tiedostojen luettelo @@ -10058,13 +10043,13 @@ underscore, and must not start with a digit. StdCmdRecentMacros - + Recent macros Viimeisimmät makrot - - + + Recent macro list Viimeisten makrojen luettelo @@ -10072,13 +10057,13 @@ underscore, and must not start with a digit. StdCmdRedo - + &Redo &Tee uudelleen - - + + Redoes a previously undone action Tekee uudelleen viimeksi kumotun toiminnon @@ -10086,13 +10071,13 @@ underscore, and must not start with a digit. StdCmdRefresh - + &Refresh &Päivitä - - + + Recomputes the current active document Laskee uudelleen aktiivisen dokumentin tiedot @@ -10100,13 +10085,13 @@ underscore, and must not start with a digit. StdCmdReportBug - + Report a bug Ilmoita virheestä - - + + Report a bug or suggest a feature Report a bug or suggest a feature @@ -10114,13 +10099,13 @@ underscore, and must not start with a digit. StdCmdRevert - + Revert Palauta - - + + Reverts to the saved version of this file Palauttaa tämän tiedoston tallennettuun versioon @@ -10128,13 +10113,13 @@ underscore, and must not start with a digit. StdCmdSave - + &Save &Tallenna - - + + Save the active document Tallenna aktiivinen asiakirja @@ -10142,13 +10127,13 @@ underscore, and must not start with a digit. StdCmdSaveAll - + Save All Tallenna kaikki - - + + Save all opened document Tallenna kaikki avatut asiakirjat @@ -10156,13 +10141,13 @@ underscore, and must not start with a digit. StdCmdSaveAs - + Save &As... Tallenna &nimellä... - - + + Save the active document under a new file name Tallentaa aktiivisen asiakirjan uudella tiedostonimellä @@ -10170,13 +10155,13 @@ underscore, and must not start with a digit. StdCmdSaveCopy - + Save a &Copy... Tallenna &kopio... - - + + Save a copy of the active document under a new file name Tallenna kopio asiakirjasta uudelle tiedostonimelle @@ -10212,13 +10197,13 @@ underscore, and must not start with a digit. StdCmdSelectAll - + Select &All Valitse &kaikki - - + + Select all Valitse kaikki @@ -10296,13 +10281,13 @@ underscore, and must not start with a digit. StdCmdTextDocument - + Add text document Lisää tekstiasiakirja - - + + Add text document to active document Lisää tekstiasiakirja aktiiviseen asiakirjaan @@ -10436,13 +10421,13 @@ underscore, and must not start with a digit. StdCmdTransform - + Transform... Muunna... - - + + Transform the geometry of selected objects Muuta valittujen objektien geometriaa @@ -10450,13 +10435,13 @@ underscore, and must not start with a digit. StdCmdTransformManip - + Transform Muunna - - + + Transform the selected object in the 3d view Muunna valittuja objekteja 3D-näkymässä @@ -10520,13 +10505,13 @@ underscore, and must not start with a digit. StdCmdUndo - + &Undo &Kumoa - - + + Undo exactly one action Kumoa täsmälleen yksi teko @@ -10534,13 +10519,13 @@ underscore, and must not start with a digit. StdCmdUserEditMode - + Edit mode Muokkaustila - - + + Defines behavior when editing an object from tree Defines behavior when editing an object from tree @@ -10940,13 +10925,13 @@ underscore, and must not start with a digit. StdCmdWhatsThis - + &What's This? &Mikä tämä on? - - + + What's This Mikä tämä on @@ -10982,13 +10967,13 @@ underscore, and must not start with a digit. StdCmdWorkbench - + Workbench Työpöytä - - + + Switch between workbenches Vaihda työpöytien välillä @@ -11312,7 +11297,7 @@ underscore, and must not start with a digit. Std_Delete - + The following referencing objects might break. Are you sure you want to continue? @@ -11323,7 +11308,7 @@ Oletko varma, että haluat jatkaa? - + Object dependencies Objektin riippuvuudet @@ -11331,7 +11316,7 @@ Oletko varma, että haluat jatkaa? Std_DependencyGraph - + Dependency graph Riippuvuuskaavio @@ -11412,12 +11397,12 @@ Oletko varma, että haluat jatkaa? Std_DuplicateSelection - + Object dependencies Objektin riippuvuudet - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Linkittääksesi ulkoisiin objekteihin, asiakirja on tallennettava vähintään kerran. @@ -11435,7 +11420,7 @@ Haluatko tallentaa asiakirjan nyt? Std_Refresh - + The document contains dependency cycles. Please check the Report View for more details. @@ -11449,17 +11434,17 @@ Haluatko silti jatkaa? Std_Revert - + Revert document Palauta asiakirja - + This will discard all the changes since last file save. Tämä hylkää kaikki muutokset viimeisimmän tiedostotallennuksen jälkeen. - + Do you want to continue? Haluatko jatkaa? @@ -11633,12 +11618,12 @@ Haluatko silti jatkaa? Gui::MDIView - + Export PDF Vie PDF - + PDF file PDF-tiedosto @@ -12332,82 +12317,82 @@ Currently, your system has the following workbenches:</p></body>< Esikatselu: - + Text Teksti - + Bookmark Kirjanmerkki - + Breakpoint Keskeytyskohta - + Keyword Avainsana - + Comment Kommentti - + Block comment Estä kommentti - + Number Numero - + String Merkkijono - + Character Merkki - + Class name Luokan nimi - + Define name Määritä nimi - + Operator Operaattori - + Python output Python-tuloste - + Python error Python-virhe - + Current line highlight Nykyinen rivin korostus - + Items Osat @@ -12918,13 +12903,13 @@ Python-konsolista Raporttinäkymäpaneeliin StdCmdExportDependencyGraph - + Export dependency graph... Export dependency graph... - - + + Export the dependency graph to a file Export the dependency graph to a file @@ -13362,13 +13347,13 @@ the region are non-opaque. StdCmdProjectInfo - + Document i&nformation... Document i&nformation... - - + + Show details of the currently active document Show details of the currently active document @@ -13376,13 +13361,13 @@ the region are non-opaque. StdCmdProjectUtil - + Document utility... Document utility... - - + + Utility to extract or create document files Utility to extract or create document files @@ -13404,12 +13389,12 @@ the region are non-opaque. StdCmdProperties - + Properties Ominaisuudet - + Show the property view, which displays the properties of the selected object. Show the property view, which displays the properties of the selected object. @@ -13460,13 +13445,13 @@ the region are non-opaque. StdCmdReloadStyleSheet - + &Reload stylesheet &Reload stylesheet - - + + Reloads the current stylesheet Reloads the current stylesheet @@ -13743,15 +13728,38 @@ the region are non-opaque. StdCmdUnitsCalculator - + &Units converter... &Units converter... - - + + Start the units converter Start the units converter + + Gui::ModuleIO + + + File not found + Tiedostoa ei löydy + + + + The file '%1' cannot be opened. + Tiedostoa '%1' ei voi avata. + + + + StdCmdRestartInSafeMode + + + + + Restart in safe mode + Restart in safe mode + + diff --git a/src/Gui/Language/FreeCAD_fr.ts b/src/Gui/Language/FreeCAD_fr.ts index 517d0ebdc923..acf4a37e27d1 100644 --- a/src/Gui/Language/FreeCAD_fr.ts +++ b/src/Gui/Language/FreeCAD_fr.ts @@ -91,17 +91,17 @@ Éditer - + Import Importer - + Delete Supprimer - + Paste expressions Coller les expressions @@ -131,7 +131,7 @@ Importer tous les liens - + Insert text document Insérer un document texte @@ -424,42 +424,42 @@ EditMode - + Default Par défaut - + The object will be edited using the mode defined internally to be the most appropriate for the object type L'objet sera modifié en utilisant le mode défini en interne comme étant le plus approprié pour le type d'objet. - + Transform Transformer - + The object will have its placement editable with the Std TransformManip command L’objet aura un positionnement modifiable à l’aide de la commande Transformer - + Cutting Couper - + This edit mode is implemented as available but currently does not seem to be used by any object Ce mode d'édition est implémenté comme étant disponible mais ne semble pas être utilisé pour l'instant par quelque objet que ce soit. - + Color Colorier - + The object will have the color of its individual faces editable with the Part FaceAppearances command La couleur de chaque face de l'objet peut être modifiée à l'aide de la commande Couleur par face de Part. @@ -680,8 +680,8 @@ while doing a left or right click and move the mouse up or down - Word size - Taille des mots + Architecture + Architecture @@ -706,52 +706,52 @@ while doing a left or right click and move the mouse up or down Gui::Dialog::AboutDialog - - + + Credits - Header for the Credits tab of the About screen Remerciements - + + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + Header for bgbsww + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + + + FreeCAD would not be possible without the contributions of FreeCAD ne serait pas possible sans les contributions de - + Individuals Header for the list of individual people in the Credits list. Particuliers - + Organizations Header for the list of companies/organizations in the Credits list. Organisations - - + + License Licence - + Libraries Bibliothèques - - This software uses open source components whose copyright and other proprietary rights belong to their respective owners: - Ce logiciel utilise des composants open source dont le copyright et autres droits associés appartiennent à leurs propriétaires respectifs : - - - + Collection Collection - + Privacy Policy Politique de confidentialité @@ -1406,8 +1406,8 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgCustomToolBoxbarsImp - - + + Toolbox bars Barres des boîtes à outils @@ -1496,40 +1496,40 @@ same time. The one with the highest priority will be triggered. - + <Separator> <Séparateur> - + %1 module not loaded Module %1 non chargé - + New toolbar Nouvelle barre d'outils - - + + Toolbar name: Nom de la barre d'outils : - - + + Duplicated name Nom dupliqué - - + + The toolbar name '%1' is already used Le nom de barre d'outils '%1' est déjà utilisé - + Rename toolbar Renommer la barre d'outils @@ -1743,71 +1743,71 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgMacroExecuteImp - + Macros Macros - + Read-only Lecture seule - + Macro file Fichier de la macro - + Enter a file name, please: Veuillez saisir un nom de fichier : - - - + + + Existing file Fichier existant - + '%1'. This file already exists. '%1'. Ce fichier existe déjà. - + Cannot create file Impossible de créer le fichier - + Creation of file '%1' failed. Échec de la création du fichier « %1 ». - + Delete macro Supprimer la macro - + Do you really want to delete the macro '%1'? Voulez-vous vraiment supprimer la macro "%1" ? - + Do not show again Ne plus afficher ce message - + Guided Walkthrough Visite guidée - + This will guide you in setting up this macro in a custom global toolbar. Instructions will be in red text inside the dialog. Note: your changes will be applied when you next switch workbenches @@ -1817,77 +1817,77 @@ Note: your changes will be applied when you next switch workbenches Remarque : vos modifications seront appliquées lorsque vous changerez d'atelier. - + Walkthrough, dialog 1 of 2 Marche à suivre, fenêtre de dialogue 1 sur 2 - + Walkthrough instructions: Fill in missing fields (optional) then click Add, then Close Instructions pour la marche à suivre : remplissez les champs manquants (facultatif) puis cliquez sur Ajouter, puis sur Fermer - + Walkthrough, dialog 1 of 1 Marche à suivre, fenêtre de dialogue 1 sur 1 - + Walkthrough, dialog 2 of 2 Marche à suivre, fenêtre de dialogue 2 sur 2 - - Walkthrough instructions: Click right arrow button (->), then Close. - Instructions de la marche à suivre : cliquez sur la flèche droite (→) puis fermez. + + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. - Walkthrough instructions: Click New, then right arrow (->) button, then Close. - Instructions de la marche à suivre : cliquez sur le bouton Nouveau, puis sur la flèche droite (→) puis fermez. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. - + Renaming Macro File Renommer le fichier de la macro - - + + Enter new name: Indiquer un nouveau nom : - - + + '%1' already exists. '%1' existe déjà. - + Rename Failed Échec du changement de nom - + Failed to rename to '%1'. Perhaps a file permission error? Impossible de changer de nom en "%1". Peut-être une erreur de permission du fichier ? - + Duplicate Macro Dupliquer la macro - + Duplicate Failed Échec de la duplication - + Failed to duplicate to '%1'. Perhaps a file permission error? Impossible de dupliquer "%1". @@ -5883,81 +5883,81 @@ Voulez enregistrer les modifications ? Gui::GraphvizView - + Graphviz not found Graphviz n'a pas été trouvé - + Graphviz couldn't be found on your system. Graphviz n’a pas pu être trouvé sur votre système. - + Read more about it here. En savoir plus à ce sujet ici. - + Do you want to specify its installation path if it's already installed? Voulez-vous spécifier le chemin d’accès de l’installation s'il est déjà installé ? - + Graphviz installation path Chemin d'accès pour l'installation de Graphviz - + Graphviz failed Graphviz a échoué - + Graphviz failed to create an image file Graphviz n'a pas pu créer un fichier d'image. - + PNG format Format PNG - + Bitmap format Format bitmap - + GIF format Format GIF - + JPG format Format JPG - + SVG format Format SVG - - + + PDF format Format PDF - - + + Graphviz format Format de Graphviz - - - + + + Export graph Exporter un graphique @@ -6117,63 +6117,83 @@ Voulez enregistrer les modifications ? Gui::MainWindow - - + + Dimension Dimension - + Ready Prêt - + Close All Fermer tout - - - + + + Toggles this toolbar Active/désactive cette barre d'outils - - - + + + Toggles this dockable window Activer/désactiver cette fenêtre ancrable - + + Safe mode enabled + Safe mode enabled + + + + FreeCAD is now running in safe mode. + FreeCAD is now running in safe mode. + + + + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + + + WARNING: This is a development version. ATTENTION : ceci est une version de développement. - + Please do not use it in a production environment. Merci de ne pas l'utiliser dans un environnement de production. - - + + Unsaved document Document non enregistré - + The exported object contains external link. Please save the documentat least once before exporting. L'objet exporté contient un lien externe. Veuillez enregistrer le document au moins une fois avant l'exportation. - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Pour créer un lien vers des objets externes, le document doit être enregistré au moins une fois. Voulez-vous enregistrer le document maintenant ? + + + Safe Mode + Safe Mode + Gui::ManualAlignment @@ -6672,39 +6692,19 @@ Voulez vous quitter sans sauvegarder vos données? Open file %1 Ouvrir le fichier %1 - - - File not found - Fichier introuvable - - - - The file '%1' cannot be opened. - Impossible d'ouvrir le fichier '%1'. - Gui::RecentMacrosAction - + none aucun - + Run macro %1 (Shift+click to edit) keyboard shortcut: %2 Lancer la macro %1 (Maj+clic pour modifier) le raccourci clavier : %2 - - - File not found - Fichier introuvable - - - - The file '%1' cannot be opened. - Impossible d'ouvrir le fichier '%1'. - Gui::RevitNavigationStyle @@ -6957,7 +6957,7 @@ Do you want to specify another directory? Gui::TaskView::TaskDialog - + A dialog is already open in the task panel Une fenêtre de dialogue est déjà ouverte dans le panneau des tâches. @@ -6986,38 +6986,8 @@ Do you want to specify another directory? Gui::TextDocumentEditorView - - Text updated - Texte actualisé - - - - The text of the underlying object has changed. Discard changes and reload the text from the object? - Le texte de l’objet sous-jacent a changé. Annuler les modifications et recharger le texte à partir de l’objet ? - - - - Yes, reload. - Oui, recharger. - - - - Unsaved document - Document non enregistré - - - - Do you want to save your changes before closing? - Voulez-vous sauvegarder les modifications avant de fermer ? - - - - If you don't save, your changes will be lost. - Si vous n'enregistrez pas, vos modifications seront perdues. - - - - + + Edit text Modifier le texte @@ -7294,7 +7264,7 @@ Do you want to specify another directory? Gui::TreeDockWidget - + Tree view Vue en arborescence @@ -7302,7 +7272,7 @@ Do you want to specify another directory? Gui::TreePanel - + Search Rechercher @@ -7360,148 +7330,148 @@ Do you want to specify another directory? Groupe - + Labels & Attributes Étiquettes & attributs - + Description Description - + Internal name Nom interne - + Show items hidden in tree view Afficher les éléments masqués dans l'arborescence - + Show items that are marked as 'hidden' in the tree view Afficher les éléments qui sont marqués comme "cachés" dans l'arborescence - + Toggle visibility in tree view Activer/désactiver la visibilité dans l'arborescence - + Toggles the visibility of selected items in the tree view Active/désactive la visibilité des éléments sélectionnés dans l'arborescence - + Create group Créer un groupe - + Create a group Créer un groupe - - + + Rename Renommer - + Rename object Renommer un objet - + Finish editing Terminer l'édition - + Finish editing object Terminer l'édition de l'objet - + Add dependent objects to selection Ajouter des objets dépendants à la sélection - + Adds all dependent objects to the selection Ajouter tous les objets dépendants à la sélection - + Close document Fermer le document - + Close the document Fermer le document - + Reload document Recharger le document - + Reload a partially loaded document Recharger un document partiellement chargé - + Skip recomputes Ignorer les recalculs - + Enable or disable recomputations of document Activer ou désactiver le recalcul du document - + Allow partial recomputes Autoriser les recalculs partiels - + Enable or disable recomputating editing object when 'skip recomputation' is enabled Activer ou désactiver le recalcul de l'objet d'édition lorsque l'option "ignorer le recalcul" est activée. - + Mark to recompute Marquer pour recalculer - + Mark this object to be recomputed Marquer cet objet pour être recalculé - + Recompute object Recalculer l'objet - + Recompute the selected object Recalculer l'objet sélectionné - + (but must be executed) (mais doit être exécuté) - + %1, Internal name: %2 %1, nom interne : %2 @@ -7713,47 +7683,47 @@ Do you want to specify another directory? QDockWidget - + Tree view Vue en arborescence - + Tasks Tâches - + Property view Vue des propriétés - + Selection view Fenêtre de sélection - + Task List Liste des tâches - + Model Modèle - + DAG View Vue DAG - + Report view Vue rapport - + Python console Console Python @@ -7793,35 +7763,35 @@ Do you want to specify another directory? Python - - - + + + Unknown filetype Type de fichier inconnu - - + + Cannot open unknown filetype: %1 Impossible d'ouvrir un type de fichier inconnu : %1 - + Export failed Échec de l'exportation - + Cannot save to unknown filetype: %1 Impossible de sauvegarder ce type de fichier inconnu : %1 - + Recomputation required Recalcul requis - + Some document(s) require recomputation for migration purposes. It is highly recommended to perform a recomputation before any modification to avoid compatibility problems. Do you want to recompute now? @@ -7830,24 +7800,24 @@ Do you want to recompute now? Voulez-vous recalculer maintenant ? - + Recompute error Erreur de recalcul - + Failed to recompute some document(s). Please check report view for more details. Le recalcul de certains documents a échoué. Consulter la vue rapport pour plus de détails. - + Workbench failure Atelier défaillant - + %1 %1 @@ -7893,90 +7863,105 @@ Consulter la vue rapport pour plus de détails. Importer un fichier - + Export file Exporter un fichier - + Printing... Impression... - + Exporting PDF... Exportation au format PDF... - - + + Unsaved document - Document non sauvegardé + Document non enregistré - + The exported object contains external link. Please save the documentat least once before exporting. L'objet exporté contient un lien externe. Veuillez enregistrer le document au moins une fois avant l'exportation. - - + + Delete failed La suppression a échoué - + Dependency error Erreur de dépendance - + Copy selected Copier la sélection - + Copy active document Copier le document actif - + Copy all documents Copier tous les documents - + Paste Coller - + Expression error Erreur d'expression - + Failed to parse some of the expressions. Please check the Report View for more details. Echec de l'analyse de certaines expressions. Consultez la Vue rapport pour plus de détails. - + Failed to paste expressions Impossible de coller les expressions - + Cannot load workbench Impossible de charger l'atelier - + A general error occurred while loading the workbench Une erreur générale s'est produite lors du chargement de l'atelier + + + Restart in safe mode + Restart in safe mode + + + + Are you sure you want to restart FreeCAD and enter safe mode? + Are you sure you want to restart FreeCAD and enter safe mode? + + + + Safe mode temporarily disables your configuration and addons. + Safe mode temporarily disables your configuration and addons. + @@ -8200,7 +8185,7 @@ Do you want to continue? Trop de notifications non intrusives ouvertes. Des notifications sont omises ! - + Identical physical path detected. It may cause unwanted overwrite of existing document! @@ -8209,44 +8194,44 @@ Do you want to continue? - + Are you sure you want to continue? Êtes-vous sûr de vouloir continuer ? - + Please check report view for more... Veuillez consulter la Vue rapport pour plus... - + Physical path: Chemin d'accès physique : - - + + Document: Document : - - + + Path: Chemin d'accès : - + Identical physical path Chemin d'accès physique identique - + Could not save document Impossible d'enregistrer le document - + There was an issue trying to save the file. This may be because some of the parent folders do not exist, or you do not have sufficient permissions, or for other reasons. Error details: "%1" @@ -8259,102 +8244,102 @@ Would you like to save the file with a different name? Voulez-vous enregistrer le fichier avec un nom différent ? - - - + + + Saving aborted Sauvegarde interrompue - + Save dependent files Enregistrer les fichiers dépendants - + The file contains external dependencies. Do you want to save the dependent files, too? Le fichier contient des dépendances externes. Voulez-vous également enregistrer les fichiers dépendants ? - - + + Saving document failed L'enregistrement du document a échoué - + Save document under new filename... Enregistrer le document sous un nouveau nom… - - + + Save %1 Document Enregistrer le document %1 - + Document Document - - + + Failed to save document Impossible d'enregistrer le document - + Documents contains cyclic dependencies. Do you still want to save them? Les documents contiennent des dépendances cycliques. Voulez-vous les enregistrer ? - + Save a copy of the document under new filename... Enregistrer une copie du document avec un nouveau nom... - + %1 document (*.FCStd) Document %1 (*.FCStd) - + Document not closable Impossible de fermer le document - + The document is not closable for the moment. Impossible de fermer le document pour le moment. - + Document not saved Document non enregistré - + The document%1 could not be saved. Do you want to cancel closing it? Le document%1 n'a pas pu être enregistré. Voulez-vous annuler sa fermeture ? - + Undo Annuler - + Redo Rétablir - + There are grouped transactions in the following documents with other preceding transactions Il y a des opérations regroupées dans les documents suivants avec d'autres opérations précédentes - + Choose 'Yes' to roll back all preceding transactions. Choose 'No' to roll back in the active document only. Choose 'Abort' to abort @@ -8448,7 +8433,7 @@ Choisissez "Interrompre" pour annuler. Impossible de trouver le fichier %1 ni dans %2 ni dans %3 - + Navigation styles Styles de navigation @@ -8459,47 +8444,47 @@ Choisissez "Interrompre" pour annuler. Transformer - + Do you want to close this dialog? Voulez-vous fermer cette fenêtre de dialogue ? - + Do you want to save your changes to document '%1' before closing? Voulez-vous enregistrer les modifications apportées au document "%1" avant sa fermeture ? - + Do you want to save your changes to document before closing? Voulez-vous enregistrer les modifications apportées au document avant sa fermeture ? - + If you don't save, your changes will be lost. Si vous n'enregistrez pas, vos modifications seront perdues. - + Apply answer to all Appliquez la réponse à tout - + %1 Document(s) not saved %1 document(s) non enregistré(s) - + Some documents could not be saved. Do you want to cancel closing? Certains documents n'ont pas pu être enregistrés. Voulez-vous annuler la fermeture ? - + Delete macro Supprimer la macro - + Not allowed to delete system-wide macros La suppression des macros de l'ensemble du système n'est pas autorisée. @@ -8595,10 +8580,10 @@ Choisissez "Interrompre" pour annuler. - - - - + + + + Invalid name Nom incorrect @@ -8611,25 +8596,25 @@ des tirets bas et ne doit pas commencer par un chiffre. - + The property name is a reserved word. - The property name is a reserved word. + Le mot "propriété" est un mot réservé. - + The property '%1' already exists in '%2' La propriété "%1" existe déjà dans "%2" - + Add property Ajouter une propriété - + Failed to add property to '%1': %2 Impossible d'ajouter la propriété à "%1" : %2 @@ -8911,14 +8896,14 @@ Remarquer que toute modification apportée à la copie en cours sera perdue.Désactiver - + The property name must only contain alpha numericals, underscore, and must not start with a digit. Le nom de la propriété doit contenir uniquement des caractères alphanumériques, des tirets bas et ne doit pas commencer par un chiffre. - + The group name must only contain alpha numericals, underscore, and must not start with a digit. Le nom du groupe ne doit contenir que des caractères alphanumériques, de tirets bas et ne doit pas commencer par un chiffre. @@ -8964,13 +8949,13 @@ underscore, and must not start with a digit. StdCmdAbout - + &About %1 &À propos de %1 - - + + About %1 À propos de %1 @@ -8978,13 +8963,13 @@ underscore, and must not start with a digit. StdCmdAboutQt - + About &Qt À propos de &Qt - - + + About Qt À propos de Qt @@ -9020,13 +9005,13 @@ underscore, and must not start with a digit. StdCmdAlignment - + Alignment... Aligner... - - + + Align the selected objects Aligner les objets sélectionnés @@ -9090,13 +9075,13 @@ underscore, and must not start with a digit. StdCmdCommandLine - + Start command &line... Démarrer la &ligne de commande... - - + + Opens the command line in the console Ouvre la ligne de commande dans la console @@ -9104,13 +9089,13 @@ underscore, and must not start with a digit. StdCmdCopy - + C&opy C&opier - - + + Copy operation Opération de copie @@ -9118,13 +9103,13 @@ underscore, and must not start with a digit. StdCmdCut - + &Cut &Couper - - + + Cut out Opération de coupe @@ -9132,13 +9117,13 @@ underscore, and must not start with a digit. StdCmdDelete - + &Delete &Supprimer - - + + Deletes the selected objects Supprimer les objets sélectionnés @@ -9160,13 +9145,13 @@ underscore, and must not start with a digit. StdCmdDependencyGraph - + Dependency graph... Graphe de dépendance... - - + + Show the dependency graph of the objects in the active document Afficher le graphe de dépendance des objets du document actif @@ -9174,13 +9159,13 @@ underscore, and must not start with a digit. StdCmdDlgCustomize - + Cu&stomize... Per&sonnaliser... - - + + Customize toolbars and command bars Personnaliser les barres d'outils et de commandes @@ -9240,13 +9225,13 @@ underscore, and must not start with a digit. StdCmdDlgParameter - + E&dit parameters ... É&diter les paramètres... - - + + Opens a Dialog to edit the parameters Ouvre une boite de dialogue pour éditer les paramètres @@ -9254,13 +9239,13 @@ underscore, and must not start with a digit. StdCmdDlgPreferences - + &Preferences ... &Préférences... - - + + Opens a Dialog to edit the preferences Ouvre une boite de dialogue pour éditer les préférences @@ -9296,13 +9281,13 @@ underscore, and must not start with a digit. StdCmdDuplicateSelection - + Duplicate selection Dupliquer la sélection - - + + Put duplicates of the selected objects to the active document Mettre la duplication des objets sélectionnés dans le document actif @@ -9310,17 +9295,17 @@ underscore, and must not start with a digit. StdCmdEdit - + Toggle &Edit mode Activer/désactiver le mode d'é&dition - + Toggles the selected object's edit mode Active/désactive le mode d'édition de l'objet sélectionné - + Activates or Deactivates the selected object's edit mode Active ou désactive le mode d'édition de l'objet sélectionné @@ -9339,12 +9324,12 @@ underscore, and must not start with a digit. Exporter un fichier dans le document actif - + No selection Pas de sélection - + Select the objects to export before choosing Export. Sélectionner les objets à exporter avant de choisir Exporter. @@ -9352,13 +9337,13 @@ underscore, and must not start with a digit. StdCmdExpression - + Expression actions Actions sur les expressions - - + + Actions that apply to expressions Actions s’appliquant à des expressions @@ -9380,12 +9365,12 @@ underscore, and must not start with a digit. StdCmdFreeCADDonation - + Donate Faire un don - + Donate to FreeCAD development Faire un don pour soutenir le développement de FreeCAD @@ -9393,17 +9378,17 @@ underscore, and must not start with a digit. StdCmdFreeCADFAQ - + FreeCAD FAQ Foire aux questions de FreeCAD - + Frequently Asked Questions on the FreeCAD website Foire aux questions sur le site web de FreeCAD - + Frequently Asked Questions Foire aux questions @@ -9411,17 +9396,17 @@ underscore, and must not start with a digit. StdCmdFreeCADForum - + FreeCAD Forum Forum de FreeCAD - + The FreeCAD forum, where you can find help from other users Le forum FreeCAD, où vous pouvez trouver l'aide d'autres utilisateurs - + The FreeCAD Forum Le forum de FreeCAD @@ -9429,17 +9414,17 @@ underscore, and must not start with a digit. StdCmdFreeCADPowerUserHub - + Python scripting documentation Documentation pour programmer en Python - + Python scripting documentation on the FreeCAD website Documentation sur le site FreeCAD pour programmer en Python - + PowerUsers documentation Documentation pour les utilisateurs expérimentés @@ -9447,13 +9432,13 @@ underscore, and must not start with a digit. StdCmdFreeCADUserHub - - + + Users documentation Documentation pour les utilisateurs - + Documentation for users on the FreeCAD website Documentation pour les utilisateurs sur le site web de FreeCAD @@ -9461,13 +9446,13 @@ underscore, and must not start with a digit. StdCmdFreeCADWebsite - - + + FreeCAD Website Site Web de FreeCAD - + The FreeCAD website Le site web de FreeCAD @@ -9785,25 +9770,25 @@ création d'assemblages complexes. StdCmdMergeProjects - + Merge document... Fusionner le document... - - - - + + + + Merge document Fusionner le document - + %1 document (*.FCStd) Document %1 (*.FCStd) - + Cannot merge document with itself. Impossible de fusionner le document avec lui-même. @@ -9811,18 +9796,18 @@ création d'assemblages complexes. StdCmdNew - + &New &Nouveau - - + + Create a new empty document Créer un nouveau document vide - + Unnamed Nouveau @@ -9831,13 +9816,13 @@ création d'assemblages complexes. StdCmdOnlineHelp - - + + Help Aide - + Show help to the application Montrer l'aide dans l'application @@ -9845,13 +9830,13 @@ création d'assemblages complexes. StdCmdOnlineHelpWebsite - - + + Help Website Site Web d'aide - + The website where the help is maintained Le site web où l'aide est maintenue @@ -9906,13 +9891,13 @@ création d'assemblages complexes. StdCmdPaste - + &Paste &Coller - - + + Paste operation Opération de collage @@ -9920,13 +9905,13 @@ création d'assemblages complexes. StdCmdPlacement - + Placement... Positionner... - - + + Place the selected objects Positionner les objets sélectionnés @@ -9934,13 +9919,13 @@ création d'assemblages complexes. StdCmdPrint - + &Print... &Imprimer... - - + + Print the document Imprimer le document @@ -9948,13 +9933,13 @@ création d'assemblages complexes. StdCmdPrintPdf - + &Export PDF... &Exporter au format PDF... - - + + Export the document as PDF Exporter le document au format PDF @@ -9962,17 +9947,17 @@ création d'assemblages complexes. StdCmdPrintPreview - + &Print preview... &Aperçu avant impression... - + Print the document Imprimer le document - + Print preview Aperçu avant impression @@ -9980,13 +9965,13 @@ création d'assemblages complexes. StdCmdPythonWebsite - - + + Python Website Site Web Python - + The official Python website Le site officiel de Python @@ -9994,13 +9979,13 @@ création d'assemblages complexes. StdCmdQuit - + E&xit &Quitter - - + + Quits the application Quitte l'application @@ -10022,13 +10007,13 @@ création d'assemblages complexes. StdCmdRecentFiles - + Open Recent Ouvrir un fichier récent - - + + Recent file list Liste des fichiers récents @@ -10036,13 +10021,13 @@ création d'assemblages complexes. StdCmdRecentMacros - + Recent macros Macros récentes - - + + Recent macro list Liste des macros récentes @@ -10050,13 +10035,13 @@ création d'assemblages complexes. StdCmdRedo - + &Redo &Rétablir - - + + Redoes a previously undone action Rétablit une action précédemment annulée @@ -10064,13 +10049,13 @@ création d'assemblages complexes. StdCmdRefresh - + &Refresh &Actualiser - - + + Recomputes the current active document Recalculer le document actif @@ -10078,13 +10063,13 @@ création d'assemblages complexes. StdCmdReportBug - + Report a bug Signaler un bogue - - + + Report a bug or suggest a feature Signaler un bogue ou suggérer une fonctionnalité @@ -10092,13 +10077,13 @@ création d'assemblages complexes. StdCmdRevert - + Revert Rétablir - - + + Reverts to the saved version of this file Revenir à la version enregistrée de ce fichier @@ -10106,13 +10091,13 @@ création d'assemblages complexes. StdCmdSave - + &Save &Enregistrer - - + + Save the active document Enregistrer le document actif @@ -10120,13 +10105,13 @@ création d'assemblages complexes. StdCmdSaveAll - + Save All Enregistrer tout - - + + Save all opened document Enregistrer tous les documents ouverts @@ -10134,13 +10119,13 @@ création d'assemblages complexes. StdCmdSaveAs - + Save &As... Enregistrer &sous… - - + + Save the active document under a new file name Enregistrer le document actif sous un nouveau nom @@ -10148,13 +10133,13 @@ création d'assemblages complexes. StdCmdSaveCopy - + Save a &Copy... Enregistrer une &copie... - - + + Save a copy of the active document under a new file name Enregistrer une copie du document actif sous un nouveau nom @@ -10190,13 +10175,13 @@ création d'assemblages complexes. StdCmdSelectAll - + Select &All &Tout sélectionner - - + + Select all Tout sélectionner @@ -10274,13 +10259,13 @@ création d'assemblages complexes. StdCmdTextDocument - + Add text document Ajouter un document texte - - + + Add text document to active document Ajouter un document texte au document actif @@ -10414,13 +10399,13 @@ création d'assemblages complexes. StdCmdTransform - + Transform... Transformer... - - + + Transform the geometry of selected objects Transformer la géométrie des objets sélectionnés @@ -10428,13 +10413,13 @@ création d'assemblages complexes. StdCmdTransformManip - + Transform Transformer - - + + Transform the selected object in the 3d view Transformer l'objet sélectionné dans la vue 3D @@ -10498,13 +10483,13 @@ création d'assemblages complexes. StdCmdUndo - + &Undo &Annuler - - + + Undo exactly one action Annuler exactement une action @@ -10512,13 +10497,13 @@ création d'assemblages complexes. StdCmdUserEditMode - + Edit mode Mode d'édition - - + + Defines behavior when editing an object from tree Définir le comportement lors de l'édition d'un objet depuis l'arborescence @@ -10918,13 +10903,13 @@ création d'assemblages complexes. StdCmdWhatsThis - + &What's This? &Qu'est-ce que c'est ? - - + + What's This En utilisant cette fonction, puis en cliquant sur une autre fonction, une page d'explications de cette dernière fonction s'ouvre. @@ -10961,13 +10946,13 @@ une page d'explications de cette dernière fonction s'ouvre. StdCmdWorkbench - + Workbench Sélecteur d'atelier - - + + Switch between workbenches Basculer entre les ateliers @@ -11291,7 +11276,7 @@ une page d'explications de cette dernière fonction s'ouvre. Std_Delete - + The following referencing objects might break. Are you sure you want to continue? @@ -11302,7 +11287,7 @@ Are you sure you want to continue? - + Object dependencies Dépendances des objets @@ -11310,7 +11295,7 @@ Are you sure you want to continue? Std_DependencyGraph - + Dependency graph Graphique de dépendance @@ -11391,12 +11376,12 @@ Are you sure you want to continue? Std_DuplicateSelection - + Object dependencies Dépendances des objets - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Pour créer un lien vers des objets externes, le document doit être enregistré au moins une fois. @@ -11414,7 +11399,7 @@ Voulez-vous enregistrer le document maintenant ? Std_Refresh - + The document contains dependency cycles. Please check the Report View for more details. @@ -11428,17 +11413,17 @@ Voulez-vous tout de même continuer ? Std_Revert - + Revert document Récupérer la précédente version du document - + This will discard all the changes since last file save. Cette opération annulera toutes les modifications apportées depuis la dernière sauvegarde du fichier. - + Do you want to continue? Voulez-vous continuer ? @@ -11612,12 +11597,12 @@ Voulez-vous tout de même continuer ? Gui::MDIView - + Export PDF Exporter au format PDF - + PDF file Fichier PDF @@ -12312,82 +12297,82 @@ En ce moment, votre système dispose des ateliers suivants : Aperçu : - + Text Texte - + Bookmark Marque-pages - + Breakpoint Point d'arrêt - + Keyword Mot-clé - + Comment Commentaire - + Block comment Bloc commentaire - + Number Nombre - + String Chaîne - + Character Caractère - + Class name Nom de classe - + Define name Définir le nom - + Operator Opérateur - + Python output Sortie Python - + Python error Erreur Python - + Current line highlight Surbrillance de ligne actuelle - + Items Items @@ -12890,13 +12875,13 @@ from Python console to Report view panel StdCmdExportDependencyGraph - + Export dependency graph... Exporter le graphe de dépendance... - - + + Export the dependency graph to a file Exporter le graphique de dépendance vers un fichier @@ -13337,13 +13322,13 @@ Mettre à zéro pour remplir l'espace. StdCmdProjectInfo - + Document i&nformation... &Informations sur le document... - - + + Show details of the currently active document Afficher les détails du document actif @@ -13351,13 +13336,13 @@ Mettre à zéro pour remplir l'espace. StdCmdProjectUtil - + Document utility... Utilitaire de document... - - + + Utility to extract or create document files Utilitaire pour extraire ou créer des fichiers du document @@ -13379,12 +13364,12 @@ Mettre à zéro pour remplir l'espace. StdCmdProperties - + Properties Propriétés - + Show the property view, which displays the properties of the selected object. Afficher l'éditeur de propriétés pour montrer les propriétés de l'objet sélectionné. @@ -13435,13 +13420,13 @@ Mettre à zéro pour remplir l'espace. StdCmdReloadStyleSheet - + &Reload stylesheet &Recharger la feuille de style - - + + Reloads the current stylesheet Recharger la feuille de style en cours @@ -13670,7 +13655,7 @@ Les paramètres proposés sont facultatifs pour les développeurs de thèmes et Hide property view scroll bar - Masquer la barre de défilement de l'éditeur de propriétés + Masquer la barre de défilement de la vue des propriétés @@ -13719,15 +13704,38 @@ Les paramètres proposés sont facultatifs pour les développeurs de thèmes et StdCmdUnitsCalculator - + &Units converter... &Convertisseur d'unités... - - + + Start the units converter Démarrer le convertisseur d'unités + + Gui::ModuleIO + + + File not found + Fichier introuvable + + + + The file '%1' cannot be opened. + Impossible d'ouvrir le fichier '%1'. + + + + StdCmdRestartInSafeMode + + + + + Restart in safe mode + Restart in safe mode + + diff --git a/src/Gui/Language/FreeCAD_hr.ts b/src/Gui/Language/FreeCAD_hr.ts index 7ced1449a594..0140b1125c37 100644 --- a/src/Gui/Language/FreeCAD_hr.ts +++ b/src/Gui/Language/FreeCAD_hr.ts @@ -91,17 +91,17 @@ Uredi - + Import Uvoz - + Delete Izbriši - + Paste expressions Umetni izraz @@ -131,7 +131,7 @@ Uvoz svih poveznica - + Insert text document Umetni tekst dokument @@ -148,7 +148,7 @@ Add a variable set - Add a variable set + Dodajte skup varijabli @@ -360,7 +360,7 @@ Variable Sets - Variable Sets + Skupovi varijabli @@ -370,22 +370,22 @@ Variable Set: - Variable Set: + Skup varijabli: Info: - Info: + Informacije: New Property: - New Property: + Novo svojstvo: Show variable sets - Show variable sets + Prikaži skupove varijabli @@ -424,44 +424,44 @@ EditMode - + Default Inicijalno - + The object will be edited using the mode defined internally to be the most appropriate for the object type Objekt će se uređivati pomoću definiranog unutarnjeg načina rada kako bi bio najprimjereniji za vrstu objekta - + Transform Transformiraj - + The object will have its placement editable with the Std TransformManip command Objekt će imati svoju poziciju uređivu pomoću naredbe Std TransformManip - + Cutting Rezanje - + This edit mode is implemented as available but currently does not seem to be used by any object Ovaj način uređivanja implementiran je kao dostupan, ali trenutno se ne čini da ga koristi niti jedan objekt - + Color Boja - + The object will have the color of its individual faces editable with the Part FaceAppearances command - The object will have the color of its individual faces editable with the Part FaceAppearances command + Objekt će imati boju svojih pojedinačnih površina uređivu pomoću naredbe Part FaceAppearances @@ -587,7 +587,7 @@ Scroll mouse wheel - Scroll mouse wheel + Kotačić miša za pomicanje @@ -680,8 +680,8 @@ while doing a left or right click and move the mouse up or down - Word size - Veličina riječi + Architecture + Architecture @@ -706,56 +706,56 @@ while doing a left or right click and move the mouse up or down Gui::Dialog::AboutDialog - - + + Credits - Header for the Credits tab of the About screen Krediti - + + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + Header for bgbsww + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + + + FreeCAD would not be possible without the contributions of FreeCAD-a ne bi bilo bez doprinosa - + Individuals Header for the list of individual people in the Credits list. Pojedinci - + Organizations Header for the list of companies/organizations in the Credits list. Organizacije - - + + License Licenca - + Libraries Datoteke - - This software uses open source components whose copyright and other proprietary rights belong to their respective owners: - Ovaj softver koristi open source komponente čija autorska i druga vlasnička prava pripadaju njihovim vlasnicima: - - - + Collection Zbirka - + Privacy Policy - Privacy Policy + Pravila o privatnosti @@ -1410,8 +1410,8 @@ isto vrijeme, pokrenut će se onaj s najvećim prioritetom. Gui::Dialog::DlgCustomToolBoxbarsImp - - + + Toolbox bars Toolbox barovi @@ -1500,40 +1500,40 @@ isto vrijeme, pokrenut će se onaj s najvećim prioritetom. - + <Separator> <Separator> - + %1 module not loaded %1 modula nije učitano - + New toolbar Nova alatna traka - - + + Toolbar name: Ime alatne trake: - - + + Duplicated name Dvostruki naziv - - + + The toolbar name '%1' is already used Ime alatne trake '%1' se već koristi - + Rename toolbar Preimenuj alatnu traku @@ -1747,72 +1747,72 @@ isto vrijeme, pokrenut će se onaj s najvećim prioritetom. Gui::Dialog::DlgMacroExecuteImp - + Macros Makronaredbe - + Read-only Samo za čitanje - + Macro file Makro datoteke - + Enter a file name, please: Unesite naziv datoteke, molimo Vas da: - - - + + + Existing file Postojeće datoteke - + '%1'. This file already exists. '%1'. Ova datoteka već postoji. - + Cannot create file Ne mogu stvoriti datoteku - + Creation of file '%1' failed. Kreiranje datoteke '%1' nije uspjelo. - + Delete macro Brisanje makro - + Do you really want to delete the macro '%1'? Želite li zaista obrisati makro '%1'? - + Do not show again Ne prikazuj ponovno - + Guided Walkthrough Vodič kroz upute - + This will guide you in setting up this macro in a custom global toolbar. Instructions will be in red text inside the dialog. Note: your changes will be applied when you next switch workbenches @@ -1823,77 +1823,77 @@ Napomena: vaše promjene primijenit će se prilikom sljedećeg prebacivanja radn - + Walkthrough, dialog 1 of 2 Priručnik, dijalog 1 od 2 - + Walkthrough instructions: Fill in missing fields (optional) then click Add, then Close Upute za uporabu: Popunite polja koja nedostaju (izborno), zatim kliknite Dodaj, a zatim Zatvori - + Walkthrough, dialog 1 of 1 Priručnik, dijalog 1 od 1 - + Walkthrough, dialog 2 of 2 Priručnik, dijalog 2 od 2 - - Walkthrough instructions: Click right arrow button (->), then Close. - Uputa za uporabu: kliknite strelicu desno (->), a zatim Zatvori. + + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. - Walkthrough instructions: Click New, then right arrow (->) button, then Close. - Uputa za uporabu: kliknite Novo, zatim strelicu desno (->), a zatim Zatvori. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. - + Renaming Macro File Preimenovanje makronaredbi datoteka - - + + Enter new name: Unesite novi naziv: - - + + '%1' already exists. '%1' već postoji. - + Rename Failed Preimenovanje nije uspjelo - + Failed to rename to '%1'. Perhaps a file permission error? Nije moguće preimenovati u '%1'. Možda je greška dopuštenja datoteke? - + Duplicate Macro Dupliciraj makronaredbu - + Duplicate Failed Dupliciranje neuspješno - + Failed to duplicate to '%1'. Perhaps a file permission error? Nije uspjelo dupliciranje u '%1'. @@ -1998,7 +1998,7 @@ možda je greška u dopuštenjima datoteke? % - % + % @@ -3037,12 +3037,12 @@ veličinom graničnog okvira 3D objekta koji se trenutno prikazuje. Location (read-only): - Location (read-only): + Lokacija (samo za čitanje): Browse cache directory - Browse cache directory + Pretraži direktorij međuspremnika @@ -4430,7 +4430,7 @@ Veća vrijednost olakšava odabir stvari, ali može onemogućiti odabir malih zn Preselect the object in 3D view when hovering the cursor over the tree item - Preselect the object in 3D view when hovering the cursor over the tree item + Predodaberite objekt u 3D prikazu kada pokazivač postavite iznad stavke stabla @@ -4604,7 +4604,7 @@ Veća vrijednost olakšava odabir stvari, ali može onemogućiti odabir malih zn Units converter - Units converter + Pretvarač mjernih jedinica @@ -5240,7 +5240,7 @@ The 'Status' column shows whether the document could be recovered. Rotation axis and angle - Rotation axis and angle + Os rotacije i kut @@ -5920,92 +5920,92 @@ Do you want to save your changes? Drag screen with one finger OR press left mouse button. In Sketcher and other edit modes, hold Alt in addition. - Drag screen with one finger OR press left mouse button. In Sketcher and other edit modes, hold Alt in addition. + Povucite zaslon s jednim prstom. Ili pritisnite lijevu tipku miša. U crtaču i drugim načinima uređivanja, držite tipku Alt za dodavanje. Pinch (place two fingers on the screen and drag them apart from or towards each other) OR scroll middle mouse button OR PgUp/PgDown on keyboard. - Pinch (place two fingers on the screen and drag them apart from or towards each other) OR scroll middle mouse button OR PgUp/PgDown on keyboard. + Prstohvat (Stavite dva prsta na zaslon i povucite ih zasebno/skupa) Ili pomaknite srednji miš gumb. Ili PgUp/PgDown na tipkovnici. Gui::GraphvizView - + Graphviz not found Graphviz nije pronađen - + Graphviz couldn't be found on your system. Graphviz nije pronađen u sustavu. - + Read more about it here. Više o tome pročitajte ovdje. - + Do you want to specify its installation path if it's already installed? Želite li navesti svoj instalacijski put ako je već instaliran? - + Graphviz installation path Grpahviz instalacijska putanja - + Graphviz failed Graphviz nije uspio - + Graphviz failed to create an image file Graphviz nije uspio pronaći datoteku slike - + PNG format PNG format - + Bitmap format Bitmap format - + GIF format GIF format - + JPG format JPG format - + SVG format SVG format - - + + PDF format PDF format - - + + Graphviz format Graphviz format - - - + + + Export graph Izvoz grafikona @@ -6165,65 +6165,85 @@ Do you want to save your changes? Gui::MainWindow - - + + Dimension Dimenzija - + Ready Spreman - + Close All Zatvori sve - - - + + + Toggles this toolbar Uključuje ove alatne trake - - - + + + Toggles this dockable window Uključi/isključi ovaj usidrivi prozor - + + Safe mode enabled + Safe mode enabled + + + + FreeCAD is now running in safe mode. + FreeCAD is now running in safe mode. + + + + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + + + WARNING: This is a development version. UPOZORENJE: Ovo je razvojna verzija. - + Please do not use it in a production environment. Molimo ne koristiti ovo u produktivnom okruženju. - - + + Unsaved document Nespremljeni dokument - + The exported object contains external link. Please save the documentat least once before exporting. Izvezeni objekt sadrži vanjsku poveznicu. Prije izvoza spremite dokument barem jednom. - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Za povezivanje s vanjskim objektima dokument se mora barem jednom spremiti. Želite li sad spremiti dokument? + + + Safe Mode + Safe Mode + Gui::ManualAlignment @@ -6553,7 +6573,7 @@ Kako želite nastaviti? Show hidden - Show hidden + Prikaži skriveno @@ -6726,39 +6746,19 @@ Do you want to exit without saving your data? Open file %1 Otvoriti datoteku %1 - - - File not found - Datoteka nije pronađena - - - - The file '%1' cannot be opened. - Datoteka '%1' ne može biti otvorena. - Gui::RecentMacrosAction - + none nijedan - + Run macro %1 (Shift+click to edit) keyboard shortcut: %2 Pokreni makro %1 (Shift+klik za uređivanje) tipkovnički prečac: %2 - - - File not found - Datoteka nije pronađena - - - - The file '%1' cannot be opened. - Datoteka '%1' ne može biti otvorena. - Gui::RevitNavigationStyle @@ -6885,7 +6885,7 @@ Do you want to specify another directory? Automatic Python modules documentation - Automatic Python modules documentation + Automatska dokumentacija python modula @@ -7013,7 +7013,7 @@ Do you want to specify another directory? Gui::TaskView::TaskDialog - + A dialog is already open in the task panel Dijalog je već otvoren u ploči zadataka @@ -7042,38 +7042,8 @@ Do you want to specify another directory? Gui::TextDocumentEditorView - - Text updated - Tekst ažuriran - - - - The text of the underlying object has changed. Discard changes and reload the text from the object? - Tekst podloge objekta se promijenio. Odbaci promjene i ponovno učitajte tekst iz objekta? - - - - Yes, reload. - Da, ponovno učitati. - - - - Unsaved document - Nespremljeni dokument - - - - Do you want to save your changes before closing? - Želite li spremiti promjene prije zatvaranja? - - - - If you don't save, your changes will be lost. - Ako ne spremite, vaše promjene bit će izgubljene. - - - - + + Edit text Uredi tekst @@ -7339,7 +7309,7 @@ Do you want to specify another directory? Danish - Danish + danski @@ -7350,7 +7320,7 @@ Do you want to specify another directory? Gui::TreeDockWidget - + Tree view Pogled hijerarhije @@ -7358,7 +7328,7 @@ Do you want to specify another directory? Gui::TreePanel - + Search Pretraživanje @@ -7393,22 +7363,24 @@ Do you want to specify another directory? Show description - Show description + Prikaz opisa Show internal name - Show internal name + Prikaži interni naziv Show a description column for items. An item's description can be set by pressing F2 (or your OS's edit button) or by editing the 'label2' property. - Show a description column for items. An item's description can be set by pressing F2 (or your OS's edit button) or by editing the 'label2' property. + Prikaži dodatni stupac za opis stavke. Opis stavke može se postaviti pritiskom na F2 (ili gumb za uređivanje vašeg OS-a) ili uređivanjem svojstva 'label2'. Show an internal name column for items. - Show an internal name column for items. + Prikaži interni stupac naziva za stavke. + + @@ -7416,150 +7388,150 @@ Do you want to specify another directory? Grupa - + Labels & Attributes Etikete i atributi - + Description Opis - + Internal name - Internal name + Interni naziv - + Show items hidden in tree view Prikaži stavke skrivene u prikazu stabla - + Show items that are marked as 'hidden' in the tree view Prikaži stavke koji su označene kao 'skriveni' u prikazu stabla - + Toggle visibility in tree view Prebaci vidljivost u prikazu stabla - + Toggles the visibility of selected items in the tree view Prebaci vidljivost označenih stavki u prikazu stabla - + Create group Napravi grupu - + Create a group Napravite grupu - - + + Rename Preimenuj - + Rename object Preimenovanje objekta - + Finish editing Završi uređivanje - + Finish editing object Završi uređivanje objekta - + Add dependent objects to selection Dodajte ovisne objekte odabiru - + Adds all dependent objects to the selection Dodaje sve ovisne objekte odabiru - + Close document Zatvori dokument - + Close the document Zatvori dokument - + Reload document Dokument ponovo učitati - + Reload a partially loaded document Učitajte ponovo djelomično učitan dokument - + Skip recomputes Preskoči recomputes - + Enable or disable recomputations of document Omogućavanje ili onemogućavanje recomputations dokumenta - + Allow partial recomputes Djelomično omogući preračunavanje - + Enable or disable recomputating editing object when 'skip recomputation' is enabled Omogućite ili onemogućite ponovno računanje objekta uređivanja kada je omogućeno 'preskoči ponovno računanje' - + Mark to recompute Označi za preračunaj - + Mark this object to be recomputed Označi ovaj objekt da se preračuna - + Recompute object Ponovno računanje objekta - + Recompute the selected object Ponovno računanje odabranog objekta - + (but must be executed) (ali mora biti izvršen) - + %1, Internal name: %2 %1, Interni naziv: %2 @@ -7771,47 +7743,47 @@ Do you want to specify another directory? QDockWidget - + Tree view Pogled hijerarhije - + Tasks Zadaci - + Property view Prikaz svojstava - + Selection view Pregled selekcije - + Task List Popis zadataka - + Model Model - + DAG View DAG pogled - + Report view Pregled izvještaja - + Python console Python konzola @@ -7851,61 +7823,61 @@ Do you want to specify another directory? Python - - - + + + Unknown filetype Nepoznata vrsta datoteke - - + + Cannot open unknown filetype: %1 Ne mogu otvoriti nepoznatu vrstu datoteke: %1 - + Export failed Izvoz neuspješan - + Cannot save to unknown filetype: %1 Ne mogu spremiti nepoznatu vrstu datoteke: %1 - + Recomputation required - Recomputation required + Potrebno ponovo računanje - + Some document(s) require recomputation for migration purposes. It is highly recommended to perform a recomputation before any modification to avoid compatibility problems. Do you want to recompute now? - Some document(s) require recomputation for migration purposes. It is highly recommended to perform a recomputation before any modification to avoid compatibility problems. + Neki dokumenti zahtijevaju ponovno izračunavanje u svrhu migracije. Preporučljivo je izvršiti ponovno izračunavanje prije bilo kakve izmjene kako biste izbjegli probleme s kompatibilnošću. -Do you want to recompute now? +Želite li sada ponovno izračunati? - + Recompute error - Recompute error + Pogreška ponovnog izračuna - + Failed to recompute some document(s). Please check report view for more details. - Failed to recompute some document(s). -Please check report view for more details. + Neuspješno ponovno izračunavanje nekih dokumenata. +Provjerite prikaz izvješća za više pojedinosti. - + Workbench failure Greška kod promjena radne površine - + %1 %1 @@ -7951,70 +7923,70 @@ Please check report view for more details. Uvoz datoteke - + Export file Izvoz datoteke - + Printing... Ispis ... - + Exporting PDF... Izvoz PDF ... - - + + Unsaved document Nespremljeni dokument - + The exported object contains external link. Please save the documentat least once before exporting. Izvezeni objekt sadrži vanjsku poveznicu. Prije izvoza spremite dokument barem jednom. - - + + Delete failed Brisanje nije uspjelo - + Dependency error Pogreška ovisnosti - + Copy selected Kopira odabrano - + Copy active document Kopira aktivni dokument - + Copy all documents Kopira sve dokumente - + Paste Umetni - + Expression error Pogreška izraza - + Failed to parse some of the expressions. Please check the Report View for more details. Analiza nekih izraza nije uspjela. @@ -8022,21 +7994,36 @@ Molimo provjerite Pregled izvještaja za više pojedinosti. - + Failed to paste expressions Umetanje izraza nije uspjelo - + Cannot load workbench Ne mogu učitati radnu površinu - + A general error occurred while loading the workbench Došlo je do pogreške tijekom učitavanja radne površine + + + Restart in safe mode + Restart in safe mode + + + + Are you sure you want to restart FreeCAD and enter safe mode? + Are you sure you want to restart FreeCAD and enter safe mode? + + + + Safe mode temporarily disables your configuration and addons. + Safe mode temporarily disables your configuration and addons. + @@ -8260,7 +8247,7 @@ Do you want to continue? Previše otvorenih nenametljivih obavijesti. Obavijesti se izostavljaju! - + Identical physical path detected. It may cause unwanted overwrite of existing document! @@ -8269,46 +8256,46 @@ Do you want to continue? - + Are you sure you want to continue? Jeste li sigurni da želite nastaviti? - + Please check report view for more... Molimo provjerite prikaz izvješća za više ... - + Physical path: Fizički put: - - + + Document: Dokument: - - + + Path: Put: - + Identical physical path Identičan fizički put - + Could not save document Ne mogu spremiti dokument - + There was an issue trying to save the file. This may be because some of the parent folders do not exist, or you do not have sufficient permissions, or for other reasons. Error details: "%1" @@ -8321,105 +8308,105 @@ Would you like to save the file with a different name? Želite li datoteku spremiti pod drugim imenom? - - - + + + Saving aborted Spremanje prekinuto - + Save dependent files Spremite ovisne datoteke - + The file contains external dependencies. Do you want to save the dependent files, too? Datoteka sadrži vanjske ovisnosti. Želite li spremiti i ovisne datoteke? - - + + Saving document failed Spremanje dokumenta nije uspjelo - + Save document under new filename... Spremi dokument pod novim imenom ... - - + + Save %1 Document Spremi %1 dokument - + Document Dokument - - + + Failed to save document Spremanje dokumenta nije uspjelo - + Documents contains cyclic dependencies. Do you still want to save them? Dokumenti sadrže cikličke ovisnosti. Želite li ih još spremiti? - + Save a copy of the document under new filename... Spremanje kopije dokumenta pod novi naziv datoteke... - + %1 document (*.FCStd) %1 dokument (*.FCStd) - + Document not closable Dokument nije moguće zatvoriti - + The document is not closable for the moment. Dokument trenutno nije moguće zatvoriti. - + Document not saved Dokument nije spremljen - + The document%1 could not be saved. Do you want to cancel closing it? Dokument%1 nije bilo moguće spremiti. Želite li otkazati zatvaranje? - + Undo Poništi zadnju promjenu - + Redo Vrati - + There are grouped transactions in the following documents with other preceding transactions U sljedećim dokumentima su grupirane transakcije s ostalim prethodnim transakcijama - + Choose 'Yes' to roll back all preceding transactions. Choose 'No' to roll back in the active document only. Choose 'Abort' to abort @@ -8514,7 +8501,7 @@ Odaberite "Prekini" za prekid Ne mogu pronaći datoteku %1 niti u %2 niti u %3 - + Navigation styles Načini navigacije @@ -8525,47 +8512,47 @@ Odaberite "Prekini" za prekid Transformiraj - + Do you want to close this dialog? Želite li zatvoriti ovaj dijalog? - + Do you want to save your changes to document '%1' before closing? Želite li spremiti promjene u dokumentu '%1' prije zatvaranja? - + Do you want to save your changes to document before closing? Želite li spremiti promjene u dokumentu prije zatvaranja? - + If you don't save, your changes will be lost. Ako ne spremite, vaše promjene bit će izgubljene. - + Apply answer to all Primijenite odgovor na sve - + %1 Document(s) not saved %1 dokument(a) nije spremljeno - + Some documents could not be saved. Do you want to cancel closing? Neke dokumente nije bilo moguće spremiti. Želite li otkazati zatvaranje? - + Delete macro Brisanje makro - + Not allowed to delete system-wide macros Ne možete izbrisati cijeli sustav makronaredbe @@ -8661,10 +8648,10 @@ Odaberite "Prekini" za prekid - - - - + + + + Invalid name Nevažeće ime @@ -8677,25 +8664,25 @@ podcrtavanje, ne smije se započeti s znamenkom. - + The property name is a reserved word. - The property name is a reserved word. + Naziv svojstva je rezervirana riječ. - + The property '%1' already exists in '%2' Svojstvo '%1' već postoji u '%2' - + Add property Dodaj svojstvo - + Failed to add property to '%1': %2 Nije moguće dodati svojstvo u '%1':%2 @@ -8976,21 +8963,21 @@ trenutnu kopiju će biti izgubljene. Suppressed - Suppressed + Potisnut - + The property name must only contain alpha numericals, underscore, and must not start with a digit. - The property name must only contain alpha numericals, -underscore, and must not start with a digit. + Naziv svojstva mora sadržavati samo abecedne i brojevne znakove, +podcrtavanje, i ne smije se započeti sa znamenkom. - + The group name must only contain alpha numericals, underscore, and must not start with a digit. - The group name must only contain alpha numericals, -underscore, and must not start with a digit. + Naziv grupe mora sadržavati samo abecedne i brojevne znakove, +podcrtavanje, i ne smije se započeti sa znamenkom. @@ -9033,13 +9020,13 @@ underscore, and must not start with a digit. StdCmdAbout - + &About %1 &O %1 - - + + About %1 O %1 @@ -9047,13 +9034,13 @@ underscore, and must not start with a digit. StdCmdAboutQt - + About &Qt O &Qt - - + + About Qt O Qt @@ -9089,13 +9076,13 @@ underscore, and must not start with a digit. StdCmdAlignment - + Alignment... Poravnavanje... - - + + Align the selected objects Poravnaj odabrane objekte @@ -9159,13 +9146,13 @@ underscore, and must not start with a digit. StdCmdCommandLine - + Start command &line... Pokreni komandnu &liniju ... - - + + Opens the command line in the console Otvara komandnu liniju u konzoli @@ -9173,13 +9160,13 @@ underscore, and must not start with a digit. StdCmdCopy - + C&opy K&opiraj - - + + Copy operation Kopirati @@ -9187,13 +9174,13 @@ underscore, and must not start with a digit. StdCmdCut - + &Cut &Izreži - - + + Cut out Izrezati @@ -9201,13 +9188,13 @@ underscore, and must not start with a digit. StdCmdDelete - + &Delete &Izbriši - - + + Deletes the selected objects Briše odabrane objekte @@ -9229,13 +9216,13 @@ underscore, and must not start with a digit. StdCmdDependencyGraph - + Dependency graph... Graf ovisnosti... - - + + Show the dependency graph of the objects in the active document Prikazuje graf ovisnosti objekata u aktivnom dokumentu @@ -9243,13 +9230,13 @@ underscore, and must not start with a digit. StdCmdDlgCustomize - + Cu&stomize... Prilago&dba... - - + + Customize toolbars and command bars Prilagodba alatnih traka i traka s naredbama @@ -9309,13 +9296,13 @@ underscore, and must not start with a digit. StdCmdDlgParameter - + E&dit parameters ... Ure&đivanje parametara ... - - + + Opens a Dialog to edit the parameters Otvara Dialog za uređivanje parametara @@ -9323,13 +9310,13 @@ underscore, and must not start with a digit. StdCmdDlgPreferences - + &Preferences ... &Postavke ... - - + + Opens a Dialog to edit the preferences Otvara Dialog kako biste uredili postavke @@ -9367,13 +9354,13 @@ underscore, and must not start with a digit. StdCmdDuplicateSelection - + Duplicate selection Udvostruči odabir - - + + Put duplicates of the selected objects to the active document Stavilja kopije odabranih objekata na aktivni dokument @@ -9381,17 +9368,17 @@ underscore, and must not start with a digit. StdCmdEdit - + Toggle &Edit mode Uklj/isklj Način ur&eđivanja - + Toggles the selected object's edit mode Uključuje ili isključuje mod rada na odabranom objektu - + Activates or Deactivates the selected object's edit mode Aktivira ili deaktivira mod uređivanja odabranih objekata @@ -9410,12 +9397,12 @@ underscore, and must not start with a digit. Izvoz objekta u aktivni dokument - + No selection Nema odabira - + Select the objects to export before choosing Export. Odaberite objekte za izvoz prije nego što odaberete Izvoz. @@ -9423,13 +9410,13 @@ underscore, and must not start with a digit. StdCmdExpression - + Expression actions Radnje izražavanja - - + + Actions that apply to expressions Radnje koje se primjenjuju na izraze @@ -9451,12 +9438,12 @@ underscore, and must not start with a digit. StdCmdFreeCADDonation - + Donate Doniraj - + Donate to FreeCAD development Donirajte razvoju FreeCAD-a @@ -9466,17 +9453,17 @@ underscore, and must not start with a digit. StdCmdFreeCADFAQ - + FreeCAD FAQ FreeCAD FAQ - + Frequently Asked Questions on the FreeCAD website Često postavljana pitanja na web-stranici FreeCAD - + Frequently Asked Questions Često postavljana pitanja @@ -9484,17 +9471,17 @@ underscore, and must not start with a digit. StdCmdFreeCADForum - + FreeCAD Forum FreeCAD Forum - + The FreeCAD forum, where you can find help from other users FreeCAD forumu, gdje možete pronaći pomoć od drugih korisnika - + The FreeCAD Forum FreeCAD Forum @@ -9502,17 +9489,17 @@ underscore, and must not start with a digit. StdCmdFreeCADPowerUserHub - + Python scripting documentation Python korisnička dokumentacija - + Python scripting documentation on the FreeCAD website Python korisnička dokumentacija na web stranici FreeCAD - + PowerUsers documentation Napredni korisnik Dokumentacija @@ -9520,13 +9507,13 @@ underscore, and must not start with a digit. StdCmdFreeCADUserHub - - + + Users documentation Korisnička dokumentacija - + Documentation for users on the FreeCAD website Dokumentacija za korisnike na web stranici FreeCAD @@ -9534,13 +9521,13 @@ underscore, and must not start with a digit. StdCmdFreeCADWebsite - - + + FreeCAD Website FreeCAD Web stranica - + The FreeCAD website FreeCAD web stranica @@ -9858,25 +9845,25 @@ underscore, and must not start with a digit. StdCmdMergeProjects - + Merge document... Spoji dokument... - - - - + + + + Merge document Spoji dokument - + %1 document (*.FCStd) %1 dokument (*.FCStd) - + Cannot merge document with itself. Ne mogu spojiti dokument sam sa sobom @@ -9884,18 +9871,18 @@ underscore, and must not start with a digit. StdCmdNew - + &New &Novi - - + + Create a new empty document Kreira novi prazni dokument - + Unnamed Neimenovano @@ -9904,13 +9891,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelp - - + + Help Pomoć - + Show help to the application Pokaži pomoć za primjenu @@ -9918,13 +9905,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelpWebsite - - + + Help Website Pomoć Web stranica - + The website where the help is maintained Web stranica gdje se održava pomoć @@ -9979,13 +9966,13 @@ underscore, and must not start with a digit. StdCmdPaste - + &Paste &Zalijepi - - + + Paste operation Zalijepi @@ -9993,13 +9980,13 @@ underscore, and must not start with a digit. StdCmdPlacement - + Placement... Postavljanje... - - + + Place the selected objects Postavlja odabrane objekte @@ -10007,13 +9994,13 @@ underscore, and must not start with a digit. StdCmdPrint - + &Print... Is&pis ... - - + + Print the document Ispis dokumenta @@ -10021,13 +10008,13 @@ underscore, and must not start with a digit. StdCmdPrintPdf - + &Export PDF... PDF I&zvoz... - - + + Export the document as PDF Izvoz kao PDF dokument @@ -10035,17 +10022,17 @@ underscore, and must not start with a digit. StdCmdPrintPreview - + &Print preview... &Pregled ispisa ... - + Print the document Ispis dokumenta - + Print preview Pregled ispisa @@ -10053,13 +10040,13 @@ underscore, and must not start with a digit. StdCmdPythonWebsite - - + + Python Website Python Web stranica - + The official Python website Službena web stranica Python @@ -10067,13 +10054,13 @@ underscore, and must not start with a digit. StdCmdQuit - + E&xit Iz&laz - - + + Quits the application Zatvara aplikaciju @@ -10095,13 +10082,13 @@ underscore, and must not start with a digit. StdCmdRecentFiles - + Open Recent Otvori Nedavno - - + + Recent file list Popis nedavnih datoteka @@ -10109,15 +10096,15 @@ underscore, and must not start with a digit. StdCmdRecentMacros - + Recent macros Nedavne makronaredbe - - + + Recent macro list Popis nedavnih makronaredbi @@ -10127,13 +10114,13 @@ underscore, and must not start with a digit. StdCmdRedo - + &Redo &Ponovi - - + + Redoes a previously undone action Vraća prethodno poništenu radnju @@ -10141,13 +10128,13 @@ underscore, and must not start with a digit. StdCmdRefresh - + &Refresh &Osvježi - - + + Recomputes the current active document Ponovno proračunava trenutni aktivni dokument @@ -10155,13 +10142,13 @@ underscore, and must not start with a digit. StdCmdReportBug - + Report a bug Prijavi grešku - - + + Report a bug or suggest a feature Prijavite grešku ili predložite značajku @@ -10169,13 +10156,13 @@ underscore, and must not start with a digit. StdCmdRevert - + Revert Vrati se - - + + Reverts to the saved version of this file Vraća se u spremljenu verziju ove datoteke @@ -10183,13 +10170,13 @@ underscore, and must not start with a digit. StdCmdSave - + &Save &Spremi - - + + Save the active document Spremi aktivni dokument @@ -10197,13 +10184,13 @@ underscore, and must not start with a digit. StdCmdSaveAll - + Save All Spremi sve - - + + Save all opened document Spremite sve otvorene dokumente @@ -10211,13 +10198,13 @@ underscore, and must not start with a digit. StdCmdSaveAs - + Save &As... Spremi k&ao... - - + + Save the active document under a new file name Spremi aktivni dokument pod novim imenom @@ -10225,13 +10212,13 @@ underscore, and must not start with a digit. StdCmdSaveCopy - + Save a &Copy... Spremi kopiju &Copy... - - + + Save a copy of the active document under a new file name Spremi kopiju aktivnog dokumenta pod novim nazivom @@ -10267,13 +10254,13 @@ underscore, and must not start with a digit. StdCmdSelectAll - + Select &All Ozn&ači sve - - + + Select all Označi sve @@ -10351,13 +10338,13 @@ underscore, and must not start with a digit. StdCmdTextDocument - + Add text document Dodajte tekstualni dokument - - + + Add text document to active document Dodajte tekstualni dokument u aktivni dokument @@ -10491,13 +10478,13 @@ underscore, and must not start with a digit. StdCmdTransform - + Transform... Transformacija ... - - + + Transform the geometry of selected objects Preobraziti geometriju odabranih objekata @@ -10505,13 +10492,13 @@ underscore, and must not start with a digit. StdCmdTransformManip - + Transform Transformiraj - - + + Transform the selected object in the 3d view Transformiraj selektirani objekt u 3D pogledu @@ -10575,13 +10562,13 @@ underscore, and must not start with a digit. StdCmdUndo - + &Undo &Poništi zadnju promjenu - - + + Undo exactly one action Poništi točno jednu radnju @@ -10589,13 +10576,13 @@ underscore, and must not start with a digit. StdCmdUserEditMode - + Edit mode Način uređivanja - - + + Defines behavior when editing an object from tree Definira ponašanje prilikom uređivanja objekta iz stabla @@ -10997,13 +10984,13 @@ underscore, and must not start with a digit. StdCmdWhatsThis - + &What's This? &Što je ovo? - - + + What's This Što je ovo @@ -11039,13 +11026,13 @@ underscore, and must not start with a digit. StdCmdWorkbench - + Workbench Radna površina - - + + Switch between workbenches Zamjena između radnih stolova @@ -11171,7 +11158,7 @@ underscore, and must not start with a digit. Preselect the object in 3D view when hovering the cursor over the tree item - Preselect the object in 3D view when hovering the cursor over the tree item + Predodaberite objekt u 3D prikazu kada pokazivač postavite iznad stavke stabla @@ -11371,7 +11358,7 @@ underscore, and must not start with a digit. Std_Delete - + The following referencing objects might break. Are you sure you want to continue? @@ -11382,7 +11369,7 @@ Jeste li sigurni da želite nastaviti? - + Object dependencies Zavisnosti objekta @@ -11390,7 +11377,7 @@ Jeste li sigurni da želite nastaviti? Std_DependencyGraph - + Dependency graph Graf ovisnosti @@ -11471,12 +11458,12 @@ Jeste li sigurni da želite nastaviti? Std_DuplicateSelection - + Object dependencies Zavisnosti objekta - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Za povezivanje s vanjskim objektima dokument se mora barem jednom spremiti. @@ -11495,7 +11482,7 @@ Do you want to save the document now? Std_Refresh - + The document contains dependency cycles. Please check the Report View for more details. @@ -11510,17 +11497,17 @@ Molimo provjerite Pregled izvještaja za više pojedinosti. Std_Revert - + Revert document Vratiti dokument - + This will discard all the changes since last file save. Ovo će odbaciti sve promjene nakon posljednjeg spremanja datoteke. - + Do you want to continue? Želite li nastaviti? @@ -11545,7 +11532,7 @@ Molimo provjerite Pregled izvještaja za više pojedinosti. Hide extra tree view column - Internal Names. - Hide extra tree view column - Internal Names. + Sakrij dodatni stupac prikaza stabla - Interna imena. @@ -11694,12 +11681,12 @@ Molimo provjerite Pregled izvještaja za više pojedinosti. Gui::MDIView - + Export PDF Izvoz PDF - + PDF file PDF Datoteka @@ -11883,29 +11870,29 @@ nakon pokretanja FreeCAD-a Workbench selector type: - Workbench selector type: + Vrsta birača radne površine: Choose the workbench selector widget type (restart required). - Choose the workbench selector widget type (restart required). + Odaberite vrstu dodatka za odabir radne površine (potrebno je ponovno pokretanje). Workbench selector items style: - Workbench selector items style: + Stil stavke birača radne površine: Customize how the items are displayed. - Customize how the items are displayed. + Prilagodite način prikaza stavki. <html><head/><body><p>You can reorder workbenches by drag and drop or sort them by right-clicking on any workbench and select <span style=" font-weight:600; font-style:italic;">Sort alphabetically</span>. Additional workbenches can be installed through the addon manager.</p><p> Currently, your system has the following workbenches:</p></body></html> - <html><head/><body><p>You can reorder workbenches by drag and drop or sort them by right-clicking on any workbench and select <span style=" font-weight:600; font-style:italic;">Sort alphabetically</span>. Additional workbenches can be installed through the addon manager.</p><p> -Currently, your system has the following workbenches:</p></body></html> + <html><head/><body><p>Možete promijeniti redoslijed radnih površina povlačenjem i ispuštanjem ili ih sortirati desnim klikom na bilo koju radnu površinu i odabirom <span style=" font-weight:600; font-style:italic;">Sort alphabetically</span>. Dodatne radne površine mogu se instalirati putem upravitelja dodataka.</p><p> +Trenutno vaš sustav ima sljedeće radne površine:</p></body></html> @@ -12069,7 +12056,7 @@ Currently, your system has the following workbenches:</p></body>< This is the current startup module, and must be enabled. - This is the current startup module, and must be enabled. + Ovo je trenutni modul za pokretanje i mora biti omogućen. @@ -12089,7 +12076,7 @@ Currently, your system has the following workbenches:</p></body>< This is the current startup module, and must be autoloaded. - This is the current startup module, and must be autoloaded. + Ovo je trenutni modul za pokretanje i mora se automatski učitati. @@ -12118,19 +12105,19 @@ Currently, your system has the following workbenches:</p></body>< ComboBox - ComboBox + Padajući izbornik TabBar - TabBar + Traka kartica Icon & Text - Icon & Text + Ikone i tekst @@ -12396,82 +12383,82 @@ Currently, your system has the following workbenches:</p></body>< Pregled: - + Text Tekst - + Bookmark Bookmark - + Breakpoint Prijelomna točka - + Keyword Kljušna riječ - + Comment Komentar - + Block comment Blok komentar - + Number Broj - + String Tekst (string) - + Character Simbol - + Class name Ime klase - + Define name Odredite naziv - + Operator Operator - + Python output Python izlaz - + Python error Python pogreška - + Current line highlight Osvjetljenje trenutne linije - + Items Stavke @@ -12609,7 +12596,7 @@ to prema vašoj veličini zaslona ili vašem osobnom ukusu Tree view and Property view mode: - Tree view and Property view mode: + Prikaz stabla i prikaz svojstava: @@ -12617,10 +12604,11 @@ to prema vašoj veličini zaslona ili vašem osobnom ukusu 'Combined': combine Tree view and Property view into one panel. 'Independent': split Tree view and Property view into separate panels. - Customize how tree view is shown in the panel (restart required). + Prilagodite način prikaza stablastog pregleda na ploči +(potrebno je ponovno pokretanje). -'Combined': combine Tree view and Property view into one panel. -'Independent': split Tree view and Property view into separate panels. +'Kombinirano': kombinirajte stablasti pregled i pregled svojstva na jednoj ploči. +'Neovisno': podijelite prikaz stabla i prikaz svojstva u zasebne ploče. @@ -12751,12 +12739,12 @@ prikazivati splash ekran Combined - Combined + Kombinirano Independent - Independent + Neovisno @@ -12994,13 +12982,13 @@ od Python konzole na ploču prikaza izvješća StdCmdExportDependencyGraph - + Export dependency graph... Izvoz Grafikona ovisnosti... - - + + Export the dependency graph to a file Izvoz Grafikona ovisnosti u datoteku @@ -13041,12 +13029,12 @@ od Python konzole na ploču prikaza izvješća Push In - Push In + Povećaj Pull Out - Pull Out + Smanji @@ -13066,7 +13054,7 @@ od Python konzole na ploču prikaza izvješća Adjust the orientation of the directional light source by dragging the handle with the mouse or use the spin boxes for fine tuning. - Adjust the orientation of the directional light source by dragging the handle with the mouse or use the spin boxes for fine tuning. + Prilagodite orijentaciju izvora usmjerenog svjetla povlačenjem ručke mišem ili koristite okvire za fino podešavanje. @@ -13441,13 +13429,13 @@ Miš za prolaz, ESC za prekid StdCmdProjectInfo - + Document i&nformation... Informacija o dokumentu... - - + + Show details of the currently active document Prikaži detalje od aktualno aktivnog dokumenta @@ -13455,13 +13443,13 @@ Miš za prolaz, ESC za prekid StdCmdProjectUtil - + Document utility... Dokument-Uslužni program... - - + + Utility to extract or create document files Uslužni program za ekstrahiranje ili stvaranje projektnih datoteka @@ -13477,18 +13465,18 @@ Miš za prolaz, ESC za prekid Lock toolbars so they are no longer moveable - Lock toolbars so they are no longer moveable + Zaključaj alatne trake tako da se ne mogu pomjerati StdCmdProperties - + Properties Svojstva - + Show the property view, which displays the properties of the selected object. Prikaži panel svojstava koji prikazuje svojstva odabranog objekta. @@ -13503,7 +13491,7 @@ Miš za prolaz, ESC za prekid Toggles freeze state of the selected objects. A frozen object is not recomputed when its parents change. - Toggles freeze state of the selected objects. A frozen object is not recomputed when its parents change. + Prebacuje stanje zamrzavanja odabranih objekata. Zamrznuti objekt se ne preračunava kada se njegovi roditeljski objekti promijene. @@ -13539,15 +13527,15 @@ Miš za prolaz, ESC za prekid StdCmdReloadStyleSheet - + &Reload stylesheet - &Reload stylesheet + &Ponovo učitaj tablice stilova - - + + Reloads the current stylesheet - Reloads the current stylesheet + Ponovo učitava trenutnu tablicu stilova @@ -13555,12 +13543,12 @@ Miš za prolaz, ESC za prekid Align to selection - Align to selection + Poravnaj prema odabiru Align the view with the selection - Align the view with the selection + Poravnajte prikaz s odabirom @@ -13593,7 +13581,7 @@ Miš za prolaz, ESC za prekid Add another - Add another + Dodaj drugi @@ -13611,7 +13599,7 @@ Miš za prolaz, ESC za prekid Theme customization - Theme customization + Prilagodba teme @@ -13658,22 +13646,22 @@ Miš za prolaz, ESC za prekid Hide extra tree view column - Internal Names. - Hide extra tree view column - Internal Names. + Sakrij dodatni stupac prikaza stabla - Interna imena. Hide Internal Names - Hide Internal Names + Sakrij interni naziv Icon size override, set to 0 for the default value. - Icon size override, set to 0 for the default value. + Nadjačavanje veličine ikone, postavljeno na 0 za zadanu vrijednost. Additional row spacing - Additional row spacing + Dodatn razmak redaka @@ -13688,22 +13676,22 @@ Miš za prolaz, ESC za prekid Icon size - Icon size + Veličina ikone Additional spacing for tree view rows. Bigger values will increase row item heights. - Additional spacing for tree view rows. Bigger values will increase row item heights. + Dodatni razmak za redove prikaza stabla. Veće vrijednosti će povećati visinu stavke retka. This section lets you customize your current theme. The offered settings are optional for theme developers so they may or may not have an effect in your current theme. - This section lets you customize your current theme. The offered settings are optional for theme developers so they may or may not have an effect in your current theme. + Ovaj odjeljak vam omogućuje prilagodbu trenutne teme. Ponuđene postavke su opcionalne za razvojne programere tema, pa možda neće imati učinak na vašu trenutnu temu. If enabled, show an eye icon before the tree view items, showing their visibility status. When clicked the visibility is toggled. - If enabled, show an eye icon before the tree view items, showing their visibility status. When clicked the visibility is toggled. + Ako je omogućeno, prikaži ikonu oka prije stavki prikaza stabla, pokazujući njihov status vidljivosti. Kada se klikne, vidljivost se mijenja @@ -13713,7 +13701,7 @@ Miš za prolaz, ESC za prekid Hide header with column names from the tree view. - Hide header with column names from the tree view. + Sakrij zaglavlje s nazivima stupaca iz prikaza stabla. @@ -13723,7 +13711,7 @@ Miš za prolaz, ESC za prekid Hide scroll bar from the tree view, scrolling will still be possible using mouse wheel. - Hide scroll bar from the tree view, scrolling will still be possible using mouse wheel. + Sakrij traku za pomicanje iz prikaza stabla, pomicanje će i dalje biti moguće pomoću kotačića miša. @@ -13733,12 +13721,12 @@ Miš za prolaz, ESC za prekid Hide column with object description in tree view. - Hide column with object description in tree view. + Sakrij stupac s opisom objekta u prikazu stabla. Hide description - Hide description + Sakrij opis @@ -13778,7 +13766,7 @@ Miš za prolaz, ESC za prekid Automatically hide overlayed dock panels when in non 3D view (like TechDraw or Spreadsheet). - Automatically hide overlayed dock panels when in non 3D view (like TechDraw or Spreadsheet). + Automatski sakrij preklapajuće dock ploče kada nisu u 3D prikazu (poput TechDraw ili Spreadsheet). @@ -13811,26 +13799,49 @@ Miš za prolaz, ESC za prekid Create a variable set - Create a variable set + Stvori skup varijabli A Variable Set is an object that maintains a set of properties to be used as variables. - A Variable Set is an object that maintains a set of properties to be used as variables. + Skup varijabli je objekt koji održava skup svojstava koja se koriste kao varijable. StdCmdUnitsCalculator - + &Units converter... - &Units converter... + &Pretvarač mjernih jedinica... - - + + Start the units converter - Start the units converter + Pokrenite pretvarač mjernih jedinica + + + + Gui::ModuleIO + + + File not found + Datoteka nije pronađena + + + + The file '%1' cannot be opened. + Datoteka '%1' ne može biti otvorena. + + + + StdCmdRestartInSafeMode + + + + + Restart in safe mode + Restart in safe mode diff --git a/src/Gui/Language/FreeCAD_hu.ts b/src/Gui/Language/FreeCAD_hu.ts index e9a086e10a55..8a969c4f837e 100644 --- a/src/Gui/Language/FreeCAD_hu.ts +++ b/src/Gui/Language/FreeCAD_hu.ts @@ -91,17 +91,17 @@ Szerkesztés - + Import Importálás - + Delete Törlés - + Paste expressions Kifejezések beszúrása @@ -131,7 +131,7 @@ Összes összekötés importálása - + Insert text document Szöveges dokumentum beszúrása @@ -424,42 +424,42 @@ EditMode - + Default Alapértelmezett - + The object will be edited using the mode defined internally to be the most appropriate for the object type A tárgy szerkesztése a belsőleg meghatározott, az tárgy típusnak legmegfelelőbb módban történik - + Transform Átalakítás - + The object will have its placement editable with the Std TransformManip command A tárgy elhelyezése az Std TransformManip paranccsal lesz szerkeszthető - + Cutting Vágás - + This edit mode is implemented as available but currently does not seem to be used by any object Ez a szerkesztési mód elérhető, de jelenleg úgy tűnik, hogy egyetlen tárgy sem használja - + Color Szín - + The object will have the color of its individual faces editable with the Part FaceAppearances command Az adott tárgy egyes felületeinek színe az Alkatrész FaceAppearances paranccsal lesz szerkeszthető @@ -680,8 +680,8 @@ while doing a left or right click and move the mouse up or down - Word size - Szó méret + Architecture + Architecture @@ -706,52 +706,52 @@ while doing a left or right click and move the mouse up or down Gui::Dialog::AboutDialog - - + + Credits - Header for the Credits tab of the About screen Készítők listája - + + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + Header for bgbsww + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + + + FreeCAD would not be possible without the contributions of A FreeCAD nem jöhetett volna létre az alábbi együttműködők nélkül - + Individuals Header for the list of individual people in the Credits list. Személyek - + Organizations Header for the list of companies/organizations in the Credits list. Szervezetek - - + + License Licenc - + Libraries Könyvtárak - - This software uses open source components whose copyright and other proprietary rights belong to their respective owners: - Ez a szoftver nyílt forráskódú összetevőket tartalmaz, melyeknek a szerzői jogai és egyéb szabadalmi jogai a saját jogtulajdonosáé: - - - + Collection Gyűjtemény - + Privacy Policy Adatvédelmi irányelvek @@ -1406,8 +1406,8 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgCustomToolBoxbarsImp - - + + Toolbox bars Eszköztár sávok @@ -1496,40 +1496,40 @@ same time. The one with the highest priority will be triggered. - + <Separator> <Szóköz> - + %1 module not loaded %1 modul nincs betöltve - + New toolbar Új eszköztár - - + + Toolbar name: Eszköztár neve: - - + + Duplicated name Ismételt név - - + + The toolbar name '%1' is already used Az '%1' eszköztár név már használatban - + Rename toolbar Eszköztár átnevezése @@ -1743,72 +1743,72 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgMacroExecuteImp - + Macros Makrók - + Read-only Csak olvasható - + Macro file Makró fájl - + Enter a file name, please: Kérem, adja meg a fájl nevét: - - - + + + Existing file Létező fájl - + '%1'. This file already exists. '%1'. Ez a fájl már létezik. - + Cannot create file Nem lehet létrehozni a fájlt - + Creation of file '%1' failed. Nem sikerült létrehozni a '%1' fájlt. - + Delete macro Makró törlése - + Do you really want to delete the macro '%1'? Valóban törölni szeretné a '%1' nevű makrót? - + Do not show again Többé ne jelenjen meg - + Guided Walkthrough Interaktív útmutató - + This will guide you in setting up this macro in a custom global toolbar. Instructions will be in red text inside the dialog. Note: your changes will be applied when you next switch workbenches @@ -1819,76 +1819,76 @@ Megjegyzés: a módosítások csak a következő munkaasztal váltásakor érvé - + Walkthrough, dialog 1 of 2 Útmutató, 1. dialógus a 2-ből - + Walkthrough instructions: Fill in missing fields (optional) then click Add, then Close Útmutató utasítások: Töltse ki a hiányzó mezőket (nem kötelező), majd kattintson a Hozzáadás, majd a Bezárás gombra - + Walkthrough, dialog 1 of 1 Útmutató, 1. dialógus az 1-ből - + Walkthrough, dialog 2 of 2 Útmutató, 2. dialógus a 2-ből - - Walkthrough instructions: Click right arrow button (->), then Close. - Útmutató utasítások: Kattintson a jobbra nyílra (->), majd a majd a Bezárás gombra. + + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. - Walkthrough instructions: Click New, then right arrow (->) button, then Close. - Útmutató utasítások: Kattintson az Új, majd a jobbra nyíl (->) gombra, majd a Bezárás gombra. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. - + Renaming Macro File Makró fájl átnevezése - - + + Enter new name: Adja meg az új nevet: - - + + '%1' already exists. '%1' már létezik. - + Rename Failed Átnevezés sikertelen - + Failed to rename to '%1'. Perhaps a file permission error? Sikertelen átnevezés: '%1'. Talán fájl jogosultság hiba? - + Duplicate Macro Makró másolat - + Duplicate Failed Másolás meghiúsult - + Failed to duplicate to '%1'. Perhaps a file permission error? '%1' másolása meghiúsult. @@ -5894,81 +5894,81 @@ El akarja menteni a változásokat? Gui::GraphvizView - + Graphviz not found Nem található grafikonszerk - + Graphviz couldn't be found on your system. Grafikonszerk nem található a rendszerben. - + Read more about it here. Itt olvasson többet róla. - + Do you want to specify its installation path if it's already installed? Szeretné megadni a telepítési útvonal, ha már telepítve van? - + Graphviz installation path Grafikusszerk telepítési hely elérési útja - + Graphviz failed Nem sikerült Grafikonszerk - + Graphviz failed to create an image file Nem sikerült létrehozni egy kép fájl Grafikonszerkesztőhöz - + PNG format PNG formátum - + Bitmap format Bittérkép-formátum - + GIF format GIF formátum - + JPG format JPG formátum - + SVG format SVG formátum - - + + PDF format PDF formátum - - + + Graphviz format Graphviz formátum - - - + + + Export graph Export grafikon @@ -6128,63 +6128,83 @@ El akarja menteni a változásokat? Gui::MainWindow - - + + Dimension Dimenzió - + Ready Kész - + Close All Minden bezárása - - - + + + Toggles this toolbar Eszköztár megjelenítése - - - + + + Toggles this dockable window Dokkolható ablak megjelenítése - + + Safe mode enabled + Safe mode enabled + + + + FreeCAD is now running in safe mode. + FreeCAD is now running in safe mode. + + + + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + + + WARNING: This is a development version. FIGYELMEZTETÉS: Ez egy fejlesztői változat. - + Please do not use it in a production environment. Kérjük, ne használja éles környezetben. - - + + Unsaved document Nem mentett dokumentum - + The exported object contains external link. Please save the documentat least once before exporting. Az exportált tárgy külső összekötést tartalmaz. Exportálás előtt legalább egyszer mentse a dokumentumot. - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Külső tárgyak összekötéséhez a dokumentumot legalább egyszer menteni kell. Menti most a dokumentumot? + + + Safe Mode + Safe Mode + Gui::ManualAlignment @@ -6688,39 +6708,19 @@ Ki szeretne lépni az adatok mentése nélkül? Open file %1 Fájl megnyitása %1 - - - File not found - A fájl nem található - - - - The file '%1' cannot be opened. - A '%1' fájl nem nyitható meg. - Gui::RecentMacrosAction - + none egyik sem - + Run macro %1 (Shift+click to edit) keyboard shortcut: %2 A(z) %1 makró futtatása (Shift+kattintás a szerkesztéshez) billentyűparancs: %2 - - - File not found - A fájl nem található - - - - The file '%1' cannot be opened. - A '%1' fájl nem nyitható meg. - Gui::RevitNavigationStyle @@ -6973,7 +6973,7 @@ Meg szeretne adni egy másik könyvtárat? Gui::TaskView::TaskDialog - + A dialog is already open in the task panel Egy párbeszédablak már nyitva van a feladat panelen @@ -7002,38 +7002,8 @@ Meg szeretne adni egy másik könyvtárat? Gui::TextDocumentEditorView - - Text updated - Frissített szöveg - - - - The text of the underlying object has changed. Discard changes and reload the text from the object? - Az aláhúzott objektum szövege megváltozott. Módosítások elvetése és az objektum szövegének újratöltése? - - - - Yes, reload. - Igen, újratöltés. - - - - Unsaved document - Nem mentett dokumentum - - - - Do you want to save your changes before closing? - Szeretné menteni a módosításait a bezárás előtt? - - - - If you don't save, your changes will be lost. - Ha nem menti, a módosítások elvesznek. - - - - + + Edit text Szöveg szerkesztése @@ -7310,7 +7280,7 @@ Meg szeretne adni egy másik könyvtárat? Gui::TreeDockWidget - + Tree view Fanézet @@ -7318,7 +7288,7 @@ Meg szeretne adni egy másik könyvtárat? Gui::TreePanel - + Search Keresés @@ -7376,148 +7346,148 @@ Meg szeretne adni egy másik könyvtárat? Csoport - + Labels & Attributes Cimkék & Tulajdonságok - + Description Leírás - + Internal name Belső név - + Show items hidden in tree view Fa nézetben elrejtett elemek megjelenítése - + Show items that are marked as 'hidden' in the tree view Fa nézetben a "rejtett"-ként jelölt elemek megjelenítése - + Toggle visibility in tree view Láthatóság váltása a fa nézetben - + Toggles the visibility of selected items in the tree view Fa nézetben a kiválasztott elemek láthatóságának váltása - + Create group Csoport létrehozása - + Create a group Új csoport létrehozása - - + + Rename Átnevezés - + Rename object Tárgy átnevezése - + Finish editing Szerkesztés befejezése - + Finish editing object Objektumszerkesztés befejezése - + Add dependent objects to selection Függő tárgyak hozzáadása a kijelöléshez - + Adds all dependent objects to the selection Összes függőben lévő tárgy hozzáadása a kijelöléshez - + Close document Dokumentum bezárása - + Close the document A dokumentum bezárása - + Reload document Dokumentum újratöltése - + Reload a partially loaded document Részlegesen betöltött dokumentum újratöltése - + Skip recomputes Újraszámítás átugrása - + Enable or disable recomputations of document Dokumentum újraszámításának engedélyezése vagy letiltása - + Allow partial recomputes Részleges újraszámítás engedélyezése - + Enable or disable recomputating editing object when 'skip recomputation' is enabled Szerkesztési tárgy újraszámításának engedélyezése vagy letiltása, ha a 'újraszámítás kihagyása' engedélyezve van - + Mark to recompute Jelölje, újraszámításhoz - + Mark this object to be recomputed Jelölje ezt az objektumot az újraszámoláshoz - + Recompute object Tárgy újraszámítás - + Recompute the selected object A kijelölt tárgy újraszámítása - + (but must be executed) (de végre kell hajtanom) - + %1, Internal name: %2 %1, Belső név: %2 @@ -7729,47 +7699,47 @@ Meg szeretne adni egy másik könyvtárat? QDockWidget - + Tree view Fanézet - + Tasks Feladatok - + Property view Tulajdonságok nézet - + Selection view Részlet nézet - + Task List Feladat lista - + Model Modell - + DAG View DAG nézet - + Report view Jelentés nézet - + Python console Python konzol @@ -7809,35 +7779,35 @@ Meg szeretne adni egy másik könyvtárat? Python - - - + + + Unknown filetype Ismeretlen filetípus - - + + Cannot open unknown filetype: %1 Nem megnyitható fájltípus: %1 - + Export failed Exportálás sikertelen - + Cannot save to unknown filetype: %1 Nem menthető fájltípus: %1 - + Recomputation required Újraszámítás szükséges - + Some document(s) require recomputation for migration purposes. It is highly recommended to perform a recomputation before any modification to avoid compatibility problems. Do you want to recompute now? @@ -7846,24 +7816,24 @@ Do you want to recompute now? Most szeretné az újraszámítást elvégezni? - + Recompute error Újraszámítási hiba - + Failed to recompute some document(s). Please check report view for more details. Néhány dokumentum(ok) újraszámítása sikertelen. További részletekért kérjük, nézze meg a jelentés nézetet. - + Workbench failure Munkafelület hiba - + %1 %1 @@ -7909,90 +7879,105 @@ További részletekért kérjük, nézze meg a jelentés nézetet. Fájl importálása - + Export file Fájl exportálása - + Printing... Nyomtatás... - + Exporting PDF... PDF exportálása... - - + + Unsaved document Nem mentett dokumentum - + The exported object contains external link. Please save the documentat least once before exporting. Az exportált tárgy külső összekötést tartalmaz. Exportálás előtt legalább egyszer mentse a dokumentumot. - - + + Delete failed Törlés sikertelen - + Dependency error Függőség hiba - + Copy selected Kijelöltek másolása - + Copy active document Aktív dokumentum másolása - + Copy all documents Összes dokumentum másolása - + Paste Beillesztés - + Expression error Kifejezés hiba - + Failed to parse some of the expressions. Please check the Report View for more details. Nem sikerült elemezni néhány kifejezést. További részletekért tekintse meg a Jelentés nézetet. - + Failed to paste expressions Nem sikerült beilleszteni a kifejezéseket - + Cannot load workbench Munkafelület nem tölthető be - + A general error occurred while loading the workbench Általános hiba történt a munkafelület betöltése során + + + Restart in safe mode + Restart in safe mode + + + + Are you sure you want to restart FreeCAD and enter safe mode? + Are you sure you want to restart FreeCAD and enter safe mode? + + + + Safe mode temporarily disables your configuration and addons. + Safe mode temporarily disables your configuration and addons. + @@ -8217,7 +8202,7 @@ Folytatni kívánja? Túl sok megnyitott nem zavaró értesítés. Az értesítések elmaradnak! - + Identical physical path detected. It may cause unwanted overwrite of existing document! @@ -8226,44 +8211,44 @@ Folytatni kívánja? - + Are you sure you want to continue? Biztosan folytatja? - + Please check report view for more... Kérjük, ellenőrizze a jelentés nézetet továbbiakért... - + Physical path: Fizikai útvonal: - - + + Document: Dokumentum: - - + + Path: Útvonalak: - + Identical physical path Azonos fizikai elérési út - + Could not save document Nem lehet menteni a dokumentumot - + There was an issue trying to save the file. This may be because some of the parent folders do not exist, or you do not have sufficient permissions, or for other reasons. Error details: "%1" @@ -8276,102 +8261,102 @@ Would you like to save the file with a different name? Szeretné menteni a fájlt egy másik névvel? - - - + + + Saving aborted Mentés megszakítva - + Save dependent files Függő fájlok mentése - + The file contains external dependencies. Do you want to save the dependent files, too? A fájl külső függőségeket tartalmaz. Menti a függő fájlokat is? - - + + Saving document failed Dokumentum mentése sikertelen - + Save document under new filename... Dokumentum mentése új fájlnéven... - - + + Save %1 Document A(z) %1 dokumentum mentése - + Document Dokumentum - - + + Failed to save document Nem sikerült menteni a dokumentumot - + Documents contains cyclic dependencies. Do you still want to save them? A dokumentumok ciklikus függőségeket tartalmaznak. Még mindig menteni szeretné? - + Save a copy of the document under new filename... Menti új fájlnév alatt a dokumentum egy másolatát... - + %1 document (*.FCStd) %1 dokumentum (*.FCStd) - + Document not closable A dokumentum nem zárható be - + The document is not closable for the moment. A dokumentum nem zárható be pillanatnyilag. - + Document not saved Dokumentum nincs mentve - + The document%1 could not be saved. Do you want to cancel closing it? A dokumentum%1 nem menthető. Nem szeretné bezárni? - + Undo Visszavonás - + Redo Ismétlés - + There are grouped transactions in the following documents with other preceding transactions A következő dokumentumokban csoportosított tranzakciók vannak más korábbi tranzakciókkal - + Choose 'Yes' to roll back all preceding transactions. Choose 'No' to roll back in the active document only. Choose 'Abort' to abort @@ -8465,7 +8450,7 @@ A 'Megszakítás' választásával megszakít Nem talál fájlt %1 -ben %2 -ben, sem %3 -ban - + Navigation styles Navigációs stílusok @@ -8476,47 +8461,47 @@ A 'Megszakítás' választásával megszakít Átalakítás - + Do you want to close this dialog? Szeretné bezárni a párbeszédpanelt? - + Do you want to save your changes to document '%1' before closing? Szeretné menteni a módosításait bezárás előtt az '%1' dokumentumba? - + Do you want to save your changes to document before closing? Menti a dokumentum módosításait bezárás előtt? - + If you don't save, your changes will be lost. Ha nem menti, a módosítások elvesznek. - + Apply answer to all Válasz alkalmazása az összesre - + %1 Document(s) not saved %1 Dokumentum(ok) nincsen(ek) mentve - + Some documents could not be saved. Do you want to cancel closing? Egyes dokumentumok nem menthetők. Nem szeretné bezárni? - + Delete macro Makró törlése - + Not allowed to delete system-wide macros Nem szabad törölni a rendszer-területi makrókat @@ -8612,10 +8597,10 @@ A 'Megszakítás' választásával megszakít - - - - + + + + Invalid name Érvénytelen név @@ -8628,25 +8613,25 @@ underscore, and must not start with a digit. - + The property name is a reserved word. - The property name is a reserved word. + A tulajdonság neve egy fenntartott szó. - + The property '%1' already exists in '%2' A(z) '%1' tulajdonság már létezik a következőben: '%2' - + Add property Tulajdonság hozzáadása - + Failed to add property to '%1': %2 Nem sikerült tulajdonságot hozzáadni a következőhöz: '%1': %2 @@ -8932,13 +8917,13 @@ az aktuális példány elveszik. Elnémított - + The property name must only contain alpha numericals, underscore, and must not start with a digit. A tulajdonság neve csak alfanumerikus számokat, aláhúzást tartalmazhat, nem kezdődhet számmal. - + The group name must only contain alpha numericals, underscore, and must not start with a digit. A csoportnév csak alfanumerikus számokat és aláhúzást tartalmazhat @@ -8985,13 +8970,13 @@ underscore, and must not start with a digit. StdCmdAbout - + &About %1 &Alkotók %1 - - + + About %1 Alkotó %1 @@ -8999,13 +8984,13 @@ underscore, and must not start with a digit. StdCmdAboutQt - + About &Qt &Qt névjegye - - + + About Qt Qt névjegye @@ -9041,13 +9026,13 @@ underscore, and must not start with a digit. StdCmdAlignment - + Alignment... Igazítás... - - + + Align the selected objects Kiválasztott tárgyak igazítása @@ -9111,13 +9096,13 @@ underscore, and must not start with a digit. StdCmdCommandLine - + Start command &line... Parancs sor indítása... - - + + Opens the command line in the console Parancs sor konzolban való futtatása @@ -9125,13 +9110,13 @@ underscore, and must not start with a digit. StdCmdCopy - + C&opy Másolás - - + + Copy operation Másolási művelet @@ -9139,13 +9124,13 @@ underscore, and must not start with a digit. StdCmdCut - + &Cut Kivágás - - + + Cut out Kimetszés @@ -9153,13 +9138,13 @@ underscore, and must not start with a digit. StdCmdDelete - + &Delete Törlés - - + + Deletes the selected objects Kiválasztott elem törlése @@ -9181,13 +9166,13 @@ underscore, and must not start with a digit. StdCmdDependencyGraph - + Dependency graph... Függőségi grafikon... - - + + Show the dependency graph of the objects in the active document Mutassa a tárgy függőségi grafikonját az aktív dokumentumban @@ -9195,13 +9180,13 @@ underscore, and must not start with a digit. StdCmdDlgCustomize - + Cu&stomize... Testreszabá&s... - - + + Customize toolbars and command bars Eszköztár és parancs oszlopok testreszabása @@ -9261,13 +9246,13 @@ underscore, and must not start with a digit. StdCmdDlgParameter - + E&dit parameters ... Paraméterek szerkesztése ... - - + + Opens a Dialog to edit the parameters Párbeszédablak megnyitása a paraméterek szerkesztéséhez @@ -9275,13 +9260,13 @@ underscore, and must not start with a digit. StdCmdDlgPreferences - + &Preferences ... Beállítások ... - - + + Opens a Dialog to edit the preferences Megnyit egy párbeszédpanelt a beállítások szerkesztéséhez @@ -9317,13 +9302,13 @@ underscore, and must not start with a digit. StdCmdDuplicateSelection - + Duplicate selection Többszörös kijelölés - - + + Put duplicates of the selected objects to the active document A kijelölt objektumokat másolja az aktuális dokumentumba @@ -9331,17 +9316,17 @@ underscore, and must not start with a digit. StdCmdEdit - + Toggle &Edit mode Szerkesztési módra váltás - + Toggles the selected object's edit mode A kiválasztott tárgy szerkesztés módjának kapcsolása - + Activates or Deactivates the selected object's edit mode Be- vagy kikapcsolja a kijelölt tárgy szerkesztés módját @@ -9360,12 +9345,12 @@ underscore, and must not start with a digit. Egy objektum exportálása az aktív munkalapból - + No selection Nincs kijelölés - + Select the objects to export before choosing Export. Az Exportálás gomb kiválasztása előtt jelölje ki az exportálandó objektumokat. @@ -9373,13 +9358,13 @@ underscore, and must not start with a digit. StdCmdExpression - + Expression actions Kifejezési műveletek - - + + Actions that apply to expressions Kifejezésekre vonatkozó műveletek @@ -9401,12 +9386,12 @@ underscore, and must not start with a digit. StdCmdFreeCADDonation - + Donate Támogatás - + Donate to FreeCAD development Adományozás a FreeCAD fejlesztőknek @@ -9414,17 +9399,17 @@ underscore, and must not start with a digit. StdCmdFreeCADFAQ - + FreeCAD FAQ FreeCAD GYIK - + Frequently Asked Questions on the FreeCAD website Gyakran ismételt kérdések-FreeCAD honlapján - + Frequently Asked Questions Gyakran Ismételt Kérdések @@ -9432,17 +9417,17 @@ underscore, and must not start with a digit. StdCmdFreeCADForum - + FreeCAD Forum FreeCAD fórum - + The FreeCAD forum, where you can find help from other users A FreeCAD fórum, ahol más felhasználóktól talál segítséget - + The FreeCAD Forum A FreeCAD-fórum @@ -9450,17 +9435,17 @@ underscore, and must not start with a digit. StdCmdFreeCADPowerUserHub - + Python scripting documentation Python scripting dokumentáció - + Python scripting documentation on the FreeCAD website Python scripting dokumentáció FreeCAD honlapján - + PowerUsers documentation Kiemelt felhasználók dokumentációi @@ -9468,13 +9453,13 @@ underscore, and must not start with a digit. StdCmdFreeCADUserHub - - + + Users documentation Felhasználói dokumentációk - + Documentation for users on the FreeCAD website A FreeCAD honlapját használók dokumentációja @@ -9482,13 +9467,13 @@ underscore, and must not start with a digit. StdCmdFreeCADWebsite - - + + FreeCAD Website FreeCAD honlapja - + The FreeCAD website A FreeCAD honlapja @@ -9803,25 +9788,25 @@ underscore, and must not start with a digit. StdCmdMergeProjects - + Merge document... Dokumentum egyesítése... - - - - + + + + Merge document Dokumentum egyesítés - + %1 document (*.FCStd) %1 dokumentum (*.FCStd) - + Cannot merge document with itself. Nem tudja egyesíteni önmagával a dokumentumot. @@ -9829,18 +9814,18 @@ underscore, and must not start with a digit. StdCmdNew - + &New Új - - + + Create a new empty document Új üres munkalap létrehozása - + Unnamed Névtelen @@ -9849,13 +9834,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelp - - + + Help Súgó - + Show help to the application Program Súgó megjelenítése @@ -9863,13 +9848,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelpWebsite - - + + Help Website Súgó Honlap - + The website where the help is maintained A honlap, ahol a súgót tárolják @@ -9924,13 +9909,13 @@ underscore, and must not start with a digit. StdCmdPaste - + &Paste Beillesztés - - + + Paste operation Beillesztési művelet @@ -9938,13 +9923,13 @@ underscore, and must not start with a digit. StdCmdPlacement - + Placement... Elhelyezés ... - - + + Place the selected objects A kijelölt objektumok helye @@ -9952,13 +9937,13 @@ underscore, and must not start with a digit. StdCmdPrint - + &Print... Nyomtatás... - - + + Print the document A dokumentum nyomtatása @@ -9966,13 +9951,13 @@ underscore, and must not start with a digit. StdCmdPrintPdf - + &Export PDF... PDF &Exportálása... - - + + Export the document as PDF Dokumentum exportálása PDF fájlba @@ -9980,17 +9965,17 @@ underscore, and must not start with a digit. StdCmdPrintPreview - + &Print preview... Nyomtatási kép... - + Print the document A dokumentum nyomtatása - + Print preview Nyomtatási kép @@ -9998,13 +9983,13 @@ underscore, and must not start with a digit. StdCmdPythonWebsite - - + + Python Website Python honlapja - + The official Python website Python hivatalos honlapja @@ -10012,13 +9997,13 @@ underscore, and must not start with a digit. StdCmdQuit - + E&xit Kilépés - - + + Quits the application Kilépés az alkalmazásból @@ -10040,13 +10025,13 @@ underscore, and must not start with a digit. StdCmdRecentFiles - + Open Recent Legutóbbi megnyitása - - + + Recent file list Legutóbbi fájlok listája @@ -10054,13 +10039,13 @@ underscore, and must not start with a digit. StdCmdRecentMacros - + Recent macros Legutóbbi makrók - - + + Recent macro list Legutóbbi makrók listája @@ -10068,13 +10053,13 @@ underscore, and must not start with a digit. StdCmdRedo - + &Redo Ismét - - + + Redoes a previously undone action Egy előzőleg visszavont művelet megismétlése @@ -10082,13 +10067,13 @@ underscore, and must not start with a digit. StdCmdRefresh - + &Refresh Frissítés - - + + Recomputes the current active document Újraszámítja a jelenlegi aktív dokumentumot @@ -10096,13 +10081,13 @@ underscore, and must not start with a digit. StdCmdReportBug - + Report a bug Hiba bejelentése - - + + Report a bug or suggest a feature Hiba bejelentése vagy új funkció ajánlása @@ -10110,13 +10095,13 @@ underscore, and must not start with a digit. StdCmdRevert - + Revert Visszaállítás - - + + Reverts to the saved version of this file Visszatérés a fájl mentett változatára @@ -10124,13 +10109,13 @@ underscore, and must not start with a digit. StdCmdSave - + &Save Mentés - - + + Save the active document Az aktív dokumentum mentése @@ -10138,13 +10123,13 @@ underscore, and must not start with a digit. StdCmdSaveAll - + Save All Mindet menti - - + + Save all opened document Az összes megnyitott dokumentum mentése @@ -10152,13 +10137,13 @@ underscore, and must not start with a digit. StdCmdSaveAs - + Save &As... Mentés másként... - - + + Save the active document under a new file name Az aktuális dokumentum mentése új néven @@ -10166,13 +10151,13 @@ underscore, and must not start with a digit. StdCmdSaveCopy - + Save a &Copy... Másolat mentése... - - + + Save a copy of the active document under a new file name Az aktív dokumentum másolatának mentése egy új fájl alatt @@ -10208,13 +10193,13 @@ underscore, and must not start with a digit. StdCmdSelectAll - + Select &All Összes kijelölése - - + + Select all Összes kijelölése @@ -10292,13 +10277,13 @@ underscore, and must not start with a digit. StdCmdTextDocument - + Add text document Szöveges dokumentum hozzáadása - - + + Add text document to active document Szöveges dokumentum hozzáadása az aktív dokumentumhoz @@ -10432,13 +10417,13 @@ underscore, and must not start with a digit. StdCmdTransform - + Transform... Átalakítás... - - + + Transform the geometry of selected objects A kijelölt objektum geometriájának átalakítása @@ -10446,13 +10431,13 @@ underscore, and must not start with a digit. StdCmdTransformManip - + Transform Átalakítás - - + + Transform the selected object in the 3d view Átalakítja a 3d-s nézetben lévő kijelölt objektumot @@ -10516,13 +10501,13 @@ underscore, and must not start with a digit. StdCmdUndo - + &Undo Visszavonás - - + + Undo exactly one action Egyetlen művelet visszavonása @@ -10530,13 +10515,13 @@ underscore, and must not start with a digit. StdCmdUserEditMode - + Edit mode Szerkesztőmód - - + + Defines behavior when editing an object from tree Viselkedést határoz meg egy tárgy fa nézetben történő szerkesztésekor @@ -10936,13 +10921,13 @@ underscore, and must not start with a digit. StdCmdWhatsThis - + &What's This? Mi ez? - - + + What's This Mi ez @@ -10978,13 +10963,13 @@ underscore, and must not start with a digit. StdCmdWorkbench - + Workbench Munkafelület - - + + Switch between workbenches Váltás munkafelületek között @@ -11308,7 +11293,7 @@ underscore, and must not start with a digit. Std_Delete - + The following referencing objects might break. Are you sure you want to continue? @@ -11319,7 +11304,7 @@ Biztosan folytatja? - + Object dependencies Objektumfüggőségek @@ -11327,7 +11312,7 @@ Biztosan folytatja? Std_DependencyGraph - + Dependency graph Függőségi grafikon @@ -11408,12 +11393,12 @@ Biztosan folytatja? Std_DuplicateSelection - + Object dependencies Objektumfüggőségek - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Külső tárgyak összekötéséhez a dokumentumot legalább egyszer menteni kell. @@ -11431,7 +11416,7 @@ Menti most a dokumentumot? Std_Refresh - + The document contains dependency cycles. Please check the Report View for more details. @@ -11445,17 +11430,17 @@ Még mindig fojtatni szeretné? Std_Revert - + Revert document Dokumentum visszaállítás - + This will discard all the changes since last file save. Ez elveti az utolsó fájl mentéstől létrehozott összes módosítást. - + Do you want to continue? Folytatni szeretné? @@ -11629,12 +11614,12 @@ Még mindig fojtatni szeretné? Gui::MDIView - + Export PDF Exportálás PDF-be - + PDF file PDF-fájl @@ -12328,82 +12313,82 @@ Jelenleg a rendszerében a következő munkafelületek vannak:</p></bod Előnézet: - + Text Szöveg - + Bookmark Könyvjelző - + Breakpoint Töréspont - + Keyword Kulcsszó - + Comment Megjegyzés - + Block comment Megjegyzés tömb - + Number Szám - + String Karakterlánc - + Character Karakter - + Class name Osztálynév - + Define name Definiált név - + Operator Irányító - + Python output Python kimenet - + Python error Python hiba - + Current line highlight Aktuális vonal kiemelése - + Items Elemek @@ -12913,13 +12898,13 @@ a Python konzolról a Jelentés nézet panelre StdCmdExportDependencyGraph - + Export dependency graph... Függőségi grafikon exportálása... - - + + Export the dependency graph to a file Függőségi grafikon exportálása egy fájlba @@ -13359,13 +13344,13 @@ A teljes hely kitöltéséhez állítsa 0-ra. StdCmdProjectInfo - + Document i&nformation... Dokumentum i&nformáció... - - + + Show details of the currently active document Részletek megjelenítése az aktuális dokumentumról @@ -13373,13 +13358,13 @@ A teljes hely kitöltéséhez állítsa 0-ra. StdCmdProjectUtil - + Document utility... Dokumentum eszközök... - - + + Utility to extract or create document files Segédprogram dokumentumfájlok kivonatolásához vagy létrehozásához @@ -13401,12 +13386,12 @@ A teljes hely kitöltéséhez állítsa 0-ra. StdCmdProperties - + Properties Tulajdonságok - + Show the property view, which displays the properties of the selected object. A tulajdonságnézet megjelenítése, amely a kiválasztott tárgy tulajdonságait jeleníti meg. @@ -13457,13 +13442,13 @@ A teljes hely kitöltéséhez állítsa 0-ra. StdCmdReloadStyleSheet - + &Reload stylesheet &Stílustábla újratöltése - - + + Reloads the current stylesheet Újratölti az aktuális stílustáblát @@ -13740,15 +13725,38 @@ A teljes hely kitöltéséhez állítsa 0-ra. StdCmdUnitsCalculator - + &Units converter... &Mértékegységek váltója... - - + + Start the units converter Mértékegységváltó elindítása + + Gui::ModuleIO + + + File not found + A fájl nem található + + + + The file '%1' cannot be opened. + A '%1' fájl nem nyitható meg. + + + + StdCmdRestartInSafeMode + + + + + Restart in safe mode + Restart in safe mode + + diff --git a/src/Gui/Language/FreeCAD_it.ts b/src/Gui/Language/FreeCAD_it.ts index 8ceabcf550c6..949cfad70501 100644 --- a/src/Gui/Language/FreeCAD_it.ts +++ b/src/Gui/Language/FreeCAD_it.ts @@ -91,17 +91,17 @@ Modifica - + Import Importa - + Delete Elimina - + Paste expressions Incolla espressioni @@ -131,7 +131,7 @@ Importa tutti i link - + Insert text document Inserimento documento di testo @@ -424,42 +424,42 @@ EditMode - + Default Predefinito - + The object will be edited using the mode defined internally to be the most appropriate for the object type L'oggetto verrà modificato usando la modalità definita internamente per essere il più appropriato per il tipo di oggetto - + Transform Trasforma - + The object will have its placement editable with the Std TransformManip command L'oggetto avrà il suo posizionamento modificabile con il comando Std TransformManip - + Cutting Taglio - + This edit mode is implemented as available but currently does not seem to be used by any object Questa modalità di modifica è disponibile, ma al momento non sembra essere utilizzata da nessun oggetto - + Color Colore - + The object will have the color of its individual faces editable with the Part FaceAppearances command L'oggetto avrà il colore delle singole facce modificabile con il comando Part FaceAppearances @@ -680,8 +680,8 @@ while doing a left or right click and move the mouse up or down - Word size - Dimensione parola + Architecture + Architecture @@ -706,52 +706,52 @@ while doing a left or right click and move the mouse up or down Gui::Dialog::AboutDialog - - + + Credits - Header for the Credits tab of the About screen Ringraziamenti - + + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + Header for bgbsww + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + + + FreeCAD would not be possible without the contributions of FreeCAD non sarebbe possibile senza i contributi di - + Individuals Header for the list of individual people in the Credits list. Utenti privati - + Organizations Header for the list of companies/organizations in the Credits list. Organizzazioni - - + + License Licenza - + Libraries Librerie - - This software uses open source components whose copyright and other proprietary rights belong to their respective owners: - Questo software utilizza componenti open source i cui copyright e altri diritti di proprietà appartengono ai rispettivi proprietari: - - - + Collection Collezione - + Privacy Policy Informativa sulla privacy @@ -1406,8 +1406,8 @@ con la stessa scorciatoia sono attivi contemporaneamente sarà usato il comando Gui::Dialog::DlgCustomToolBoxbarsImp - - + + Toolbox bars Barre degli strumenti @@ -1496,40 +1496,40 @@ con la stessa scorciatoia sono attivi contemporaneamente sarà usato il comando - + <Separator> <Separatore> - + %1 module not loaded %1 modulo non caricato - + New toolbar Nuova barra degli strumenti - - + + Toolbar name: Nome della barra degli strumenti: - - + + Duplicated name Nome duplicato - - + + The toolbar name '%1' is already used Il nome della barra degli strumenti '%1' è già usato - + Rename toolbar Rinomina la barra degli strumenti @@ -1743,72 +1743,72 @@ con la stessa scorciatoia sono attivi contemporaneamente sarà usato il comando Gui::Dialog::DlgMacroExecuteImp - + Macros Macro - + Read-only Sola lettura - + Macro file File macro - + Enter a file name, please: Inserisci un nome file: - - - + + + Existing file File esistente - + '%1'. This file already exists. '%1'. Il file esiste già. - + Cannot create file Impossibile creare il file - + Creation of file '%1' failed. Creazione del file '%1' fallita. - + Delete macro Cancella macro - + Do you really want to delete the macro '%1'? Vuoi veramente cancellare la macro '%1'? - + Do not show again Non mostrare più - + Guided Walkthrough Procedura guidata - + This will guide you in setting up this macro in a custom global toolbar. Instructions will be in red text inside the dialog. Note: your changes will be applied when you next switch workbenches @@ -1819,78 +1819,78 @@ Nota: le modifiche verranno applicate al successivo cambio di ambiente di lavoro - + Walkthrough, dialog 1 of 2 Procedura guidata, finestra di dialogo 1 di 2 - + Walkthrough instructions: Fill in missing fields (optional) then click Add, then Close Istruzioni della procedura guidata: riempire i campi mancanti (opzionale) quindi fare clic su Aggiungi, quindi chiudere - + Walkthrough, dialog 1 of 1 Procedura guidata, finestra di dialogo 1 di 1 - + Walkthrough, dialog 2 of 2 Procedura guidata, finestra di dialogo 2 di 2 - - Walkthrough instructions: Click right arrow button (->), then Close. - Istruzioni della procedura guidata: fare clic sulla freccia destra (->), quindi chiudere. + + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. - Walkthrough instructions: Click New, then right arrow (->) button, then Close. - Istruzioni della procedura guidata: fare clic sul pulsante Nuovo e quindi sulla freccia destra (->), quindi chiudere. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. - + Renaming Macro File Rinomina file Macro - - + + Enter new name: Inserire un nuovo nome: - - + + '%1' already exists. '%1' esiste già. - + Rename Failed Impossibile rinominare - + Failed to rename to '%1'. Perhaps a file permission error? Impossibile rinominare in '%1'. Forse un errore di autorizzazione del file? - + Duplicate Macro Duplica la macro - + Duplicate Failed Duplicazione fallita - + Failed to duplicate to '%1'. Perhaps a file permission error? Impossibile duplicare '%1'. @@ -5895,81 +5895,81 @@ Si desidera salvare le modifiche? Gui::GraphvizView - + Graphviz not found Graphviz non trovato - + Graphviz couldn't be found on your system. Graphviz non può essere trovato nel vostro sistema. - + Read more about it here. Per saperne di più leggere qui. - + Do you want to specify its installation path if it's already installed? Si desidera specificare il percorso di installazione se è già installato? - + Graphviz installation path Percorso di installazione di Graphviz - + Graphviz failed Graphviz ha fallito - + Graphviz failed to create an image file Graphviz non è riuscito a creare un file immagine - + PNG format Formato PNG - + Bitmap format Formato bitmap - + GIF format Formato GIF - + JPG format Formato JPG - + SVG format Formato SVG - - + + PDF format Formato PDF - - + + Graphviz format Formato Graphviz - - - + + + Export graph Esporta grafico @@ -6129,63 +6129,83 @@ Si desidera salvare le modifiche? Gui::MainWindow - - + + Dimension Dimensione - + Ready Pronto - + Close All Chiudi tutto - - - + + + Toggles this toolbar Nascondi questa barra degli strumenti - - - + + + Toggles this dockable window Nascondi questa finestra - + + Safe mode enabled + Safe mode enabled + + + + FreeCAD is now running in safe mode. + FreeCAD is now running in safe mode. + + + + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + + + WARNING: This is a development version. ATTENZIONE: Questa è una versione di sviluppo. - + Please do not use it in a production environment. Non utilizzare in un ambiente di produzione. - - + + Unsaved document Documento non salvato - + The exported object contains external link. Please save the documentat least once before exporting. L'oggetto esportato contiene un link esterno. Salvare il documento almeno una volta prima di esportarlo. - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Per collegare oggetti esterni, il documento deve essere salvato almeno una volta. Vuoi salvare il documento ora? + + + Safe Mode + Safe Mode + Gui::ManualAlignment @@ -6686,39 +6706,19 @@ Vuoi uscire senza salvare i tuoi dati? Open file %1 Apri file %1 - - - File not found - File non trovato - - - - The file '%1' cannot be opened. - Il file '%1' non può essere aperto. - Gui::RecentMacrosAction - + none nessuno - + Run macro %1 (Shift+click to edit) keyboard shortcut: %2 Esegue la macro %1 (Maiusc+clic per modificare) scorciatoia da tastiera: %2 - - - File not found - File non trovato - - - - The file '%1' cannot be opened. - Il file '%1' non può essere aperto. - Gui::RevitNavigationStyle @@ -6973,7 +6973,7 @@ Vuoi specificare un'altra cartella? Gui::TaskView::TaskDialog - + A dialog is already open in the task panel Nel pannello azioni c'è già una finestra di dialogo aperta @@ -7002,38 +7002,8 @@ Vuoi specificare un'altra cartella? Gui::TextDocumentEditorView - - Text updated - Testo aggiornato - - - - The text of the underlying object has changed. Discard changes and reload the text from the object? - Il testo dell'oggetto sottostante è stato modificato. Annullare le modifiche e ricaricare il testo dall'oggetto? - - - - Yes, reload. - Sì, ricarica. - - - - Unsaved document - Documento non salvato - - - - Do you want to save your changes before closing? - Salvare le modifiche prima di chiudere? - - - - If you don't save, your changes will be lost. - Se non vengono salvate, le modifiche andranno perse. - - - - + + Edit text Modifica testo @@ -7310,7 +7280,7 @@ Vuoi specificare un'altra cartella? Gui::TreeDockWidget - + Tree view Struttura @@ -7318,7 +7288,7 @@ Vuoi specificare un'altra cartella? Gui::TreePanel - + Search Trova @@ -7376,148 +7346,148 @@ Vuoi specificare un'altra cartella? Gruppo - + Labels & Attributes Etichette & Attributi - + Description Descrizione - + Internal name Nome interno - + Show items hidden in tree view Mostra gli elementi nascosti nella vista ad albero - + Show items that are marked as 'hidden' in the tree view Mostra gli elementi contrassegnati come 'nascosti' nella vista ad albero - + Toggle visibility in tree view Commuta la visibilità nella vista ad albero - + Toggles the visibility of selected items in the tree view Commuta la visibilità degli elementi selezionati nella vista ad albero - + Create group Crea gruppo - + Create a group Crea un gruppo - - + + Rename Rinomina - + Rename object Rinomina oggetto - + Finish editing Completa la modifica - + Finish editing object Completa la modifica dell'oggetto - + Add dependent objects to selection Aggiungi oggetti dipendenti alla selezione - + Adds all dependent objects to the selection Aggiunge tutti gli oggetti dipendenti alla selezione - + Close document Chiudi il documento - + Close the document Chiude il documento - + Reload document Ricarica il documento - + Reload a partially loaded document Ricarica un documento caricato parzialmente - + Skip recomputes Salta il ricalcolo - + Enable or disable recomputations of document Abilita o disabilita il ricalcolo del documento - + Allow partial recomputes Consenti i ricalcoli parziali - + Enable or disable recomputating editing object when 'skip recomputation' is enabled Abilita o disabilita il ricalcolo dell'oggetto in modifica quando 'salta il ricalcolo' è abilitato - + Mark to recompute Segna da ricalcolare - + Mark this object to be recomputed Contrassegna questo oggetto come oggetto da ricalcolare - + Recompute object Ricalcola l'oggetto - + Recompute the selected object Ricalcola l'oggetto selezionato - + (but must be executed) (ma deve essere eseguito) - + %1, Internal name: %2 %1, nome interno: %2 @@ -7729,47 +7699,47 @@ Vuoi specificare un'altra cartella? QDockWidget - + Tree view Struttura - + Tasks Azioni - + Property view Proprietà - + Selection view Selezione - + Task List Elenco Attività - + Model Modello - + DAG View Vista DAG - + Report view Report - + Python console Console Python @@ -7809,35 +7779,35 @@ Vuoi specificare un'altra cartella? Python - - - + + + Unknown filetype Tipo di file sconosciuto - - + + Cannot open unknown filetype: %1 Non è possibile aprire il tipo di file sconosciuto: %1 - + Export failed Esportazione fallita - + Cannot save to unknown filetype: %1 Non è possibile salvare il tipo di file sconosciuto: %1 - + Recomputation required Richiesto il ricalcolo - + Some document(s) require recomputation for migration purposes. It is highly recommended to perform a recomputation before any modification to avoid compatibility problems. Do you want to recompute now? @@ -7846,24 +7816,24 @@ Do you want to recompute now? Vuoi ricalcolare adesso? - + Recompute error Errore di ricalcolo - + Failed to recompute some document(s). Please check report view for more details. Impossibile recuperare alcuni documenti. Si prega di controllare la visualizzazione dei report per maggiori dettagli. - + Workbench failure Avaria ambiente - + %1 %1 @@ -7909,90 +7879,105 @@ Si prega di controllare la visualizzazione dei report per maggiori dettagli.Importa file - + Export file Esporta file - + Printing... Stampa... - + Exporting PDF... Esportazione PDF... - - + + Unsaved document Documento non salvato - + The exported object contains external link. Please save the documentat least once before exporting. L'oggetto esportato contiene un link esterno. Salvare il documento almeno una volta prima di esportarlo. - - + + Delete failed Eliminazione non riuscita - + Dependency error Errore di dipendenza - + Copy selected Copia la selezione - + Copy active document Copia il documento attivo - + Copy all documents Copia tutti i documenti - + Paste Incolla - + Expression error Errore di espressione - + Failed to parse some of the expressions. Please check the Report View for more details. Impossibile analizzare alcune delle espressioni. Si prega di controllare la Vista Report per maggiori dettagli. - + Failed to paste expressions Impossibile incollare le espressioni - + Cannot load workbench Impossibile caricare l'ambiente - + A general error occurred while loading the workbench Durante il caricamento dell'ambiente si è verificato un errore generico + + + Restart in safe mode + Restart in safe mode + + + + Are you sure you want to restart FreeCAD and enter safe mode? + Are you sure you want to restart FreeCAD and enter safe mode? + + + + Safe mode temporarily disables your configuration and addons. + Safe mode temporarily disables your configuration and addons. + @@ -8217,7 +8202,7 @@ Vuoi continuare? Troppe notifiche aperte non invasive. Le notifiche sono state omesse! - + Identical physical path detected. It may cause unwanted overwrite of existing document! @@ -8226,44 +8211,44 @@ Vuoi continuare? - + Are you sure you want to continue? Sei sicuro di voler continuare? - + Please check report view for more... Per favore controlla la visualizzazione dei report per saperne di più... - + Physical path: Percorso fisico: - - + + Document: Documento: - - + + Path: Percorso: - + Identical physical path Percorso fisico identico - + Could not save document Impossibile salvare il documento - + There was an issue trying to save the file. This may be because some of the parent folders do not exist, or you do not have sufficient permissions, or for other reasons. Error details: "%1" @@ -8276,102 +8261,102 @@ Would you like to save the file with a different name? Vuoi salvare il file con un nome diverso? - - - + + + Saving aborted Salvataggio annullato - + Save dependent files Salva i file dipendenti - + The file contains external dependencies. Do you want to save the dependent files, too? Il file contiene delle dipendenze esterne. Salvare anche i file dipendenti? - - + + Saving document failed Salvataggio del documento non riuscito - + Save document under new filename... Salva il documento con nome... - - + + Save %1 Document Salva il documento %1 - + Document Documento - - + + Failed to save document Impossibile salvare il documento - + Documents contains cyclic dependencies. Do you still want to save them? I documenti contengono delle dipendenze cicliche. Volete ancora salvarli? - + Save a copy of the document under new filename... Salvare una copia del documento con un nuovo nome di file... - + %1 document (*.FCStd) Documento %1 (*.FCStd) - + Document not closable Impossibile chiudere il documento - + The document is not closable for the moment. Impossibile chiudere il documento al momento. - + Document not saved Documento non salvato - + The document%1 could not be saved. Do you want to cancel closing it? Il documento %1 non può essere salvato. Vuoi annullare la chiusura? - + Undo Annulla - + Redo Ripristina - + There are grouped transactions in the following documents with other preceding transactions Nei seguenti documenti ci sono transazioni raggruppate con altre transazioni precedenti - + Choose 'Yes' to roll back all preceding transactions. Choose 'No' to roll back in the active document only. Choose 'Abort' to abort @@ -8465,7 +8450,7 @@ Scegli 'Annulla' per interrompere Impossibile trovare il file %1 nè in %2 nè in %3 - + Navigation styles Stile di navigazione @@ -8476,47 +8461,47 @@ Scegli 'Annulla' per interrompere Trasforma - + Do you want to close this dialog? Vuoi chiudere questa finestra di dialogo? - + Do you want to save your changes to document '%1' before closing? Si desidera salvare le modifiche apportate al documento '%1' prima di chiuderlo? - + Do you want to save your changes to document before closing? Salvare le modifiche apportate al documento prima di chiuderlo? - + If you don't save, your changes will be lost. Se non vengono salvate, le modifiche andranno perse. - + Apply answer to all Applica la risposta a tutti - + %1 Document(s) not saved %1 Documento(i) non salvato - + Some documents could not be saved. Do you want to cancel closing? Alcuni documenti non possono essere salvati. Vuoi annullare la chiusura? - + Delete macro Cancella macro - + Not allowed to delete system-wide macros Non è consentito eliminare le macro di sistema @@ -8612,10 +8597,10 @@ Scegli 'Annulla' per interrompere - - - - + + + + Invalid name Nome non valido @@ -8628,25 +8613,25 @@ e sottolineato e non deve iniziare con un numero. - + The property name is a reserved word. - The property name is a reserved word. + Il nome della proprietà è una parola riservata. - + The property '%1' already exists in '%2' La proprietà '%1' esiste già in '%2' - + Add property Aggiungi proprietà - + Failed to add property to '%1': %2 Impossibile aggiungere la proprietà a '%1': %2 @@ -8932,13 +8917,13 @@ la copia corrente andranno perse. Soppresso - + The property name must only contain alpha numericals, underscore, and must not start with a digit. Il nome della proprietà deve contenere solo caratteri alfanumerici, underscore, e non deve iniziare con una cifra. - + The group name must only contain alpha numericals, underscore, and must not start with a digit. Il nome del gruppo deve contenere solo caratteri alfanumerici, @@ -8985,13 +8970,13 @@ underscore, e non deve iniziare con un numero. StdCmdAbout - + &About %1 &Informazioni su %1 - - + + About %1 Informazioni su %1 @@ -8999,13 +8984,13 @@ underscore, e non deve iniziare con un numero. StdCmdAboutQt - + About &Qt Informazioni su &Qt - - + + About Qt Informazioni su Qt @@ -9041,13 +9026,13 @@ underscore, e non deve iniziare con un numero. StdCmdAlignment - + Alignment... Allineamento... - - + + Align the selected objects Allinea gli oggetti selezionati @@ -9111,13 +9096,13 @@ underscore, e non deve iniziare con un numero. StdCmdCommandLine - + Start command &line... Inizia &linea di comando... - - + + Opens the command line in the console Apre la linea di comando nella console @@ -9125,13 +9110,13 @@ underscore, e non deve iniziare con un numero. StdCmdCopy - + C&opy C&opia - - + + Copy operation Copia @@ -9139,13 +9124,13 @@ underscore, e non deve iniziare con un numero. StdCmdCut - + &Cut &Taglia - - + + Cut out Taglia @@ -9153,13 +9138,13 @@ underscore, e non deve iniziare con un numero. StdCmdDelete - + &Delete &Elimina - - + + Deletes the selected objects Elimina gli oggetti selezionati @@ -9181,13 +9166,13 @@ underscore, e non deve iniziare con un numero. StdCmdDependencyGraph - + Dependency graph... Grafico delle dipendenze... - - + + Show the dependency graph of the objects in the active document Visualizza il grafico delle dipendenze degli oggetti nel documento attivo @@ -9195,13 +9180,13 @@ underscore, e non deve iniziare con un numero. StdCmdDlgCustomize - + Cu&stomize... Per&sonalizza... - - + + Customize toolbars and command bars Personalizza le barre degli strumenti e di comando @@ -9261,13 +9246,13 @@ underscore, e non deve iniziare con un numero. StdCmdDlgParameter - + E&dit parameters ... Mo&difica parametri... - - + + Opens a Dialog to edit the parameters Apre una finestra di dialogo per modificare i parametri @@ -9275,13 +9260,13 @@ underscore, e non deve iniziare con un numero. StdCmdDlgPreferences - + &Preferences ... &Preferenze... - - + + Opens a Dialog to edit the preferences Apre una finestra per modificare le preferenze @@ -9317,13 +9302,13 @@ underscore, e non deve iniziare con un numero. StdCmdDuplicateSelection - + Duplicate selection Duplica la selezione - - + + Put duplicates of the selected objects to the active document Inserisce i duplicati degli oggetti selezionati nel documento attivo @@ -9331,17 +9316,17 @@ underscore, e non deve iniziare con un numero. StdCmdEdit - + Toggle &Edit mode Attiva/disattiva Modalità &modifica - + Toggles the selected object's edit mode Attiva/disattiva la modalità modifica per l'oggetto selezionato - + Activates or Deactivates the selected object's edit mode Attiva o disattiva la modalità di modifica dell'oggetto selezionato @@ -9360,12 +9345,12 @@ underscore, e non deve iniziare con un numero. Esporta un oggetto nel documento attivo - + No selection Nessuna selezione - + Select the objects to export before choosing Export. Selezionare gli oggetti da esportare prima di scegliere Esporta. @@ -9373,13 +9358,13 @@ underscore, e non deve iniziare con un numero. StdCmdExpression - + Expression actions Azioni espressione - - + + Actions that apply to expressions Azioni che si applicano alle espressioni @@ -9401,12 +9386,12 @@ underscore, e non deve iniziare con un numero. StdCmdFreeCADDonation - + Donate Dona - + Donate to FreeCAD development Dona per contribuire allo sviluppo di FreeCAD @@ -9414,17 +9399,17 @@ underscore, e non deve iniziare con un numero. StdCmdFreeCADFAQ - + FreeCAD FAQ FAQ FreeCAD - + Frequently Asked Questions on the FreeCAD website Domande frequenti sul sito FreeCAD - + Frequently Asked Questions Domande Frequenti @@ -9432,17 +9417,17 @@ underscore, e non deve iniziare con un numero. StdCmdFreeCADForum - + FreeCAD Forum Forum FreeCAD - + The FreeCAD forum, where you can find help from other users Il forum FreeCAD, dove si può ricevere aiuto da altri utenti - + The FreeCAD Forum Il Forum FreeCAD @@ -9450,17 +9435,17 @@ underscore, e non deve iniziare con un numero. StdCmdFreeCADPowerUserHub - + Python scripting documentation Documentazione di scripting Python - + Python scripting documentation on the FreeCAD website La documentazione di scripting Python sul sito FreeCAD - + PowerUsers documentation Documentazione per PowerUsers @@ -9468,13 +9453,13 @@ underscore, e non deve iniziare con un numero. StdCmdFreeCADUserHub - - + + Users documentation Documentazione utenti - + Documentation for users on the FreeCAD website La documentazione per gli utenti sul sito FreeCAD @@ -9482,13 +9467,13 @@ underscore, e non deve iniziare con un numero. StdCmdFreeCADWebsite - - + + FreeCAD Website Sito FreeCAD - + The FreeCAD website Il sito FreeCAD @@ -9803,25 +9788,25 @@ underscore, e non deve iniziare con un numero. StdCmdMergeProjects - + Merge document... Unisci documento... - - - - + + + + Merge document Unisci documento - + %1 document (*.FCStd) Documento %1 (*.FCStd) - + Cannot merge document with itself. Impossibile unire il documento con se stesso. @@ -9829,18 +9814,18 @@ underscore, e non deve iniziare con un numero. StdCmdNew - + &New &Nuovo - - + + Create a new empty document Crea un documento vuoto - + Unnamed Senza nome @@ -9849,13 +9834,13 @@ underscore, e non deve iniziare con un numero. StdCmdOnlineHelp - - + + Help Aiuto - + Show help to the application Mostra l'aiuto dell'applicazione @@ -9863,13 +9848,13 @@ underscore, e non deve iniziare con un numero. StdCmdOnlineHelpWebsite - - + + Help Website Sito d'Aiuto - + The website where the help is maintained Il sito web in cui viene mantenuto l'aiuto @@ -9924,13 +9909,13 @@ underscore, e non deve iniziare con un numero. StdCmdPaste - + &Paste &Incolla - - + + Paste operation Incolla @@ -9938,13 +9923,13 @@ underscore, e non deve iniziare con un numero. StdCmdPlacement - + Placement... Posizionamento... - - + + Place the selected objects Posiziona gli oggetti selezionati @@ -9952,13 +9937,13 @@ underscore, e non deve iniziare con un numero. StdCmdPrint - + &Print... &Stampa... - - + + Print the document Stampa il documento @@ -9966,13 +9951,13 @@ underscore, e non deve iniziare con un numero. StdCmdPrintPdf - + &Export PDF... &Esporta PDF... - - + + Export the document as PDF Esporta il documento come PDF @@ -9980,17 +9965,17 @@ underscore, e non deve iniziare con un numero. StdCmdPrintPreview - + &Print preview... Anteprima &di stampa... - + Print the document Stampa il documento - + Print preview Anteprima di stampa @@ -9998,13 +9983,13 @@ underscore, e non deve iniziare con un numero. StdCmdPythonWebsite - - + + Python Website Sito Python - + The official Python website Il sito ufficiale Python @@ -10012,13 +9997,13 @@ underscore, e non deve iniziare con un numero. StdCmdQuit - + E&xit E&sci - - + + Quits the application Esce dall'applicazione @@ -10040,13 +10025,13 @@ underscore, e non deve iniziare con un numero. StdCmdRecentFiles - + Open Recent Apri Recenti - - + + Recent file list Lista dei file recenti @@ -10054,13 +10039,13 @@ underscore, e non deve iniziare con un numero. StdCmdRecentMacros - + Recent macros Macro recenti - - + + Recent macro list Elenco delle macro recenti @@ -10068,13 +10053,13 @@ underscore, e non deve iniziare con un numero. StdCmdRedo - + &Redo &Ripristina - - + + Redoes a previously undone action Ripete un'operazione precedentemente annullata @@ -10082,13 +10067,13 @@ underscore, e non deve iniziare con un numero. StdCmdRefresh - + &Refresh &Aggiorna - - + + Recomputes the current active document Ricalcola il documento attivo @@ -10096,13 +10081,13 @@ underscore, e non deve iniziare con un numero. StdCmdReportBug - + Report a bug Segnala un bug - - + + Report a bug or suggest a feature Segnala un bug o suggerisci una funzionalità @@ -10110,13 +10095,13 @@ underscore, e non deve iniziare con un numero. StdCmdRevert - + Revert Ripristina - - + + Reverts to the saved version of this file Viene ripristinata la versione salvata di questo file @@ -10124,13 +10109,13 @@ underscore, e non deve iniziare con un numero. StdCmdSave - + &Save &Salva - - + + Save the active document Salva il documento attivo @@ -10138,13 +10123,13 @@ underscore, e non deve iniziare con un numero. StdCmdSaveAll - + Save All Salva tutto - - + + Save all opened document Salva tutti i documenti aperti @@ -10152,13 +10137,13 @@ underscore, e non deve iniziare con un numero. StdCmdSaveAs - + Save &As... S&alva con nome... - - + + Save the active document under a new file name Salva il documento attivo in un nuovo file @@ -10166,13 +10151,13 @@ underscore, e non deve iniziare con un numero. StdCmdSaveCopy - + Save a &Copy... Salva una &copia... - - + + Save a copy of the active document under a new file name Salva una copia del documento attivo con un nuovo nome di file @@ -10208,13 +10193,13 @@ underscore, e non deve iniziare con un numero. StdCmdSelectAll - + Select &All Seleziona &tutto - - + + Select all Seleziona tutto @@ -10292,13 +10277,13 @@ underscore, e non deve iniziare con un numero. StdCmdTextDocument - + Add text document Aggiungi un documento testo - - + + Add text document to active document Aggiunge un documento di testo al documento attivo @@ -10432,13 +10417,13 @@ underscore, e non deve iniziare con un numero. StdCmdTransform - + Transform... Trasforma... - - + + Transform the geometry of selected objects Trasforma la geometria degli oggetti selezionati @@ -10446,13 +10431,13 @@ underscore, e non deve iniziare con un numero. StdCmdTransformManip - + Transform Trasforma - - + + Transform the selected object in the 3d view Trasforma l'oggetto selezionato nella vista 3D @@ -10516,13 +10501,13 @@ underscore, e non deve iniziare con un numero. StdCmdUndo - + &Undo &Annulla - - + + Undo exactly one action Annulla l'ultima azione eseguita @@ -10530,13 +10515,13 @@ underscore, e non deve iniziare con un numero. StdCmdUserEditMode - + Edit mode Impostazione Modalità modifica - - + + Defines behavior when editing an object from tree Definisce il comportamento quando si modifica un oggetto dall'albero @@ -10936,13 +10921,13 @@ underscore, e non deve iniziare con un numero. StdCmdWhatsThis - + &What's This? &Cos'è questo? - - + + What's This Cos'è questo @@ -10978,13 +10963,13 @@ underscore, e non deve iniziare con un numero. StdCmdWorkbench - + Workbench Ambiente - - + + Switch between workbenches Passa da un ambiente all'altro @@ -11308,7 +11293,7 @@ underscore, e non deve iniziare con un numero. Std_Delete - + The following referencing objects might break. Are you sure you want to continue? @@ -11319,7 +11304,7 @@ Sicuro di voler continuare? - + Object dependencies Dipendenze dell'oggetto @@ -11327,7 +11312,7 @@ Sicuro di voler continuare? Std_DependencyGraph - + Dependency graph Grafico delle dipendenze @@ -11408,12 +11393,12 @@ Sicuro di voler continuare? Std_DuplicateSelection - + Object dependencies Dipendenze dell'oggetto - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Per collegare oggetti esterni, il documento deve essere salvato almeno una volta. @@ -11431,7 +11416,7 @@ Vuoi salvare il documento ora? Std_Refresh - + The document contains dependency cycles. Please check the Report View for more details. @@ -11445,17 +11430,17 @@ Si desidera ancora procedere? Std_Revert - + Revert document Ripristino del documento - + This will discard all the changes since last file save. Questo elimina tutte le modifiche fatte dopo l'ultimo salvataggio del file. - + Do you want to continue? Si desidera continuare? @@ -11629,12 +11614,12 @@ Si desidera ancora procedere? Gui::MDIView - + Export PDF Esporta in formato PDF - + PDF file File PDF @@ -12328,82 +12313,82 @@ Attualmente, il tuo sistema ha i seguenti ambienti di lavoro:</p></body Anteprima: - + Text Testo - + Bookmark Segnalibro - + Breakpoint Interruzione - + Keyword Parola chiave - + Comment Commento - + Block comment Blocco di commento - + Number Numero - + String Stringa - + Character Carattere - + Class name Nome della classe - + Define name Nome definito - + Operator Operatore - + Python output Output Python - + Python error Errore Python - + Current line highlight Evidenziare la linea corrente - + Items Elementi @@ -12914,13 +12899,13 @@ dalla console di Python al pannello vista Report StdCmdExportDependencyGraph - + Export dependency graph... Esporta grafico dipendenze... - - + + Export the dependency graph to a file Esporta il grafico delle dipendenze in un file @@ -12961,12 +12946,12 @@ dalla console di Python al pannello vista Report Push In - Push In + Avvicina Pull Out - Pull Out + Allontana @@ -13358,13 +13343,13 @@ the region are non-opaque. StdCmdProjectInfo - + Document i&nformation... i&nformazioni documento... - - + + Show details of the currently active document Mostra i dettagli del documento attualmente attivo @@ -13372,13 +13357,13 @@ the region are non-opaque. StdCmdProjectUtil - + Document utility... Utilità documento... - - + + Utility to extract or create document files Utilità per estrarre o creare file di documento @@ -13400,12 +13385,12 @@ the region are non-opaque. StdCmdProperties - + Properties Proprietà - + Show the property view, which displays the properties of the selected object. Mostra la vista proprietà, che visualizza le proprietà dell'oggetto selezionato. @@ -13456,13 +13441,13 @@ the region are non-opaque. StdCmdReloadStyleSheet - + &Reload stylesheet &Ricarica il foglio di stile - - + + Reloads the current stylesheet Ricarica il foglio di stile corrente @@ -13739,15 +13724,38 @@ the region are non-opaque. StdCmdUnitsCalculator - + &Units converter... Convertitore &Unità... - - + + Start the units converter Avvia il convertitore di unità + + Gui::ModuleIO + + + File not found + File non trovato + + + + The file '%1' cannot be opened. + Il file '%1' non può essere aperto. + + + + StdCmdRestartInSafeMode + + + + + Restart in safe mode + Restart in safe mode + + diff --git a/src/Gui/Language/FreeCAD_ja.ts b/src/Gui/Language/FreeCAD_ja.ts index d0b110305d49..bcaf713bf83d 100644 --- a/src/Gui/Language/FreeCAD_ja.ts +++ b/src/Gui/Language/FreeCAD_ja.ts @@ -91,17 +91,17 @@ 編集 - + Import インポート - + Delete 削除 - + Paste expressions 式を貼り付け @@ -131,7 +131,7 @@ 全てのリンクをインポート - + Insert text document テキストドキュメントを挿入 @@ -424,42 +424,42 @@ EditMode - + Default デフォルト - + The object will be edited using the mode defined internally to be the most appropriate for the object type オブジェクトは、オブジェクト型に最も適した、内部的に定義されたモードを使用して編集されます。 - + Transform 変換 - + The object will have its placement editable with the Std TransformManip command オブジェクトの配置は Std TransformManip コマンドで編集可能です。 - + Cutting 切断 - + This edit mode is implemented as available but currently does not seem to be used by any object この編集モードは利用可能な状態で実装されていますが、現在はどのオブジェクトでも使用されていないようです。 - + Color - + The object will have the color of its individual faces editable with the Part FaceAppearances command オブジェクトはそれぞれの面の色を持ち、Part FaceAppearances コマンドで編集可能です。 @@ -680,8 +680,8 @@ while doing a left or right click and move the mouse up or down - Word size - システムの種類 + Architecture + Architecture @@ -706,52 +706,52 @@ while doing a left or right click and move the mouse up or down Gui::Dialog::AboutDialog - - + + Credits - Header for the Credits tab of the About screen 謝辞 - + + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + Header for bgbsww + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + + + FreeCAD would not be possible without the contributions of 下記の方々のご貢献がなければ、FreeCADは存在しなかったでしょう。 - + Individuals Header for the list of individual people in the Credits list. 個人 - + Organizations Header for the list of companies/organizations in the Credits list. 団体 - - + + License ライセンス - + Libraries ライブラリ - - This software uses open source components whose copyright and other proprietary rights belong to their respective owners: - このソフトウェアは、著作権およびその他の所有権がそれぞれの所有者に帰属するオープンソースのコンポーネントを使用しています。 - - - + Collection コレクション - + Privacy Policy プライバシーポリシー @@ -1407,8 +1407,8 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgCustomToolBoxbarsImp - - + + Toolbox bars ツールボックスバー @@ -1497,40 +1497,40 @@ same time. The one with the highest priority will be triggered. - + <Separator> <Separator> - + %1 module not loaded %1 モジュールが読み込まれていません - + New toolbar 新しいツールバー - - + + Toolbar name: ツールバー名: - - + + Duplicated name 重複名 - - + + The toolbar name '%1' is already used ツールバーの名前'%1'は既に使われています。 - + Rename toolbar ツールバーの名前を変更 @@ -1744,71 +1744,71 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgMacroExecuteImp - + Macros マクロ - + Read-only 読み取り専用 - + Macro file マクロファイル - + Enter a file name, please: ファイル名を入力してください: - - - + + + Existing file 既存ファイル - + '%1'. This file already exists. '%1'.このファイルは既に存在します。 - + Cannot create file ファイルを作成できません。 - + Creation of file '%1' failed. ファイル '%1' の作成に失敗しました。 - + Delete macro マクロの削除 - + Do you really want to delete the macro '%1'? マクロ '%1' を削除しますか? - + Do not show again 今後表示しない - + Guided Walkthrough ガイド・ウォークスルー - + This will guide you in setting up this macro in a custom global toolbar. Instructions will be in red text inside the dialog. Note: your changes will be applied when you next switch workbenches @@ -1819,76 +1819,76 @@ Note: your changes will be applied when you next switch workbenches - + Walkthrough, dialog 1 of 2 ウォークスルー・ダイアログ1/2 - + Walkthrough instructions: Fill in missing fields (optional) then click Add, then Close ウォークスルーの手順: 不足しているフィールドを入力(省略可能)して、追加をクリックし、閉じます。 - + Walkthrough, dialog 1 of 1 ウォークスルー・ダイアログ1/1 - + Walkthrough, dialog 2 of 2 ウォークスルー・ダイアログ2/2 - - Walkthrough instructions: Click right arrow button (->), then Close. - ウォークスルーの手順: 右矢印ボタン(→)をクリックし、閉じます。 + + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. - Walkthrough instructions: Click New, then right arrow (->) button, then Close. - ウォークスルーの手順: 新規をクリックし、さらに右矢印ボタン(→)をクリックし、閉じます。 + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. - + Renaming Macro File マクロファイルの名前を変更 - - + + Enter new name: 新しい名前を入力: - - + + '%1' already exists. '%1' は既に存在します - + Rename Failed 名前の変更に失敗 - + Failed to rename to '%1'. Perhaps a file permission error? 名前を '%1' に変更できませんでした。ファイルのアクセス許可でのエラーの可能性があります。 - + Duplicate Macro マクロの複製 - + Duplicate Failed 複製に失敗しました - + Failed to duplicate to '%1'. Perhaps a file permission error? '%1' を複製に失敗しました。 @@ -5869,81 +5869,81 @@ Do you want to save your changes? Gui::GraphvizView - + Graphviz not found Graphviz が見つかりません - + Graphviz couldn't be found on your system. Graphviz がシステム上に見つかりませんでした。 - + Read more about it here. 詳細についてはこちら。 - + Do you want to specify its installation path if it's already installed? すでにインストールされている場合、そのインストールパスを指定しますか? - + Graphviz installation path Graphvizのインストール パス - + Graphviz failed Graphvizに失敗しました - + Graphviz failed to create an image file Graphvizはイメージファイルを作成できませんでした - + PNG format PNG形式 - + Bitmap format ビットマップ形式 - + GIF format GIF形式 - + JPG format JPG形式 - + SVG format SVG形式 - - + + PDF format PDF形式 - - + + Graphviz format Graphviz形式 - - - + + + Export graph グラフをエクスポート @@ -6103,63 +6103,83 @@ Do you want to save your changes? Gui::MainWindow - - + + Dimension 寸法 - + Ready 準備完了 - + Close All すべて閉じる - - - + + + Toggles this toolbar このツールバーを切り替えます - - - + + + Toggles this dockable window このドッキング可能なウィンドウを切り替える - + + Safe mode enabled + Safe mode enabled + + + + FreeCAD is now running in safe mode. + FreeCAD is now running in safe mode. + + + + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + + + WARNING: This is a development version. 警告: これは開発版です。 - + Please do not use it in a production environment. 本番環境では使用しないでください。 - - + + Unsaved document 未保存のドキュメント - + The exported object contains external link. Please save the documentat least once before exporting. エクスポートされたオブジェクトには外部リンクがふくまれています。エクスポートの前に少なくとも一度ドキュメントを保存してください。 - + To link to external objects, the document must be saved at least once. Do you want to save the document now? 外部オブジェクトにリンクするにはドキュメントを保存する必要があります。 ドキュメントを保存しますか? + + + Safe Mode + Safe Mode + Gui::ManualAlignment @@ -6657,39 +6677,19 @@ Do you want to exit without saving your data? Open file %1 %1 ファイルを開く - - - File not found - ファイルが見つかりませんでした - - - - The file '%1' cannot be opened. - ファイル '%1' を開くことができませんでした。 - Gui::RecentMacrosAction - + none なし - + Run macro %1 (Shift+click to edit) keyboard shortcut: %2 マクロ実行 %1 (Shift + クリックで編集) キーボードショートカット: %2 - - - File not found - ファイルが見つかりませんでした - - - - The file '%1' cannot be opened. - ファイル '%1' を開くことができませんでした。 - Gui::RevitNavigationStyle @@ -6944,7 +6944,7 @@ Do you want to specify another directory? Gui::TaskView::TaskDialog - + A dialog is already open in the task panel タスクパネルで既にダイアログが開かれています @@ -6973,38 +6973,8 @@ Do you want to specify another directory? Gui::TextDocumentEditorView - - Text updated - テキストの更新 - - - - The text of the underlying object has changed. Discard changes and reload the text from the object? - オブジェクト内のテキストが変更されています。変更を破棄してオブジェクトからテキストを再読み込みしますか? - - - - Yes, reload. - はい、再読み込みします。 - - - - Unsaved document - 未保存のドキュメント - - - - Do you want to save your changes before closing? - 終了する前に変更を保存しますか? - - - - If you don't save, your changes will be lost. - 保存しない場合、変更内容は失われます。 - - - - + + Edit text テキストを編集 @@ -7281,7 +7251,7 @@ Do you want to specify another directory? Gui::TreeDockWidget - + Tree view ツリービュー @@ -7289,7 +7259,7 @@ Do you want to specify another directory? Gui::TreePanel - + Search 検索  @@ -7347,148 +7317,148 @@ Do you want to specify another directory? グループ - + Labels & Attributes ラベルと属性 - + Description 説明 - + Internal name 内部名 - + Show items hidden in tree view ツリービューの非表示アイテムを表示 - + Show items that are marked as 'hidden' in the tree view ツリービューで「非表示」としてマークされているアイテムを表示 - + Toggle visibility in tree view ツリー ビューでの表示を切り替え - + Toggles the visibility of selected items in the tree view ツリー ビューで選択したアイテムの表示を切り替えます。 - + Create group グループの作成 - + Create a group グループを作成します。 - - + + Rename 名前の変更 - + Rename object オブジェクトの名前を変更します。 - + Finish editing 編集を終了 - + Finish editing object オブジェクトの編集を終了します。 - + Add dependent objects to selection 依存オブジェクトを追加選択 - + Adds all dependent objects to the selection すべての依存オブジェクトを追加選択 - + Close document ドキュメントを閉じる - + Close the document ドキュメントを閉じる - + Reload document ドキュメントを再読み込み - + Reload a partially loaded document 特定の読み込み済みドキュメントを再読み込み - + Skip recomputes 再計算をスキップ - + Enable or disable recomputations of document ドキュメントの再計算の有効、無効を切り替え - + Allow partial recomputes 部分的な再計算を許可 - + Enable or disable recomputating editing object when 'skip recomputation' is enabled 「再計算のスキップ」が有効な場合の編集オブジェクト再計算の有効、無効を切り替え - + Mark to recompute 再計算用にマーク - + Mark this object to be recomputed このオブジェクトを再計算のためにマーク - + Recompute object オブジェクトを再計算 - + Recompute the selected object 選択したオブジェクトを再計算する - + (but must be executed) (実行する必要があります) - + %1, Internal name: %2 %1、内部名: %2 @@ -7700,47 +7670,47 @@ Do you want to specify another directory? QDockWidget - + Tree view ツリービュー - + Tasks タスク - + Property view プロパティビュー - + Selection view 選択ビュー - + Task List タスクリスト - + Model モデル - + DAG View DAGビュー - + Report view レポートビュー - + Python console Pythonコンソール @@ -7780,35 +7750,35 @@ Do you want to specify another directory? Python - - - + + + Unknown filetype 不明なファイル形式 - - + + Cannot open unknown filetype: %1 %1:不明なファイルタイプを開くことができません。 - + Export failed エクスポート失敗 - + Cannot save to unknown filetype: %1 不明なファイル形式に保存できません: %1 - + Recomputation required 再計算が必要です - + Some document(s) require recomputation for migration purposes. It is highly recommended to perform a recomputation before any modification to avoid compatibility problems. Do you want to recompute now? @@ -7817,24 +7787,24 @@ Do you want to recompute now? 今すぐ再計算しますか? - + Recompute error 再計算エラー - + Failed to recompute some document(s). Please check report view for more details. ドキュメントの再計算に失敗しました。 詳細についてはレポートビューを確認してください。 - + Workbench failure ワークベンチのエラー - + %1 %1 @@ -7880,90 +7850,105 @@ Please check report view for more details. ファイルをインポート - + Export file ファイルのエクスポート - + Printing... 印刷... - + Exporting PDF... PDF ファイルをエクスポートしています - - + + Unsaved document 未保存のドキュメント - + The exported object contains external link. Please save the documentat least once before exporting. エクスポートされたオブジェクトには外部リンクがふくまれています。エクスポートの前に少なくとも一度ドキュメントを保存してください。 - - + + Delete failed 削除に失敗しました - + Dependency error 依存関係エラー - + Copy selected 選択内容のコピー - + Copy active document アクティブなドキュメントをコピー - + Copy all documents 全てのドキュメントをコピー - + Paste 貼り付け - + Expression error 式にエラーがあります - + Failed to parse some of the expressions. Please check the Report View for more details. 幾つか式の構文解析に失敗しました。 詳細に就いては、レポートビューを確認してください。 - + Failed to paste expressions 式の貼り付けに失敗しました - + Cannot load workbench ワークベンチを読み込めません - + A general error occurred while loading the workbench ワークベンチを読み込み中に一般的なエラーが発生しました + + + Restart in safe mode + Restart in safe mode + + + + Are you sure you want to restart FreeCAD and enter safe mode? + Are you sure you want to restart FreeCAD and enter safe mode? + + + + Safe mode temporarily disables your configuration and addons. + Safe mode temporarily disables your configuration and addons. + @@ -8188,7 +8173,7 @@ Do you want to continue? 非割り込み通知が大量にあります。通知は省略されています! - + Identical physical path detected. It may cause unwanted overwrite of existing document! @@ -8197,44 +8182,44 @@ Do you want to continue? - + Are you sure you want to continue? 実行しますか? - + Please check report view for more... 詳細はレポートビューを確認してください... - + Physical path: 物理パス: - - + + Document: ドキュメント: - - + + Path: パス: - + Identical physical path 同一の物理パス - + Could not save document ドキュメントを保存できませんでした - + There was an issue trying to save the file. This may be because some of the parent folders do not exist, or you do not have sufficient permissions, or for other reasons. Error details: "%1" @@ -8247,102 +8232,102 @@ Would you like to save the file with a different name? 別のファイルとして保存しますか? - - - + + + Saving aborted 保存は中断されました - + Save dependent files 依存ファイルを保存 - + The file contains external dependencies. Do you want to save the dependent files, too? このファイルには外部依存関係が含まれています。依存ファイルも保存しますか? - - + + Saving document failed ドキュメントを保存できませんでした - + Save document under new filename... ドキュメントに新しいファイル名を付けて保存 - - + + Save %1 Document %1 のドキュメントを保存します。 - + Document ドキュメント - - + + Failed to save document ドキュメントの保存に失敗 - + Documents contains cyclic dependencies. Do you still want to save them? ドキュメントに循環依存関係が含まれています。保存しますか? - + Save a copy of the document under new filename... 新しいファイル名でドキュメントのコピーを保存... - + %1 document (*.FCStd) %1 のドキュメント (*.FCStd) - + Document not closable 閉じられないドキュメント - + The document is not closable for the moment. 今閉じることができないドキュメント - + Document not saved ドキュメントが保存されていません - + The document%1 could not be saved. Do you want to cancel closing it? ドキュメント%1 を保存できませんでした。閉じることをキャンセルしますか? - + Undo 元に戻す - + Redo やり直す - + There are grouped transactions in the following documents with other preceding transactions 以下のドキュメントには先行する他のトランザクションとグループ化されたトランザクショが含まれています。 - + Choose 'Yes' to roll back all preceding transactions. Choose 'No' to roll back in the active document only. Choose 'Abort' to abort @@ -8436,7 +8421,7 @@ Choose 'Abort' to abort %2 にも %3 にもファイル %1 が見つかりません。 - + Navigation styles ナビゲーションスタイル @@ -8447,47 +8432,47 @@ Choose 'Abort' to abort 変換 - + Do you want to close this dialog? このダイアログを閉じますか? - + Do you want to save your changes to document '%1' before closing? 終了する前にドキュメント '%1' に変更を保存しますか? - + Do you want to save your changes to document before closing? 終了する前にドキュメントに変更を保存しますか? - + If you don't save, your changes will be lost. 保存しない場合、変更内容は失われます。 - + Apply answer to all すべてに適用 - + %1 Document(s) not saved %1 ドキュメントは保存されていません - + Some documents could not be saved. Do you want to cancel closing? 一部のドキュメントを保存できませんでした。閉じることをキャンセルしますか? - + Delete macro マクロの削除 - + Not allowed to delete system-wide macros システム全体のマクロを削除することはできません @@ -8583,10 +8568,10 @@ Choose 'Abort' to abort - - - - + + + + Invalid name 無効な名前 @@ -8598,25 +8583,25 @@ underscore, and must not start with a digit. - + The property name is a reserved word. - The property name is a reserved word. + プロパティ名は予約語です。 - + The property '%1' already exists in '%2' プロパティ '%1' は、 '%2' において既に存在します - + Add property プロパティの追加 - + Failed to add property to '%1': %2 '%1' へプロパティの追加に失敗しました: %2 @@ -8707,7 +8692,7 @@ the current copy will be lost. Change whether show each link array element as individual objects - それぞれのリンク配列複写要素を個別のオブジェクトとして表示するかどうかを変更します。 + それぞれのリンク整列要素を個別のオブジェクトとして表示するかどうかを変更します。 @@ -8898,13 +8883,13 @@ the current copy will be lost. 一時停止中 - + The property name must only contain alpha numericals, underscore, and must not start with a digit. プロパティ名には半角英数字、アンダースコアのみ使用でき、また数字から始めることはできません。 - + The group name must only contain alpha numericals, underscore, and must not start with a digit. グループ名には半角英数字、アンダースコアのみ使用でき、また数字から始めることはできません。 @@ -8950,13 +8935,13 @@ underscore, and must not start with a digit. StdCmdAbout - + &About %1 %1について(&A) - - + + About %1 %1 について @@ -8964,13 +8949,13 @@ underscore, and must not start with a digit. StdCmdAboutQt - + About &Qt Qtについて(&Q) - - + + About Qt Qtについて @@ -9006,13 +8991,13 @@ underscore, and must not start with a digit. StdCmdAlignment - + Alignment... 整列… - - + + Align the selected objects 選択されたオブジェクトを整列 @@ -9076,13 +9061,13 @@ underscore, and must not start with a digit. StdCmdCommandLine - + Start command &line... コマンドラインを開始...(&L) - - + + Opens the command line in the console コンソールでコマンドラインを開きます @@ -9090,13 +9075,13 @@ underscore, and must not start with a digit. StdCmdCopy - + C&opy コピー(&O) - - + + Copy operation コピー操作 @@ -9104,13 +9089,13 @@ underscore, and must not start with a digit. StdCmdCut - + &Cut 切り取り(&C) - - + + Cut out 切り取り @@ -9118,13 +9103,13 @@ underscore, and must not start with a digit. StdCmdDelete - + &Delete 削除(&D) - - + + Deletes the selected objects 選択したオブジェクトを削除 @@ -9146,13 +9131,13 @@ underscore, and must not start with a digit. StdCmdDependencyGraph - + Dependency graph... 依存関係グラフ... - - + + Show the dependency graph of the objects in the active document アクティブドキュメント内のオブジェクトの依存関係グラフを表示する @@ -9160,13 +9145,13 @@ underscore, and must not start with a digit. StdCmdDlgCustomize - + Cu&stomize... - カスタマイズ(&S) + カスタマイズ(&S)... - - + + Customize toolbars and command bars ツールバーとコマンドバーのカスタマイズ @@ -9226,13 +9211,13 @@ underscore, and must not start with a digit. StdCmdDlgParameter - + E&dit parameters ... パラメーターを変更(&D)... - - + + Opens a Dialog to edit the parameters パラメーターを編集するためのダイアログを開きます @@ -9240,13 +9225,13 @@ underscore, and must not start with a digit. StdCmdDlgPreferences - + &Preferences ... 設定(&P)... - - + + Opens a Dialog to edit the preferences 設定を編集するためのダイアログを開きます @@ -9282,13 +9267,13 @@ underscore, and must not start with a digit. StdCmdDuplicateSelection - + Duplicate selection 選択範囲を複製する - - + + Put duplicates of the selected objects to the active document 選択されたオブジェクトの複製をアクティブなドキュメントに挿入 @@ -9296,17 +9281,17 @@ underscore, and must not start with a digit. StdCmdEdit - + Toggle &Edit mode 編集モードの切り替え(&E) - + Toggles the selected object's edit mode 選択したオブジェクトの編集モードを切り替える - + Activates or Deactivates the selected object's edit mode 選択したオブジェクトの編集モードをアクティブ化・非アクティブ化 @@ -9325,12 +9310,12 @@ underscore, and must not start with a digit. アクティブなドキュメント内のオブジェクトをエクスポートする - + No selection 選択されていません - + Select the objects to export before choosing Export. エクスポートを選択する前にエクスポートするオブジェクトを選択してください。 @@ -9338,13 +9323,13 @@ underscore, and must not start with a digit. StdCmdExpression - + Expression actions 式アクション - - + + Actions that apply to expressions 式に適用するアクション @@ -9366,12 +9351,12 @@ underscore, and must not start with a digit. StdCmdFreeCADDonation - + Donate 寄付する - + Donate to FreeCAD development FreeCAD の開発に寄付する @@ -9379,17 +9364,17 @@ underscore, and must not start with a digit. StdCmdFreeCADFAQ - + FreeCAD FAQ FreeCAD FAQ - + Frequently Asked Questions on the FreeCAD website FreeCAD ウェブサイトによく寄せらている質問 - + Frequently Asked Questions よくある質問 @@ -9397,17 +9382,17 @@ underscore, and must not start with a digit. StdCmdFreeCADForum - + FreeCAD Forum FreeCAD フォーラム - + The FreeCAD forum, where you can find help from other users FreeCAD フォーラムでは、他のユーザーからのヘルプを見つけることができます。 - + The FreeCAD Forum FreeCAD フォーラム @@ -9415,17 +9400,17 @@ underscore, and must not start with a digit. StdCmdFreeCADPowerUserHub - + Python scripting documentation Pythonスクリプトドキュメント - + Python scripting documentation on the FreeCAD website FreeCADウェブサイト上のPythonスクリプトドキュメント - + PowerUsers documentation パワーユーザ ドキュメント @@ -9433,13 +9418,13 @@ underscore, and must not start with a digit. StdCmdFreeCADUserHub - - + + Users documentation ユーザー ドキュメント - + Documentation for users on the FreeCAD website FreeCAD ウェブサイト上のユーザー マニュアル @@ -9447,13 +9432,13 @@ underscore, and must not start with a digit. StdCmdFreeCADWebsite - - + + FreeCAD Website FreeCAD ウェブサイト - + The FreeCAD website FreeCAD ウェブサイト @@ -9768,25 +9753,25 @@ underscore, and must not start with a digit. StdCmdMergeProjects - + Merge document... ドキュメントの統合... - - - - + + + + Merge document ドキュメントの統合 - + %1 document (*.FCStd) %1 のドキュメント (*.FCStd) - + Cannot merge document with itself. ドキュメントを自身に統合することはできません。 @@ -9794,18 +9779,18 @@ underscore, and must not start with a digit. StdCmdNew - + &New 新規(&N) - - + + Create a new empty document 新しい空のドキュメントを作成 - + Unnamed Unnamed @@ -9814,13 +9799,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelp - - + + Help ヘルプ - + Show help to the application アプリケーションにヘルプを表示する @@ -9828,13 +9813,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelpWebsite - - + + Help Website サイトのヘルプ - + The website where the help is maintained ヘルプが維持されているウェブサイト @@ -9889,13 +9874,13 @@ underscore, and must not start with a digit. StdCmdPaste - + &Paste &貼り付け - - + + Paste operation 貼り付け操作 @@ -9903,13 +9888,13 @@ underscore, and must not start with a digit. StdCmdPlacement - + Placement... 配置... - - + + Place the selected objects 選択したオブジェクトを配置 @@ -9917,13 +9902,13 @@ underscore, and must not start with a digit. StdCmdPrint - + &Print... 印刷(&P)... - - + + Print the document ドキュメントを印刷 @@ -9931,13 +9916,13 @@ underscore, and must not start with a digit. StdCmdPrintPdf - + &Export PDF... PDFファイル形式でエクスポート(&E)... - - + + Export the document as PDF ドキュメントを PDF ファイル形式でエクスポート @@ -9945,17 +9930,17 @@ underscore, and must not start with a digit. StdCmdPrintPreview - + &Print preview... 印刷プレビュー(&P)... - + Print the document ドキュメントを印刷 - + Print preview 印刷プレビュー @@ -9963,13 +9948,13 @@ underscore, and must not start with a digit. StdCmdPythonWebsite - - + + Python Website Python のウェブサイト - + The official Python website Python の公式サイト @@ -9977,13 +9962,13 @@ underscore, and must not start with a digit. StdCmdQuit - + E&xit 終了(&X) - - + + Quits the application アプリケーションを終了します。 @@ -10005,13 +9990,13 @@ underscore, and must not start with a digit. StdCmdRecentFiles - + Open Recent 最近開いたファイル - - + + Recent file list 最近使用したファイル一覧 @@ -10019,13 +10004,13 @@ underscore, and must not start with a digit. StdCmdRecentMacros - + Recent macros 最近使用したマクロ - - + + Recent macro list 最近使用したマクロ一覧 @@ -10033,13 +10018,13 @@ underscore, and must not start with a digit. StdCmdRedo - + &Redo やり直し(&R) - - + + Redoes a previously undone action 取り消した操作をやり直し @@ -10047,13 +10032,13 @@ underscore, and must not start with a digit. StdCmdRefresh - + &Refresh 更新(&R) - - + + Recomputes the current active document 現在アクティブなドキュメントを再計算 @@ -10061,13 +10046,13 @@ underscore, and must not start with a digit. StdCmdReportBug - + Report a bug バグを報告 - - + + Report a bug or suggest a feature バグを報告、または新しい機能を提案 @@ -10075,13 +10060,13 @@ underscore, and must not start with a digit. StdCmdRevert - + Revert 元に戻す - - + + Reverts to the saved version of this file このファイルの保存したバージョンに戻ります @@ -10089,13 +10074,13 @@ underscore, and must not start with a digit. StdCmdSave - + &Save 保存(&S) - - + + Save the active document 作業中のドキュメントを保存 @@ -10103,13 +10088,13 @@ underscore, and must not start with a digit. StdCmdSaveAll - + Save All 全て保存 - - + + Save all opened document 開かれている全てのドキュメントを保存 @@ -10117,13 +10102,13 @@ underscore, and must not start with a digit. StdCmdSaveAs - + Save &As... 名前を付けて保存(&A) - - + + Save the active document under a new file name 新しいファイル名で作業中のドキュメントを保存 @@ -10131,13 +10116,13 @@ underscore, and must not start with a digit. StdCmdSaveCopy - + Save a &Copy... コピーを保存(&C)... - - + + Save a copy of the active document under a new file name 作業中のドキュメントのコピーを新しいファイル名で保存します @@ -10173,13 +10158,13 @@ underscore, and must not start with a digit. StdCmdSelectAll - + Select &All すべて選択(&A) - - + + Select all すべて選択 @@ -10257,13 +10242,13 @@ underscore, and must not start with a digit. StdCmdTextDocument - + Add text document テキストドキュメントの追加 - - + + Add text document to active document アクティブなドキュメントにテキストドキュメントを追加 @@ -10397,13 +10382,13 @@ underscore, and must not start with a digit. StdCmdTransform - + Transform... 変形... - - + + Transform the geometry of selected objects 選択されたオブジェクトの形状を変形 @@ -10411,13 +10396,13 @@ underscore, and must not start with a digit. StdCmdTransformManip - + Transform 変換 - - + + Transform the selected object in the 3d view 3Dビューで選択されたオブジェクトを変形 @@ -10481,13 +10466,13 @@ underscore, and must not start with a digit. StdCmdUndo - + &Undo 元に戻す(&U) - - + + Undo exactly one action 1つ前の状態に戻す @@ -10495,13 +10480,13 @@ underscore, and must not start with a digit. StdCmdUserEditMode - + Edit mode 編集モード - - + + Defines behavior when editing an object from tree ツリーからオブジェクトを編集するときの動作を定義します。 @@ -10901,13 +10886,13 @@ underscore, and must not start with a digit. StdCmdWhatsThis - + &What's This? これは何か?(&W) - - + + What's This これは何か? @@ -10943,13 +10928,13 @@ underscore, and must not start with a digit. StdCmdWorkbench - + Workbench ワークベンチ - - + + Switch between workbenches ワークベンチを切り替える @@ -11273,7 +11258,7 @@ underscore, and must not start with a digit. Std_Delete - + The following referencing objects might break. Are you sure you want to continue? @@ -11283,7 +11268,7 @@ Are you sure you want to continue? 実行しますか? - + Object dependencies オブジェクトの依存関係 @@ -11291,7 +11276,7 @@ Are you sure you want to continue? Std_DependencyGraph - + Dependency graph 依存関係グラフ @@ -11372,12 +11357,12 @@ Are you sure you want to continue? Std_DuplicateSelection - + Object dependencies オブジェクトの依存関係 - + To link to external objects, the document must be saved at least once. Do you want to save the document now? 外部オブジェクトにリンクするにはドキュメントを保存する必要があります。 @@ -11395,7 +11380,7 @@ Do you want to save the document now? Std_Refresh - + The document contains dependency cycles. Please check the Report View for more details. @@ -11409,17 +11394,17 @@ Do you still want to proceed? Std_Revert - + Revert document ドキュメントを元に戻す - + This will discard all the changes since last file save. 最後にファイルを保存してから以降のすべての変更が破棄されます。 - + Do you want to continue? 続行しますか? @@ -11593,12 +11578,12 @@ Do you still want to proceed? Gui::MDIView - + Export PDF PDFファイル形式でエクスポート - + PDF file PDFファイル @@ -12291,82 +12276,82 @@ Currently, your system has the following workbenches:</p></body>< プレビュー: - + Text テキスト - + Bookmark ブックマーク - + Breakpoint ブレークポイント - + Keyword キーワード - + Comment コメント - + Block comment ブロック コメント - + Number 数値 - + String 文字列 - + Character 文字 - + Class name クラス名 - + Define name 名前の定義 - + Operator 演算子 - + Python output Python出力 - + Python error Pythonエラー - + Current line highlight 現在の行をハイライト表示 - + Items 項目 @@ -12868,13 +12853,13 @@ from Python console to Report view panel StdCmdExportDependencyGraph - + Export dependency graph... 依存関係グラフをエクスポート... - - + + Export the dependency graph to a file 依存関係グラフをファイルにエクスポート @@ -13309,13 +13294,13 @@ the region are non-opaque. StdCmdProjectInfo - + Document i&nformation... ドキュメント情報(I)... - - + + Show details of the currently active document 現在アクティブなドキュメントの詳細を表示します。 @@ -13323,13 +13308,13 @@ the region are non-opaque. StdCmdProjectUtil - + Document utility... ドキュメントユーティリティ... - - + + Utility to extract or create document files ドキュメントファイルの展開・作成ユーティリティ @@ -13351,12 +13336,12 @@ the region are non-opaque. StdCmdProperties - + Properties プロパティ - + Show the property view, which displays the properties of the selected object. 選択したオブジェクトのプロパティを表示するためのプロパティビューを表示します。 @@ -13407,13 +13392,13 @@ the region are non-opaque. StdCmdReloadStyleSheet - + &Reload stylesheet スタイルシートを再読み込み(&R) - - + + Reloads the current stylesheet 現在のスタイルシートを再読み込み @@ -13690,15 +13675,38 @@ the region are non-opaque. StdCmdUnitsCalculator - + &Units converter... 単位変換(&U)... - - + + Start the units converter 単位変換を開始 + + Gui::ModuleIO + + + File not found + ファイルが見つかりませんでした + + + + The file '%1' cannot be opened. + ファイル '%1' を開くことができませんでした。 + + + + StdCmdRestartInSafeMode + + + + + Restart in safe mode + Restart in safe mode + + diff --git a/src/Gui/Language/FreeCAD_ka.ts b/src/Gui/Language/FreeCAD_ka.ts index 6fef3929ee45..a8753b6eaa9a 100644 --- a/src/Gui/Language/FreeCAD_ka.ts +++ b/src/Gui/Language/FreeCAD_ka.ts @@ -91,17 +91,17 @@ ჩასწორება - + Import შემოტანა - + Delete წაშლა - + Paste expressions გამოთქმის ჩასმა @@ -131,7 +131,7 @@ ყველა ბმის შემოტანა - + Insert text document ტექსტური დოკუმენტის ჩასმა @@ -424,42 +424,42 @@ EditMode - + Default ნაგულისხმევი - + The object will be edited using the mode defined internally to be the most appropriate for the object type ობიექტი ჩასწორდება რეჟიმით, რომელიც შიგნით ამ ობიექტის ტიპისთვის ყველაზე შესაფერისია - + Transform გარდაქმნა - + The object will have its placement editable with the Std TransformManip command ობიექტს Std TransformManip ბრძანებით ჩასწორებადი მდებარეობა ექნება - + Cutting ამოჭრა - + This edit mode is implemented as available but currently does not seem to be used by any object ეს ჩასწორების რეჟიმი განხორციელებულია, როგორც ხელმისაწვდომი, მაგრამ ამჟამად, როგორც ჩანს, არც ერთი ობიექტის მიერ არ გამოიყენება - + Color ფერი - + The object will have the color of its individual faces editable with the Part FaceAppearances command ობიექტს თითოეული ზედაპირის Part FaceAppearances ბრძანებით ჩასწორებადი ფერი ექნება @@ -680,8 +680,8 @@ while doing a left or right click and move the mouse up or down - Word size - სიტყვის ზომა + Architecture + Architecture @@ -706,52 +706,52 @@ while doing a left or right click and move the mouse up or down Gui::Dialog::AboutDialog - - + + Credits - Header for the Credits tab of the About screen მონაწილეები - + + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + Header for bgbsww + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + + + FreeCAD would not be possible without the contributions of FreeCAD-ის შექმნა შეუძლებელი იქნება ამ ადამიანების წვლილის გარეშე - + Individuals Header for the list of individual people in the Credits list. ერთეულები - + Organizations Header for the list of companies/organizations in the Credits list. ორგანიზაციები - - + + License ლიცენზია - + Libraries ბიბლიოთეკები - - This software uses open source components whose copyright and other proprietary rights belong to their respective owners: - ეს პროგრამა იყენებს ღია კოდის კომპონენტებს, რომელთა საავტორო და სხვა საკუთრების უფლებები ეკუთვნის მათ შესაბამის მფლობელებს: - - - + Collection კოლექცია - + Privacy Policy კონფიდენციალობის პოლიტიკა @@ -1408,8 +1408,8 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgCustomToolBoxbarsImp - - + + Toolbox bars ხელსაწყოების ზოლები @@ -1498,40 +1498,40 @@ same time. The one with the highest priority will be triggered. - + <Separator> <გამყოფი> - + %1 module not loaded %1 მოდული არ ჩატვირთულა - + New toolbar ხელსაწყოების ახალი ზოლი - - + + Toolbar name: ზოლის სახელი: - - + + Duplicated name გამეორებადი სახელი - - + + The toolbar name '%1' is already used სახელი '%1' უკვე გამოიყენება - + Rename toolbar ზოლის სახელის გადარქმევა @@ -1745,72 +1745,72 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgMacroExecuteImp - + Macros მაკროები - + Read-only მხოლოდ კითხვის რეჟიმი - + Macro file მაკროს ფაილი - + Enter a file name, please: შეიყვანეთ ფაილის სახელი, გეთაყვა: - - - + + + Existing file არსებული ფაილი - + '%1'. This file already exists. '%1' ეს ფაილი უკვე არსებობს. - + Cannot create file ფაილის შექმნა შეუძლებელია - + Creation of file '%1' failed. ფაილ '%1'-ის შექმნის შეცდომა. - + Delete macro მაკროს წაშლა - + Do you really want to delete the macro '%1'? მართლა გნებავთ მაკრო '%1'-ის წაშლა? - + Do not show again აღარ მაჩვენო განმეორებით - + Guided Walkthrough ინტერაქტიული ტური - + This will guide you in setting up this macro in a custom global toolbar. Instructions will be in red text inside the dialog. Note: your changes will be applied when you next switch workbenches @@ -1821,78 +1821,78 @@ Note: your changes will be applied when you next switch workbenches - + Walkthrough, dialog 1 of 2 ტური, ფანჯარა 1 2-დან - + Walkthrough instructions: Fill in missing fields (optional) then click Add, then Close ინსტრუქციები: შეავსეთ გამოტოვებული ველები (არასავალდებულო) შემდეგ დააჭირეთ დამატებას, შემდეგ კი დახურვას - + Walkthrough, dialog 1 of 1 ტური, ფანჯარა 1 1-დან - + Walkthrough, dialog 2 of 2 ტური, ფანჯარა 2 2-დან - - Walkthrough instructions: Click right arrow button (->), then Close. - გავლის ინსტრუქციები: დააწკაპუნეთ მარჯვნივ ისარზე (->), შემდეგ კი დახურვაზე. + + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. - Walkthrough instructions: Click New, then right arrow (->) button, then Close. - გავლის ინსტრუქციები: დააწკაპუნეთ ახალი, შემდეგ მარჯვნივ ისარზე (->), შემდეგ კი დახურვაზე. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. - + Renaming Macro File მაკროს ფაილის სახელის გადარქმევა - - + + Enter new name: შეიყვანეთ ახალი სახელი: - - + + '%1' already exists. %1 უკვე არსებობს. - + Rename Failed სახელის გადარქმევის შეცდომა - + Failed to rename to '%1'. Perhaps a file permission error? %1-სთვის სახელის გადარქმევის შეცდომა. ფაილებზე წვდომები ნამდვილად გაქვთ? - + Duplicate Macro მაკროს ასლი - + Duplicate Failed ასლის შექმნის შეცდომა - + Failed to duplicate to '%1'. Perhaps a file permission error? %1-ის დუბლირების შეცდომა. @@ -5893,81 +5893,81 @@ Do you want to save your changes? Gui::GraphvizView - + Graphviz not found Graphviz-ი ნაპოვნი არაა - + Graphviz couldn't be found on your system. თქვენს სისტემაში Graphviz აღმოჩენილი არაა. - + Read more about it here. მეტი შეგიძლიათ წაიკითხოთ აქ. - + Do you want to specify its installation path if it's already installed? გნებავთ მისამართის მითითება, თუ ის უკვე დაყენებულია? - + Graphviz installation path მისამართი Graphviz-ის გამშვებ ფაილებამდე - + Graphviz failed Graphviz-ის შეცდომა - + Graphviz failed to create an image file Graphviz-მა ვერ შეძლო გამოსახულების შექმნა - + PNG format PNG ფორმატი - + Bitmap format Bitmap ფორმატი - + GIF format GIF ფორმატი - + JPG format JPG ფორმატი - + SVG format SVG ფორმატი - - + + PDF format PDF ფორმატი - - + + Graphviz format Graphviz-ის ფორმატი - - - + + + Export graph გრაფიკის გატანა @@ -6127,63 +6127,83 @@ Do you want to save your changes? Gui::MainWindow - - + + Dimension ზომა - + Ready მზადაა - + Close All ყველას დახურვა - - - + + + Toggles this toolbar ამ ზოლის ჩართ/გამორთ - - - + + + Toggles this dockable window მიმაგრებადი ფანჯრის ჩვენების ჩართ/გამორთ - + + Safe mode enabled + Safe mode enabled + + + + FreeCAD is now running in safe mode. + FreeCAD is now running in safe mode. + + + + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + + + WARNING: This is a development version. გაფრთხილება: ეს სატესტო ვერსიაა. - + Please do not use it in a production environment. არ გამოიყენოთ ის საწარმოო გარემოში. - - + + Unsaved document შეუნახავი დოკუმენტი - + The exported object contains external link. Please save the documentat least once before exporting. გატანილი ობიექტი შეიცავს გარე ბმულს. გთხოვთ გატანამდე დოკუმენტი ერთხელ მაინც შეინახოთ. - + To link to external objects, the document must be saved at least once. Do you want to save the document now? გარე ობიექტებთან დასაკავშირებლად, დოკუმენტი უნდა იყოს შენახული ერთხელ მაინც. გსურთ ახლავე შეინახოთ დოკუმენტი? + + + Safe Mode + Safe Mode + Gui::ManualAlignment @@ -6685,39 +6705,19 @@ Do you want to exit without saving your data? Open file %1 %1 ფაილის გახსნა - - - File not found - ფაილი ვერ მოიძებნა - - - - The file '%1' cannot be opened. - ფაილ '%1'-ის გახსნა შეუძლებელია. - Gui::RecentMacrosAction - + none არცერთი - + Run macro %1 (Shift+click to edit) keyboard shortcut: %2 %1 მაკროს გაშვება (Shift+წკაპი ჩასასწორებლად) მალსახმობი: %2 - - - File not found - ფაილი ვერ მოიძებნა - - - - The file '%1' cannot be opened. - ფაილ '%1'-ის გახსნა შეუძლებელია. - Gui::RevitNavigationStyle @@ -6972,7 +6972,7 @@ Do you want to specify another directory? Gui::TaskView::TaskDialog - + A dialog is already open in the task panel ფანჯარა უკვე ღიაა ამოცანების პანელზე @@ -7001,38 +7001,8 @@ Do you want to specify another directory? Gui::TextDocumentEditorView - - Text updated - ტექსტი განახლდა - - - - The text of the underlying object has changed. Discard changes and reload the text from the object? - ძირითადი ობიექტის ტექსტი შეიცვალა. გაუქმდეს ცვლილებები და თავიდან ჩაიტვირთოს ტექსტი ობიექტიდან? - - - - Yes, reload. - დიახ, გადატვირთე. - - - - Unsaved document - შეუნახავი დოკუმენტი - - - - Do you want to save your changes before closing? - გსურთ შეინახოთ თქვენი ცვლილებები გამოსვლამდე? - - - - If you don't save, your changes will be lost. - თუ არ შეინახავთ, ყველა თქვენი ცვლილება დაიკარგება. - - - - + + Edit text ტექსტის ჩასწორება @@ -7309,7 +7279,7 @@ Do you want to specify another directory? Gui::TreeDockWidget - + Tree view ხის ხედი @@ -7317,7 +7287,7 @@ Do you want to specify another directory? Gui::TreePanel - + Search ძებნა @@ -7375,148 +7345,148 @@ Do you want to specify another directory? ჯგუფი - + Labels & Attributes ჭდეები & ატრიბუტები - + Description აღწერა - + Internal name შიდა სახელი - + Show items hidden in tree view ხის ხედში დამალული ელემენტების ჩვენება - + Show items that are marked as 'hidden' in the tree view ხის ხედში 'დამალულად' მონიშნული ელემენტების ჩვენება - + Toggle visibility in tree view ხის ხედში ხილვადობის გადართვა - + Toggles the visibility of selected items in the tree view ხის ხედში მონიშნული ელემენტების ხილვადობის გადართვა - + Create group ჯგუფის შექმნა - + Create a group ჯგუფის შექმნა - - + + Rename სახელის გადარქმევა - + Rename object ობიექტის სახელის გადარქმევა - + Finish editing ჩასწორების დასრულება - + Finish editing object ობიექტის ჩასწორების დასრულება - + Add dependent objects to selection დამოკიდებული ობიექტების მონიშნულში ჩამატება - + Adds all dependent objects to the selection მონიშნულში ყველა დამოკიდებული ობიექტის ჩამატება - + Close document დოკუმენტის დახურვა - + Close the document დოკუმენტის დახურვა - + Reload document დოკუმენტის თავიდან ჩატვირთვა - + Reload a partially loaded document ნაწილობრივ ჩატვირთული დოკუმენტის თავიდან ჩატვირთვა - + Skip recomputes გადათვლების გამოტოვება - + Enable or disable recomputations of document დოკუმენტის გადათვლების ჩართვა ან გამორთვა - + Allow partial recomputes ნაწილობრივი გადაანგარიშებების ჩართვა - + Enable or disable recomputating editing object when 'skip recomputation' is enabled როცა 'გადათვლის გამოტოვება' ჩართულია, რთავს ან თიშავს ობიექტის გადათვლას მისი ჩასწორებისას - + Mark to recompute გადათვლისთვის მონიშვნა - + Mark this object to be recomputed ამ ობიექტის მონიშვნა, როგორც გადასართველის - + Recompute object ობიექტის გადათვლა - + Recompute the selected object მონიშნული ობიექტის თავიდან გამოთვლა - + (but must be executed) (მაგრამ უნდა შესრულდეს) - + %1, Internal name: %2 %1, შიდა სახელი: %2 @@ -7728,47 +7698,47 @@ Do you want to specify another directory? QDockWidget - + Tree view ელემენტების ხე - + Tasks დავალებები - + Property view თვისებაზე გადახედვა - + Selection view მონიშნულის ხედი - + Task List ამოცანების სია - + Model მოდელი - + DAG View DAG ხედი - + Report view ანგარიში - + Python console Python-ის კონსოლი @@ -7808,35 +7778,35 @@ Do you want to specify another directory? Python - - - + + + Unknown filetype ფაილის უცნობი ტიპი - - + + Cannot open unknown filetype: %1 ფაილის უცნობი ტიპი: %1 - + Export failed გატანის შეცდომა - + Cannot save to unknown filetype: %1 უცნობ ფაილის ტიპში ჩაწერის შეცდომა: %1 - + Recomputation required აუცილებელია თავიდან გამოთვლა - + Some document(s) require recomputation for migration purposes. It is highly recommended to perform a recomputation before any modification to avoid compatibility problems. Do you want to recompute now? @@ -7845,24 +7815,24 @@ Do you want to recompute now? გნებავთ თავიდან გამოთვლა ახლავე? - + Recompute error შეცდომის თავიდან გამოთვლა - + Failed to recompute some document(s). Please check report view for more details. ზოგიერთი დოკუმენტის თავიდან გამოთვლა ჩავარდა. მეტი დეტალებისთვის იხილეთ ანგარიშის ხედი. - + Workbench failure სამუშაო მაგიდის შეცდომა - + %1 %1 @@ -7908,90 +7878,105 @@ Please check report view for more details. ფაილის შემოტანა - + Export file ფაილის გატანა - + Printing... დაბეჭდვა... - + Exporting PDF... PDF-ად გატანა... - - + + Unsaved document შეუნახავი დოკუმენტი - + The exported object contains external link. Please save the documentat least once before exporting. გატანილი ობიექტი შეიცავს გარე ბმულს. გთხოვთ გატანამდე დოკუმენტი ერთხელ მაინც შეინახოთ. - - + + Delete failed წაშლის შეცდომა - + Dependency error დამოკიდებულების შეცდომა - + Copy selected მონიშნულის კოპირება - + Copy active document აქტიური დოკუმენტის კოპირება - + Copy all documents ყველა დოკუმენტის კოპირება - + Paste ჩასმა - + Expression error გამოხატვის შეცდომა - + Failed to parse some of the expressions. Please check the Report View for more details. შეცდომა ზოგიერთი გამოთქმის გავლილსას. მეტი დეტალებისთვის იხილეთ ჟურნალი. - + Failed to paste expressions გამოთქმების ჩასმის შეცდომა - + Cannot load workbench სამუშაო დაფის ჩატვირთვა შეუძლებელია - + A general error occurred while loading the workbench სამუშაო მაგიდის ჩატვირთვის საერთო შეცდომა + + + Restart in safe mode + Restart in safe mode + + + + Are you sure you want to restart FreeCAD and enter safe mode? + Are you sure you want to restart FreeCAD and enter safe mode? + + + + Safe mode temporarily disables your configuration and addons. + Safe mode temporarily disables your configuration and addons. + @@ -8216,7 +8201,7 @@ Do you want to continue? ძალიან ბევრი გახსნილი არაშემაწუხებელი გაფრთხილება. გაფრთხილებებს გამოვტოვებთ! - + Identical physical path detected. It may cause unwanted overwrite of existing document! @@ -8225,44 +8210,44 @@ Do you want to continue? - + Are you sure you want to continue? დარწმუნებული ბრძანდებით, რომ გნებავთ, გააგრძელოთ? - + Please check report view for more... მეტის გასაგებად, გთხოვთ გაეცნოთ ანგარიშს... - + Physical path: ფიზიკური მისამართი: - - + + Document: დოკუმენტი: - - + + Path: მისამართი: - + Identical physical path იგივე ფიზიკური მისამართი - + Could not save document ფაილის შენახვის შეცდომა - + There was an issue trying to save the file. This may be because some of the parent folders do not exist, or you do not have sufficient permissions, or for other reasons. Error details: "%1" @@ -8275,102 +8260,102 @@ Would you like to save the file with a different name? გსურთ შეინახოთ ფაილი სხვა სახელით? - - - + + + Saving aborted შენახვა შეწყვეტილია - + Save dependent files დამოკიდებული ფაილების ჩაწერა - + The file contains external dependencies. Do you want to save the dependent files, too? ფაილი შეიცავს გარე დამოკიდებულებებს. გსურთ შეინახოთ დამოკიდებული ფაილებიც? - - + + Saving document failed დკუმენტის შენახვის შეცდომა - + Save document under new filename... დოკუმენტის ახალი სახელით შენახვა... - - + + Save %1 Document დოკუმენტ %1-ის შენახვა - + Document დოკუმენტი - - + + Failed to save document დოკუმენტის შენახვის შეცდომა - + Documents contains cyclic dependencies. Do you still want to save them? დოკუმენტები შეიცავენ წრიულ დამოკიდებულებებს. მაინც გნებავთ მათი შენახვა? - + Save a copy of the document under new filename... დოკუმენტის ასლის ახალი სახელით შენახვა... - + %1 document (*.FCStd) %1 დოკუმენტი (*.FCStd) - + Document not closable დოკუმენტი დახურვადი არაა - + The document is not closable for the moment. დოკუმენტი ამ მომენტისთვის დახურვადი არაა. - + Document not saved დოკუმენტი არ იქნა შენახული - + The document%1 could not be saved. Do you want to cancel closing it? %1-ის შენახვა შეუძლებელია. გნებავთ დახურვის გაუქმება? - + Undo დაბრუნება - + Redo გამეორება - + There are grouped transactions in the following documents with other preceding transactions შემდეგ დოკუმენტებში არის დაჯგუფებული ტრანზაქციები სხვა წინა ტრანზაქციებთან ერთად - + Choose 'Yes' to roll back all preceding transactions. Choose 'No' to roll back in the active document only. Choose 'Abort' to abort @@ -8464,7 +8449,7 @@ Choose 'Abort' to abort ვერ ვიპოვე ფაილი %1, ვერც %2 და ვერც %3 - + Navigation styles ნავიგაციის სტილები @@ -8475,47 +8460,47 @@ Choose 'Abort' to abort გარდაქმნა - + Do you want to close this dialog? ნამდვილად გსურთ ამ ფანჯრის დახურვა? - + Do you want to save your changes to document '%1' before closing? გსურთ შეინახოთ ცვლილებები %1 -ში მის დახურვამდე? - + Do you want to save your changes to document before closing? გსურთ შეინახოთ დოკუმენტის ცვლილებები მის დახურვამდე? - + If you don't save, your changes will be lost. თუ არ შეინახავთ, ყველა თქვენი ცვლილება დაიკარგება. - + Apply answer to all პასუხის ყველაზე გადატარება - + %1 Document(s) not saved %1 დოკუმენტი არ იქნა შენახული - + Some documents could not be saved. Do you want to cancel closing? ზოგიერთი დოკუმენტის შენახვა შეუძლებელია. გნებავთ დახურვის გაუქმება? - + Delete macro მაკროს წაშლა - + Not allowed to delete system-wide macros სისტემური მაკროების წაშლა აკრძალულია @@ -8611,10 +8596,10 @@ Choose 'Abort' to abort - - - - + + + + Invalid name არასწორი სახელი @@ -8626,25 +8611,25 @@ underscore, and must not start with a digit. - + The property name is a reserved word. The property name is a reserved word. - + The property '%1' already exists in '%2' %2-ს უკვე აქვს თვისება %1 - + Add property თვისების დამატება - + Failed to add property to '%1': %2 %1-სთვის თვისების დამატება: %2 @@ -8930,14 +8915,14 @@ the current copy will be lost. მოცილებულია - + The property name must only contain alpha numericals, underscore, and must not start with a digit. The property name must only contain alpha numericals, underscore, and must not start with a digit. - + The group name must only contain alpha numericals, underscore, and must not start with a digit. ჯგუფის სახელი უნდა შეიცავდეს მხოლოდ ციფრებს, სიმბოლოებს @@ -8984,13 +8969,13 @@ underscore, and must not start with a digit. StdCmdAbout - + &About %1 %1-ის &შესახებ - - + + About %1 %1-ის შესახებ @@ -8998,13 +8983,13 @@ underscore, and must not start with a digit. StdCmdAboutQt - + About &Qt &Qt-ის შესახებ - - + + About Qt Qt- ს შესახებ @@ -9040,13 +9025,13 @@ underscore, and must not start with a digit. StdCmdAlignment - + Alignment... სწორება... - - + + Align the selected objects მონიშნული ობიექტების სწორება @@ -9110,13 +9095,13 @@ underscore, and must not start with a digit. StdCmdCommandLine - + Start command &line... ბრძანების ვე&ლის გაშვება... - - + + Opens the command line in the console ბრძანების ხაზის კონსოლში გახსნა @@ -9124,13 +9109,13 @@ underscore, and must not start with a digit. StdCmdCopy - + C&opy კოპირება - - + + Copy operation კოპირება @@ -9138,13 +9123,13 @@ underscore, and must not start with a digit. StdCmdCut - + &Cut ამოჭრა - - + + Cut out ამოჭრა @@ -9152,13 +9137,13 @@ underscore, and must not start with a digit. StdCmdDelete - + &Delete &წაშლა - - + + Deletes the selected objects მონიშნული ობიექტების წაშლა @@ -9180,13 +9165,13 @@ underscore, and must not start with a digit. StdCmdDependencyGraph - + Dependency graph... დამოკიდებულებების გრაფიკი... - - + + Show the dependency graph of the objects in the active document ობიექტის დამოკიდებულების გრაფიკის ჩვენება აქტიურ დოკუმენტში @@ -9194,13 +9179,13 @@ underscore, and must not start with a digit. StdCmdDlgCustomize - + Cu&stomize... &ხელით მითითება... - - + + Customize toolbars and command bars ხელსაწყოების და ბრძანებების ზოლების მორგება @@ -9260,13 +9245,13 @@ underscore, and must not start with a digit. StdCmdDlgParameter - + E&dit parameters ... პარამეტრების ჩასწორება ... - - + + Opens a Dialog to edit the parameters პარამეტრების ჩასწორების ფანჯრის გახსნა @@ -9274,13 +9259,13 @@ underscore, and must not start with a digit. StdCmdDlgPreferences - + &Preferences ... &გამართვა ... - - + + Opens a Dialog to edit the preferences გამართვის ფანჯრის გახსნა @@ -9316,13 +9301,13 @@ underscore, and must not start with a digit. StdCmdDuplicateSelection - + Duplicate selection მონიშნულის დუბლიკატი - - + + Put duplicates of the selected objects to the active document მონიშნული ობიექტების აქტიურ დოკუმენტში კოპირება @@ -9330,17 +9315,17 @@ underscore, and must not start with a digit. StdCmdEdit - + Toggle &Edit mode &ჩასწორების რეჟიმის გამორთვა - + Toggles the selected object's edit mode მონიშნული ობიექტის ჩასწორების რეჟიმის ჩართ/გამორთ - + Activates or Deactivates the selected object's edit mode მონიშნული ობიექტის ჩასწორების რეჟიმის ჩართ/გამორთ @@ -9359,12 +9344,12 @@ underscore, and must not start with a digit. ობიექტის აქტიურ დოკუმენტში გატანა - + No selection მონიშნულის გარეშე - + Select the objects to export before choosing Export. ჯერ აირჩიეთ გასატანი ობიექტები. @@ -9372,13 +9357,13 @@ underscore, and must not start with a digit. StdCmdExpression - + Expression actions მოქმედებები გამოთქმით - - + + Actions that apply to expressions გამოსახულებებზე გადასატარებელი ქმედებები @@ -9400,12 +9385,12 @@ underscore, and must not start with a digit. StdCmdFreeCADDonation - + Donate მხარდაჭერა - + Donate to FreeCAD development შეწირულობა FreeCAD-ის განვითარებისთვის @@ -9413,17 +9398,17 @@ underscore, and must not start with a digit. StdCmdFreeCADFAQ - + FreeCAD FAQ FreeCAD-ის ხ.დ.კ - + Frequently Asked Questions on the FreeCAD website ხშირად დასმული კითხვები FreeCAD-ის ვებგვერდზე - + Frequently Asked Questions ხშირად დასმული კითხვები @@ -9431,17 +9416,17 @@ underscore, and must not start with a digit. StdCmdFreeCADForum - + FreeCAD Forum FreeCAD-ის ფორუმი - + The FreeCAD forum, where you can find help from other users FreeCAD-ის ფორუმი, სადაც შეგიძლიათ მიიღოთ დახმარება სხვა მომხმარებლებისგან - + The FreeCAD Forum FreeCAD-ის ფორუმი @@ -9449,17 +9434,17 @@ underscore, and must not start with a digit. StdCmdFreeCADPowerUserHub - + Python scripting documentation Python-ზე სკრიპტების შექმნის დოკუმენტაცია - + Python scripting documentation on the FreeCAD website Python-ის სკრიპტების დოკუმენტაცია FreeCAD-ის ვებგვერდზე - + PowerUsers documentation დოკუმენტაცია გამოცდილი მომხმარებლებისათვის @@ -9467,13 +9452,13 @@ underscore, and must not start with a digit. StdCmdFreeCADUserHub - - + + Users documentation მომხმარებლის დოკუმენტაცია - + Documentation for users on the FreeCAD website FreeCAD-ის ვებგვერდი @@ -9481,13 +9466,13 @@ underscore, and must not start with a digit. StdCmdFreeCADWebsite - - + + FreeCAD Website FreeCAD-ის ვებგვერდი - + The FreeCAD website FreeCAD-ის ვებგვერდი @@ -9802,25 +9787,25 @@ underscore, and must not start with a digit. StdCmdMergeProjects - + Merge document... დოკუმენტების შერწყმა... - - - - + + + + Merge document დოკუმენტების შერწყმა - + %1 document (*.FCStd) %1 დოკუმენტი (*.FCStd) - + Cannot merge document with itself. დოკუმენტის შერწყმა თავის თავთან შეუძლებელია. @@ -9828,18 +9813,18 @@ underscore, and must not start with a digit. StdCmdNew - + &New &ახალი - - + + Create a new empty document ახალი ცარიელი პროექტის შექმნა - + Unnamed უსახელო @@ -9848,13 +9833,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelp - - + + Help დახმარება - + Show help to the application აპლიკაციის დახმარების ჩვენება @@ -9862,13 +9847,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelpWebsite - - + + Help Website დახმარების ვებგვერდი - + The website where the help is maintained ვებგვერდი, სადაც ხელმისაწვდომია დახმარება @@ -9923,13 +9908,13 @@ underscore, and must not start with a digit. StdCmdPaste - + &Paste &ჩასმა - - + + Paste operation ჩასმის ოპერაცია @@ -9937,13 +9922,13 @@ underscore, and must not start with a digit. StdCmdPlacement - + Placement... მდებარეობა... - - + + Place the selected objects მონიშნული ობიექტების მოთავსება @@ -9951,13 +9936,13 @@ underscore, and must not start with a digit. StdCmdPrint - + &Print... &ბეჭდვა... - - + + Print the document დოკუმენტს დაბეჭდვა @@ -9965,13 +9950,13 @@ underscore, and must not start with a digit. StdCmdPrintPdf - + &Export PDF... &PDF-ად გატანა... - - + + Export the document as PDF დოკუმენტის PDF-ად გატანა @@ -9979,17 +9964,17 @@ underscore, and must not start with a digit. StdCmdPrintPreview - + &Print preview... &ნახვა ამობეჭდვამდე... - + Print the document დოკუმენტს დაბეჭდვა - + Print preview ნახვა ამობეჭდვამდე @@ -9997,13 +9982,13 @@ underscore, and must not start with a digit. StdCmdPythonWebsite - - + + Python Website Python-ის ვებგვერდი - + The official Python website Python-ის ოფიციალური ვებგვერდი @@ -10011,13 +9996,13 @@ underscore, and must not start with a digit. StdCmdQuit - + E&xit გამოსვლა (&X) - - + + Quits the application აპლიკაციიდან გასვლა @@ -10039,13 +10024,13 @@ underscore, and must not start with a digit. StdCmdRecentFiles - + Open Recent უკანასკნელის გახსნა - - + + Recent file list უკანასკნელი ფაილების სია @@ -10053,13 +10038,13 @@ underscore, and must not start with a digit. StdCmdRecentMacros - + Recent macros ახლახანს გამოყენებული მაკროები - - + + Recent macro list ახლახანს გამოყენებული მაკროების სია @@ -10067,13 +10052,13 @@ underscore, and must not start with a digit. StdCmdRedo - + &Redo &გამეორება - - + + Redoes a previously undone action გაუქმებული მოქმედების გამეორება @@ -10081,13 +10066,13 @@ underscore, and must not start with a digit. StdCmdRefresh - + &Refresh &განახლება - - + + Recomputes the current active document აქტიური დოკუმენტის გადათვლა @@ -10095,13 +10080,13 @@ underscore, and must not start with a digit. StdCmdReportBug - + Report a bug შეგვატყობინეთ შეცდომების შესახებ - - + + Report a bug or suggest a feature მოგვწერეთ შეცდომის შესახებ ან შემოგვთავაზეთ იდეა @@ -10109,13 +10094,13 @@ underscore, and must not start with a digit. StdCmdRevert - + Revert დაბრუნება - - + + Reverts to the saved version of this file შენახულ ფაილზე დაბრუნება @@ -10123,13 +10108,13 @@ underscore, and must not start with a digit. StdCmdSave - + &Save &შენახვა - - + + Save the active document აქტიური დოკუმენტის შენახვა @@ -10137,13 +10122,13 @@ underscore, and must not start with a digit. StdCmdSaveAll - + Save All ყველაფრის შენახვა - - + + Save all opened document ყველა ღია დოკუმენტის შენახვა @@ -10151,13 +10136,13 @@ underscore, and must not start with a digit. StdCmdSaveAs - + Save &As... შენახვა &როგორც... - - + + Save the active document under a new file name აქტიური დოკუმენტის ახალი სახელით შენახვა @@ -10165,13 +10150,13 @@ underscore, and must not start with a digit. StdCmdSaveCopy - + Save a &Copy... &ასლის შენახვა... - - + + Save a copy of the active document under a new file name აქტიური დოკუმენტის ასლის ახალი სახელით შენახვა @@ -10207,13 +10192,13 @@ underscore, and must not start with a digit. StdCmdSelectAll - + Select &All ყველას &მონიშვნა - - + + Select all ყველას მონიშვნა @@ -10291,13 +10276,13 @@ underscore, and must not start with a digit. StdCmdTextDocument - + Add text document ტექსტური დოკუმენტის დამატება - - + + Add text document to active document აქტიურ დოკუმენტში ტექსტური დოკუმენტის დამატება @@ -10431,13 +10416,13 @@ underscore, and must not start with a digit. StdCmdTransform - + Transform... გარდაქმნა... - - + + Transform the geometry of selected objects გეომეტრიის ან მონიშნული ობიექტების გარდაქმნა @@ -10445,13 +10430,13 @@ underscore, and must not start with a digit. StdCmdTransformManip - + Transform გარდაქმნა - - + + Transform the selected object in the 3d view მონიშნული ობიექტის გარდაქმნა 3D ხედში @@ -10515,13 +10500,13 @@ underscore, and must not start with a digit. StdCmdUndo - + &Undo დაბრუნება (&U) - - + + Undo exactly one action ზუსტად ერთი ქმედების დაბრუნება @@ -10529,13 +10514,13 @@ underscore, and must not start with a digit. StdCmdUserEditMode - + Edit mode რედაქტირების რეჟიმი - - + + Defines behavior when editing an object from tree განსაზღვრავს ქცევას ობიექტის ხიდან ჩასწორებისას @@ -10935,13 +10920,13 @@ underscore, and must not start with a digit. StdCmdWhatsThis - + &What's This? &რა არის ეს? - - + + What's This რა არის ეს @@ -10977,13 +10962,13 @@ underscore, and must not start with a digit. StdCmdWorkbench - + Workbench სამუშაო მაგიდა - - + + Switch between workbenches სამუშაო მაგიდებს შორის გადართვა @@ -11307,7 +11292,7 @@ underscore, and must not start with a digit. Std_Delete - + The following referencing objects might break. Are you sure you want to continue? @@ -11318,7 +11303,7 @@ Are you sure you want to continue? - + Object dependencies ობიექტის დამოკიდებულებები @@ -11326,7 +11311,7 @@ Are you sure you want to continue? Std_DependencyGraph - + Dependency graph დამოკიდებულების გრაფიკი @@ -11407,12 +11392,12 @@ Are you sure you want to continue? Std_DuplicateSelection - + Object dependencies ობიექტის დამოკიდებულებები - + To link to external objects, the document must be saved at least once. Do you want to save the document now? გარე ობიექტებთან დასაკავშირებლად, დოკუმენტი უნდა იყოს შენახული ერთხელ მაინც. @@ -11430,7 +11415,7 @@ Do you want to save the document now? Std_Refresh - + The document contains dependency cycles. Please check the Report View for more details. @@ -11444,17 +11429,17 @@ Do you still want to proceed? Std_Revert - + Revert document დოკუმენტის მდგომარეობის დაბრუნება - + This will discard all the changes since last file save. ფაილის ბოლო შენახვის შემდეგ ყველა ცვლილების გაუქმება. - + Do you want to continue? გსურთ, განაგრძოთ? @@ -11628,12 +11613,12 @@ Do you still want to proceed? Gui::MDIView - + Export PDF PDF-ად გატანა - + PDF file PDF ფაილი @@ -12327,82 +12312,82 @@ Currently, your system has the following workbenches:</p></body>< მინიატურა: - + Text ტექსტი - + Bookmark სანიშნი - + Breakpoint შეჩერების წერტილი - + Keyword საკვანძო სიტყვა - + Comment კომენტარი - + Block comment კომენტარების დაბლოკვა - + Number რიცხვი - + String პწკარი - + Character ასო - + Class name კლასის სახელი - + Define name სახელის მინიჭება - + Operator ოპერატორი - + Python output Python-ის პასუხები - + Python error Python-ის შეცდომა - + Current line highlight მიმდინარე ხაზის ამოწევა - + Items ელემენტები @@ -12907,13 +12892,13 @@ from Python console to Report view panel StdCmdExportDependencyGraph - + Export dependency graph... დამოკიდებულების გრაფიკის გატანა... - - + + Export the dependency graph to a file დამოკიდებულების გატანა ფაილში @@ -13351,13 +13336,13 @@ the region are non-opaque. StdCmdProjectInfo - + Document i&nformation... დოკუმენტის &ინფორმაცია... - - + + Show details of the currently active document ამჟამად აქტიური დოკუმენტის დეტალების ჩვენება @@ -13365,13 +13350,13 @@ the region are non-opaque. StdCmdProjectUtil - + Document utility... დოკუმენტის პროგრამა... - - + + Utility to extract or create document files დოკუმენტის ფაილების შექმნის ან გაშლის ხელსაწყო @@ -13393,12 +13378,12 @@ the region are non-opaque. StdCmdProperties - + Properties თვისებები - + Show the property view, which displays the properties of the selected object. თვისების ხედის ჩვენება, რომელიც მონიშნული ობიექტის თვისებებს აჩვენებს. @@ -13449,13 +13434,13 @@ the region are non-opaque. StdCmdReloadStyleSheet - + &Reload stylesheet სტილების ცხრილის თავიდან ჩატვი&რთვა - - + + Reloads the current stylesheet თავიდან ჩატვირთავს მიმდინარე სტილების ცხრილს @@ -13732,15 +13717,38 @@ the region are non-opaque. StdCmdUnitsCalculator - + &Units converter... &ერთეულის გადამყვანი... - - + + Start the units converter საზომი ერთეულების გადამყვანის გაშვება + + Gui::ModuleIO + + + File not found + ფაილი ვერ მოიძებნა + + + + The file '%1' cannot be opened. + ფაილ '%1'-ის გახსნა შეუძლებელია. + + + + StdCmdRestartInSafeMode + + + + + Restart in safe mode + Restart in safe mode + + diff --git a/src/Gui/Language/FreeCAD_ko.ts b/src/Gui/Language/FreeCAD_ko.ts index a94b47ee7b69..f710d1a33593 100644 --- a/src/Gui/Language/FreeCAD_ko.ts +++ b/src/Gui/Language/FreeCAD_ko.ts @@ -91,17 +91,17 @@ 편집 - + Import 가져오기 - + Delete 삭제 - + Paste expressions 표현식 붙여넣기 @@ -131,7 +131,7 @@ 모든 링크 가져오기 - + Insert text document 텍스트 문서 삽입 @@ -424,42 +424,42 @@ EditMode - + Default 기본값 - + The object will be edited using the mode defined internally to be the most appropriate for the object type 객체 유형에 가장 적합하도록 내부적으로 정의된 모드를 사용하여 객체를 편집합니다. - + Transform 변환하기 - + The object will have its placement editable with the Std TransformManip command 대상물이 변위 명령을 입력할 수 있는 상태로 될 것 입니다 - + Cutting 절단 - + This edit mode is implemented as available but currently does not seem to be used by any object 현 편집 모드는 사용할 수 있는 기능이고, 현재 사용중인 대상물이 없는 것으로 보입니다 - + Color 색상 - + The object will have the color of its individual faces editable with the Part FaceAppearances command The object will have the color of its individual faces editable with the Part FaceAppearances command @@ -681,8 +681,8 @@ while doing a left or right click and move the mouse up or down - Word size - 글자 크기 + Architecture + Architecture @@ -707,52 +707,52 @@ while doing a left or right click and move the mouse up or down Gui::Dialog::AboutDialog - - + + Credits - Header for the Credits tab of the About screen 제작진 - + + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + Header for bgbsww + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + + + FreeCAD would not be possible without the contributions of 프리캐드는 도움이 없다면 불가능 할 것이다. - + Individuals Header for the list of individual people in the Credits list. 개인 개발자 - + Organizations Header for the list of companies/organizations in the Credits list. 단체 - - + + License 라이선스 - + Libraries 라이브러리 - - This software uses open source components whose copyright and other proprietary rights belong to their respective owners: - 이 소프트웨어는 오픈 소스 컴포넌트를 사용하며, 각 컴포넌트의 저작권과 기타 톡점점 권리는 해당 권리자에게 귀속됩니다. - - - + Collection 컬렉션 - + Privacy Policy 개인정보 정책 @@ -1409,8 +1409,8 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgCustomToolBoxbarsImp - - + + Toolbox bars 도구 상자 표시줄 @@ -1499,40 +1499,40 @@ same time. The one with the highest priority will be triggered. - + <Separator> <구분자> - + %1 module not loaded %1 모듈을 불려오지 못했습니다. - + New toolbar 새 도구 모음 - - + + Toolbar name: 도구 모음 이름: - - + + Duplicated name 복제된 이름 - - + + The toolbar name '%1' is already used 도구 모음의 이름 '% 1'은 이미 사용되고 있습니다. - + Rename toolbar 도구 모음 이름 바꾸기 @@ -1746,71 +1746,71 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgMacroExecuteImp - + Macros 매크로 - + Read-only 읽기 전용 - + Macro file 매크로 파일 - + Enter a file name, please: 파일 이름을 입력하세요: - - - + + + Existing file 존재하는 파일 - + '%1'. This file already exists. '%1 '입니다. 파일이 이미 존재함. - + Cannot create file 파일을 만들 수 없습니다. - + Creation of file '%1' failed. 파일 '%1'을 생성하지 못했습니다. - + Delete macro 매크로 삭제 - + Do you really want to delete the macro '%1'? '%1' 매크로를 삭제하시겠습니까? - + Do not show again 다시 표시 안함 - + Guided Walkthrough 가이드된 워크스루 - + This will guide you in setting up this macro in a custom global toolbar. Instructions will be in red text inside the dialog. Note: your changes will be applied when you next switch workbenches @@ -1820,78 +1820,78 @@ Note: your changes will be applied when you next switch workbenches 참고: 다음에 워크벤치를 전환할 때 변경사항이 적용됩니다. - + Walkthrough, dialog 1 of 2 워크스루, 대화상자 1/2 - + Walkthrough instructions: Fill in missing fields (optional) then click Add, then Close 워크스루 지침: 누락된 필드를 채우고(옵션) 추가를 클릭한 다음 닫기를 클릭합니다 - + Walkthrough, dialog 1 of 1 워크스루, 대화상자 1/1 - + Walkthrough, dialog 2 of 2 워크스루, 대화상자 2/2 - - Walkthrough instructions: Click right arrow button (->), then Close. - 워크스루 지침: 새로 만들기를 클릭한 다음, 오른쪽 화살표(->) 버튼을 클릭하고 닫기를 클릭합니다. + + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. - Walkthrough instructions: Click New, then right arrow (->) button, then Close. - 워크스루 지침: 새로 만들기를 클릭한 다음, 오른쪽 화살표(->) 버튼을 클릭하고 닫기를 클릭합니다. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. - + Renaming Macro File 매크로 파일 이름 바꾸기 - - + + Enter new name: 새 이름 입력하기: - - + + '%1' already exists. '%1' 이미 존재합니다. - + Rename Failed 이름 바꾸기 실패함 - + Failed to rename to '%1'. Perhaps a file permission error? '%1'(으)로 이름을 바꾸지 못했습니다. 어쩌면 파일권한 오류일까요? - + Duplicate Macro 매크로 복제하기 - + Duplicate Failed 복제 실패함 - + Failed to duplicate to '%1'. Perhaps a file permission error? '%1'(으)로 복제하지 못했습니다. @@ -5894,81 +5894,81 @@ Do you want to save your changes? Gui::GraphvizView - + Graphviz not found Graphviz를 찾을 수 없습니다 - + Graphviz couldn't be found on your system. 당신의 시스템에서 Graphviz를 찾을 수 없습니다. - + Read more about it here. 여기에서 자세히 읽어보세요. - + Do you want to specify its installation path if it's already installed? 이미 설치된 경우 설치 경로를 지정하시겠습니까? - + Graphviz installation path Graphviz 설치 경로 - + Graphviz failed Graphviz 실패 - + Graphviz failed to create an image file Graphviz가 화상 파일을 만들지 못했습니다 - + PNG format PNG형식 - + Bitmap format Bitmap형식 - + GIF format Gif형식 - + JPG format JPG형식 - + SVG format SVG형식 - - + + PDF format PDF형식 - - + + Graphviz format Graphviz format - - - + + + Export graph 그래프 내보내기 @@ -6128,63 +6128,83 @@ Do you want to save your changes? Gui::MainWindow - - + + Dimension 치수 - + Ready 준비 - + Close All 모두 닫기 - - - + + + Toggles this toolbar 이 도구 모음 전환하기 - - - + + + Toggles this dockable window 이 도킹 가능 창 전환하기 - + + Safe mode enabled + Safe mode enabled + + + + FreeCAD is now running in safe mode. + FreeCAD is now running in safe mode. + + + + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + + + WARNING: This is a development version. 경고: 이것은 개발용 버전입니다. - + Please do not use it in a production environment. 생산환경에서 이 버전을 사용하지 마세요. - - + + Unsaved document 저장하지 않은 문서 - + The exported object contains external link. Please save the documentat least once before exporting. 내보낸 객체에 외부 링크가 포함되어 있습니다. 내보내기 전에 문서를 한 번 이상 저장하십시오. - + To link to external objects, the document must be saved at least once. Do you want to save the document now? 외부 객체에 링크하려면, 문서를 한 번 이상 저장해야 합니다. 지금 문서를 저장하시겠습니까? + + + Safe Mode + Safe Mode + Gui::ManualAlignment @@ -6685,39 +6705,19 @@ Do you want to exit without saving your data? Open file %1 파일 열기 %1 - - - File not found - 파일을 찾을 수 없습니다 - - - - The file '%1' cannot be opened. - '%1' 파일을 열 수 없습니다. - Gui::RecentMacrosAction - + none 없음 - + Run macro %1 (Shift+click to edit) keyboard shortcut: %2 매크로 %1 실행(편집하려면 Shift+클릭) 키보드 단축키: %2 - - - File not found - 파일을 찾을 수 없습니다 - - - - The file '%1' cannot be opened. - '%1' 파일을 열 수 없습니다. - Gui::RevitNavigationStyle @@ -6972,7 +6972,7 @@ Do you want to specify another directory? Gui::TaskView::TaskDialog - + A dialog is already open in the task panel 테스크 패널에 이미 다이얼로그가 열려있습니다. @@ -7001,38 +7001,8 @@ Do you want to specify another directory? Gui::TextDocumentEditorView - - Text updated - 텍스트 업데이트됨 - - - - The text of the underlying object has changed. Discard changes and reload the text from the object? - 기본 객체의 텍스트가 변경되었습니다. 변경사항을 취소하고 객체에서 텍스트를 다시 불러오시겠습니까? - - - - Yes, reload. - 예, 다시 불러옵니다. - - - - Unsaved document - 저장하지 않은 문서 - - - - Do you want to save your changes before closing? - 닫기 전에 변경 내용을 저장하시겠습니까? - - - - If you don't save, your changes will be lost. - 저장하지 않으면 변경 내용이 손실됩니다. - - - - + + Edit text 텍스트 편집 @@ -7309,7 +7279,7 @@ Do you want to specify another directory? Gui::TreeDockWidget - + Tree view 트리 보기 @@ -7317,7 +7287,7 @@ Do you want to specify another directory? Gui::TreePanel - + Search 검색하기 @@ -7375,148 +7345,148 @@ Do you want to specify another directory? 그룹 - + Labels & Attributes 레이블 및 특성 - + Description 설명 - + Internal name 내부 이름 - + Show items hidden in tree view 트리 뷰에서 숨겨진 항목 보기 - + Show items that are marked as 'hidden' in the tree view 트리 뷰에서 '숨김'으로 표시된 항목 보기 - + Toggle visibility in tree view 트리 뷰에서 표시여부 토글 - + Toggles the visibility of selected items in the tree view 트리 뷰에서 선택 항목의 표시여부를 토글함 - + Create group 그룹 만들기 - + Create a group 그룹 만들기 - - + + Rename 이름 바꾸기 - + Rename object 객체 이름 바꾸기 - + Finish editing 편집 완료 - + Finish editing object 객체 편집 완료 - + Add dependent objects to selection 선택 항목에 종속 오브젝트 추가 - + Adds all dependent objects to the selection 모든 종속 개체를 선택 항목에 추가합니다. - + Close document 문서 닫기 - + Close the document 문서 닫기 - + Reload document 문서 다시 불러오기 - + Reload a partially loaded document 부분적인 불러온 문서 다시 불러오기 - + Skip recomputes 재계산 건너뛰기 - + Enable or disable recomputations of document 문서 계산 사용 또는 사용 안 함 - + Allow partial recomputes 부분적인 재계산 허용하기 - + Enable or disable recomputating editing object when 'skip recomputation' is enabled '계산 건너뛰기'가 활성화된 경우 편집 개체 다시 계산 사용 또는 사용 안 함 - + Mark to recompute 다시 계산 표시 - + Mark this object to be recomputed 이 객체가 다시 계산될 수 있도록 표시합니다 - + Recompute object 객체 다시 계산하기 - + Recompute the selected object 선택한 객체를 다시 계산합니다 - + (but must be executed) (단, 실행해야 함) - + %1, Internal name: %2 %1, 내부 이름: %2 @@ -7728,47 +7698,47 @@ Do you want to specify another directory? QDockWidget - + Tree view 트리 보기 - + Tasks 작업 - + Property view 속성 보기 - + Selection view 선택항목 보기 - + Task List 작업 목록 - + Model 모델 - + DAG View DAG 보기 - + Report view 보고서 보기 - + Python console Python 콘솔 @@ -7808,35 +7778,35 @@ Do you want to specify another directory? 파이썬 - - - + + + Unknown filetype 알 수 없는 파일유형 - - + + Cannot open unknown filetype: %1 알 수 없는 파일유형을 열 수 없습니다: %1 - + Export failed 내보내기 실패 - + Cannot save to unknown filetype: %1 알 수 없는 파일유형에 저장할 수 없습니다. %1 - + Recomputation required 재계산 필요 - + Some document(s) require recomputation for migration purposes. It is highly recommended to perform a recomputation before any modification to avoid compatibility problems. Do you want to recompute now? @@ -7845,24 +7815,24 @@ Do you want to recompute now? Do you want to recompute now? - + Recompute error 재계산 오류 - + Failed to recompute some document(s). Please check report view for more details. Failed to recompute some document(s). Please check report view for more details. - + Workbench failure 작업대 실패 - + %1 %1 @@ -7908,90 +7878,105 @@ Please check report view for more details. 가져오기 - + Export file 파일로 내보내기 - + Printing... 인쇄중... - + Exporting PDF... PDF로 내보내기... - - + + Unsaved document 저장하지 않은 문서 - + The exported object contains external link. Please save the documentat least once before exporting. 내보낸 객체에 외부 링크가 포함되어 있습니다. 내보내기 전에 문서를 한 번 이상 저장하십시오. - - + + Delete failed 삭제 실패 - + Dependency error 종속성 오류 - + Copy selected 사본 선택됨 - + Copy active document 활성 문서 복사하기 - + Copy all documents 모든 문서 복사하기 - + Paste 붙여넣기 - + Expression error 표현식 오류 - + Failed to parse some of the expressions. Please check the Report View for more details. 일부 식을 구문 분석하지 못했습니다. 자세한 내용은 보고서 뷰를 확인하십시오. - + Failed to paste expressions 식을 붙여넣지 못했습니다. - + Cannot load workbench 작업대를 불러올 수 없습니다 - + A general error occurred while loading the workbench 작업대를 불러오는 동안 일반 오류가 발생했습니다 + + + Restart in safe mode + Restart in safe mode + + + + Are you sure you want to restart FreeCAD and enter safe mode? + Are you sure you want to restart FreeCAD and enter safe mode? + + + + Safe mode temporarily disables your configuration and addons. + Safe mode temporarily disables your configuration and addons. + @@ -8216,51 +8201,51 @@ Do you want to continue? Too many opened non-intrusive notifications. Notifications are being omitted! - + Identical physical path detected. It may cause unwanted overwrite of existing document! 동일한 물리적 경로가 감지되었습니다. 존재하는 문서의 원치 않는 덮어쓰기가 발생할 수 있습니다! - + Are you sure you want to continue? 계속 진행 하시겠습니까? - + Please check report view for more... 자세한 내용은 보고서 보기를 확인하십시오... - + Physical path: 물리적 경로: - - + + Document: 문서: - - + + Path: 경로: - + Identical physical path 동일한 물리적 경로 - + Could not save document 문서를 저장할 수 없습니다 - + There was an issue trying to save the file. This may be because some of the parent folders do not exist, or you do not have sufficient permissions, or for other reasons. Error details: "%1" @@ -8273,102 +8258,102 @@ Would you like to save the file with a different name? 파일을 다른 이름으로 저장하시겠습니까? - - - + + + Saving aborted 저장 실패 - + Save dependent files 종속 파일 저장하기 - + The file contains external dependencies. Do you want to save the dependent files, too? 파일에 외부 종속성이 있습니다. 종속 파일도 저장하시겠습니까? - - + + Saving document failed 문서 저장 실패 - + Save document under new filename... 새 파일 이름으로 문서 저장하기... - - + + Save %1 Document %1 문서 저장 - + Document 문서 - - + + Failed to save document 문서 저장 실패 - + Documents contains cyclic dependencies. Do you still want to save them? 문서에는 주기적 종속성이 포함되어 있습니다. 아직도 저장하길 원하나요? - + Save a copy of the document under new filename... 문서의 사본을 새 파일 이름으로 저장하기... - + %1 document (*.FCStd) %1 문서 (*.FCStd) - + Document not closable 문서를 닫을 수 없습니다 - + The document is not closable for the moment. 그 문서는 당분간 닫을 수 없다. - + Document not saved 문서가 저장되지 않았습니다 - + The document%1 could not be saved. Do you want to cancel closing it? %1 문서를 저장할 수 없습니다. 닫기를 취소하시겠습니까? - + Undo 실행 취소 - + Redo 다시 실행 - + There are grouped transactions in the following documents with other preceding transactions 다음 문서에 다른 이전 트랜잭션과 함께 그룹화된 트랜잭션이 있습니다. - + Choose 'Yes' to roll back all preceding transactions. Choose 'No' to roll back in the active document only. Choose 'Abort' to abort @@ -8462,7 +8447,7 @@ Choose 'Abort' to abort %2 또는 %3에서 %1 파일을 찾을 수 없습니다 - + Navigation styles 탐색 스타일 @@ -8473,47 +8458,47 @@ Choose 'Abort' to abort 변환하기 - + Do you want to close this dialog? 다이얼로그를 닫으시겠습니까? - + Do you want to save your changes to document '%1' before closing? 문서를 닫기 전에 변경 내용을 '%1'에 저장하시겠습니까? - + Do you want to save your changes to document before closing? 닫기 전에 변경사항을 문서에 저장하시겠습니까? - + If you don't save, your changes will be lost. 저장하지 않으면 변경 내용이 손실됩니다. - + Apply answer to all 모든 것에 답변 적용 - + %1 Document(s) not saved %1문서가 저장되지 않았습니다. - + Some documents could not be saved. Do you want to cancel closing? 일부 문서를 저장할 수 없습니다. 닫는 것을 취소하시겠습니까? - + Delete macro 매크로 삭제 - + Not allowed to delete system-wide macros 시스템 전체 매크로 삭제가 허용되지 않음 @@ -8609,10 +8594,10 @@ Choose 'Abort' to abort - - - - + + + + Invalid name 잘못된 이름 @@ -8624,25 +8609,25 @@ underscore, and must not start with a digit. - + The property name is a reserved word. The property name is a reserved word. - + The property '%1' already exists in '%2' The property '%1' already exists in '%2' - + Add property 속성 추가하기 - + Failed to add property to '%1': %2 '%1'에 속성을 추가하지 못했습니다: %2 @@ -8925,14 +8910,14 @@ the current copy will be lost. 억제 - + The property name must only contain alpha numericals, underscore, and must not start with a digit. The property name must only contain alpha numericals, underscore, and must not start with a digit. - + The group name must only contain alpha numericals, underscore, and must not start with a digit. The group name must only contain alpha numericals, @@ -8979,13 +8964,13 @@ underscore, and must not start with a digit. StdCmdAbout - + &About %1 %1 정보(&A) - - + + About %1 %1 정보 @@ -8993,13 +8978,13 @@ underscore, and must not start with a digit. StdCmdAboutQt - + About &Qt Qt 정보(&Q) - - + + About Qt Qt 정보 @@ -9035,13 +9020,13 @@ underscore, and must not start with a digit. StdCmdAlignment - + Alignment... 정렬... - - + + Align the selected objects 선택한 객체를 정렬합니다 @@ -9105,13 +9090,13 @@ underscore, and must not start with a digit. StdCmdCommandLine - + Start command &line... 명령줄 시작하기(&L)... - - + + Opens the command line in the console 콘솔에서 명령줄을 엽니다. @@ -9119,13 +9104,13 @@ underscore, and must not start with a digit. StdCmdCopy - + C&opy 복사하기(&O) - - + + Copy operation 복사 작업 @@ -9133,13 +9118,13 @@ underscore, and must not start with a digit. StdCmdCut - + &Cut 잘라내기(&C) - - + + Cut out 자르기 @@ -9147,13 +9132,13 @@ underscore, and must not start with a digit. StdCmdDelete - + &Delete 삭제하기(&D) - - + + Deletes the selected objects 선택한 객체 삭제하기 @@ -9175,13 +9160,13 @@ underscore, and must not start with a digit. StdCmdDependencyGraph - + Dependency graph... 종속성 그래프... - - + + Show the dependency graph of the objects in the active document 활성 문서에 있는 객체의 종속성 그래프를 표시합니다 @@ -9189,13 +9174,13 @@ underscore, and must not start with a digit. StdCmdDlgCustomize - + Cu&stomize... 사용자 정의(&S) - - + + Customize toolbars and command bars 도구 및 명령 모음 사용자 정의하기 @@ -9255,13 +9240,13 @@ underscore, and must not start with a digit. StdCmdDlgParameter - + E&dit parameters ... 매개변수 편집하기(&D) ... - - + + Opens a Dialog to edit the parameters 파라미터 편집 대화 상자를 엽니다 @@ -9269,13 +9254,13 @@ underscore, and must not start with a digit. StdCmdDlgPreferences - + &Preferences ... 환경설정(&P)... - - + + Opens a Dialog to edit the preferences 환경설정 편집 대화 상자 열기 @@ -9311,13 +9296,13 @@ underscore, and must not start with a digit. StdCmdDuplicateSelection - + Duplicate selection 선택항목 복제하기 - - + + Put duplicates of the selected objects to the active document 선택한 객체의 복제본을 활성 문서에 넣습니다 @@ -9325,17 +9310,17 @@ underscore, and must not start with a digit. StdCmdEdit - + Toggle &Edit mode 편집 모드 전환하기(&E) - + Toggles the selected object's edit mode 선택한 객체의 편집 모드를 전환합니다 - + Activates or Deactivates the selected object's edit mode 선택한 객체의 편집 모드를 활성화 또는 비활성화합니다 @@ -9354,12 +9339,12 @@ underscore, and must not start with a digit. 활성 문서의 객체 내보내기 - + No selection 선택 안 함 - + Select the objects to export before choosing Export. 내보내기를 선택하기 전에 내보낼 오브젝트를 선택하십시오. @@ -9367,13 +9352,13 @@ underscore, and must not start with a digit. StdCmdExpression - + Expression actions Expression actions - - + + Actions that apply to expressions Actions that apply to expressions @@ -9395,12 +9380,12 @@ underscore, and must not start with a digit. StdCmdFreeCADDonation - + Donate 기부하기 - + Donate to FreeCAD development FreeCAD 개발에 기부하기 @@ -9408,17 +9393,17 @@ underscore, and must not start with a digit. StdCmdFreeCADFAQ - + FreeCAD FAQ FreeCAD FAQ - + Frequently Asked Questions on the FreeCAD website FreeCAD 웹사이트의 자주 묻는 질문(FAQ) - + Frequently Asked Questions 자주 묻는 질문 @@ -9426,17 +9411,17 @@ underscore, and must not start with a digit. StdCmdFreeCADForum - + FreeCAD Forum FreeCAD 포럼 - + The FreeCAD forum, where you can find help from other users FreeCAD 포럼에서 다른 사용자의 도움말을 찾을 수 있습니다. - + The FreeCAD Forum FreeCAD 포럼 @@ -9444,17 +9429,17 @@ underscore, and must not start with a digit. StdCmdFreeCADPowerUserHub - + Python scripting documentation Python 스크립팅 문서 - + Python scripting documentation on the FreeCAD website FreeCAD 웹 사이트의 Python 스크립팅 문서 - + PowerUsers documentation 고급사용자 문서 @@ -9462,13 +9447,13 @@ underscore, and must not start with a digit. StdCmdFreeCADUserHub - - + + Users documentation 사용자 문서 - + Documentation for users on the FreeCAD website FreeCAD 웹사이트의 사용자를 위한 문서 @@ -9476,13 +9461,13 @@ underscore, and must not start with a digit. StdCmdFreeCADWebsite - - + + FreeCAD Website FreeCAD 웹사이트 - + The FreeCAD website FreeCAD 웹사이트 @@ -9797,25 +9782,25 @@ underscore, and must not start with a digit. StdCmdMergeProjects - + Merge document... 문서 병합... - - - - + + + + Merge document 문서 병합 - + %1 document (*.FCStd) %1 문서 (*.FCStd) - + Cannot merge document with itself. Cannot merge document with itself. @@ -9823,18 +9808,18 @@ underscore, and must not start with a digit. StdCmdNew - + &New 새로 만들기(&N) - - + + Create a new empty document 비어 있는 새 문서 만들기 - + Unnamed 이름없음 @@ -9843,13 +9828,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelp - - + + Help 도움말 - + Show help to the application 응용 프로그램에 도움말을 표시 @@ -9857,13 +9842,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelpWebsite - - + + Help Website 도움말 웹 사이트 - + The website where the help is maintained 도움말 지원 웹사이트 @@ -9918,13 +9903,13 @@ underscore, and must not start with a digit. StdCmdPaste - + &Paste 붙여넣기(&P) - - + + Paste operation 붙여넣기 작업 @@ -9932,13 +9917,13 @@ underscore, and must not start with a digit. StdCmdPlacement - + Placement... 위치 설정... - - + + Place the selected objects 선택한 객체를 배치합니다 @@ -9946,13 +9931,13 @@ underscore, and must not start with a digit. StdCmdPrint - + &Print... 인쇄하기(&P)... - - + + Print the document 문서 인쇄하기 @@ -9960,13 +9945,13 @@ underscore, and must not start with a digit. StdCmdPrintPdf - + &Export PDF... PDF 내보내기(&E)... - - + + Export the document as PDF 문서를 PDF로 내보내기 @@ -9974,17 +9959,17 @@ underscore, and must not start with a digit. StdCmdPrintPreview - + &Print preview... 인쇄 미리보기(&P)... - + Print the document 문서 인쇄하기 - + Print preview 인쇄 미리보기 @@ -9992,13 +9977,13 @@ underscore, and must not start with a digit. StdCmdPythonWebsite - - + + Python Website Python 웹사이트 - + The official Python website 공식 Python 웹사이트 @@ -10006,13 +9991,13 @@ underscore, and must not start with a digit. StdCmdQuit - + E&xit 종료(&X) - - + + Quits the application 프로그램 종료 @@ -10034,13 +10019,13 @@ underscore, and must not start with a digit. StdCmdRecentFiles - + Open Recent 최근 파일 열기 - - + + Recent file list 최근 파일 목록 @@ -10048,13 +10033,13 @@ underscore, and must not start with a digit. StdCmdRecentMacros - + Recent macros 최근 매크로 - - + + Recent macro list 최근 매크로 목록 @@ -10062,13 +10047,13 @@ underscore, and must not start with a digit. StdCmdRedo - + &Redo 다시 실행(&R) - - + + Redoes a previously undone action 실행 취소한 작업을 다시 실행합니다 @@ -10076,13 +10061,13 @@ underscore, and must not start with a digit. StdCmdRefresh - + &Refresh 새로 고침(&R) - - + + Recomputes the current active document 현재 문서를 다시 계산합니다 @@ -10090,13 +10075,13 @@ underscore, and must not start with a digit. StdCmdReportBug - + Report a bug 버그 제보 - - + + Report a bug or suggest a feature 버그 보고 또는 기능 제안 @@ -10104,13 +10089,13 @@ underscore, and must not start with a digit. StdCmdRevert - + Revert 되돌리기 - - + + Reverts to the saved version of this file 저장된 버전의 파일로 되돌리기 @@ -10118,13 +10103,13 @@ underscore, and must not start with a digit. StdCmdSave - + &Save 저장하기(&S) - - + + Save the active document 활성 문서 저장하기 @@ -10132,13 +10117,13 @@ underscore, and must not start with a digit. StdCmdSaveAll - + Save All 모두 저장 - - + + Save all opened document 열린 문서 모두 저장하기 @@ -10146,13 +10131,13 @@ underscore, and must not start with a digit. StdCmdSaveAs - + Save &As... 다른 이름으로 저장(&A)... - - + + Save the active document under a new file name 활성 문서를 새 파일 이름으로 저장하기 @@ -10160,13 +10145,13 @@ underscore, and must not start with a digit. StdCmdSaveCopy - + Save a &Copy... 사본 저장하기(&C)... - - + + Save a copy of the active document under a new file name 활성 문서의 사본을 새 파일 이름으로 저장하기 @@ -10202,13 +10187,13 @@ underscore, and must not start with a digit. StdCmdSelectAll - + Select &All 모두 선택하기(&A) - - + + Select all 모두 선택 @@ -10286,13 +10271,13 @@ underscore, and must not start with a digit. StdCmdTextDocument - + Add text document 텍스트 문서 추가하기 - - + + Add text document to active document 활성 문서에 텍스트 문서 추가하기 @@ -10426,13 +10411,13 @@ underscore, and must not start with a digit. StdCmdTransform - + Transform... 전환 - - + + Transform the geometry of selected objects 선택한 오브젝트의 기하학적 구조 변환 @@ -10440,13 +10425,13 @@ underscore, and must not start with a digit. StdCmdTransformManip - + Transform 변환하기 - - + + Transform the selected object in the 3d view 3D 뷰에서 선택한 오브젝트 변환 @@ -10510,13 +10495,13 @@ underscore, and must not start with a digit. StdCmdUndo - + &Undo 실행 취소(&U) - - + + Undo exactly one action 작업 하나를 실행 취소합니다 @@ -10524,13 +10509,13 @@ underscore, and must not start with a digit. StdCmdUserEditMode - + Edit mode 편집 모드 - - + + Defines behavior when editing an object from tree 트리에서 객체를 편집할 때 동작을 정의합니다. @@ -10930,13 +10915,13 @@ underscore, and must not start with a digit. StdCmdWhatsThis - + &What's This? 이건 뭔가요?(&W) - - + + What's This 이건 뭐지? @@ -10972,13 +10957,13 @@ underscore, and must not start with a digit. StdCmdWorkbench - + Workbench 작업대 - - + + Switch between workbenches 작업대 전환 @@ -11302,7 +11287,7 @@ underscore, and must not start with a digit. Std_Delete - + The following referencing objects might break. Are you sure you want to continue? @@ -11312,7 +11297,7 @@ Are you sure you want to continue? 계속하시겠습니까? - + Object dependencies 객체 종속성 @@ -11320,7 +11305,7 @@ Are you sure you want to continue? Std_DependencyGraph - + Dependency graph 종속성 그래프 @@ -11401,12 +11386,12 @@ Are you sure you want to continue? Std_DuplicateSelection - + Object dependencies 객체 종속성 - + To link to external objects, the document must be saved at least once. Do you want to save the document now? 외부 객체에 링크하려면, 문서를 한 번 이상 저장해야 합니다. @@ -11424,7 +11409,7 @@ Do you want to save the document now? Std_Refresh - + The document contains dependency cycles. Please check the Report View for more details. @@ -11436,17 +11421,17 @@ Do you still want to proceed? Std_Revert - + Revert document 문서 되돌리기 - + This will discard all the changes since last file save. 마지막 저장 이후에 변경된 모든 것들은 저장되지 않습니다. - + Do you want to continue? 계속하시겠습니까? @@ -11620,12 +11605,12 @@ Do you still want to proceed? Gui::MDIView - + Export PDF PDF로 내보내기 - + PDF file PDF 파일 @@ -12318,82 +12303,82 @@ Currently, your system has the following workbenches:</p></body>< 미리보기: - + Text 텍스트 - + Bookmark 책갈피 - + Breakpoint 중단점 - + Keyword 키워드 - + Comment 주석 - + Block comment 블록 주석 - + Number 숫자 - + String 문자열 - + Character 문자 - + Class name 클래스 이름 - + Define name 이름 정의 - + Operator 연산자 - + Python output Python 출력 - + Python error Python 오류 - + Current line highlight 현재 줄 강조 표시 - + Items 항목 @@ -12897,13 +12882,13 @@ from Python console to Report view panel StdCmdExportDependencyGraph - + Export dependency graph... Export dependency graph... - - + + Export the dependency graph to a file Export the dependency graph to a file @@ -13341,13 +13326,13 @@ the region are non-opaque. StdCmdProjectInfo - + Document i&nformation... Document i&nformation... - - + + Show details of the currently active document Show details of the currently active document @@ -13355,13 +13340,13 @@ the region are non-opaque. StdCmdProjectUtil - + Document utility... Document utility... - - + + Utility to extract or create document files Utility to extract or create document files @@ -13383,12 +13368,12 @@ the region are non-opaque. StdCmdProperties - + Properties 속성 - + Show the property view, which displays the properties of the selected object. Show the property view, which displays the properties of the selected object. @@ -13439,13 +13424,13 @@ the region are non-opaque. StdCmdReloadStyleSheet - + &Reload stylesheet &Reload stylesheet - - + + Reloads the current stylesheet Reloads the current stylesheet @@ -13722,15 +13707,38 @@ the region are non-opaque. StdCmdUnitsCalculator - + &Units converter... &단위 변환기 - - + + Start the units converter 단위 변환기 시작 + + Gui::ModuleIO + + + File not found + 파일을 찾을 수 없습니다 + + + + The file '%1' cannot be opened. + '%1' 파일을 열 수 없습니다. + + + + StdCmdRestartInSafeMode + + + + + Restart in safe mode + Restart in safe mode + + diff --git a/src/Gui/Language/FreeCAD_lt.ts b/src/Gui/Language/FreeCAD_lt.ts index 616809cc8711..00f749d11584 100644 --- a/src/Gui/Language/FreeCAD_lt.ts +++ b/src/Gui/Language/FreeCAD_lt.ts @@ -91,17 +91,17 @@ Taisyti - + Import Įkelti - + Delete Naikinti - + Paste expressions Įklijuoti išraiškas @@ -131,7 +131,7 @@ Importuoti visus saitus - + Insert text document Įterpti tekstinį dokumentą @@ -424,42 +424,42 @@ EditMode - + Default Numatytasis - + The object will be edited using the mode defined internally to be the most appropriate for the object type Daiktas bus keičiamas naudojant vidinę veikseną, labiausiai tinkamą šiai daikto rūšiai - + Transform Keisti - + The object will have its placement editable with the Std TransformManip command Daikto padėtį bus galima keisti naudojant komandą Std TransformManip - + Cutting Pjovimas - + This edit mode is implemented as available but currently does not seem to be used by any object Ši taisos veiksena yra įgyvendinta ir prieinama, bet kol kas nėra naudojama nei vienam daiktui keisti - + Color Spalva - + The object will have the color of its individual faces editable with the Part FaceAppearances command Daikto kiekviena sienos spalva bus keičiama komanda Part FaceAppearances @@ -680,8 +680,8 @@ while doing a left or right click and move the mouse up or down - Word size - Žodžio dydis + Architecture + Architecture @@ -706,52 +706,52 @@ while doing a left or right click and move the mouse up or down Gui::Dialog::AboutDialog - - + + Credits - Header for the Credits tab of the About screen Kūrėjai - + + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + Header for bgbsww + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + + + FreeCAD would not be possible without the contributions of „FreeCad“ nebūtų be šių įnašų - + Individuals Header for the list of individual people in the Credits list. Asmenys - + Organizations Header for the list of companies/organizations in the Credits list. Įstaigos - - + + License Licencija - + Libraries Bibliotekos - - This software uses open source components whose copyright and other proprietary rights belong to their respective owners: - Ši programinė įranga naudoja kitas atvirosios programinės įrangos dalis, kurių autorių teisės ir kitos nuosavybės teisės priklauso atitinkamiems savininkams: - - - + Collection Kolekcija - + Privacy Policy Privatumo politika @@ -1403,8 +1403,8 @@ iki žemiausios. Jei tuo pačiu metu yra galimas daugiau nei vienas veiksmas, i Gui::Dialog::DlgCustomToolBoxbarsImp - - + + Toolbox bars Įrankių rinkinių juostos @@ -1493,40 +1493,40 @@ iki žemiausios. Jei tuo pačiu metu yra galimas daugiau nei vienas veiksmas, i - + <Separator> <Skirtukas> - + %1 module not loaded %1 modulis neįkeltas - + New toolbar Nauja įrankių juosta - - + + Toolbar name: Įrankių juostos pavadinimas: - - + + Duplicated name Toks pavadinimas jau yra - - + + The toolbar name '%1' is already used Įrankių juostos pavadinimas „%1“ jau naudojamas - + Rename toolbar Pervardinti įrankių juostą @@ -1740,72 +1740,72 @@ iki žemiausios. Jei tuo pačiu metu yra galimas daugiau nei vienas veiksmas, i Gui::Dialog::DlgMacroExecuteImp - + Macros Makrokomandos - + Read-only Tik peržiūra - + Macro file Makrokomandos failas - + Enter a file name, please: Prašome įvesti failo pavadinimą: - - - + + + Existing file Esamas failas - + '%1'. This file already exists. "%1". Toks failas jau yra. - + Cannot create file Nepavyko sukurti failo - + Creation of file '%1' failed. Nepavyko sukurti failo "%1". - + Delete macro Naikinti makrokomandą - + Do you really want to delete the macro '%1'? Ar tikrai norite naikinti makrokomandą "%1"? - + Do not show again Daugiau nerodyti - + Guided Walkthrough Perėjimas naudojant vedlį - + This will guide you in setting up this macro in a custom global toolbar. Instructions will be in red text inside the dialog. Note: your changes will be applied when you next switch workbenches @@ -1815,78 +1815,78 @@ Pastaba: jūsų pakeitimai bus bus įgalinti po darbastalio perjungimo veiksmo - + Walkthrough, dialog 1 of 2 Nuostatų peržiūra, 1-asis žingsnis iš 2-ių - + Walkthrough instructions: Fill in missing fields (optional) then click Add, then Close Peržiūros nurodymai: Užpildykite trūkstamus laukus (pasirinktinai), tuomet spauskite „Pridėti“, tuomet „Užverti“ - + Walkthrough, dialog 1 of 1 Nuostatų peržiūra, 1-asis žingsnis iš 1-o - + Walkthrough, dialog 2 of 2 Nuostatų peržiūra, 2-asis žingsnis iš 2-ių - - Walkthrough instructions: Click right arrow button (->), then Close. - Peržiūros nurodymai: Spauskite rodyklės mygtuką (->), tuomet ir „Užverti“. + + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. - Walkthrough instructions: Click New, then right arrow (->) button, then Close. - Peržiūros nurodymai: Spauskite „Naujas“, tuomet rodyklės mygtuką (->), tuomet ir „Užverti“. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. - + Renaming Macro File Makrokomandų failo pervadinimas - - + + Enter new name: Įveskite naują pavadinimą: - - + + '%1' already exists. '%1' jau yra. - + Rename Failed Nepavyko pervardinti - + Failed to rename to '%1'. Perhaps a file permission error? Nepavyko pervardinti į '%1'. Galbūt failo leidimo klaida? - + Duplicate Macro Sukurti makrokomandos kopiją - + Duplicate Failed Kopijavimas nepavyko - + Failed to duplicate to '%1'. Perhaps a file permission error? Nepavyko padauginti į „%1“. @@ -5879,81 +5879,81 @@ Ar norite įrašyti keitimus? Gui::GraphvizView - + Graphviz not found „Graphviz“ nerastas - + Graphviz couldn't be found on your system. Nepavyko rasti „Graphviz“ jūsų sistemoje. - + Read more about it here. Skaitykite daugiau apie tai čia. - + Do you want to specify its installation path if it's already installed? Ar norite nurodyti kelią, jei tai jau įdiegta? - + Graphviz installation path „Graphviz“ įdiegimo vieta - + Graphviz failed „Graphviz“ triktis - + Graphviz failed to create an image file „Graphviz“ nepavyko sukurti atvaizdo failo - + PNG format PNG formatas - + Bitmap format BMP formatas - + GIF format GIF formatas - + JPG format JPG formatas - + SVG format SVG formatas - - + + PDF format PDF formatas - - + + Graphviz format Graphviz pavidalu - - - + + + Export graph Eksportuoti grafiką @@ -6113,63 +6113,83 @@ Ar norite įrašyti keitimus? Gui::MainWindow - - + + Dimension Matmuo - + Ready Paruošta - + Close All Užverti viską - - - + + + Toggles this toolbar Perjungia šią įrankių juostą - - - + + + Toggles this dockable window Paslepia ar padaro matomu šį įstatomą langą - + + Safe mode enabled + Safe mode enabled + + + + FreeCAD is now running in safe mode. + FreeCAD is now running in safe mode. + + + + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + + + WARNING: This is a development version. PERSPĖJIMAS: Tai yra tobulinimo laida. - + Please do not use it in a production environment. Prašome nenaudoti to gamybinėje aplinkoje. - - + + Unsaved document Neišsaugotas dokumentas - + The exported object contains external link. Please save the documentat least once before exporting. Eksportuotas daiktas turi išorinių saitų. Prašom prieš eksportuojant išsaugoti dokumentą bent kartą. - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Kad būtų susietas su išoriniais daiktais, dokumentas turi būti bent kartą išsaugotas. Ar norit išsaugoti dokumentą dabar? + + + Safe Mode + Safe Mode + Gui::ManualAlignment @@ -6672,39 +6692,19 @@ Ar norite išeiti neišsaugoję duomenų? Open file %1 Atidaryti failą %1 - - - File not found - Failas nerastas - - - - The file '%1' cannot be opened. - Neįmanoma atverti failo „%1“. - Gui::RecentMacrosAction - + none joks - + Run macro %1 (Shift+click to edit) keyboard shortcut: %2 Makrokomandos %1 (Norėdami taisyti paspauskite „Shift“ mygtuką ir bakstelėkite pelyte) klaviatūros trumpinys: %2 - - - File not found - Failas nerastas - - - - The file '%1' cannot be opened. - Neįmanoma atverti failo „%1“. - Gui::RevitNavigationStyle @@ -6959,7 +6959,7 @@ Ar norėtumėte nurodyti kitą aplanką? Gui::TaskView::TaskDialog - + A dialog is already open in the task panel Langas jau yra atvertas užduočių skydelyje @@ -6988,38 +6988,8 @@ Ar norėtumėte nurodyti kitą aplanką? Gui::TextDocumentEditorView - - Text updated - Tekstas atnaujintas - - - - The text of the underlying object has changed. Discard changes and reload the text from the object? - Pagrindinio daikto aprašas buvo pakeistas. Atsisakyti pakeitimų ir vėl atnaujinti aprašą, paimtą iš pagrindinio daikto? - - - - Yes, reload. - Taip, atnaujinti. - - - - Unsaved document - Neišsaugotas dokumentas - - - - Do you want to save your changes before closing? - Ar norite įrašyti keitimus prieš užveriant? - - - - If you don't save, your changes will be lost. - Jei neįrašysite, jūsų pakeitimai bus prarasti. - - - - + + Edit text Keisti tekstą @@ -7296,7 +7266,7 @@ Ar norėtumėte nurodyti kitą aplanką? Gui::TreeDockWidget - + Tree view Medžio rodinys @@ -7304,7 +7274,7 @@ Ar norėtumėte nurodyti kitą aplanką? Gui::TreePanel - + Search Paieška @@ -7362,148 +7332,148 @@ Ar norėtumėte nurodyti kitą aplanką? Grupė - + Labels & Attributes Pavadinimai ir požymiai - + Description Aprašymas - + Internal name Vidinis pavadinimas - + Show items hidden in tree view Rodyti narius, paslėptus medžio rodinyje - + Show items that are marked as 'hidden' in the tree view Rodyti narius, pažymėtus kaip paslėptus medžio rodinyje - + Toggle visibility in tree view Perjungti rodyti arba slėpti medžio rodinyje - + Toggles the visibility of selected items in the tree view Parodo arba paslepia pasirinktus narius medžio rodinyje - + Create group Sukurti grupę - + Create a group Sukurti grupę - - + + Rename Pervardyti - + Rename object Pervardyti objektą - + Finish editing Baigti taisymą - + Finish editing object Baigti taisyti daiktą - + Add dependent objects to selection Pasirinkti ir susijusius narius - + Adds all dependent objects to the selection Prie pasirinkimo prideda ir susijusius narius - + Close document Užverti dokumentą - + Close the document Užverti dokumentą - + Reload document Iš naujo atverti dokumentą - + Reload a partially loaded document Iš naujo atverti dalinai įkeltą dokumentą - + Skip recomputes Praleisti perskaičiavimus - + Enable or disable recomputations of document Įgalina arba nedaro dokumento perskaičiavimų - + Allow partial recomputes Leisti dalinius savybių perskaičiavimus - + Enable or disable recomputating editing object when 'skip recomputation' is enabled Įgalinti ar uždrausti taisomo daikto savybių perskaičiavimą, kai yra įgalintas „perskaičiavimo praleidimas“ - + Mark to recompute Pažymėti perskaičiavimui - + Mark this object to be recomputed Pažymėti šį daiktą perskaičiavimui - + Recompute object Perskaičiuoti daikto savybes - + Recompute the selected object Perskaičiuoti pasirinkto daikto savybes - + (but must be executed) (bet turi būti įvykdyta) - + %1, Internal name: %2 %1, vidinis pavadinimas: %2 @@ -7715,47 +7685,47 @@ Ar norėtumėte nurodyti kitą aplanką? QDockWidget - + Tree view Medžio langas - + Tasks Užduotys - + Property view Savybių langas - + Selection view Pasirinkimo rodinys - + Task List Užduočių sąrašas - + Model Modelis - + DAG View DAG rodinys - + Report view Ataskaitos rodinys - + Python console Python'o konsolė @@ -7795,35 +7765,35 @@ Ar norėtumėte nurodyti kitą aplanką? „Python“ - - - + + + Unknown filetype Nežinoma failo rūšis - - + + Cannot open unknown filetype: %1 Neįmanoma atverti nežinomos rūšies failo: %1 - + Export failed Eksportavimas nepavyko - + Cannot save to unknown filetype: %1 Neįmanoma įrašyti į nežinomos rūšies failą: %1 - + Recomputation required Recomputation required - + Some document(s) require recomputation for migration purposes. It is highly recommended to perform a recomputation before any modification to avoid compatibility problems. Do you want to recompute now? @@ -7832,24 +7802,24 @@ Do you want to recompute now? Do you want to recompute now? - + Recompute error Recompute error - + Failed to recompute some document(s). Please check report view for more details. Failed to recompute some document(s). Please check report view for more details. - + Workbench failure Darbastalio triktis - + %1 %1 @@ -7895,89 +7865,104 @@ Please check report view for more details. Importuoti failą - + Export file Eksportuoti failą - + Printing... Spausdinimas... - + Exporting PDF... Išsaugoma į PDF... - - + + Unsaved document Neišsaugotas dokumentas - + The exported object contains external link. Please save the documentat least once before exporting. Eksportuotas daiktas turi išorinių saitų. Prašom prieš eksportuojant išsaugoti dokumentą bent kartą. - - + + Delete failed Trynimas nepavyko - + Dependency error Priklausomybės klaida - + Copy selected Kopijuoti pasirinkimą - + Copy active document Kopijuoti veikiamąjį dokumentą - + Copy all documents Kopijuoti visus dokumentus - + Paste Įklijuoti - + Expression error Išraiškos klaida - + Failed to parse some of the expressions. Please check the Report View for more details. Nepavyko apdoroti kai kurių išraiškų. Norėdami gauti daugiau informacijos, patikrinkite ataskaitos rodinį. - + Failed to paste expressions Nepavyko įdėti išraiškų - + Cannot load workbench Nepavyko įkelti darbastalio - + A general error occurred while loading the workbench Įkeliant darbastalį įvyko rimta klaida + + + Restart in safe mode + Restart in safe mode + + + + Are you sure you want to restart FreeCAD and enter safe mode? + Are you sure you want to restart FreeCAD and enter safe mode? + + + + Safe mode temporarily disables your configuration and addons. + Safe mode temporarily disables your configuration and addons. + @@ -8202,7 +8187,7 @@ Ar norite tęsti? Per daug atidarytų neįkyrių pranešimų. Pranešimai pradėti praleidinėti! - + Identical physical path detected. It may cause unwanted overwrite of existing document! @@ -8211,44 +8196,44 @@ Ar norite tęsti? - + Are you sure you want to continue? Ar tikrai norite tęsti? - + Please check report view for more... Norėdami sužinoti daugiau, peržiūrėkite ataskaitos rodinį... - + Physical path: Fizinis kelias: - - + + Document: Dokumentas: - - + + Path: Kelias: - + Identical physical path Tapatus fizinis kelias - + Could not save document Nepavyko išsaugoti dokumento - + There was an issue trying to save the file. This may be because some of the parent folders do not exist, or you do not have sufficient permissions, or for other reasons. Error details: "%1" @@ -8261,102 +8246,102 @@ Would you like to save the file with a different name? Ar norite išsaugoti failą kitu pavadinimu? - - - + + + Saving aborted Įrašymas nutrauktas - + Save dependent files Saugoti priklausomas rinkmenas - + The file contains external dependencies. Do you want to save the dependent files, too? Faile yra išorinių saitų su priklausomais failais. Ar norite išsaugoti ir priklausomus failus? - - + + Saving document failed Nepavyko įrašyti dokumento - + Save document under new filename... Įrašyti dokumentą nauju pavadinimu... - - + + Save %1 Document Įrašyti %1 dokumentą - + Document Dokumentas - - + + Failed to save document Nepavyko išsaugoti dokumento - + Documents contains cyclic dependencies. Do you still want to save them? Dokumentuose yra žiedinių priklausomybių. Ar vistiek norite juos išsaugoti? - + Save a copy of the document under new filename... Įrašyti dokumento kopiją nauju pavadinimu... - + %1 document (*.FCStd) %1 dokumentas (*. FCStd) - + Document not closable Dokumentas neužveriamas - + The document is not closable for the moment. Dokumento šiuo metu neįmanoma užverti. - + Document not saved Dokumentas neišsaugotas - + The document%1 could not be saved. Do you want to cancel closing it? Dokumento %1 nepavyko išsaugoti. Ar norite atšaukti jo uždarymą? - + Undo Atšaukti - + Redo Pakartoti - + There are grouped transactions in the following documents with other preceding transactions Toliau pateiktuose dokumentuose veiksmai yra sugrkitomisugrupuais ankstesniais veiksmais - + Choose 'Yes' to roll back all preceding transactions. Choose 'No' to roll back in the active document only. Choose 'Abort' to abort @@ -8450,7 +8435,7 @@ Norėdami nutraukti veiksmus, pasirinkite „Nutraukti“ Nepavyko rasti nei failo %1, nei failo %2, nei failo %3 - + Navigation styles Naršymo būdai @@ -8461,47 +8446,47 @@ Norėdami nutraukti veiksmus, pasirinkite „Nutraukti“ Keisti - + Do you want to close this dialog? Ar norite uždaryti šį dialogo langą? - + Do you want to save your changes to document '%1' before closing? Ar norite įrašyti keitimus į dokumentą „%1“ prieš užveriant? - + Do you want to save your changes to document before closing? Ar norite įrašyti keitimus prieš užveriant? - + If you don't save, your changes will be lost. Jei neįrašysite, jūsų pakeitimai bus prarasti. - + Apply answer to all Pritaikyti atsakymą visiems - + %1 Document(s) not saved %1 dokumentas(-i) neišsaugotas(-i) - + Some documents could not be saved. Do you want to cancel closing? Kai kurie dokumentai negli būti išsaugoti. Ar norėtumėte atšaukti uždarymą? - + Delete macro Naikinti makrokomandą - + Not allowed to delete system-wide macros Neleidžiama naikinti sistemai visuotinos makrokomandos @@ -8597,10 +8582,10 @@ Norėdami nutraukti veiksmus, pasirinkite „Nutraukti“ - - - - + + + + Invalid name Netinkamas pavadinimas @@ -8612,25 +8597,25 @@ underscore, and must not start with a digit. - + The property name is a reserved word. The property name is a reserved word. - + The property '%1' already exists in '%2' Ypatybė pavadinimu '%1' jau yra '%2' - + Add property Pridėti savybę - + Failed to add property to '%1': %2 Nepavyko pridėti ypatybės į '%1': %2 @@ -8913,14 +8898,14 @@ the current copy will be lost. Nuslopintas - + The property name must only contain alpha numericals, underscore, and must not start with a digit. The property name must only contain alpha numericals, underscore, and must not start with a digit. - + The group name must only contain alpha numericals, underscore, and must not start with a digit. Grupės pavadinime turi būti tik raidiniai ir skaitiniai ženklai, pabraukimas ir jis negali prasidėti skaitmeniu. @@ -8966,13 +8951,13 @@ underscore, and must not start with a digit. StdCmdAbout - + &About %1 &Apie %1 - - + + About %1 Apie %1 @@ -8980,13 +8965,13 @@ underscore, and must not start with a digit. StdCmdAboutQt - + About &Qt Apie „&Qt“ - - + + About Qt Apie „Qt“ @@ -9022,13 +9007,13 @@ underscore, and must not start with a digit. StdCmdAlignment - + Alignment... Lygiavimas... - - + + Align the selected objects Lygiuoti pažymėtus daiktus @@ -9092,13 +9077,13 @@ underscore, and must not start with a digit. StdCmdCommandLine - + Start command &line... Paleisti veiksmų eilutę... - - + + Opens the command line in the console Atveria veiksmų eilutę konsolėje @@ -9106,13 +9091,13 @@ underscore, and must not start with a digit. StdCmdCopy - + C&opy &Kopijuoti - - + + Copy operation Kopijuoti @@ -9120,13 +9105,13 @@ underscore, and must not start with a digit. StdCmdCut - + &Cut Išk&irpti - - + + Cut out Iškirpti @@ -9134,13 +9119,13 @@ underscore, and must not start with a digit. StdCmdDelete - + &Delete &Naikinti - - + + Deletes the selected objects Naikina pasirinktus daiktus @@ -9162,13 +9147,13 @@ underscore, and must not start with a digit. StdCmdDependencyGraph - + Dependency graph... Priklausomybių medis... - - + + Show the dependency graph of the objects in the active document Rodyti rengiamo dokumento daiktų tarpusavio priklausomybes @@ -9176,13 +9161,13 @@ underscore, and must not start with a digit. StdCmdDlgCustomize - + Cu&stomize... &Sąranka... - - + + Customize toolbars and command bars Tinkinti įrankių bei veiksmų juostas @@ -9242,13 +9227,13 @@ underscore, and must not start with a digit. StdCmdDlgParameter - + E&dit parameters ... Keisti &savybes... - - + + Opens a Dialog to edit the parameters Atidaryti programos savybių keitimo langą @@ -9256,13 +9241,13 @@ underscore, and must not start with a digit. StdCmdDlgPreferences - + &Preferences ... Nu&ostatos... - - + + Opens a Dialog to edit the preferences Atidaryti nustatymų keitimo langą @@ -9298,13 +9283,13 @@ underscore, and must not start with a digit. StdCmdDuplicateSelection - + Duplicate selection Kopijuoti pasirinkimą - - + + Put duplicates of the selected objects to the active document Įdėti pasirinktų daiktų dublikatus į rengiamą dokumentą @@ -9312,17 +9297,17 @@ underscore, and must not start with a digit. StdCmdEdit - + Toggle &Edit mode &Taisyti/baigti taisymą - + Toggles the selected object's edit mode Įgalinamas arba užbaigiamas pažymėto daikto taisymas - + Activates or Deactivates the selected object's edit mode Įgalinamas arba išjungiamas pažymėto daikto taisymas @@ -9341,12 +9326,12 @@ underscore, and must not start with a digit. Eksportuoti daiktą iš rengiamo dokumento - + No selection Niekas nepasirinkta - + Select the objects to export before choosing Export. Pasirinkti daiktus eksportavimui prieš eksportuojant juos. @@ -9354,13 +9339,13 @@ underscore, and must not start with a digit. StdCmdExpression - + Expression actions Išraiškos veiksmai - - + + Actions that apply to expressions Veiksmai, taikomi išraiškoms @@ -9382,12 +9367,12 @@ underscore, and must not start with a digit. StdCmdFreeCADDonation - + Donate Paaukokite - + Donate to FreeCAD development Paremti programos kūrimą finansiškai @@ -9395,17 +9380,17 @@ underscore, and must not start with a digit. StdCmdFreeCADFAQ - + FreeCAD FAQ „FreeCAD“ DUK - + Frequently Asked Questions on the FreeCAD website Dažniausiai užduodami klausimai apie „FreeCAD“ žiniatinklio svetainėje - + Frequently Asked Questions Dažniausiai užduodami klausimai @@ -9413,17 +9398,17 @@ underscore, and must not start with a digit. StdCmdFreeCADForum - + FreeCAD Forum „FreeCAD“ forumas - + The FreeCAD forum, where you can find help from other users “FreeCAD“ forumas, kuriame sulauksite pagalbos iš kitų vartotojų - + The FreeCAD Forum „FreeCAD“ forumas @@ -9431,17 +9416,17 @@ underscore, and must not start with a digit. StdCmdFreeCADPowerUserHub - + Python scripting documentation „Python'o“ scenarijų rašymo žinynas - + Python scripting documentation on the FreeCAD website Python scenarijų rašymo žinynas „FreeCAD“ svetainėje - + PowerUsers documentation Žinynas patyrusiam vartotojui @@ -9449,13 +9434,13 @@ underscore, and must not start with a digit. StdCmdFreeCADUserHub - - + + Users documentation Vartotojo dokumentacija - + Documentation for users on the FreeCAD website Vartotojo žinynas „FreeCAD“ svetainėje @@ -9463,13 +9448,13 @@ underscore, and must not start with a digit. StdCmdFreeCADWebsite - - + + FreeCAD Website „FreeCAD“ svetainė - + The FreeCAD website „FreeCAD“ svetainė @@ -9784,25 +9769,25 @@ underscore, and must not start with a digit. StdCmdMergeProjects - + Merge document... Sujungti dokumentą... - - - - + + + + Merge document Sujungti dokumentą - + %1 document (*.FCStd) %1 dokumentas (*. FCStd) - + Cannot merge document with itself. Dokumento negalima sujungti su pačiu savimi. @@ -9810,18 +9795,18 @@ underscore, and must not start with a digit. StdCmdNew - + &New &Naujas - - + + Create a new empty document Sukurti naują tuščią dokumentą - + Unnamed Be pavadinimo @@ -9830,13 +9815,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelp - - + + Help Žinynas - + Show help to the application Parodyti programos žinyną @@ -9844,13 +9829,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelpWebsite - - + + Help Website Pagalbos svetainė - + The website where the help is maintained Svetainė, kurioje suteikiama pagalba @@ -9905,13 +9890,13 @@ underscore, and must not start with a digit. StdCmdPaste - + &Paste Į&klijuoti - - + + Paste operation Įklijuoti @@ -9919,13 +9904,13 @@ underscore, and must not start with a digit. StdCmdPlacement - + Placement... Išdėstymas... - - + + Place the selected objects Išdėstyti pažymėtus daiktus @@ -9933,13 +9918,13 @@ underscore, and must not start with a digit. StdCmdPrint - + &Print... S&pausdinti... - - + + Print the document Spausdinti dokumentą @@ -9947,13 +9932,13 @@ underscore, and must not start with a digit. StdCmdPrintPdf - + &Export PDF... &Eksportuoti į PDF... - - + + Export the document as PDF Eksportuoja dokumentą PDF formatu @@ -9961,17 +9946,17 @@ underscore, and must not start with a digit. StdCmdPrintPreview - + &Print preview... Sp&audinio peržiūra... - + Print the document Spausdinti dokumentą - + Print preview Spaudinio peržiūra @@ -9979,13 +9964,13 @@ underscore, and must not start with a digit. StdCmdPythonWebsite - - + + Python Website „Python“ svetainė - + The official Python website Oficiali „Python“ svetainė @@ -9993,13 +9978,13 @@ underscore, and must not start with a digit. StdCmdQuit - + E&xit Iš&eiti - - + + Quits the application Baigia darbą su programa @@ -10021,13 +10006,13 @@ underscore, and must not start with a digit. StdCmdRecentFiles - + Open Recent Atverti paskiausiai naudotus - - + + Recent file list Paskiausiai naudotų failų sąrašas @@ -10035,13 +10020,13 @@ underscore, and must not start with a digit. StdCmdRecentMacros - + Recent macros Paskiausios makrokomandos - - + + Recent macro list Paskiausiai naudotų makrokomandų sąrašas @@ -10049,13 +10034,13 @@ underscore, and must not start with a digit. StdCmdRedo - + &Redo &Pakartoti - - + + Redoes a previously undone action Pakartoti anksčiau atšauktą veiksmą @@ -10063,13 +10048,13 @@ underscore, and must not start with a digit. StdCmdRefresh - + &Refresh &Atnaujinti - - + + Recomputes the current active document Iš naujo perskaičiuoti rengiamo dokumento duomenis @@ -10077,13 +10062,13 @@ underscore, and must not start with a digit. StdCmdReportBug - + Report a bug Pranešti apie triktį - - + + Report a bug or suggest a feature Pranešti apie triktį arba pasiūlyti naują funkciją @@ -10091,13 +10076,13 @@ underscore, and must not start with a digit. StdCmdRevert - + Revert Sugrąžinti - - + + Reverts to the saved version of this file Sugrįžta į vėliausiai įrašytą failo laidą @@ -10105,13 +10090,13 @@ underscore, and must not start with a digit. StdCmdSave - + &Save Iš&saugoti - - + + Save the active document Išsaugoti rengiamą dokumentą @@ -10119,13 +10104,13 @@ underscore, and must not start with a digit. StdCmdSaveAll - + Save All Išsaugoti viską - - + + Save all opened document Išsaugoti visus atvertus dokumentus @@ -10133,13 +10118,13 @@ underscore, and must not start with a digit. StdCmdSaveAs - + Save &As... Išsaugoti k&aip... - - + + Save the active document under a new file name Išsaugoti rengiamą dokumentą nauju pavadinimu @@ -10147,13 +10132,13 @@ underscore, and must not start with a digit. StdCmdSaveCopy - + Save a &Copy... Įrašyti &kopiją... - - + + Save a copy of the active document under a new file name Išsaugoti rengiamą dokumentą nauju pavadinimu @@ -10189,13 +10174,13 @@ underscore, and must not start with a digit. StdCmdSelectAll - + Select &All Pažymėti &viską - - + + Select all Pažymėti visus @@ -10273,13 +10258,13 @@ underscore, and must not start with a digit. StdCmdTextDocument - + Add text document Pridėti tekstinį dokumentą - - + + Add text document to active document Pridėti tekstinį dokumentą prie veikiamojo dokumento @@ -10413,13 +10398,13 @@ underscore, and must not start with a digit. StdCmdTransform - + Transform... Transformacija... - - + + Transform the geometry of selected objects Pakeičia pažymėtų objektų pavidalą @@ -10427,13 +10412,13 @@ underscore, and must not start with a digit. StdCmdTransformManip - + Transform Keisti - - + + Transform the selected object in the 3d view Transformuoti pažymėtą objektą erdviniame rodinyje @@ -10497,13 +10482,13 @@ underscore, and must not start with a digit. StdCmdUndo - + &Undo A&tšaukti - - + + Undo exactly one action Anuliuoti tik vieną veiksmą @@ -10511,13 +10496,13 @@ underscore, and must not start with a digit. StdCmdUserEditMode - + Edit mode Taisos veiksena - - + + Defines behavior when editing an object from tree Apibrėžia elgseną taisant medžio narį @@ -10917,13 +10902,13 @@ underscore, and must not start with a digit. StdCmdWhatsThis - + &What's This? &Kas tai? - - + + What's This Paaiškinti, kas tai @@ -10959,13 +10944,13 @@ underscore, and must not start with a digit. StdCmdWorkbench - + Workbench Darbastalis - - + + Switch between workbenches Perjungti kitą darbastalį @@ -11289,7 +11274,7 @@ underscore, and must not start with a digit. Std_Delete - + The following referencing objects might break. Are you sure you want to continue? @@ -11300,7 +11285,7 @@ Ar esate įsitikinę, kad norite tęsti? - + Object dependencies Daikto priklausomybės @@ -11308,7 +11293,7 @@ Ar esate įsitikinę, kad norite tęsti? Std_DependencyGraph - + Dependency graph Priklausomybių medis @@ -11389,12 +11374,12 @@ Ar esate įsitikinę, kad norite tęsti? Std_DuplicateSelection - + Object dependencies Daikto priklausomybės - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Kad būtų susietas su išoriniais daiktais, dokumentas turi būti bent kartą išsaugotas. @@ -11412,7 +11397,7 @@ Ar norit išsaugoti dokumentą dabar? Std_Refresh - + The document contains dependency cycles. Please check the Report View for more details. @@ -11426,17 +11411,17 @@ Ar vis dar norite tęsti? Std_Revert - + Revert document Sugrįžti į ankstesnę dokumento laidą - + This will discard all the changes since last file save. Bus atmesti visi pakeitimai, padaryti iki paskutinio failo įrašymo. - + Do you want to continue? Ar norite tęsti? @@ -11610,12 +11595,12 @@ Ar vis dar norite tęsti? Gui::MDIView - + Export PDF Eksportuoti į PDF - + PDF file PDF failas @@ -12307,82 +12292,82 @@ Currently, your system has the following workbenches:</p></body>< Peržiūra: - + Text Tekstas - + Bookmark Adresynas - + Breakpoint Stabdos taškas - + Keyword Raktinis žodis - + Comment Pastaba - + Block comment Pastabų blokas - + Number Skaičius - + String Eilutė - + Character Simbolis - + Class name Klasės pavadinimas - + Define name Apibrėžtas pavadinimas - + Operator Operatorius - + Python output „Python'o“ išvestis - + Python error „Python'o“ klaida - + Current line highlight Keičiamos linijos paryškinimas - + Items Nariai @@ -12880,13 +12865,13 @@ from Python console to Report view panel StdCmdExportDependencyGraph - + Export dependency graph... Eksportuoti priklausomybių medį... - - + + Export the dependency graph to a file Eksportuoti priklausomybių medį į failą @@ -13321,13 +13306,13 @@ Spustelėjimo suveikimas galimas tik tuo atveju, jei visi taškai nagrinėjamoje StdCmdProjectInfo - + Document i&nformation... Dokumento &duomenys... - - + + Show details of the currently active document Pateikia išsamius duomenis apie šį dokumentą @@ -13335,13 +13320,13 @@ Spustelėjimo suveikimas galimas tik tuo atveju, jei visi taškai nagrinėjamoje StdCmdProjectUtil - + Document utility... Pagalbinės dokumento priemonės... - - + + Utility to extract or create document files Priemonė dokumentų failų išskleidimui ar sukūrimui @@ -13363,12 +13348,12 @@ Spustelėjimo suveikimas galimas tik tuo atveju, jei visi taškai nagrinėjamoje StdCmdProperties - + Properties Savybės - + Show the property view, which displays the properties of the selected object. Rodyti savybių rodinį, kuris atvaizduoja pažymėto daikto savybes. @@ -13419,13 +13404,13 @@ Spustelėjimo suveikimas galimas tik tuo atveju, jei visi taškai nagrinėjamoje StdCmdReloadStyleSheet - + &Reload stylesheet Iš naujo į&kelti išvaizdos stilius - - + + Reloads the current stylesheet Iš naujo įkelia dabartinį stiliaus lapą @@ -13702,15 +13687,38 @@ Spustelėjimo suveikimas galimas tik tuo atveju, jei visi taškai nagrinėjamoje StdCmdUnitsCalculator - + &Units converter... &Matavimo vienetų skaičiuoklė... - - + + Start the units converter Paleisti matų perskaičiavimo skaičiuoklę + + Gui::ModuleIO + + + File not found + Failas nerastas + + + + The file '%1' cannot be opened. + Neįmanoma atverti failo „%1“. + + + + StdCmdRestartInSafeMode + + + + + Restart in safe mode + Restart in safe mode + + diff --git a/src/Gui/Language/FreeCAD_nl.ts b/src/Gui/Language/FreeCAD_nl.ts index 7a31b4cefe79..efd388fb03d2 100644 --- a/src/Gui/Language/FreeCAD_nl.ts +++ b/src/Gui/Language/FreeCAD_nl.ts @@ -91,17 +91,17 @@ Bewerken - + Import Importeren - + Delete Verwijderen - + Paste expressions Paste expressions @@ -131,7 +131,7 @@ Importeer alle links - + Insert text document Tekst document invoegen @@ -424,42 +424,42 @@ EditMode - + Default Standaard - + The object will be edited using the mode defined internally to be the most appropriate for the object type Het object zal worden bewerkt met behulp van de intern gedefinieerde modus die het meest geschikt is voor dit type object - + Transform Transformeren - + The object will have its placement editable with the Std TransformManip command De plaatsing van het object kan worden bewerkt met de Std TransformManip opdracht - + Cutting Snijden - + This edit mode is implemented as available but currently does not seem to be used by any object Deze bewerkingsmodus is geïmplementeerd zoals nu beschikbaar maar lijkt momenteel niet te worden gebruikt door een object - + Color Kleur - + The object will have the color of its individual faces editable with the Part FaceAppearances command De kleur van de individuele vlakken van het object kunnen worden bewerkt met de opdracht Weergave-Kleur per vlak @@ -680,8 +680,8 @@ while doing a left or right click and move the mouse up or down - Word size - Woordlengte + Architecture + Architecture @@ -706,52 +706,52 @@ while doing a left or right click and move the mouse up or down Gui::Dialog::AboutDialog - - + + Credits - Header for the Credits tab of the About screen Credits - + + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + Header for bgbsww + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + + + FreeCAD would not be possible without the contributions of FreeCAD zou niet mogelijk zijn met het werk van - + Individuals Header for the list of individual people in the Credits list. Individuen - + Organizations Header for the list of companies/organizations in the Credits list. Organisaties - - + + License Licentie - + Libraries Bibliotheken - - This software uses open source components whose copyright and other proprietary rights belong to their respective owners: - Deze software maakt gebruik van open source componenten waarvan copyright en andere eigendomsrechten tot hun respectievelijke eigenaars behoren: - - - + Collection Collectie - + Privacy Policy Privacybeleid @@ -1406,8 +1406,8 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgCustomToolBoxbarsImp - - + + Toolbox bars Gereedschap werkbalken @@ -1496,40 +1496,40 @@ same time. The one with the highest priority will be triggered. - + <Separator> <Separator> - + %1 module not loaded %1 module niet geladen - + New toolbar Nieuwe werkbalk - - + + Toolbar name: Werkbalknaam: - - + + Duplicated name Dubbele naam - - + + The toolbar name '%1' is already used De werkbalk naam '%1' is al in gebruik - + Rename toolbar Werkbalk hernoemen @@ -1743,71 +1743,71 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgMacroExecuteImp - + Macros Macro's - + Read-only Alleen-lezen - + Macro file Macro-bestand - + Enter a file name, please: Gelieve een bestandsnaam in te voeren: - - - + + + Existing file Bestaand bestand - + '%1'. This file already exists. '%1'. Dit bestand bestaat reeds. - + Cannot create file Kan bestand niet aanmaken - + Creation of file '%1' failed. Creëren van bestand '%1' mislukt. - + Delete macro Verwijder macro - + Do you really want to delete the macro '%1'? Weet u zeker dat u macro '%1' wilt verwijderen? - + Do not show again Niet opnieuw tonen - + Guided Walkthrough Stap voor Stap begeleiding - + This will guide you in setting up this macro in a custom global toolbar. Instructions will be in red text inside the dialog. Note: your changes will be applied when you next switch workbenches @@ -1818,78 +1818,78 @@ Opmerking: uw wijzigingen worden toegepast wanneer u de volgende keer van werkba - + Walkthrough, dialog 1 of 2 Stappenplan, dialoog 1 van 2 - + Walkthrough instructions: Fill in missing fields (optional) then click Add, then Close Stappeninstructies: Vul de ontbrekende velden in (optioneel) en klik op Toevoegen en vervolgens op Sluiten - + Walkthrough, dialog 1 of 1 Stappenplan, dialoog 1 van 1 - + Walkthrough, dialog 2 of 2 Stappenplan, dialoog 2 van 2 - - Walkthrough instructions: Click right arrow button (->), then Close. - Stappeninstructies: Klik op de rechter pijltjestoets (->) en vervolgens op Sluiten. + + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. - Walkthrough instructions: Click New, then right arrow (->) button, then Close. - Stappeninstructies: Klik op de knop Nieuw, vervolgens op de rechter pijltjestoets (->) en dan op Sluiten. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. - + Renaming Macro File Hernoemen van macrobestand - - + + Enter new name: Nieuwe naam invoeren: - - + + '%1' already exists. '%1' bestaat al. - + Rename Failed Hernoemen is mislukt - + Failed to rename to '%1'. Perhaps a file permission error? Kan de naam '%1' niet wijzigen. Misschien een fout met bestandsrechten? - + Duplicate Macro Macro dupliceren - + Duplicate Failed Dupliceren mislukt - + Failed to duplicate to '%1'. Perhaps a file permission error? Kan niet naar '%1' dupliceren. @@ -5878,81 +5878,81 @@ Wilt u uw wijzigingen opslaan? Gui::GraphvizView - + Graphviz not found Graphviz niet gevonden - + Graphviz couldn't be found on your system. Graphviz kan niet worden gevonden op uw systeem. - + Read more about it here. Lees hier meer over - + Do you want to specify its installation path if it's already installed? Wilt u het installatiepad specificeren als het al is geïnstalleerd? - + Graphviz installation path Graphviz installatiepad - + Graphviz failed Graphviz is mislukt - + Graphviz failed to create an image file Graphviz kon geen afbeeldingsbestand creëren - + PNG format PNG formaat - + Bitmap format Bitmap formaat - + GIF format GIF formaat - + JPG format JPG formaat - + SVG format SVG formaat - - + + PDF format PDF formaat - - + + Graphviz format Graphviz format - - - + + + Export graph Grafiek exporteren @@ -6112,63 +6112,83 @@ Wilt u uw wijzigingen opslaan? Gui::MainWindow - - + + Dimension Afmeting - + Ready Gereed - + Close All Alles sluiten - - - + + + Toggles this toolbar Schakelt deze werkbalk in/uit - - - + + + Toggles this dockable window Schakelt dit dokbare venster in/uit - + + Safe mode enabled + Safe mode enabled + + + + FreeCAD is now running in safe mode. + FreeCAD is now running in safe mode. + + + + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + + + WARNING: This is a development version. WAARSCHUWING: Dit is een ontwikkelversie. - + Please do not use it in a production environment. Gebruik het alstublieft niet in een productieomgeving. - - + + Unsaved document Niet-opgeslagen document - + The exported object contains external link. Please save the documentat least once before exporting. Het geëxporteerde object bevat een externe link. Sla het document minstens één keer op voordat u het exporteert. - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Om een link naar externe objecten te kunnen maken, moet het document minstens één keer worden opgeslagen. Wilt u het document nu opslaan? + + + Safe Mode + Safe Mode + Gui::ManualAlignment @@ -6668,39 +6688,19 @@ Do you want to exit without saving your data? Open file %1 Open bestand %1 - - - File not found - Bestand niet gevonden - - - - The file '%1' cannot be opened. - Het bestand '%1' kan niet worden geopend. - Gui::RecentMacrosAction - + none geen - + Run macro %1 (Shift+click to edit) keyboard shortcut: %2 Voer macro %1 uit (Shift+klik om te bewerken) sneltoets: %2 - - - File not found - Bestand niet gevonden - - - - The file '%1' cannot be opened. - Het bestand '%1' kan niet worden geopend. - Gui::RevitNavigationStyle @@ -6953,7 +6953,7 @@ Wilt u een andere map opgeven? Gui::TaskView::TaskDialog - + A dialog is already open in the task panel Een dialoog is al geopend in het taakvenster @@ -6982,38 +6982,8 @@ Wilt u een andere map opgeven? Gui::TextDocumentEditorView - - Text updated - Tekst bijgewerkt - - - - The text of the underlying object has changed. Discard changes and reload the text from the object? - De tekst van het onderliggende object is gewijzigd. Wijzigingen weggooien en de tekst van het object opnieuw laden? - - - - Yes, reload. - Ja, opnieuw laden. - - - - Unsaved document - Niet-opgeslagen document - - - - Do you want to save your changes before closing? - Wilt u de wijziging op slaan voordat u afsluit? - - - - If you don't save, your changes will be lost. - Als u niet opslaat, zullen uw wijzigingen verloren gaan. - - - - + + Edit text Tekst bewerken @@ -7290,7 +7260,7 @@ Wilt u een andere map opgeven? Gui::TreeDockWidget - + Tree view Boomstructuurweergave @@ -7298,7 +7268,7 @@ Wilt u een andere map opgeven? Gui::TreePanel - + Search Zoeken @@ -7356,148 +7326,148 @@ Wilt u een andere map opgeven? Groep - + Labels & Attributes Labels & attributen - + Description Omschrijving - + Internal name Interne naam - + Show items hidden in tree view Items verborgen in boomweergave weergeven - + Show items that are marked as 'hidden' in the tree view Toon items die in de structuurweergave gemarkeerd zijn als 'verborgen' - + Toggle visibility in tree view Zichtbaarheid in de structuurweergave in-/uitschakelen - + Toggles the visibility of selected items in the tree view Schakelt de zichtbaarheid, in de structuurweergave, van de geselecteerde items aan/uit - + Create group Groep maken - + Create a group Maak een groep - - + + Rename Hernoemen - + Rename object Object hernoemen - + Finish editing Bewerken gereed - + Finish editing object Beëindig bewerken object - + Add dependent objects to selection Afhankelijke objecten toevoegen aan selectie - + Adds all dependent objects to the selection Voegt alle afhankelijke objecten aan de selectie toe - + Close document Sluit document - + Close the document Sluit het document - + Reload document Document opnieuw laden - + Reload a partially loaded document Herlaad een gedeeltelijk geladen document - + Skip recomputes Herberekening overslaan - + Enable or disable recomputations of document Herberekening van het document in- of uitschakelen - + Allow partial recomputes Sta gedeeltelijke herberekeningen toe - + Enable or disable recomputating editing object when 'skip recomputation' is enabled Herberekening van het bewerkingsobject in- of uitschakelen wanneer 'herberekening overslaan' is ingeschakeld - + Mark to recompute Markeren om te herberekenen - + Mark this object to be recomputed Object opnieuw berekenen - + Recompute object Herbereken object - + Recompute the selected object Het geselecteerde object herberekenen - + (but must be executed) (maar moet worden uitgevoerd) - + %1, Internal name: %2 %1, interne naam: %2 @@ -7709,47 +7679,47 @@ Wilt u een andere map opgeven? QDockWidget - + Tree view Boomstructuurweergave - + Tasks Taken - + Property view Eigenschappen-aanzicht - + Selection view Selectieweergave - + Task List Taken lijst - + Model Model - + DAG View DAG weergave - + Report view Rapportweergave - + Python console Python Console @@ -7789,35 +7759,35 @@ Wilt u een andere map opgeven? Python - - - + + + Unknown filetype Onbekend bestandstype - - + + Cannot open unknown filetype: %1 Kan onbekende bestandstype niet openen: %1 - + Export failed Exporteren mislukt - + Cannot save to unknown filetype: %1 Kan onbekende bestandstype niet opslaan: %1 - + Recomputation required Herberekening vereist - + Some document(s) require recomputation for migration purposes. It is highly recommended to perform a recomputation before any modification to avoid compatibility problems. Do you want to recompute now? @@ -7826,24 +7796,24 @@ Do you want to recompute now? Wilt u nu herberekenen? - + Recompute error Herberekenings fout - + Failed to recompute some document(s). Please check report view for more details. Kan sommige document(en) niet herberekenen. Controleer de rapportweergave voor meer details. - + Workbench failure Werkbank falen - + %1 %1 @@ -7889,90 +7859,105 @@ Controleer de rapportweergave voor meer details. Bestand importeren - + Export file Bestand exporteren - + Printing... Afdrukken... - + Exporting PDF... Exporteren van PDF ... - - + + Unsaved document Niet-opgeslagen document - + The exported object contains external link. Please save the documentat least once before exporting. Het geëxporteerde object bevat een externe link. Sla het document minstens één keer op voordat u het exporteert. - - + + Delete failed Verwijderen mislukt - + Dependency error Afhankelijkheidsfout - + Copy selected Kopieer geselecteerde - + Copy active document Kopieer actief document - + Copy all documents Kopieer alle documenten - + Paste Plakken - + Expression error Expressiefout - + Failed to parse some of the expressions. Please check the Report View for more details. Het ontleden van sommige uitdrukkingen is mislukt. Gelieve de rapportweergave te raadplegen voor meer details. - + Failed to paste expressions Fout bij het plakken van expressie - + Cannot load workbench Kan werkbank niet laden - + A general error occurred while loading the workbench Een algemene fout is opgetreden tijdens het laden van de werkbank + + + Restart in safe mode + Restart in safe mode + + + + Are you sure you want to restart FreeCAD and enter safe mode? + Are you sure you want to restart FreeCAD and enter safe mode? + + + + Safe mode temporarily disables your configuration and addons. + Safe mode temporarily disables your configuration and addons. + @@ -8196,7 +8181,7 @@ Do you want to continue? Te veel geopende achtergrond meldingen. Meldingen worden weggelaten! - + Identical physical path detected. It may cause unwanted overwrite of existing document! @@ -8205,44 +8190,44 @@ Do you want to continue? - + Are you sure you want to continue? Weet u zeker dat u wilt doorgaan? - + Please check report view for more... Controleer de rapportweergave voor meer... - + Physical path: Fysiek pad: - - + + Document: Document: - - + + Path: PAD: - + Identical physical path Identische fysieke pad - + Could not save document Kan verzending niet opslaan - + There was an issue trying to save the file. This may be because some of the parent folders do not exist, or you do not have sufficient permissions, or for other reasons. Error details: "%1" @@ -8255,102 +8240,102 @@ Would you like to save the file with a different name? Wilt u het bestand met een andere naam opslaan? - - - + + + Saving aborted Opslaan afgebroken - + Save dependent files Bewaar afhankelijke bestanden - + The file contains external dependencies. Do you want to save the dependent files, too? Het bestand bevat externe afhankelijkheden. Wilt u ook de afhankelijke bestanden opslaan? - - + + Saving document failed Document opslaan is mislukt - + Save document under new filename... Document opslaan onder een nieuwe bestandsnaam... - - + + Save %1 Document Document %1 opslaan - + Document Document - - + + Failed to save document Opslaan document mislukt - + Documents contains cyclic dependencies. Do you still want to save them? Documenten bevatten cyclische afhankelijkheden. Wilt u ze nog opslaan? - + Save a copy of the document under new filename... Bewaar een copy van het actieve document onder een nieuwe naam... - + %1 document (*.FCStd) %1 document (*.FCStd) - + Document not closable Document niet te sluiten - + The document is not closable for the moment. Het document kan nu niet gesloten worden. - + Document not saved Document niet opgeslagen - + The document%1 could not be saved. Do you want to cancel closing it? Het document%1 kon niet worden opgeslagen. Wilt u het sluiten annuleren? - + Undo Ongedaan maken - + Redo Herstel ongedaan maken - + There are grouped transactions in the following documents with other preceding transactions Er zijn gegroepeerde transacties in de volgende documenten met andere voorgaande transacties - + Choose 'Yes' to roll back all preceding transactions. Choose 'No' to roll back in the active document only. Choose 'Abort' to abort @@ -8444,7 +8429,7 @@ Kies 'Afbreken' om af te breken Kan bestand %1 niet vinden noch in %2, noch in %3 - + Navigation styles Navigatie stijlen @@ -8455,47 +8440,47 @@ Kies 'Afbreken' om af te breken Transformeren - + Do you want to close this dialog? Wilt u dit dialoogvenster sluiten? - + Do you want to save your changes to document '%1' before closing? Wil je de wijzigingen in het document '%1' opslaan alvorens te sluiten? - + Do you want to save your changes to document before closing? Wilt u de wijzigingen aan het document opslaan voordat u afsluit? - + If you don't save, your changes will be lost. Als u niet opslaat, zullen uw wijzigingen verloren gaan. - + Apply answer to all Antwoord op alles toepassen - + %1 Document(s) not saved %1 Document(en) niet opgeslagen - + Some documents could not be saved. Do you want to cancel closing? Sommige documenten konden niet worden opgeslagen. Wilt u het sluiten annuleren? - + Delete macro Verwijder macro - + Not allowed to delete system-wide macros Niet toegestaan om systeem macro's te verwijderen @@ -8591,10 +8576,10 @@ Kies 'Afbreken' om af te breken - - - - + + + + Invalid name Ongeldige naam @@ -8607,25 +8592,25 @@ underscore bevatten en mag niet beginnen met een cijfer. - + The property name is a reserved word. The property name is a reserved word. - + The property '%1' already exists in '%2' Eigenschap '%1' bestaat al in '%2' - + Add property Voeg eigenschap toe - + Failed to add property to '%1': %2 Eigenschap toevoegen aan '%1': %2 mislukt @@ -8907,14 +8892,14 @@ de huidige kopie verloren gaat. Onderdrukt - + The property name must only contain alpha numericals, underscore, and must not start with a digit. De eigenschapsnaam mag alleen alfanumerieke tekens bevatten, onderstrepingsteken, en mag niet beginnen met een cijfer. - + The group name must only contain alpha numericals, underscore, and must not start with a digit. De groepsnaam mag alleen alfanumerieke tekens bevatten, @@ -8961,13 +8946,13 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdAbout - + &About %1 &Info over %1 - - + + About %1 Info over %1 @@ -8975,13 +8960,13 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdAboutQt - + About &Qt Info over Qt - - + + About Qt Info over Qt @@ -9017,13 +9002,13 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdAlignment - + Alignment... Uitlijning... - - + + Align the selected objects Lijn de geselecteerde objecten uit @@ -9087,13 +9072,13 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdCommandLine - + Start command &line... Command &line opstarten... - - + + Opens the command line in the console Opent de command line in de console @@ -9101,13 +9086,13 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdCopy - + C&opy K&opiëren - - + + Copy operation Kopieerbewerking @@ -9115,13 +9100,13 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdCut - + &Cut &Knippen - - + + Cut out Uitsnijden @@ -9129,13 +9114,13 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdDelete - + &Delete &Verwijderen - - + + Deletes the selected objects Wist de geselecteerde objecten @@ -9157,13 +9142,13 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdDependencyGraph - + Dependency graph... Afhankelijkheden grafiek... - - + + Show the dependency graph of the objects in the active document Toon de afhankelijkheden grafiek van de objecten in het actieve document @@ -9171,13 +9156,13 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdDlgCustomize - + Cu&stomize... &Personalisatie... - - + + Customize toolbars and command bars Werkbalken en opdrachtbalken aanpassen @@ -9237,13 +9222,13 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdDlgParameter - + E&dit parameters ... E&dit parameters... - - + + Opens a Dialog to edit the parameters Opent een dialoogvenster om de parameters te bewerken @@ -9251,13 +9236,13 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdDlgPreferences - + &Preferences ... &Voorkeuren ... - - + + Opens a Dialog to edit the preferences Opent een dialoogvenster om de voorkeuren bewerken @@ -9293,13 +9278,13 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdDuplicateSelection - + Duplicate selection Dupliceer selectie - - + + Put duplicates of the selected objects to the active document Duplicaten van de geselecteerde objecten aan het actieve document toevoegen @@ -9307,17 +9292,17 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdEdit - + Toggle &Edit mode Bewerkingsmode - + Toggles the selected object's edit mode Verander de bewerkingsmode van het geselecteerde object - + Activates or Deactivates the selected object's edit mode Activeert of deactiveert de bewerkingsmodus van het geselecteerde object @@ -9336,12 +9321,12 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. Export een object uit het actieve document - + No selection Geen selectie - + Select the objects to export before choosing Export. Selecteer de objecten om te exporteren voordat u voor export kiest. @@ -9349,13 +9334,13 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdExpression - + Expression actions Expressieacties - - + + Actions that apply to expressions Acties die van toepassing zijn op expressies @@ -9377,12 +9362,12 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdFreeCADDonation - + Donate Doneer - + Donate to FreeCAD development Doneer voor verdere ontwikkeling van FreeCAD @@ -9390,17 +9375,17 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdFreeCADFAQ - + FreeCAD FAQ FreeCAD FAQ - + Frequently Asked Questions on the FreeCAD website Veel gestelde vragen op de FreeCAD site - + Frequently Asked Questions Veelgestelde Vragen (FAQ's) @@ -9408,17 +9393,17 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdFreeCADForum - + FreeCAD Forum FreeCAD Forum - + The FreeCAD forum, where you can find help from other users Het FreeCAD-forum is de plek om hulp van andere gebruikers te vinden - + The FreeCAD Forum Het FreeCAD Forum @@ -9426,17 +9411,17 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdFreeCADPowerUserHub - + Python scripting documentation Python scripting documentatie - + Python scripting documentation on the FreeCAD website Python scripting documentatie op de FreeCAD site - + PowerUsers documentation Gebruikersdocumentatie @@ -9444,13 +9429,13 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdFreeCADUserHub - - + + Users documentation Gebruikersdocumentatie - + Documentation for users on the FreeCAD website Documentatie voor gebruikers op de FreeCAD site @@ -9458,13 +9443,13 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdFreeCADWebsite - - + + FreeCAD Website FreeCAD Webpagina - + The FreeCAD website De FreeCAD webpagina @@ -9779,25 +9764,25 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdMergeProjects - + Merge document... Document samenvoegen... - - - - + + + + Merge document Document samenvoegen - + %1 document (*.FCStd) %1 document (*.FCStd) - + Cannot merge document with itself. Kan document niet samenvoegen met zichzelf. @@ -9805,18 +9790,18 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdNew - + &New &Nieuw - - + + Create a new empty document Maak een nieuw leeg document - + Unnamed Naamloos @@ -9825,13 +9810,13 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdOnlineHelp - - + + Help Help - + Show help to the application Toon help voor de applicatie @@ -9839,13 +9824,13 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdOnlineHelpWebsite - - + + Help Website Help Webpagina - + The website where the help is maintained De webpagina waar de help wordt onderhouden @@ -9900,13 +9885,13 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdPaste - + &Paste &Plakken - - + + Paste operation Plakbewerking @@ -9914,13 +9899,13 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdPlacement - + Placement... Plaatsing... - - + + Place the selected objects Plaats de geselecteerde objecten @@ -9928,13 +9913,13 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdPrint - + &Print... Afdru&kken... - - + + Print the document Het document afdrukken @@ -9942,13 +9927,13 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdPrintPdf - + &Export PDF... &Exporteren als PDF... - - + + Export the document as PDF Exporteer het document als PDF @@ -9956,17 +9941,17 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdPrintPreview - + &Print preview... &Afdrukvoorbeeld... - + Print the document Het document afdrukken - + Print preview Afdrukvoorbeeld @@ -9974,13 +9959,13 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdPythonWebsite - - + + Python Website Python-webpagina - + The official Python website De officiële Python webpagina @@ -9988,13 +9973,13 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdQuit - + E&xit Afsl&uiten - - + + Quits the application Sluit de applicatie @@ -10016,13 +10001,13 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdRecentFiles - + Open Recent Onlangs geopend - - + + Recent file list Lijst met recente bestanden @@ -10030,13 +10015,13 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdRecentMacros - + Recent macros Recente macro's - - + + Recent macro list Recente macro lijst @@ -10044,13 +10029,13 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdRedo - + &Redo &Opnieuw - - + + Redoes a previously undone action Opnieuw uitvoeren van een eerder ongedane actie @@ -10058,13 +10043,13 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdRefresh - + &Refresh &Verversen - - + + Recomputes the current active document Het huidige actieve document herberekenen @@ -10072,13 +10057,13 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdReportBug - + Report a bug Bug melden - - + + Report a bug or suggest a feature Rapporteer een bug of suggereer een functie @@ -10086,13 +10071,13 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdRevert - + Revert Ongedaan maken - - + + Reverts to the saved version of this file Keer terug naar de bewaarde versie van dit bestand @@ -10100,13 +10085,13 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdSave - + &Save O&pslaan - - + + Save the active document Sla het actieve document op @@ -10114,13 +10099,13 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdSaveAll - + Save All Alles opslaan - - + + Save all opened document Sla alle geopende documenten op @@ -10128,13 +10113,13 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdSaveAs - + Save &As... Opslaan &als... - - + + Save the active document under a new file name Sla het actieve document onder een nieuwe bestandsnaam op @@ -10142,13 +10127,13 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdSaveCopy - + Save a &Copy... &Kopie opslaan... - - + + Save a copy of the active document under a new file name Bewaar een kopie van het actieve document onder een nieuwe naam @@ -10184,13 +10169,13 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdSelectAll - + Select &All &Alles selecteren - - + + Select all Alles selecteren @@ -10268,13 +10253,13 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdTextDocument - + Add text document Voeg document toe - - + + Add text document to active document Tekstdocument toevoegen aan actief document @@ -10408,13 +10393,13 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdTransform - + Transform... Verander... - - + + Transform the geometry of selected objects Verander de geometrie van de geselecteerde objecten @@ -10422,13 +10407,13 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdTransformManip - + Transform Transformeren - - + + Transform the selected object in the 3d view Transformeren van het geselecteerde object in de 3D-weergave @@ -10492,13 +10477,13 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdUndo - + &Undo &Ongedaan maken - - + + Undo exactly one action Precies één actie ongedaan maken @@ -10506,13 +10491,13 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdUserEditMode - + Edit mode Bewerk modus - - + + Defines behavior when editing an object from tree Definieert gedrag bij het bewerken van een object vanaf de boom @@ -10912,13 +10897,13 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdWhatsThis - + &What's This? &Wat is dit? - - + + What's This Wat is dit @@ -10954,13 +10939,13 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. StdCmdWorkbench - + Workbench Werkbank - - + + Switch between workbenches Schakel tussen werkbanken @@ -11284,7 +11269,7 @@ onderstrepingsteken, en mag niet beginnen met een cijfer. Std_Delete - + The following referencing objects might break. Are you sure you want to continue? @@ -11295,7 +11280,7 @@ Weet u zeker dat u wilt doorgaan? - + Object dependencies Object afhankelijkheden @@ -11303,7 +11288,7 @@ Weet u zeker dat u wilt doorgaan? Std_DependencyGraph - + Dependency graph Afhankelijkheden grafiek @@ -11384,12 +11369,12 @@ Weet u zeker dat u wilt doorgaan? Std_DuplicateSelection - + Object dependencies Object afhankelijkheden - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Om een link naar externe objecten te kunnen maken, moet het document minstens één keer worden opgeslagen. @@ -11407,7 +11392,7 @@ Wilt u het document nu opslaan? Std_Refresh - + The document contains dependency cycles. Please check the Report View for more details. @@ -11421,17 +11406,17 @@ Wilt u toch doorgaan? Std_Revert - + Revert document Document herstellen - + This will discard all the changes since last file save. Dit zal alle wijzigingen annuleren sinds de laatste keer dat het bestand werd bewaard. - + Do you want to continue? Wilt u doorgaan? @@ -11605,12 +11590,12 @@ Wilt u toch doorgaan? Gui::MDIView - + Export PDF Exporteren als PDF - + PDF file PDF-bestand @@ -12304,82 +12289,82 @@ Currently, your system has the following workbenches:</p></body>< Voorbeeldweergave: - + Text Tekst - + Bookmark Bladwijzer - + Breakpoint Pauze-punt - + Keyword Sleutelwoord - + Comment Commentaar - + Block comment Commentaarblok - + Number Getal - + String Tekenreeks - + Character Teken - + Class name Klassenaam - + Define name Definieer Naam - + Operator Operand - + Python output Python-uitvoer - + Python error Python-fout - + Current line highlight Nadruk van tegenwoordige lijn - + Items Items @@ -12887,13 +12872,13 @@ van de Python-console naar het rapportweergavepaneel StdCmdExportDependencyGraph - + Export dependency graph... Exporteer afhankelijkheden grafiek... - - + + Export the dependency graph to a file Exporteer de afhankelijkheden grafiek naar een bestand @@ -13329,13 +13314,13 @@ the region are non-opaque. StdCmdProjectInfo - + Document i&nformation... Document i&nformatie... - - + + Show details of the currently active document Toon details van het huidige actieve document @@ -13343,13 +13328,13 @@ the region are non-opaque. StdCmdProjectUtil - + Document utility... Document hulpprogramma... - - + + Utility to extract or create document files Hulpprogramma voor het uitpakken of maken van documentbestanden @@ -13371,12 +13356,12 @@ the region are non-opaque. StdCmdProperties - + Properties Instellingen - + Show the property view, which displays the properties of the selected object. Show the property view, which displays the properties of the selected object. @@ -13427,13 +13412,13 @@ the region are non-opaque. StdCmdReloadStyleSheet - + &Reload stylesheet &Reload stylesheet - - + + Reloads the current stylesheet Reloads the current stylesheet @@ -13710,15 +13695,38 @@ the region are non-opaque. StdCmdUnitsCalculator - + &Units converter... &Eenheden omzetter... - - + + Start the units converter Start de eenheden omzetter + + Gui::ModuleIO + + + File not found + Bestand niet gevonden + + + + The file '%1' cannot be opened. + Het bestand '%1' kan niet worden geopend. + + + + StdCmdRestartInSafeMode + + + + + Restart in safe mode + Restart in safe mode + + diff --git a/src/Gui/Language/FreeCAD_pl.ts b/src/Gui/Language/FreeCAD_pl.ts index 81bc32eb761f..8c3b27e9dad7 100644 --- a/src/Gui/Language/FreeCAD_pl.ts +++ b/src/Gui/Language/FreeCAD_pl.ts @@ -91,17 +91,17 @@ Edycja - + Import Importuj - + Delete Usuń - + Paste expressions Wklej wyrażenia @@ -131,7 +131,7 @@ Importuj wszystkie łącza - + Insert text document Wstaw dokument tekstowy @@ -424,42 +424,42 @@ EditMode - + Default Domyślnie - + The object will be edited using the mode defined internally to be the most appropriate for the object type Obiekt będzie edytowany przy użyciu trybu zdefiniowanego wewnętrznie, aby był najbardziej odpowiedni dla typu obiektu - + Transform Przemieszczenie - + The object will have its placement editable with the Std TransformManip command Obiekt będzie miał umiejscowienie edytowalne za pomocą polecenia Przemieszczenie - + Cutting Cięcie - + This edit mode is implemented as available but currently does not seem to be used by any object Ten tryb edycji jest zaimplementowany jako dostępny, ale obecnie nie wydaje się być używany przez żaden obiekt - + Color Kolor - + The object will have the color of its individual faces editable with the Part FaceAppearances command Kolor poszczególnych ścian obiektu będzie można edytować za pomocą polecenia Kolor dla ściany środowiska Część @@ -681,8 +681,8 @@ podczas kliknięcia lewym lub prawym przyciskiem myszki i przesuwaj kursor w gó - Word size - Rozmiar słowa + Architecture + Architecture @@ -707,52 +707,52 @@ podczas kliknięcia lewym lub prawym przyciskiem myszki i przesuwaj kursor w gó Gui::Dialog::AboutDialog - - + + Credits - Header for the Credits tab of the About screen Zasłużeni - + + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + Header for bgbsww + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + + + FreeCAD would not be possible without the contributions of FreeCAD nie istniałby bez udziału - + Individuals Header for the list of individual people in the Credits list. Osoby - + Organizations Header for the list of companies/organizations in the Credits list. Organizacje - - + + License Licencja - + Libraries Biblioteki - - This software uses open source components whose copyright and other proprietary rights belong to their respective owners: - To oprogramowanie używa komponentów typu open source, którego prawa autorskie i inne prawa zastrzeżone należą do ich właścicieli: - - - + Collection Kolekcja - + Privacy Policy Polityka Prywatności @@ -1409,8 +1409,8 @@ wyzwolone zostanie to, które ma najwyższy priorytet. Gui::Dialog::DlgCustomToolBoxbarsImp - - + + Toolbox bars Paski przybornika @@ -1499,40 +1499,40 @@ wyzwolone zostanie to, które ma najwyższy priorytet. - + <Separator> <Separator> - + %1 module not loaded Moduł %1 nie został załadowany - + New toolbar Nowy pasek narzędzi - - + + Toolbar name: Nazwa paska narzędzi: - - + + Duplicated name Powielona nazwa - - + + The toolbar name '%1' is already used Nazwa paska narzędzi '%1' jest już używana - + Rename toolbar Zmień nazwę paska narzędzi @@ -1747,71 +1747,71 @@ makrodefinicje utworzone przez społeczność oraz inne dodatki. Gui::Dialog::DlgMacroExecuteImp - + Macros Makrodefinicje - + Read-only Tylko do odczytu - + Macro file Plik makrodefinicji - + Enter a file name, please: Proszę wprowadzić nazwę pliku: - - - + + + Existing file Plik już istnieje - + '%1'. This file already exists. '%1'. Ten plik już istnieje. - + Cannot create file Nie można utworzyć pliku - + Creation of file '%1' failed. Tworzenie pliku %1 nie powiodło się. - + Delete macro Usuń makrodefinicję - + Do you really want to delete the macro '%1'? Czy na pewno chcesz usunąć makro '%1'? - + Do not show again Nie pokazuj ponownie - + Guided Walkthrough Poradnik - + This will guide you in setting up this macro in a custom global toolbar. Instructions will be in red text inside the dialog. Note: your changes will be applied when you next switch workbenches @@ -1822,78 +1822,78 @@ Uwaga: Twoje zmiany zostaną zastosowane przy następnym przełączeniu środowi - + Walkthrough, dialog 1 of 2 Przewodnik, okno 1 z 2 - + Walkthrough instructions: Fill in missing fields (optional) then click Add, then Close Instrukcje przewodnika: Wypełnij brakujące pola (opcjonalnie), a następnie kliknij dodaj, a następnie zamknij - + Walkthrough, dialog 1 of 1 Przewodnik, okno 1 z 1 - + Walkthrough, dialog 2 of 2 Przewodnik, okno 2 z 2 - - Walkthrough instructions: Click right arrow button (->), then Close. - Instrukcje przewodnika: Kliknij strzałkę w prawo (->), a następnie Zamknij. + + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. - Walkthrough instructions: Click New, then right arrow (->) button, then Close. - Instrukcje przewodnika: Kliknij Nowy, następnie strzałkę w prawo (->), a następnie Zamknij. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. - + Renaming Macro File Zmiana nazwy pliku makrodefinicji - - + + Enter new name: Wprowadź nową nazwę: - - + + '%1' already exists. '%1' już istnieje. - + Rename Failed Zmiana nazwy nie powiodła się - + Failed to rename to '%1'. Perhaps a file permission error? Nie udało się zmienić nazwy na '%1'. Być może odmowa dostępu do pliku? - + Duplicate Macro Duplikuj Makroinstrukcje - + Duplicate Failed Błąd duplikowania - + Failed to duplicate to '%1'. Perhaps a file permission error? Nie można powielić do '%1'. @@ -5903,81 +5903,81 @@ Do you want to save your changes? Gui::GraphvizView - + Graphviz not found Graphviz - nie znaleziono - + Graphviz couldn't be found on your system. Nie można znaleźć Graphviz w Twoim systemie. - + Read more about it here. Przeczytaj więcej o tym tutaj. - + Do you want to specify its installation path if it's already installed? Czy chcesz określić ścieżkę dla instalacji, jeśli już jest zainstalowany? - + Graphviz installation path Ścieżka instalacji Graphviz - + Graphviz failed Graphviz - nie powiodło się - + Graphviz failed to create an image file Graphviz - nie można utworzyć pliku obrazu - + PNG format Format PNG - + Bitmap format Format mapy bitowej - + GIF format Format GIF - + JPG format Format JPG - + SVG format Format SVG - - + + PDF format Format PDF - - + + Graphviz format Format Graphviz - - - + + + Export graph Eksport wykresu @@ -6137,63 +6137,83 @@ Do you want to save your changes? Gui::MainWindow - - + + Dimension Wymiar - + Ready Gotowe - + Close All Zamknij wszystkie - - - + + + Toggles this toolbar Włącza / wyłącza ten pasek narzędzi - - - + + + Toggles this dockable window Włącza / wyłącza to okno dokujące - + + Safe mode enabled + Safe mode enabled + + + + FreeCAD is now running in safe mode. + FreeCAD is now running in safe mode. + + + + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + + + WARNING: This is a development version. UWAGA: To jest wersja deweloperska. - + Please do not use it in a production environment. Proszę nie używać tej wersji w środowisku produkcyjnym. - - + + Unsaved document Dokument niezapisany - + The exported object contains external link. Please save the documentat least once before exporting. Wyeksportowany obiekt zawiera zewnętrzny odnośnik. Proszę zapisać dokument przynajmniej raz przed wyeksportowaniem. - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Aby powiązać z obiektami zewnętrznymi, dokument musi być zapisany co najmniej raz. Czy chcesz zapisać dokument teraz? + + + Safe Mode + Safe Mode + Gui::ManualAlignment @@ -6694,39 +6714,19 @@ Do you want to exit without saving your data? Open file %1 Otwórz plik %1 - - - File not found - Nie znaleziono pliku - - - - The file '%1' cannot be opened. - Plik '%1' nie może zostać otwarty. - Gui::RecentMacrosAction - + none brak - + Run macro %1 (Shift+click to edit) keyboard shortcut: %2 Uruchom makro %1 (Shift + kliknięcie, aby edytować) skrót klawiszowy: %2 - - - File not found - Nie znaleziono pliku - - - - The file '%1' cannot be opened. - Plik '%1' nie może zostać otwarty. - Gui::RevitNavigationStyle @@ -6977,7 +6977,7 @@ Do you want to specify another directory? Gui::TaskView::TaskDialog - + A dialog is already open in the task panel Okienko dialogowe jest już otwarte w panelu zadań @@ -7006,38 +7006,8 @@ Do you want to specify another directory? Gui::TextDocumentEditorView - - Text updated - Zaktualizowany tekst - - - - The text of the underlying object has changed. Discard changes and reload the text from the object? - Tekst podstawowego obiektu uległ zmianie. Odrzucić zmiany i przeładować tekst z obiektu? - - - - Yes, reload. - Tak, przeładuj. - - - - Unsaved document - Niezapisany dokument - - - - Do you want to save your changes before closing? - Czy chcesz zapisać zmiany przed zamknięciem? - - - - If you don't save, your changes will be lost. - Jeśli nie zapiszesz dokumentu, zmiany zostaną utracone. - - - - + + Edit text Edytuj tekst @@ -7314,7 +7284,7 @@ Do you want to specify another directory? Gui::TreeDockWidget - + Tree view Widok drzewa @@ -7322,7 +7292,7 @@ Do you want to specify another directory? Gui::TreePanel - + Search Szukaj @@ -7382,148 +7352,148 @@ Opis elementu można ustawić, naciskając klawisz F2 Grupa - + Labels & Attributes Etykiety i atrybuty - + Description Opis - + Internal name Nazwa wewnętrzna - + Show items hidden in tree view Pokaż elementy ukryte w widoku drzewa - + Show items that are marked as 'hidden' in the tree view Pokaż elementy, które są oznaczone jako "ukryte" w widoku drzewa - + Toggle visibility in tree view Przełącz widoczność w widoku drzewa - + Toggles the visibility of selected items in the tree view Przełącza widoczność wybranych elementów w widoku drzewa - + Create group Utwórz grupę - + Create a group Utwórz grupę - - + + Rename Zmień nazwę - + Rename object Zmiana nazwy obiektu - + Finish editing Zakończ edycję - + Finish editing object Zakończ edycję obiektu - + Add dependent objects to selection Dodaj obiekty zależne do zaznaczenia - + Adds all dependent objects to the selection Dodaje wszystkie obiekty zależne do zaznaczenia - + Close document Zamknij dokument - + Close the document Zamknij dokument - + Reload document Przeładuj dokument - + Reload a partially loaded document Załaduj ponownie częściowo wczytany dokument - + Skip recomputes Pomiń przeliczanie - + Enable or disable recomputations of document Włącz lub wyłącz ponowne przeliczanie dokumentu - + Allow partial recomputes Zezwalaj na częściowe przeliczanie - + Enable or disable recomputating editing object when 'skip recomputation' is enabled Włącz lub wyłącz przeliczanie edytowanego obiektu gdy 'pomijanie przeliczania' jest aktywne - + Mark to recompute Zaznacz do przeliczenia - + Mark this object to be recomputed Zaznacz ten obiekt do przeliczania - + Recompute object Przelicz obiekt - + Recompute the selected object Przelicz wybrany obiekt - + (but must be executed) (ale musi zostać wykonany) - + %1, Internal name: %2 %1, wewnętrzna nazwa: %2 @@ -7735,47 +7705,47 @@ Opis elementu można ustawić, naciskając klawisz F2 QDockWidget - + Tree view Widok drzewa - + Tasks Zadania - + Property view Widok właściwości - + Selection view Widok wyboru - + Task List Lista zadań - + Model Model - + DAG View Widok DAG - + Report view Widok raportu - + Python console Konsola Python @@ -7815,35 +7785,35 @@ Opis elementu można ustawić, naciskając klawisz F2 Python - - - + + + Unknown filetype Nieznany typ pliku - - + + Cannot open unknown filetype: %1 Nie można otworzyć pliku nieznanego typu: %1 - + Export failed Eksport nie powiódł się - + Cannot save to unknown filetype: %1 Nie można zapisać do pliku nieznanego typu: %1 - + Recomputation required Wymagane ponowne obliczenie - + Some document(s) require recomputation for migration purposes. It is highly recommended to perform a recomputation before any modification to avoid compatibility problems. Do you want to recompute now? @@ -7854,24 +7824,24 @@ w celu uniknięcia problemów kompatybilności. Czy chcesz przeliczyć teraz? - + Recompute error Błąd przeliczania - + Failed to recompute some document(s). Please check report view for more details. Nie udało się przeliczyć niektórych dokumentów. Sprawdź widok raportu, aby uzyskać więcej informacji. - + Workbench failure Awaria środowiska pracy - + %1 %1 @@ -7922,90 +7892,105 @@ na temat obiektów, których to dotyczy. Importuj plik - + Export file Eksportuj plik - + Printing... Drukowanie... - + Exporting PDF... Eksportuj do PDF... - - + + Unsaved document Niezapisany dokument - + The exported object contains external link. Please save the documentat least once before exporting. Wyeksportowany obiekt zawiera zewnętrzny odnośnik. Proszę zapisać dokument przynajmniej raz przed wyeksportowaniem. - - + + Delete failed Usunięcie nie powiodło się - + Dependency error Błąd zależności - + Copy selected Kopiuj zaznaczone - + Copy active document Kopiuj aktywny dokument - + Copy all documents Kopiuj wszystkie dokumenty - + Paste Wklej - + Expression error Błąd wyrażenia - + Failed to parse some of the expressions. Please check the Report View for more details. Nie udało się przetworzyć niektórych wyrażeń. Sprawdź widok raportu, aby uzyskać więcej informacji. - + Failed to paste expressions Nie udało się wkleić wyrażeń - + Cannot load workbench Nie można załadować Środowiska pracy - + A general error occurred while loading the workbench Wystąpił błąd ogólny podczas ładowania Środowiska pracy + + + Restart in safe mode + Restart in safe mode + + + + Are you sure you want to restart FreeCAD and enter safe mode? + Are you sure you want to restart FreeCAD and enter safe mode? + + + + Safe mode temporarily disables your configuration and addons. + Safe mode temporarily disables your configuration and addons. + @@ -8230,7 +8215,7 @@ Do you want to continue? Powiadomienia są pomijane! - + Identical physical path detected. It may cause unwanted overwrite of existing document! @@ -8239,44 +8224,44 @@ Powiadomienia są pomijane! - + Are you sure you want to continue? Czy na pewno chcesz kontynuować? - + Please check report view for more... Proszę sprawdzić widok raportu w celu uzyskania dodatkowych informacji ... - + Physical path: Ścieżka fizyczna: - - + + Document: Dokument: - - + + Path: Ścieżka: - + Identical physical path Identyczna fizyczna ścieżka - + Could not save document Nie udało się zapisać dokumentu - + There was an issue trying to save the file. This may be because some of the parent folders do not exist, or you do not have sufficient permissions, or for other reasons. Error details: "%1" @@ -8289,102 +8274,102 @@ Would you like to save the file with a different name? Czy chcesz zapisać plik pod inną nazwą? - - - + + + Saving aborted Zapisywanie przerwane - + Save dependent files Zapisz zależne pliki - + The file contains external dependencies. Do you want to save the dependent files, too? Plik zawiera zewnętrzne zależności. Czy chcesz zapisać również zależne pliki? - - + + Saving document failed Zapisywanie dokumentu nie powiodło się - + Save document under new filename... Zapisz dokument pod nową nazwą pliku ... - - + + Save %1 Document Zapis dokumentu %1 - + Document Dokument - - + + Failed to save document Nie udało się zapisać dokumentu - + Documents contains cyclic dependencies. Do you still want to save them? Dokumenty zawierają zależności kołowe. Czy nadal chcesz je zapisać? - + Save a copy of the document under new filename... Zapisz kopię dokumentu pod nową nazwą pliku... - + %1 document (*.FCStd) Dokument %1 (*.FCStd) - + Document not closable Dokument nie może zostać zamknięty - + The document is not closable for the moment. Nie można zamknąć dokumentu w tym momencie. - + Document not saved Dokument nie zapisany - + The document%1 could not be saved. Do you want to cancel closing it? Nie można zapisać dokumentu %1. Czy chcesz przerwać zamykanie dokumentu? - + Undo Cofnij - + Redo Ponów - + There are grouped transactions in the following documents with other preceding transactions W następujących dokumentach zgrupowane są operacje z innymi poprzedzającymi je operacjami - + Choose 'Yes' to roll back all preceding transactions. Choose 'No' to roll back in the active document only. Choose 'Abort' to abort @@ -8478,7 +8463,7 @@ Wybierz "Przerwij", aby zrezygnować Nie znaleziono pliku %1 w %2, ani w %3 - + Navigation styles Style nawigacji @@ -8489,47 +8474,47 @@ Wybierz "Przerwij", aby zrezygnować Przemieszczenie - + Do you want to close this dialog? Czy chcesz zamknąć to okno? - + Do you want to save your changes to document '%1' before closing? Czy chcesz zapisać zmiany do dokumentu "%1" przed zamknięciem? - + Do you want to save your changes to document before closing? Czy chcesz zapisać zmiany przed zamknięciem? - + If you don't save, your changes will be lost. Jeśli nie zapiszesz dokumentu, zmiany zostaną utracone. - + Apply answer to all Zastosuj odpowiedź dla wszystkich - + %1 Document(s) not saved Dokument %1 nie został zapisany - + Some documents could not be saved. Do you want to cancel closing? Niektóre dokumenty nie mogły zostać zapisane. Czy chcesz przerwać zamykanie dokumentów? - + Delete macro Usuń makrodefinicję - + Not allowed to delete system-wide macros Nie wolno usuwać makrodefinicji systemowych @@ -8625,10 +8610,10 @@ Wybierz "Przerwij", aby zrezygnować - - - - + + + + Invalid name Nieprawidłowa nazwa @@ -8641,25 +8626,25 @@ podkreślenie i nie może zaczynać się od cyfry. - + The property name is a reserved word. - The property name is a reserved word. + Nazwa właściwości jest słowem zarezerwowanym. - + The property '%1' already exists in '%2' Właściwość '%1' już istnieje w '%2' - + Add property Dodaj właściwość - + Failed to add property to '%1': %2 Nie udało się dodać właściwości do '%1': %2 @@ -8946,14 +8931,14 @@ bieżącej kopii zostaną utracone. Wygaszony - + The property name must only contain alpha numericals, underscore, and must not start with a digit. Nazwa właściwości może zawierać tylko znaki alfanumeryczne i podkreślenia, nie może zaczynać się cyfrą. - + The group name must only contain alpha numericals, underscore, and must not start with a digit. Nazwa grupy może zawierać tylko: @@ -9001,13 +8986,13 @@ oraz nie może zaczynać się od cyfry. StdCmdAbout - + &About %1 Inform&acje o %1 - - + + About %1 O %1 @@ -9015,13 +9000,13 @@ oraz nie może zaczynać się od cyfry. StdCmdAboutQt - + About &Qt Informacje o &Qt - - + + About Qt Informacje o Qt @@ -9057,13 +9042,13 @@ oraz nie może zaczynać się od cyfry. StdCmdAlignment - + Alignment... Wyrównanie ... - - + + Align the selected objects Wyrównaj zaznaczone obiekty @@ -9127,13 +9112,13 @@ oraz nie może zaczynać się od cyfry. StdCmdCommandLine - + Start command &line... &Linia poleceń... - - + + Opens the command line in the console Otwiera wiersz poleceń w konsoli @@ -9141,13 +9126,13 @@ oraz nie może zaczynać się od cyfry. StdCmdCopy - + C&opy K&opiuj - - + + Copy operation Skopiuj operację @@ -9155,13 +9140,13 @@ oraz nie może zaczynać się od cyfry. StdCmdCut - + &Cut &Wytnij - - + + Cut out Wytnij @@ -9169,13 +9154,13 @@ oraz nie może zaczynać się od cyfry. StdCmdDelete - + &Delete &Usuń - - + + Deletes the selected objects Usuwa zaznaczone obiekty @@ -9197,13 +9182,13 @@ oraz nie może zaczynać się od cyfry. StdCmdDependencyGraph - + Dependency graph... Graf zależności ... - - + + Show the dependency graph of the objects in the active document Pokaż wykres zależności obiektów w aktywnym dokumencie @@ -9211,13 +9196,13 @@ oraz nie może zaczynać się od cyfry. StdCmdDlgCustomize - + Cu&stomize... Do&stosuj ... - - + + Customize toolbars and command bars Dostosuj paski narzędzi i paski poleceń @@ -9277,13 +9262,13 @@ oraz nie może zaczynać się od cyfry. StdCmdDlgParameter - + E&dit parameters ... E&dycja parametrów ... - - + + Opens a Dialog to edit the parameters Otwiera okno dialogowe do edycji parametrów @@ -9291,13 +9276,13 @@ oraz nie może zaczynać się od cyfry. StdCmdDlgPreferences - + &Preferences ... &Preferencje ... - - + + Opens a Dialog to edit the preferences Otwórz okno zmian preferencji @@ -9333,13 +9318,13 @@ oraz nie może zaczynać się od cyfry. StdCmdDuplicateSelection - + Duplicate selection Powiel zaznaczone - - + + Put duplicates of the selected objects to the active document Umieść kopie wybranych obiektów w aktywnym dokumencie @@ -9347,17 +9332,17 @@ oraz nie może zaczynać się od cyfry. StdCmdEdit - + Toggle &Edit mode Przełącz tryb &Edycji - + Toggles the selected object's edit mode Przełącza tryb edycji wybranego obiektu - + Activates or Deactivates the selected object's edit mode Aktywuje lub wyłącza tryb edycji dla zaznaczonych obiektów @@ -9376,12 +9361,12 @@ oraz nie może zaczynać się od cyfry. Eksportuj obiekt z aktywnego dokumentu - + No selection Brak zaznaczenia - + Select the objects to export before choosing Export. Wybierz obiekty do eksportowania przed uruchomieniem funkcji eksportu. @@ -9389,13 +9374,13 @@ oraz nie może zaczynać się od cyfry. StdCmdExpression - + Expression actions Akcje z wyrażeniami - - + + Actions that apply to expressions Akcje z wyrażeniami @@ -9417,12 +9402,12 @@ oraz nie może zaczynać się od cyfry. StdCmdFreeCADDonation - + Donate Przekaż darowiznę - + Donate to FreeCAD development Wesprzyj rozwój FreeCAD @@ -9430,17 +9415,17 @@ oraz nie może zaczynać się od cyfry. StdCmdFreeCADFAQ - + FreeCAD FAQ Często zadawane pytania dotyczące FreeCAD - + Frequently Asked Questions on the FreeCAD website Najczęściej zadawane pytania na witrynie FreeCAD - + Frequently Asked Questions Często Zadawane Pytania @@ -9448,17 +9433,17 @@ oraz nie może zaczynać się od cyfry. StdCmdFreeCADForum - + FreeCAD Forum Forum FreeCAD - + The FreeCAD forum, where you can find help from other users Forum FreeCAD, gdzie można uzyskać pomoc od innych użytkowników - + The FreeCAD Forum Forum FreeCAD @@ -9466,17 +9451,17 @@ oraz nie może zaczynać się od cyfry. StdCmdFreeCADPowerUserHub - + Python scripting documentation Dokumentacja skryptów środowiska Python - + Python scripting documentation on the FreeCAD website Dokumentacja skryptów środowiska Python na stronie FreeCAD - + PowerUsers documentation Dokumentacja Power użytkownika @@ -9484,13 +9469,13 @@ oraz nie może zaczynać się od cyfry. StdCmdFreeCADUserHub - - + + Users documentation Dokumentacja użytkowników - + Documentation for users on the FreeCAD website Dokumentacja dla użytkowników na stronie FreeCAD @@ -9498,13 +9483,13 @@ oraz nie może zaczynać się od cyfry. StdCmdFreeCADWebsite - - + + FreeCAD Website Witryna FreeCAD - + The FreeCAD website Na witrynie FreeCAD @@ -9821,25 +9806,25 @@ co czyni je bardziej efektywnymi pod względem pamięciowym, co pomaga w tworzen StdCmdMergeProjects - + Merge document... Połącz dokument ... - - - - + + + + Merge document Połącz dokument - + %1 document (*.FCStd) Dokument %1 (*.FCStd) - + Cannot merge document with itself. Nie można połączyć dokumentu z samym sobą. @@ -9847,18 +9832,18 @@ co czyni je bardziej efektywnymi pod względem pamięciowym, co pomaga w tworzen StdCmdNew - + &New &Nowy - - + + Create a new empty document Utwórz nowy pusty dokument - + Unnamed Bez nazwy @@ -9867,13 +9852,13 @@ co czyni je bardziej efektywnymi pod względem pamięciowym, co pomaga w tworzen StdCmdOnlineHelp - - + + Help Pomoc - + Show help to the application Pokaż pomoc aplikacji @@ -9881,13 +9866,13 @@ co czyni je bardziej efektywnymi pod względem pamięciowym, co pomaga w tworzen StdCmdOnlineHelpWebsite - - + + Help Website Witryna pomocy - + The website where the help is maintained Witryna, gdzie udzielana jest pomoc @@ -9945,13 +9930,13 @@ takich jak Elementy pierwotne środowiska Część, Zawartość środowiska Proj StdCmdPaste - + &Paste &Wklej - - + + Paste operation Wklej operację @@ -9959,13 +9944,13 @@ takich jak Elementy pierwotne środowiska Część, Zawartość środowiska Proj StdCmdPlacement - + Placement... Umiejscowienie ... - - + + Place the selected objects Umieść wybrany obiekt @@ -9973,13 +9958,13 @@ takich jak Elementy pierwotne środowiska Część, Zawartość środowiska Proj StdCmdPrint - + &Print... &Drukuj ... - - + + Print the document Wydrukuj dokument @@ -9987,13 +9972,13 @@ takich jak Elementy pierwotne środowiska Część, Zawartość środowiska Proj StdCmdPrintPdf - + &Export PDF... Eksportuj do PD&F ... - - + + Export the document as PDF Wyeksportuj dokument do PDF @@ -10001,17 +9986,17 @@ takich jak Elementy pierwotne środowiska Część, Zawartość środowiska Proj StdCmdPrintPreview - + &Print preview... &Podgląd wydruku ... - + Print the document Wydrukuj dokument - + Print preview Podgląd wydruku @@ -10019,13 +10004,13 @@ takich jak Elementy pierwotne środowiska Część, Zawartość środowiska Proj StdCmdPythonWebsite - - + + Python Website Witryna środowiska Python - + The official Python website Oficjalna witryna środowiska Python @@ -10033,13 +10018,13 @@ takich jak Elementy pierwotne środowiska Część, Zawartość środowiska Proj StdCmdQuit - + E&xit &Zakończ - - + + Quits the application Zamyka program @@ -10061,13 +10046,13 @@ takich jak Elementy pierwotne środowiska Część, Zawartość środowiska Proj StdCmdRecentFiles - + Open Recent Ostatnio otwierane - - + + Recent file list Lista ostatnio użytych plików @@ -10075,13 +10060,13 @@ takich jak Elementy pierwotne środowiska Część, Zawartość środowiska Proj StdCmdRecentMacros - + Recent macros Ostatnio użyte makrodefinicje - - + + Recent macro list Lista ostatnio użytych makrodefinicji @@ -10089,13 +10074,13 @@ takich jak Elementy pierwotne środowiska Część, Zawartość środowiska Proj StdCmdRedo - + &Redo &Ponów - - + + Redoes a previously undone action Wykonuje ponownie poprzednio cofniętą czynność @@ -10103,13 +10088,13 @@ takich jak Elementy pierwotne środowiska Część, Zawartość środowiska Proj StdCmdRefresh - + &Refresh &Odśwież - - + + Recomputes the current active document Przelicza aktywny dokument @@ -10117,13 +10102,13 @@ takich jak Elementy pierwotne środowiska Część, Zawartość środowiska Proj StdCmdReportBug - + Report a bug Zgłoś błąd - - + + Report a bug or suggest a feature Zgłoś błąd lub zaproponuj nową funkcjonalność @@ -10131,13 +10116,13 @@ takich jak Elementy pierwotne środowiska Część, Zawartość środowiska Proj StdCmdRevert - + Revert Przywróć - - + + Reverts to the saved version of this file Przywraca zapisaną wersję tego pliku @@ -10145,13 +10130,13 @@ takich jak Elementy pierwotne środowiska Część, Zawartość środowiska Proj StdCmdSave - + &Save Zapi&sz - - + + Save the active document Zapisz aktywny dokument @@ -10159,13 +10144,13 @@ takich jak Elementy pierwotne środowiska Część, Zawartość środowiska Proj StdCmdSaveAll - + Save All Zapisz wszystkie - - + + Save all opened document Zapisz wszystkie otwarte dokumenty @@ -10173,13 +10158,13 @@ takich jak Elementy pierwotne środowiska Część, Zawartość środowiska Proj StdCmdSaveAs - + Save &As... Zapisz &jako ... - - + + Save the active document under a new file name Zapisuje aktywny dokument pod nową nazwą @@ -10187,13 +10172,13 @@ takich jak Elementy pierwotne środowiska Część, Zawartość środowiska Proj StdCmdSaveCopy - + Save a &Copy... Zapisz jako &kopię ... - - + + Save a copy of the active document under a new file name Zapisz kopię aktywnego dokumentu pod nową nazwą pliku @@ -10229,13 +10214,13 @@ takich jak Elementy pierwotne środowiska Część, Zawartość środowiska Proj StdCmdSelectAll - + Select &All Zaznacz &wszystko - - + + Select all Zaznacz wszystko @@ -10313,13 +10298,13 @@ takich jak Elementy pierwotne środowiska Część, Zawartość środowiska Proj StdCmdTextDocument - + Add text document Dodaj dokument tekstowy - - + + Add text document to active document Dodaj dokument tekstowy do aktywnego dokumentu @@ -10453,13 +10438,13 @@ takich jak Elementy pierwotne środowiska Część, Zawartość środowiska Proj StdCmdTransform - + Transform... Przemieszczenie ... - - + + Transform the geometry of selected objects Przekształć geometrię wybranych obiektów @@ -10467,13 +10452,13 @@ takich jak Elementy pierwotne środowiska Część, Zawartość środowiska Proj StdCmdTransformManip - + Transform Przemieszczenie - - + + Transform the selected object in the 3d view Przekształć wybrany obiekt w widoku 3D @@ -10537,13 +10522,13 @@ takich jak Elementy pierwotne środowiska Część, Zawartość środowiska Proj StdCmdUndo - + &Undo &Cofnij - - + + Undo exactly one action Cofnij dokładnie jedną czynność @@ -10551,13 +10536,13 @@ takich jak Elementy pierwotne środowiska Część, Zawartość środowiska Proj StdCmdUserEditMode - + Edit mode Tryb edycji - - + + Defines behavior when editing an object from tree Definiuje zachowanie podczas edycji obiektu w widoku drzewa @@ -10957,13 +10942,13 @@ takich jak Elementy pierwotne środowiska Część, Zawartość środowiska Proj StdCmdWhatsThis - + &What's This? &Co to jest? - - + + What's This Co to jest @@ -10999,13 +10984,13 @@ takich jak Elementy pierwotne środowiska Część, Zawartość środowiska Proj StdCmdWorkbench - + Workbench Środowiska pracy - - + + Switch between workbenches Przełącz Środowisko @@ -11329,7 +11314,7 @@ takich jak Elementy pierwotne środowiska Część, Zawartość środowiska Proj Std_Delete - + The following referencing objects might break. Are you sure you want to continue? @@ -11340,7 +11325,7 @@ Czy na pewno kontynuować? - + Object dependencies Zależności obiektu @@ -11348,7 +11333,7 @@ Czy na pewno kontynuować? Std_DependencyGraph - + Dependency graph Graf zależności @@ -11429,12 +11414,12 @@ Czy na pewno kontynuować? Std_DuplicateSelection - + Object dependencies Zależności obiektu - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Aby powiązać z obiektami zewnętrznymi, dokument musi być zapisany co najmniej raz. @@ -11452,7 +11437,7 @@ Czy chcesz zapisać dokument teraz? Std_Refresh - + The document contains dependency cycles. Please check the Report View for more details. @@ -11466,17 +11451,17 @@ Czy nadal chcesz kontynuować? Std_Revert - + Revert document Przywrócić dokument - + This will discard all the changes since last file save. Spowoduje to odrzucenie wszystkich zmian od ostatniego zapisu pliku. - + Do you want to continue? Czy chcesz kontynuować? @@ -11652,12 +11637,12 @@ Po kliknięciu widoczność jest przełączana. Gui::MDIView - + Export PDF Eksportuj do PDF - + PDF file Plik PDF @@ -12353,82 +12338,82 @@ zostanie załadowane automatycznie po uruchomieniu programu FreeCADPodgląd: - + Text Tekst - + Bookmark Zakładka - + Breakpoint Punkt przerwania - + Keyword Słowo kluczowe - + Comment Komentarz - + Block comment Zablokuj komentarz - + Number Liczba - + String Ciąg - + Character Znak - + Class name Nazwa klasy - + Define name Określ nazwę - + Operator Operator - + Python output Okno Python - + Python error Błąd Pythona - + Current line highlight Podświetlenie bieżącego wiersza - + Items Elementy @@ -12473,7 +12458,8 @@ zostanie załadowane automatycznie po uruchomieniu programu FreeCAD Unit system for all parts of the application. Can be overridden by specifying a document unit system. - Układ jednostek dla wszystkich części aplikacji. Może być zastąpiony przez określenie systemu jednostek projektu. + Układ jednostek dla wszystkich środowisk aplikacji. +Może być zastąpiony przez określenie systemu jednostek projektu. @@ -12939,13 +12925,13 @@ z konsoli Python do panelu Widoku Raportu StdCmdExportDependencyGraph - + Export dependency graph... Eksportuj wykres zależności ... - - + + Export the dependency graph to a file Eksportuj wykres zależności do pliku @@ -13385,13 +13371,13 @@ Ustaw zero, aby wypełnić miejsce. StdCmdProjectInfo - + Document i&nformation... I&nformacja o projekcie ... - - + + Show details of the currently active document Pokaż szczegóły obecnie aktywnego projektu @@ -13399,13 +13385,13 @@ Ustaw zero, aby wypełnić miejsce. StdCmdProjectUtil - + Document utility... Narzędzie dokumentu ... - - + + Utility to extract or create document files Narzędzie do rozpakowywania lub tworzenia plików projektu @@ -13427,12 +13413,12 @@ Ustaw zero, aby wypełnić miejsce. StdCmdProperties - + Properties Właściwości - + Show the property view, which displays the properties of the selected object. Pokazuje widok właściwości, który wyświetla właściwości wybranego obiektu. @@ -13485,13 +13471,13 @@ gdy zmieniają się jego obiekty nadrzędne. StdCmdReloadStyleSheet - + &Reload stylesheet &Przeładuj arkusz stylów - - + + Reloads the current stylesheet Odświeża bieżący arkusz stylów @@ -13772,15 +13758,38 @@ który przechowuje zestaw właściwości używanych jako zmienne. StdCmdUnitsCalculator - + &Units converter... &Przelicznik jednostek ... - - + + Start the units converter Uruchom konwerter jednostek + + Gui::ModuleIO + + + File not found + Nie znaleziono pliku + + + + The file '%1' cannot be opened. + Plik '%1' nie może zostać otwarty. + + + + StdCmdRestartInSafeMode + + + + + Restart in safe mode + Restart in safe mode + + diff --git a/src/Gui/Language/FreeCAD_pt-BR.ts b/src/Gui/Language/FreeCAD_pt-BR.ts index 4ffa149aebf6..3e72d906d07b 100644 --- a/src/Gui/Language/FreeCAD_pt-BR.ts +++ b/src/Gui/Language/FreeCAD_pt-BR.ts @@ -91,17 +91,17 @@ Editar - + Import Importar - + Delete Excluir - + Paste expressions Colar expressões @@ -131,7 +131,7 @@ Importar todos os links - + Insert text document Inserir documento de texto @@ -424,42 +424,42 @@ EditMode - + Default Padrão - + The object will be edited using the mode defined internally to be the most appropriate for the object type O objeto será editado usando o modo definido internamente para ser o mais apropriado para o tipo de objeto - + Transform Transformar - + The object will have its placement editable with the Std TransformManip command O objeto terá seu posicionamento editável com o comando Std TransformManip - + Cutting Corte - + This edit mode is implemented as available but currently does not seem to be used by any object Este modo de edição está implementado como disponível, mas atualmente não parece ser usado por nenhum objeto - + Color Cor - + The object will have the color of its individual faces editable with the Part FaceAppearances command O objeto terá a cor de suas faces individuais editáveis com o comando Part FaceAppearance @@ -680,8 +680,8 @@ while doing a left or right click and move the mouse up or down - Word size - Tamanho da palavra + Architecture + Architecture @@ -706,52 +706,52 @@ while doing a left or right click and move the mouse up or down Gui::Dialog::AboutDialog - - + + Credits - Header for the Credits tab of the About screen Créditos - + + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + Header for bgbsww + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + + + FreeCAD would not be possible without the contributions of O FreeCAD não seria possível sem as contribuições de - + Individuals Header for the list of individual people in the Credits list. Indivíduos - + Organizations Header for the list of companies/organizations in the Credits list. Organizações - - + + License Licença - + Libraries Bibliotecas - - This software uses open source components whose copyright and other proprietary rights belong to their respective owners: - Este software utiliza componentes de código aberto, cujos direitos autorais e outros direitos proprietários pertencem a seus respectivos proprietários: - - - + Collection Coleção - + Privacy Policy Política de Privacidade @@ -1408,8 +1408,8 @@ simultaneamente. Aquele com a maior prioridade será acionado. Gui::Dialog::DlgCustomToolBoxbarsImp - - + + Toolbox bars Barras de ferramentas @@ -1498,40 +1498,40 @@ simultaneamente. Aquele com a maior prioridade será acionado. - + <Separator> <Separador> - + %1 module not loaded %1 do módulo não carregado - + New toolbar Nova barra de ferramentas - - + + Toolbar name: Nome da barra de ferramentas: - - + + Duplicated name Nome duplicado - - + + The toolbar name '%1' is already used O nome de barra de ferramentas '%1' já está sendo usado - + Rename toolbar Renomear barra de ferramentas @@ -1745,72 +1745,72 @@ simultaneamente. Aquele com a maior prioridade será acionado. Gui::Dialog::DlgMacroExecuteImp - + Macros Macros - + Read-only Somente leitura - + Macro file Arquivo de macro - + Enter a file name, please: Digite um nome de arquivo, por favor: - - - + + + Existing file Arquivo existente - + '%1'. This file already exists. '%1'. Este arquivo já existe. - + Cannot create file Não é possível criar o arquivo - + Creation of file '%1' failed. Falha na criação do arquivo '%1'. - + Delete macro Excluir macro - + Do you really want to delete the macro '%1'? Você realmente deseja excluir a macro '%1'? - + Do not show again Não mostrar novamente - + Guided Walkthrough Passo a passo - + This will guide you in setting up this macro in a custom global toolbar. Instructions will be in red text inside the dialog. Note: your changes will be applied when you next switch workbenches @@ -1821,76 +1821,76 @@ Obs: as mudanças serão aplicadas na próxima troca de bancada - + Walkthrough, dialog 1 of 2 Passo a passo, diálogo 1 de 2 - + Walkthrough instructions: Fill in missing fields (optional) then click Add, then Close Instruções: complete os campos vazios (opcional) então clique em Adicionar e, por fim, Fechar - + Walkthrough, dialog 1 of 1 Passo a passo, diálogo 1 de 1 - + Walkthrough, dialog 2 of 2 Passo a passo, diálogo 2 de 2 - - Walkthrough instructions: Click right arrow button (->), then Close. - Instruções: Clique na tecla seta para a direita (->), e depois Fechar. + + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. - Walkthrough instructions: Click New, then right arrow (->) button, then Close. - Instrução: Clique Novo, então clique no botão seta para a direita (->), e depois Fechar. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. - + Renaming Macro File Renomear um arquivo de Macro - - + + Enter new name: Digite o novo nome: - - + + '%1' already exists. '%1' já existe. - + Rename Failed Falha ao renomear - + Failed to rename to '%1'. Perhaps a file permission error? Falha ao renomear para '%1'. Talvez um erro de permissão de arquivo? - + Duplicate Macro Duplicar Macro - + Duplicate Failed Não foi possível duplicar - + Failed to duplicate to '%1'. Perhaps a file permission error? Não foi possível duplicar para '%1'. @@ -5891,81 +5891,81 @@ Deseja salvar as alterações? Gui::GraphvizView - + Graphviz not found Graphviz não encontrado - + Graphviz couldn't be found on your system. Não foi possível encontrar o Graphviz em seu sistema. - + Read more about it here. Leia mais sobre isso. - + Do you want to specify its installation path if it's already installed? Deseja especificar seu caminho de instalação, caso já esteja instalado? - + Graphviz installation path Caminho da instalação do Graphviz - + Graphviz failed Falha no Graphviz - + Graphviz failed to create an image file O Graphviz falhou ao criar um arquivo de imagem - + PNG format Formato PNG - + Bitmap format Formato de bitmap - + GIF format Formato GIF - + JPG format Formato JPG - + SVG format Formato SVG - - + + PDF format Formato PDF - - + + Graphviz format Formato do Graphviz - - - + + + Export graph Exportar gráfico @@ -6125,63 +6125,83 @@ Deseja salvar as alterações? Gui::MainWindow - - + + Dimension Dimensão - + Ready Pronto - + Close All Fechar tudo - - - + + + Toggles this toolbar Alterna esta barra de ferramentas - - - + + + Toggles this dockable window Alterna esta janela acoplável - + + Safe mode enabled + Safe mode enabled + + + + FreeCAD is now running in safe mode. + FreeCAD is now running in safe mode. + + + + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + + + WARNING: This is a development version. AVISO: esta é uma versão em desenvolvimento. - + Please do not use it in a production environment. Por favor, não use em ambiente de produção. - - + + Unsaved document Documento não salvo - + The exported object contains external link. Please save the documentat least once before exporting. O objeto exportado contém links externos. Salve o documento pelo menos uma vez antes de exportar. - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Para vincular a objetos externos, o documento deve ser salvo pelo menos uma vez. Deseja salvar o documento agora? + + + Safe Mode + Safe Mode + Gui::ManualAlignment @@ -6682,39 +6702,19 @@ Do you want to exit without saving your data? Open file %1 Abrir o arquivo %1 - - - File not found - Arquivo não encontrado - - - - The file '%1' cannot be opened. - Não é possível abrir o arquivo '%1'. - Gui::RecentMacrosAction - + none nenhum - + Run macro %1 (Shift+click to edit) keyboard shortcut: %2 Executar macro %1 (Shift+clique para editar) atalho de teclado: %2 - - - File not found - Arquivo não encontrado - - - - The file '%1' cannot be opened. - Não é possível abrir o arquivo '%1'. - Gui::RevitNavigationStyle @@ -6965,7 +6965,7 @@ Do you want to specify another directory? Gui::TaskView::TaskDialog - + A dialog is already open in the task panel Uma caixa de diálogo já está aberta no painel de tarefas @@ -6994,38 +6994,8 @@ Do you want to specify another directory? Gui::TextDocumentEditorView - - Text updated - Texto actualizado - - - - The text of the underlying object has changed. Discard changes and reload the text from the object? - O texto do objeto incluído mudou. Cancelar mudanças e recarregar o texto do objeto? - - - - Yes, reload. - Sim, recarregar. - - - - Unsaved document - Documento não salvo - - - - Do you want to save your changes before closing? - Deseja salvar suas alterações antes de fechar? - - - - If you don't save, your changes will be lost. - Se você não for salvar, suas alterações serão perdidas. - - - - + + Edit text Editar texto @@ -7302,7 +7272,7 @@ Do you want to specify another directory? Gui::TreeDockWidget - + Tree view Exibição em árvore @@ -7310,7 +7280,7 @@ Do you want to specify another directory? Gui::TreePanel - + Search Pesquisar @@ -7368,148 +7338,148 @@ Do you want to specify another directory? Grupo - + Labels & Attributes Rótulos & atributos - + Description Descrição - + Internal name Nome interno - + Show items hidden in tree view Mostrar itens ocultos na vista em árvore - + Show items that are marked as 'hidden' in the tree view Exibir itens marcados como 'oculto' na visualização de árvore - + Toggle visibility in tree view Alternar visibilidade na exibição em árvore - + Toggles the visibility of selected items in the tree view Alterna a visibilidade dos itens selecionados na exibição em árvore - + Create group Criar grupo - + Create a group Criar um grupo - - + + Rename Renomear - + Rename object Renomear objeto - + Finish editing Concluir a edição - + Finish editing object Terminar de editar o objeto - + Add dependent objects to selection Adicionar objetos dependentes à seleção - + Adds all dependent objects to the selection Adicionar todos os objetos dependentes à seleção - + Close document Fechar documento - + Close the document Fechar o documento - + Reload document Recarregar documento - + Reload a partially loaded document Recarregar um documento parcialmente carregado - + Skip recomputes Pular recálculos - + Enable or disable recomputations of document Ativa/desativa o recálculo automático do documento - + Allow partial recomputes Permitir recálculos parciais - + Enable or disable recomputating editing object when 'skip recomputation' is enabled Ativar ou desativar o recálculo do objeto editado quando a opção 'pular recálculo' estiver ativada - + Mark to recompute Marcar para recalcular - + Mark this object to be recomputed Marcar este objeto para ser recalculado - + Recompute object Recalcular o objeto - + Recompute the selected object Recalcula o objeto selecionado - + (but must be executed) (mas deve ser executado) - + %1, Internal name: %2 %1, Nome interno: %2 @@ -7721,47 +7691,47 @@ Do you want to specify another directory? QDockWidget - + Tree view Exibição em árvore - + Tasks Tarefas - + Property view Tela de propriedades - + Selection view Tela de seleção - + Task List Lista de tarefas - + Model Modelo - + DAG View Vista DAG - + Report view Ver Relatório - + Python console Console Python @@ -7801,35 +7771,35 @@ Do you want to specify another directory? Python - - - + + + Unknown filetype Tipo de arquivo desconhecido - - + + Cannot open unknown filetype: %1 Não é possível abrir o tipo de arquivo desconhecido: %1 - + Export failed Falha na exportação - + Cannot save to unknown filetype: %1 Não é possível salvar em tipo de arquivo desconhecido: %1 - + Recomputation required Recálculo necessário - + Some document(s) require recomputation for migration purposes. It is highly recommended to perform a recomputation before any modification to avoid compatibility problems. Do you want to recompute now? @@ -7838,24 +7808,24 @@ Do you want to recompute now? Você quer recalcular agora? - + Recompute error Erro de recálculo - + Failed to recompute some document(s). Please check report view for more details. Falha no recálculo de alguns documentos. Por favor, verifique a visualização do relatório para mais detalhes. - + Workbench failure Falha da bancada de trabalho - + %1 %1 @@ -7901,90 +7871,105 @@ Por favor, verifique a visualização do relatório para mais detalhes.Importar um arquivo - + Export file Exportar um arquivo - + Printing... Imprimindo... - + Exporting PDF... Exportar PDF... - - + + Unsaved document Documento não salvo - + The exported object contains external link. Please save the documentat least once before exporting. O objeto exportado contém links externos. Salve o documento pelo menos uma vez antes de exportar. - - + + Delete failed Falha ao apagar - + Dependency error Erro de dependência - + Copy selected Copiar a seleção - + Copy active document Copiar documento ativo - + Copy all documents Copiar todos os documentos - + Paste Colar - + Expression error Erro de expressão - + Failed to parse some of the expressions. Please check the Report View for more details. Falha ao analisar algumas das expressões. Veja o painel de relatório para mais detalhes. - + Failed to paste expressions Falha ao colar expressões - + Cannot load workbench Não foi possível carregar a bancada - + A general error occurred while loading the workbench Um erro geral ocorreu ao carregar a bancada + + + Restart in safe mode + Restart in safe mode + + + + Are you sure you want to restart FreeCAD and enter safe mode? + Are you sure you want to restart FreeCAD and enter safe mode? + + + + Safe mode temporarily disables your configuration and addons. + Safe mode temporarily disables your configuration and addons. + @@ -8208,7 +8193,7 @@ Do you want to continue? Muitas notificações não intrusivas abertas. Notificações estão sendo omitidas! - + Identical physical path detected. It may cause unwanted overwrite of existing document! @@ -8217,44 +8202,44 @@ Do you want to continue? - + Are you sure you want to continue? Tem certeza que deseja continuar? - + Please check report view for more... Por favor, verifique o relatório de visualização para mais... - + Physical path: Caminho físico: - - + + Document: Documento: - - + + Path: Caminho: - + Identical physical path Caminho físico idêntico - + Could not save document Não foi possível salvar o documento - + There was an issue trying to save the file. This may be because some of the parent folders do not exist, or you do not have sufficient permissions, or for other reasons. Error details: "%1" @@ -8267,102 +8252,102 @@ Would you like to save the file with a different name? Salvar o arquivo com um nome diferente? - - - + + + Saving aborted Salvamento abortado - + Save dependent files Salvar arquivos dependentes - + The file contains external dependencies. Do you want to save the dependent files, too? O arquivo contém dependências externas. Deseja também salvar os arquivos dependentes? - - + + Saving document failed Falha ao salvar documento - + Save document under new filename... Salvar documento sob novo nome ... - - + + Save %1 Document Salvar documento %1 - + Document Documento - - + + Failed to save document Falha ao salvar o documento - + Documents contains cyclic dependencies. Do you still want to save them? Os documentos contêm dependências cíclicas. Deseja salvá-los mesmo assim? - + Save a copy of the document under new filename... Salve uma cópia do documento com um novo nome de arquivo... - + %1 document (*.FCStd) documento %1 (*.FCStd) - + Document not closable O documento não pode ser fechado - + The document is not closable for the moment. O documento não pode ser fechado neste momento. - + Document not saved Documento não salvo - + The document%1 could not be saved. Do you want to cancel closing it? O documento%1 não pode ser salvo. Cancelar o fechamento? - + Undo Desfazer - + Redo Refazer - + There are grouped transactions in the following documents with other preceding transactions Existem transações agrupadas com outras transações anteriores nos seguintes documentos - + Choose 'Yes' to roll back all preceding transactions. Choose 'No' to roll back in the active document only. Choose 'Abort' to abort @@ -8456,7 +8441,7 @@ Escolha 'Abortar' para cancelar Não é possível encontrar o arquivo %1 nem em %2, nem em %3 - + Navigation styles Estilos de navegação @@ -8467,47 +8452,47 @@ Escolha 'Abortar' para cancelar Transformar - + Do you want to close this dialog? Deseja fechar este diálogo? - + Do you want to save your changes to document '%1' before closing? Deseja salvar as alterações no documento '%1' antes de fechar? - + Do you want to save your changes to document before closing? Deseja salvar suas alterações no documento antes de fechar? - + If you don't save, your changes will be lost. Se você não for salvar, suas alterações serão perdidas. - + Apply answer to all Aplicar esta resposta a todos - + %1 Document(s) not saved %1 Documento(s) não foram salvos - + Some documents could not be saved. Do you want to cancel closing? Alguns documentos não puderam ser salvos. Cancelar o fechamento? - + Delete macro Excluir macro - + Not allowed to delete system-wide macros Não é permitido excluir macros do sistema @@ -8603,10 +8588,10 @@ Escolha 'Abortar' para cancelar - - - - + + + + Invalid name Nome inválido @@ -8619,25 +8604,25 @@ ou underscore e não deve começar com um número. - + The property name is a reserved word. - The property name is a reserved word. + O nome da propriedade é uma palavra reservada. - + The property '%1' already exists in '%2' A propriedade '%1' já existe em '%2' - + Add property Adicionar propriedade - + Failed to add property to '%1': %2 Falha ao adicionar uma propriedade a '%1': %2 @@ -8923,14 +8908,14 @@ cópia atual será perdida. Suprimido - + The property name must only contain alpha numericals, underscore, and must not start with a digit. A propriedade nome só deve conter números, letras, sublinhado, e não deve começar com um número. - + The group name must only contain alpha numericals, underscore, and must not start with a digit. O nome de grupo só deve conter números, letras, @@ -8977,13 +8962,13 @@ ou underscore e não pode começar com um número. StdCmdAbout - + &About %1 &Sobre %1 - - + + About %1 Sobre %1 @@ -8991,13 +8976,13 @@ ou underscore e não pode começar com um número. StdCmdAboutQt - + About &Qt Sobre Qt - - + + About Qt Sobre o Qt @@ -9033,13 +9018,13 @@ ou underscore e não pode começar com um número. StdCmdAlignment - + Alignment... Alinhamento... - - + + Align the selected objects Alinha os objetos selecionados @@ -9103,13 +9088,13 @@ ou underscore e não pode começar com um número. StdCmdCommandLine - + Start command &line... Iniciar linha de comando... - - + + Opens the command line in the console Abre a linha de comando na consola @@ -9117,13 +9102,13 @@ ou underscore e não pode começar com um número. StdCmdCopy - + C&opy C&opiar - - + + Copy operation Copiar @@ -9131,13 +9116,13 @@ ou underscore e não pode começar com um número. StdCmdCut - + &Cut Co&rtar - - + + Cut out Recortar @@ -9145,13 +9130,13 @@ ou underscore e não pode começar com um número. StdCmdDelete - + &Delete &Excluir - - + + Deletes the selected objects Exclui os objetos selecionados @@ -9173,13 +9158,13 @@ ou underscore e não pode começar com um número. StdCmdDependencyGraph - + Dependency graph... Gráfico de dependência... - - + + Show the dependency graph of the objects in the active document Exibir o gráfico de dependência de objetos no documento atual @@ -9187,13 +9172,13 @@ ou underscore e não pode começar com um número. StdCmdDlgCustomize - + Cu&stomize... Per&sonalizar... - - + + Customize toolbars and command bars Personalizar barras de ferramentas e barras de comando @@ -9253,13 +9238,13 @@ ou underscore e não pode começar com um número. StdCmdDlgParameter - + E&dit parameters ... &Editar parâmetros... - - + + Opens a Dialog to edit the parameters Abre uma janela para editar os parâmetros @@ -9267,13 +9252,13 @@ ou underscore e não pode começar com um número. StdCmdDlgPreferences - + &Preferences ... &Preferências... - - + + Opens a Dialog to edit the preferences Abre uma janela para editar as preferências @@ -9309,13 +9294,13 @@ ou underscore e não pode começar com um número. StdCmdDuplicateSelection - + Duplicate selection Duplicar seleção - - + + Put duplicates of the selected objects to the active document Coloca duplicatas dos objetos selecionados no documento ativo @@ -9323,17 +9308,17 @@ ou underscore e não pode começar com um número. StdCmdEdit - + Toggle &Edit mode Alterar o modo de &edição - + Toggles the selected object's edit mode Alterna o modo de edição do objeto selecionado - + Activates or Deactivates the selected object's edit mode Ativa ou desativa o modo de edição do objeto selecionado @@ -9352,12 +9337,12 @@ ou underscore e não pode começar com um número. Exportar um objeto do documento ativo - + No selection Nenhuma seleção - + Select the objects to export before choosing Export. Selecione os objetos a serem exportados antes de escolher Exportar. @@ -9365,13 +9350,13 @@ ou underscore e não pode começar com um número. StdCmdExpression - + Expression actions Ações de expressão - - + + Actions that apply to expressions Ações que se aplicam às expressões @@ -9393,12 +9378,12 @@ ou underscore e não pode começar com um número. StdCmdFreeCADDonation - + Donate Faça uma doação - + Donate to FreeCAD development Doe para o desenvolvimento do FreeCAD @@ -9406,17 +9391,17 @@ ou underscore e não pode começar com um número. StdCmdFreeCADFAQ - + FreeCAD FAQ Perguntas frequentes - + Frequently Asked Questions on the FreeCAD website Perguntas frequentes no site do FreeCAD - + Frequently Asked Questions Perguntas frequentes @@ -9424,17 +9409,17 @@ ou underscore e não pode começar com um número. StdCmdFreeCADForum - + FreeCAD Forum Fórum do FreeCAD - + The FreeCAD forum, where you can find help from other users O fórum de FreeCAD, onde você pode obter ajuda de outros usuários - + The FreeCAD Forum O fórum de FreeCAD @@ -9442,17 +9427,17 @@ ou underscore e não pode começar com um número. StdCmdFreeCADPowerUserHub - + Python scripting documentation Documentação de programação Python - + Python scripting documentation on the FreeCAD website Documentação sobre a programação em Python no site do FreeCAD - + PowerUsers documentation Documentação para usuários avançados @@ -9460,13 +9445,13 @@ ou underscore e não pode começar com um número. StdCmdFreeCADUserHub - - + + Users documentation Documentação para usuários - + Documentation for users on the FreeCAD website Documentação para usuários no site FreeCAD @@ -9474,13 +9459,13 @@ ou underscore e não pode começar com um número. StdCmdFreeCADWebsite - - + + FreeCAD Website Website do FreeCAD - + The FreeCAD website O site do FreeCAD @@ -9795,25 +9780,25 @@ ou underscore e não pode começar com um número. StdCmdMergeProjects - + Merge document... Combinar documento... - - - - + + + + Merge document Combinar documento - + %1 document (*.FCStd) documento %1 (*.FCStd) - + Cannot merge document with itself. Não é possível combinar esse documento com ele mesmo. @@ -9821,18 +9806,18 @@ ou underscore e não pode começar com um número. StdCmdNew - + &New &Novo - - + + Create a new empty document Criar um novo documento vazio - + Unnamed Sem nome @@ -9841,13 +9826,13 @@ ou underscore e não pode começar com um número. StdCmdOnlineHelp - - + + Help Ajuda - + Show help to the application Mostra a ajuda para a aplicação @@ -9855,13 +9840,13 @@ ou underscore e não pode começar com um número. StdCmdOnlineHelpWebsite - - + + Help Website Site de ajuda - + The website where the help is maintained O site onde a ajuda é mantida @@ -9916,13 +9901,13 @@ ou underscore e não pode começar com um número. StdCmdPaste - + &Paste Co&lar - - + + Paste operation Colar @@ -9930,13 +9915,13 @@ ou underscore e não pode começar com um número. StdCmdPlacement - + Placement... Posicionamento... - - + + Place the selected objects Colocar os objetos selecionados @@ -9944,13 +9929,13 @@ ou underscore e não pode começar com um número. StdCmdPrint - + &Print... &Imprimir... - - + + Print the document Imprime o documento @@ -9958,13 +9943,13 @@ ou underscore e não pode começar com um número. StdCmdPrintPdf - + &Export PDF... &Exportar PDF... - - + + Export the document as PDF Exportar o documento como PDF @@ -9972,17 +9957,17 @@ ou underscore e não pode começar com um número. StdCmdPrintPreview - + &Print preview... &Visualização de impressão... - + Print the document Imprime o documento - + Print preview Visualização de impressão @@ -9990,13 +9975,13 @@ ou underscore e não pode começar com um número. StdCmdPythonWebsite - - + + Python Website Website do Python - + The official Python website O site oficial do Python @@ -10004,13 +9989,13 @@ ou underscore e não pode começar com um número. StdCmdQuit - + E&xit &Sair - - + + Quits the application Finaliza o aplicativo @@ -10032,13 +10017,13 @@ ou underscore e não pode começar com um número. StdCmdRecentFiles - + Open Recent Aberto recentemente - - + + Recent file list Lista de arquivos recentes @@ -10046,13 +10031,13 @@ ou underscore e não pode começar com um número. StdCmdRecentMacros - + Recent macros Macros recentes - - + + Recent macro list Lista de macros recentes @@ -10060,13 +10045,13 @@ ou underscore e não pode começar com um número. StdCmdRedo - + &Redo &Refazer - - + + Redoes a previously undone action Refazer uma ação desfeita anteriormente @@ -10074,13 +10059,13 @@ ou underscore e não pode começar com um número. StdCmdRefresh - + &Refresh &Atualizar - - + + Recomputes the current active document Recalcula o documento ativo atual @@ -10088,13 +10073,13 @@ ou underscore e não pode começar com um número. StdCmdReportBug - + Report a bug Reporte um bug - - + + Report a bug or suggest a feature Comunique erros encontrados ou solicite novas funcionalidades @@ -10102,13 +10087,13 @@ ou underscore e não pode começar com um número. StdCmdRevert - + Revert Desfazer - - + + Reverts to the saved version of this file Reverte para a versão salva deste arquivo @@ -10116,13 +10101,13 @@ ou underscore e não pode começar com um número. StdCmdSave - + &Save &Salvar - - + + Save the active document Salvar o documento ativo @@ -10130,13 +10115,13 @@ ou underscore e não pode começar com um número. StdCmdSaveAll - + Save All Salvar Tudo - - + + Save all opened document Salvar todos documentos abertos @@ -10144,13 +10129,13 @@ ou underscore e não pode começar com um número. StdCmdSaveAs - + Save &As... Salvar como... - - + + Save the active document under a new file name Salvar o documento ativo com um novo nome de arquivo @@ -10158,13 +10143,13 @@ ou underscore e não pode começar com um número. StdCmdSaveCopy - + Save a &Copy... Salvar uma &Cópia... - - + + Save a copy of the active document under a new file name Salvar uma cópia do documento ativo com um novo nome de arquivo @@ -10200,13 +10185,13 @@ ou underscore e não pode começar com um número. StdCmdSelectAll - + Select &All Selecionar &tudo - - + + Select all Selecionar tudo @@ -10284,13 +10269,13 @@ ou underscore e não pode começar com um número. StdCmdTextDocument - + Add text document Adicionar documento de texto - - + + Add text document to active document Adicionar documento de texto ao documento ativo @@ -10424,13 +10409,13 @@ ou underscore e não pode começar com um número. StdCmdTransform - + Transform... Transformar... - - + + Transform the geometry of selected objects Transformar a geometria dos objetos selecionados @@ -10438,13 +10423,13 @@ ou underscore e não pode começar com um número. StdCmdTransformManip - + Transform Transformar - - + + Transform the selected object in the 3d view Transformar o objeto selecionado na vista 3D @@ -10508,13 +10493,13 @@ ou underscore e não pode começar com um número. StdCmdUndo - + &Undo &Desfazer - - + + Undo exactly one action Desfazer uma ação @@ -10522,13 +10507,13 @@ ou underscore e não pode começar com um número. StdCmdUserEditMode - + Edit mode Modo de edição - - + + Defines behavior when editing an object from tree Define o comportamento ao editar um objeto da arborescência @@ -10928,13 +10913,13 @@ ou underscore e não pode começar com um número. StdCmdWhatsThis - + &What's This? O &Que é Isso? - - + + What's This O que é isso @@ -10970,13 +10955,13 @@ ou underscore e não pode começar com um número. StdCmdWorkbench - + Workbench Bancada - - + + Switch between workbenches Alternar entre bancadas @@ -11300,7 +11285,7 @@ ou underscore e não pode começar com um número. Std_Delete - + The following referencing objects might break. Are you sure you want to continue? @@ -11311,7 +11296,7 @@ Tem certeza que deseja continuar? - + Object dependencies Dependências do objeto @@ -11319,7 +11304,7 @@ Tem certeza que deseja continuar? Std_DependencyGraph - + Dependency graph Gráfico de dependência @@ -11400,12 +11385,12 @@ Tem certeza que deseja continuar? Std_DuplicateSelection - + Object dependencies Dependências do objeto - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Para vincular a objetos externos, o documento deve ser salvo pelo menos uma vez. @@ -11423,7 +11408,7 @@ Deseja salvar o documento agora? Std_Refresh - + The document contains dependency cycles. Please check the Report View for more details. @@ -11437,17 +11422,17 @@ Deseja prosseguir mesmo assim? Std_Revert - + Revert document Reverter o documento - + This will discard all the changes since last file save. Isto irá descartar todas as mudanças desde o último salvamento de arquivo. - + Do you want to continue? Deseja continuar? @@ -11621,12 +11606,12 @@ Deseja prosseguir mesmo assim? Gui::MDIView - + Export PDF Exportar PDF - + PDF file Arquivo PDF @@ -12319,82 +12304,82 @@ Atualmente, o seu sistema tem as seguintes bancadas de trabalho:</p></b Pré-visualização: - + Text Texto - + Bookmark Favorito - + Breakpoint Ponto de Interrupção - + Keyword Palavra-chave - + Comment Comentário - + Block comment Comentário de bloco - + Number Número - + String Texto - + Character Caráter - + Class name Nome de classe - + Define name Definir nome - + Operator Operador - + Python output Saída de Python - + Python error Erro de python - + Current line highlight Destacar linha atual - + Items Itens @@ -12902,13 +12887,13 @@ do console Python para o painel de Relatórios StdCmdExportDependencyGraph - + Export dependency graph... Exportar gráfico de dependências... - - + + Export the dependency graph to a file Exportar o gráfico de dependências para um arquivo @@ -13343,13 +13328,13 @@ da região forem não opacos. StdCmdProjectInfo - + Document i&nformation... &Informações do documento... - - + + Show details of the currently active document Mostrar os detalhes do documento ativo @@ -13357,13 +13342,13 @@ da região forem não opacos. StdCmdProjectUtil - + Document utility... Utilitário de documentos... - - + + Utility to extract or create document files Utilitário para extrair ou criar arquivos de documentos @@ -13385,12 +13370,12 @@ da região forem não opacos. StdCmdProperties - + Properties Propriedades - + Show the property view, which displays the properties of the selected object. Mostra a vista da propriedades, que exibe as propriedades do objeto selecionado. @@ -13441,13 +13426,13 @@ da região forem não opacos. StdCmdReloadStyleSheet - + &Reload stylesheet &Recarregar folha de estilos - - + + Reloads the current stylesheet Recarrega a folha de estilos atual @@ -13724,15 +13709,38 @@ da região forem não opacos. StdCmdUnitsCalculator - + &Units converter... Conversor de &unidades... - - + + Start the units converter Iniciar o conversor de unidades + + Gui::ModuleIO + + + File not found + Arquivo não encontrado + + + + The file '%1' cannot be opened. + Não é possível abrir o arquivo '%1'. + + + + StdCmdRestartInSafeMode + + + + + Restart in safe mode + Restart in safe mode + + diff --git a/src/Gui/Language/FreeCAD_pt-PT.ts b/src/Gui/Language/FreeCAD_pt-PT.ts index 8dd8f50b1e5b..cbdc7d349559 100644 --- a/src/Gui/Language/FreeCAD_pt-PT.ts +++ b/src/Gui/Language/FreeCAD_pt-PT.ts @@ -91,17 +91,17 @@ Editar - + Import Importar - + Delete Apagar - + Paste expressions Colar expressões @@ -131,7 +131,7 @@ Importar todas as ligações - + Insert text document Inserir documento de texto @@ -424,42 +424,42 @@ EditMode - + Default Predefinição - + The object will be edited using the mode defined internally to be the most appropriate for the object type The object will be edited using the mode defined internally to be the most appropriate for the object type - + Transform Transformar - + The object will have its placement editable with the Std TransformManip command The object will have its placement editable with the Std TransformManip command - + Cutting Corte - + This edit mode is implemented as available but currently does not seem to be used by any object This edit mode is implemented as available but currently does not seem to be used by any object - + Color Cor - + The object will have the color of its individual faces editable with the Part FaceAppearances command The object will have the color of its individual faces editable with the Part FaceAppearances command @@ -680,8 +680,8 @@ while doing a left or right click and move the mouse up or down - Word size - Tamanho da palavra + Architecture + Architecture @@ -706,52 +706,52 @@ while doing a left or right click and move the mouse up or down Gui::Dialog::AboutDialog - - + + Credits - Header for the Credits tab of the About screen Créditos - + + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + Header for bgbsww + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + + + FreeCAD would not be possible without the contributions of O FreeCAD não seria possível sem as contribuições de - + Individuals Header for the list of individual people in the Credits list. Indivíduos - + Organizations Header for the list of companies/organizations in the Credits list. Organizações - - + + License Licença - + Libraries Bibliotecas - - This software uses open source components whose copyright and other proprietary rights belong to their respective owners: - Este software utiliza componentes de código aberto, cujos direitos autorais e outros direitos proprietários pertencem a seus respectivos proprietários: - - - + Collection Coleção - + Privacy Policy Política de Privacidade @@ -1408,8 +1408,8 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgCustomToolBoxbarsImp - - + + Toolbox bars Barras da Caixa de Ferramentas @@ -1498,40 +1498,40 @@ same time. The one with the highest priority will be triggered. - + <Separator> <Separador> - + %1 module not loaded %1 module not loaded - + New toolbar Nova Barra de Ferramentas - - + + Toolbar name: Nome da Barra de Ferramentas: - - + + Duplicated name Nome duplicado - - + + The toolbar name '%1' is already used O nome '%1' da Barra de Ferramentas já está em uso - + Rename toolbar Renomear a Barra de Ferramentas @@ -1745,71 +1745,71 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgMacroExecuteImp - + Macros Macros - + Read-only Só-de-leitura - + Macro file Ficheiro de macros - + Enter a file name, please: Por favor, insira um nome de ficheiro: - - - + + + Existing file Ficheiro Existente - + '%1'. This file already exists. '%1'. Este ficheiro já existe. - + Cannot create file Não é possível criar o ficheiro - + Creation of file '%1' failed. Não foi possível criar o ficheiro '%1'. - + Delete macro Apagar macro - + Do you really want to delete the macro '%1'? Deseja apagar a macro '%1'? - + Do not show again Não mostrar novamente - + Guided Walkthrough Guia passo-a-passo - + This will guide you in setting up this macro in a custom global toolbar. Instructions will be in red text inside the dialog. Note: your changes will be applied when you next switch workbenches @@ -1820,76 +1820,76 @@ Note: your changes will be applied when you next switch workbenches - + Walkthrough, dialog 1 of 2 Guia passo-a-passo, diálogo 1 de 2 - + Walkthrough instructions: Fill in missing fields (optional) then click Add, then Close Walkthrough instructions: Fill in missing fields (optional) then click Add, then Close - + Walkthrough, dialog 1 of 1 Guia passo-a-passo, diálogo 1 de 1 - + Walkthrough, dialog 2 of 2 Guia passo-a-passo, diálogo 2 de 2 - - Walkthrough instructions: Click right arrow button (->), then Close. - Instruções passo-a-passo: Clique na seta para a direita (->), e depois Fechar. + + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. - Walkthrough instructions: Click New, then right arrow (->) button, then Close. - Instruções passo-a-passo: Clique Novo, de seguida na seta para a direita (->), e depois Fechar. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. - + Renaming Macro File Renomear o Ficheiro Macro - - + + Enter new name: Digite o novo nome: - - + + '%1' already exists. '%1' já existe. - + Rename Failed Falha ao Renomear - + Failed to rename to '%1'. Perhaps a file permission error? Falha ao renomear para '%1'. Talvez um erro de permissão de ficheiro? - + Duplicate Macro Duplicar Macro - + Duplicate Failed Duplicação falhada - + Failed to duplicate to '%1'. Perhaps a file permission error? Falha ao duplicar para '%1'. @@ -2358,7 +2358,7 @@ Por favor, indique outra pasta. You must restart FreeCAD for changes to take effect. - Você deve reiniciar o FreeCAD para que as alterações tenham efeito. + Tem de reiniciar o FreeCAD para que as alterações surtam efeito. @@ -3048,12 +3048,12 @@ bounding box size of the 3D object that is currently displayed. Daily - Diário + Diariamente Weekly - Semanal + Semanalmente @@ -3068,7 +3068,7 @@ bounding box size of the 3D object that is currently displayed. Never - Never + Nunca @@ -5895,81 +5895,81 @@ Deseja guardar as suas alterações? Gui::GraphvizView - + Graphviz not found Graphviz não encontrado - + Graphviz couldn't be found on your system. Não foi possível encontrar o Graphviz no seu sistema. - + Read more about it here. Leia mais sobre isso aqui. - + Do you want to specify its installation path if it's already installed? Quer especificar o caminho de instalação se este já estiver instalado? - + Graphviz installation path Caminho de instalação do Graphviz - + Graphviz failed Graphviz falhou - + Graphviz failed to create an image file O Graphviz falhou ao criar um ficheiro de imagem - + PNG format Formato PNG - + Bitmap format Formato de bitmap - + GIF format Formato GIF - + JPG format Formato JPG - + SVG format Formato SVG - - + + PDF format Formato PDF - - + + Graphviz format Formato do Gráfico - - - + + + Export graph Exportar gráfico @@ -6129,63 +6129,83 @@ Deseja guardar as suas alterações? Gui::MainWindow - - + + Dimension Dimensão - + Ready Pronto - + Close All Fechar Tudo - - - + + + Toggles this toolbar Altera esta Barra de Ferramentas - - - + + + Toggles this dockable window Ativa/desativa esta janela encaixável - + + Safe mode enabled + Safe mode enabled + + + + FreeCAD is now running in safe mode. + FreeCAD is now running in safe mode. + + + + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + + + WARNING: This is a development version. WARNING: This is a development version. - + Please do not use it in a production environment. Please do not use it in a production environment. - - + + Unsaved document Documento não guardado - + The exported object contains external link. Please save the documentat least once before exporting. The exported object contains external link. Please save the documentat least once before exporting. - + To link to external objects, the document must be saved at least once. Do you want to save the document now? To link to external objects, the document must be saved at least once. Do you want to save the document now? + + + Safe Mode + Safe Mode + Gui::ManualAlignment @@ -6687,39 +6707,19 @@ Deseja sair sem guardar os seus dados? Open file %1 Abrir Ficheiro %1 - - - File not found - Ficheiro não encontrado - - - - The file '%1' cannot be opened. - Não foi possível abrir o ficheiro '%1'. - Gui::RecentMacrosAction - + none nenhum - + Run macro %1 (Shift+click to edit) keyboard shortcut: %2 Run macro %1 (Shift+click to edit) keyboard shortcut: %2 - - - File not found - Ficheiro não encontrado - - - - The file '%1' cannot be opened. - Não foi possível abrir o ficheiro '%1'. - Gui::RevitNavigationStyle @@ -6972,7 +6972,7 @@ Quer especificar outro diretório? Gui::TaskView::TaskDialog - + A dialog is already open in the task panel Já está aberta uma janela no painel de tarefas @@ -7001,38 +7001,8 @@ Quer especificar outro diretório? Gui::TextDocumentEditorView - - Text updated - Texto actualizado - - - - The text of the underlying object has changed. Discard changes and reload the text from the object? - Foi alterado o texto do objeto subjacente. Descartar as alterações e recarregar o texto do objeto? - - - - Yes, reload. - Sim, recarregar. - - - - Unsaved document - Documento não guardado - - - - Do you want to save your changes before closing? - Quer guardar as alterações antes de fechar? - - - - If you don't save, your changes will be lost. - Se não guardar, as alterações serão perdidas. - - - - + + Edit text Editar Texto @@ -7309,7 +7279,7 @@ Quer especificar outro diretório? Gui::TreeDockWidget - + Tree view Visualizar em Árvore @@ -7317,7 +7287,7 @@ Quer especificar outro diretório? Gui::TreePanel - + Search Procurar @@ -7375,148 +7345,148 @@ Quer especificar outro diretório? Grupo - + Labels & Attributes Nomes e Atributos - + Description Descrição - + Internal name Internal name - + Show items hidden in tree view Show items hidden in tree view - + Show items that are marked as 'hidden' in the tree view Show items that are marked as 'hidden' in the tree view - + Toggle visibility in tree view Toggle visibility in tree view - + Toggles the visibility of selected items in the tree view Toggles the visibility of selected items in the tree view - + Create group Criar grupo - + Create a group Criar um Grupo - - + + Rename Renomear - + Rename object Renomear objeto - + Finish editing Terminar Edição - + Finish editing object Terminar Edição do Objeto - + Add dependent objects to selection Add dependent objects to selection - + Adds all dependent objects to the selection Adds all dependent objects to the selection - + Close document Fechar documento - + Close the document Fechar o documento - + Reload document Recarregar documento - + Reload a partially loaded document Recarregar um documento parcialmente carregado - + Skip recomputes Ignorar recalcular - + Enable or disable recomputations of document Habilitar ou desabilitar recalculo do documento - + Allow partial recomputes Allow partial recomputes - + Enable or disable recomputating editing object when 'skip recomputation' is enabled Enable or disable recomputating editing object when 'skip recomputation' is enabled - + Mark to recompute Marcar para recalcular - + Mark this object to be recomputed Marcar este objeto para ser recalculado - + Recompute object Recompute object - + Recompute the selected object Recompute the selected object - + (but must be executed) (but must be executed) - + %1, Internal name: %2 %1, nome interno: %2 @@ -7728,47 +7698,47 @@ Quer especificar outro diretório? QDockWidget - + Tree view Visualizar em Árvore - + Tasks Tarefas - + Property view Visualizar Propriedades - + Selection view Visualizar Seleção - + Task List Task List - + Model Modelo - + DAG View Vista DAG - + Report view Visualizar Relatório - + Python console Consola Python @@ -7805,38 +7775,38 @@ Quer especificar outro diretório? Python - Python + Python - - - + + + Unknown filetype Tipo de ficheiro desconhecido - - + + Cannot open unknown filetype: %1 Não é possível abrir o tipo de ficheiro desconhecido: %1 - + Export failed Exportação falhada - + Cannot save to unknown filetype: %1 Não é possível guardar um tipo de ficheiro desconhecido: %1 - + Recomputation required Recomputation required - + Some document(s) require recomputation for migration purposes. It is highly recommended to perform a recomputation before any modification to avoid compatibility problems. Do you want to recompute now? @@ -7845,24 +7815,24 @@ Do you want to recompute now? Do you want to recompute now? - + Recompute error Recompute error - + Failed to recompute some document(s). Please check report view for more details. Failed to recompute some document(s). Please check report view for more details. - + Workbench failure Falha da bancada de trabalho - + %1 %1 @@ -7908,90 +7878,105 @@ Please check report view for more details. Importar ficheiro - + Export file Exportar ficheiro - + Printing... A imprimir ... - + Exporting PDF... A exportar PDF ... - - + + Unsaved document Documento não guardado - + The exported object contains external link. Please save the documentat least once before exporting. The exported object contains external link. Please save the documentat least once before exporting. - - + + Delete failed Falha ao Eliminar - + Dependency error Erro de dependência - + Copy selected Copiar selecionados - + Copy active document Copiar documento ativo - + Copy all documents Copiar todos os documentos - + Paste Colar - + Expression error Erro de expressão - + Failed to parse some of the expressions. Please check the Report View for more details. Failed to parse some of the expressions. Please check the Report View for more details. - + Failed to paste expressions Falha ao colar expressões - + Cannot load workbench Não é possível carregar a bancada - + A general error occurred while loading the workbench Ocorreu um erro geral ao carregar a bancada + + + Restart in safe mode + Restart in safe mode + + + + Are you sure you want to restart FreeCAD and enter safe mode? + Are you sure you want to restart FreeCAD and enter safe mode? + + + + Safe mode temporarily disables your configuration and addons. + Safe mode temporarily disables your configuration and addons. + @@ -8215,7 +8200,7 @@ Do you want to continue? Too many opened non-intrusive notifications. Notifications are being omitted! - + Identical physical path detected. It may cause unwanted overwrite of existing document! @@ -8224,44 +8209,44 @@ Do you want to continue? - + Are you sure you want to continue? Tem certeza que deseja continuar? - + Please check report view for more... Please check report view for more... - + Physical path: Physical path: - - + + Document: Document: - - + + Path: Caminho: - + Identical physical path Identical physical path - + Could not save document Could not save document - + There was an issue trying to save the file. This may be because some of the parent folders do not exist, or you do not have sufficient permissions, or for other reasons. Error details: "%1" @@ -8274,102 +8259,102 @@ Would you like to save the file with a different name? Would you like to save the file with a different name? - - - + + + Saving aborted Guardar interrompido - + Save dependent files Guardar ficheiros dependentes - + The file contains external dependencies. Do you want to save the dependent files, too? O ficheiro contém dependências externas. Você também deseja guardar os ficheiros dependentes? - - + + Saving document failed Salvar o documento falhou - + Save document under new filename... Guardar o documento sob um novo nome de ficheiro... - - + + Save %1 Document Guardar Documento %1 - + Document Documento - - + + Failed to save document Falha ao guardar documento - + Documents contains cyclic dependencies. Do you still want to save them? Documentos contém dependências cíclicas. Você ainda deseja salvá-los? - + Save a copy of the document under new filename... Guardar uma cópia do documento com um novo nome... - + %1 document (*.FCStd) documento %1 (*.FCStd) - + Document not closable O documento não pode ser fechado - + The document is not closable for the moment. O documento não pode ser fechado neste momento. - + Document not saved Document not saved - + The document%1 could not be saved. Do you want to cancel closing it? The document%1 could not be saved. Do you want to cancel closing it? - + Undo Desfazer - + Redo Refazer - + There are grouped transactions in the following documents with other preceding transactions There are grouped transactions in the following documents with other preceding transactions - + Choose 'Yes' to roll back all preceding transactions. Choose 'No' to roll back in the active document only. Choose 'Abort' to abort @@ -8463,7 +8448,7 @@ Choose 'Abort' to abort Não é possível encontrar o ficheiro %1, nem em %2 ou em %3 - + Navigation styles Estilos de Navegação @@ -8474,47 +8459,47 @@ Choose 'Abort' to abort Transformar - + Do you want to close this dialog? Deseja fechar esta janela? - + Do you want to save your changes to document '%1' before closing? Deseja guardar as alterações no documento '%1' antes de fechar? - + Do you want to save your changes to document before closing? Do you want to save your changes to document before closing? - + If you don't save, your changes will be lost. Se não guardar, as alterações serão perdidas. - + Apply answer to all Aplicar resposta a todos - + %1 Document(s) not saved %1 Document(s) not saved - + Some documents could not be saved. Do you want to cancel closing? Some documents could not be saved. Do you want to cancel closing? - + Delete macro Apagar macro - + Not allowed to delete system-wide macros Não é permitido apagar macros do sistema @@ -8610,10 +8595,10 @@ Choose 'Abort' to abort - - - - + + + + Invalid name Nome inválido @@ -8626,25 +8611,25 @@ sublinhado (_) e não deve começar com um dígito. - + The property name is a reserved word. The property name is a reserved word. - + The property '%1' already exists in '%2' A propriedade '%1' já existe em '%2' - + Add property Adicionar propriedade - + Failed to add property to '%1': %2 Falha ao adicionar propriedade a '%1': %2 @@ -8930,14 +8915,14 @@ the current copy will be lost. Suppressed - + The property name must only contain alpha numericals, underscore, and must not start with a digit. O nome da propriedade ou nome de grupo só deve conter caracteres alfanuméricos, sublinhado (_) e não deve começar com um dígito. - + The group name must only contain alpha numericals, underscore, and must not start with a digit. The group name must only contain alpha numericals, @@ -8984,13 +8969,13 @@ underscore, and must not start with a digit. StdCmdAbout - + &About %1 &Sobre o %1 - - + + About %1 Sobre o %1 @@ -8998,13 +8983,13 @@ underscore, and must not start with a digit. StdCmdAboutQt - + About &Qt Sobre o &Qt - - + + About Qt Sobre o Qt @@ -9040,13 +9025,13 @@ underscore, and must not start with a digit. StdCmdAlignment - + Alignment... Alinhamento ... - - + + Align the selected objects Alinhar os objetos selecionados @@ -9110,13 +9095,13 @@ underscore, and must not start with a digit. StdCmdCommandLine - + Start command &line... Iniciar a &Linha de Comando ... - - + + Opens the command line in the console Abre a linha de comando na consola @@ -9124,13 +9109,13 @@ underscore, and must not start with a digit. StdCmdCopy - + C&opy C&opiar - - + + Copy operation Operação de cópia @@ -9138,13 +9123,13 @@ underscore, and must not start with a digit. StdCmdCut - + &Cut &Cortar - - + + Cut out Cortar @@ -9152,13 +9137,13 @@ underscore, and must not start with a digit. StdCmdDelete - + &Delete &Apagar - - + + Deletes the selected objects Apaga os objetos selecionados @@ -9180,13 +9165,13 @@ underscore, and must not start with a digit. StdCmdDependencyGraph - + Dependency graph... Gráfico de dependência ... - - + + Show the dependency graph of the objects in the active document Mostra o gráfico de dependência dos objetos do documento ativo @@ -9194,13 +9179,13 @@ underscore, and must not start with a digit. StdCmdDlgCustomize - + Cu&stomize... Per&sonalizar ... - - + + Customize toolbars and command bars Personalizar barras de ferramentas e barras de comando @@ -9260,13 +9245,13 @@ underscore, and must not start with a digit. StdCmdDlgParameter - + E&dit parameters ... &Editar parâmetros... - - + + Opens a Dialog to edit the parameters Abre uma caixa de diálogo para editar os parâmetros @@ -9274,13 +9259,13 @@ underscore, and must not start with a digit. StdCmdDlgPreferences - + &Preferences ... &Preferências... - - + + Opens a Dialog to edit the preferences Abre uma caixa de diálogo para editar as preferências @@ -9316,13 +9301,13 @@ underscore, and must not start with a digit. StdCmdDuplicateSelection - + Duplicate selection Duplicar seleção - - + + Put duplicates of the selected objects to the active document Colocar os duplicados dos objetos selecionados no documento ativo @@ -9330,17 +9315,17 @@ underscore, and must not start with a digit. StdCmdEdit - + Toggle &Edit mode Alternar Modo de &Edição - + Toggles the selected object's edit mode Alterna o modo de edição do objeto selecionado - + Activates or Deactivates the selected object's edit mode Ativa ou desativa o modo de edição do objeto selecionado @@ -9359,12 +9344,12 @@ underscore, and must not start with a digit. Exportar um objeto no documento ativo - + No selection Nenhuma seleção - + Select the objects to export before choosing Export. Select the objects to export before choosing Export. @@ -9372,13 +9357,13 @@ underscore, and must not start with a digit. StdCmdExpression - + Expression actions Expression actions - - + + Actions that apply to expressions Actions that apply to expressions @@ -9400,12 +9385,12 @@ underscore, and must not start with a digit. StdCmdFreeCADDonation - + Donate Faça um donativo - + Donate to FreeCAD development Donate to FreeCAD development @@ -9413,17 +9398,17 @@ underscore, and must not start with a digit. StdCmdFreeCADFAQ - + FreeCAD FAQ FreeCAD FAQ - + Frequently Asked Questions on the FreeCAD website Perguntas frequentes no site do FreeCAD - + Frequently Asked Questions Perguntas Frequentes @@ -9431,17 +9416,17 @@ underscore, and must not start with a digit. StdCmdFreeCADForum - + FreeCAD Forum Fórum do FreeCAD - + The FreeCAD forum, where you can find help from other users O fórum de FreeCAD, onde pode obter ajuda de outros utilizadores - + The FreeCAD Forum O fórum de FreeCAD @@ -9449,17 +9434,17 @@ underscore, and must not start with a digit. StdCmdFreeCADPowerUserHub - + Python scripting documentation Documentação de programação Python - + Python scripting documentation on the FreeCAD website Documentação sobre a programação em Python no site do FreeCAD - + PowerUsers documentation Documentação para utilizadores avançados @@ -9467,13 +9452,13 @@ underscore, and must not start with a digit. StdCmdFreeCADUserHub - - + + Users documentation Documentação para utilizadores - + Documentation for users on the FreeCAD website Documentação para utilizadores no site FreeCAD @@ -9481,13 +9466,13 @@ underscore, and must not start with a digit. StdCmdFreeCADWebsite - - + + FreeCAD Website Site da Web do FreeCAD - + The FreeCAD website O Site da Web do FreeCAD @@ -9802,25 +9787,25 @@ underscore, and must not start with a digit. StdCmdMergeProjects - + Merge document... Merge document... - - - - + + + + Merge document Merge document - + %1 document (*.FCStd) documento %1 (*.FCStd) - + Cannot merge document with itself. Cannot merge document with itself. @@ -9828,18 +9813,18 @@ underscore, and must not start with a digit. StdCmdNew - + &New &Novo - - + + Create a new empty document Criar um Novo Documento vazio - + Unnamed Sem nome @@ -9848,13 +9833,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelp - - + + Help Ajuda - + Show help to the application Mostrar a Ajuda para a Aplicação @@ -9862,13 +9847,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelpWebsite - - + + Help Website Site da Web da Ajuda - + The website where the help is maintained O site da Web onde a Ajuda é mantida @@ -9923,13 +9908,13 @@ underscore, and must not start with a digit. StdCmdPaste - + &Paste &Colar - - + + Paste operation Colar Operação @@ -9937,13 +9922,13 @@ underscore, and must not start with a digit. StdCmdPlacement - + Placement... Posição... - - + + Place the selected objects Colocar os objetos selecionados @@ -9951,13 +9936,13 @@ underscore, and must not start with a digit. StdCmdPrint - + &Print... &Imprimir ... - - + + Print the document Imprimir o Documento @@ -9965,13 +9950,13 @@ underscore, and must not start with a digit. StdCmdPrintPdf - + &Export PDF... &Exportar PDF ... - - + + Export the document as PDF Exportar o Documento Como PDF @@ -9979,17 +9964,17 @@ underscore, and must not start with a digit. StdCmdPrintPreview - + &Print preview... & Pré-visualizar impressão... - + Print the document Imprimir o Documento - + Print preview Pré-Visualizar Impressão @@ -9997,13 +9982,13 @@ underscore, and must not start with a digit. StdCmdPythonWebsite - - + + Python Website Site da Web do Pythin - + The official Python website O Site da Web Oficial do Python @@ -10011,13 +9996,13 @@ underscore, and must not start with a digit. StdCmdQuit - + E&xit S&air - - + + Quits the application Fecha a aplicação @@ -10039,13 +10024,13 @@ underscore, and must not start with a digit. StdCmdRecentFiles - + Open Recent Open Recent - - + + Recent file list Lista de ficheiros recentes @@ -10053,13 +10038,13 @@ underscore, and must not start with a digit. StdCmdRecentMacros - + Recent macros Macros recentes - - + + Recent macro list Lista de macros recentes @@ -10067,13 +10052,13 @@ underscore, and must not start with a digit. StdCmdRedo - + &Redo &Refazer - - + + Redoes a previously undone action Refaz uma ação desfeita anteriormente @@ -10081,13 +10066,13 @@ underscore, and must not start with a digit. StdCmdRefresh - + &Refresh &Atualizar - - + + Recomputes the current active document Recalcula o documento ativo atual @@ -10095,13 +10080,13 @@ underscore, and must not start with a digit. StdCmdReportBug - + Report a bug Report a bug - - + + Report a bug or suggest a feature Report a bug or suggest a feature @@ -10109,13 +10094,13 @@ underscore, and must not start with a digit. StdCmdRevert - + Revert Reverter - - + + Reverts to the saved version of this file Reverterá para a versão salva do ficheiro @@ -10123,13 +10108,13 @@ underscore, and must not start with a digit. StdCmdSave - + &Save &Guardar - - + + Save the active document Guardar o Documento Ativo @@ -10137,13 +10122,13 @@ underscore, and must not start with a digit. StdCmdSaveAll - + Save All Guardar Todos - - + + Save all opened document Save all opened document @@ -10151,13 +10136,13 @@ underscore, and must not start with a digit. StdCmdSaveAs - + Save &As... Guardar &Como ... - - + + Save the active document under a new file name Guardar o Documento Ativo sob um Novo Nome de Ficheiro @@ -10165,13 +10150,13 @@ underscore, and must not start with a digit. StdCmdSaveCopy - + Save a &Copy... Guardar uma &Cópia... - - + + Save a copy of the active document under a new file name Guarda uma cópia do documento ativo com um novo nome @@ -10207,13 +10192,13 @@ underscore, and must not start with a digit. StdCmdSelectAll - + Select &All Selecionar &Tudo - - + + Select all Selecionar Tudo @@ -10291,13 +10276,13 @@ underscore, and must not start with a digit. StdCmdTextDocument - + Add text document Adicionar documento de texto - - + + Add text document to active document Adicionar documento de texto ao documento ativo @@ -10431,13 +10416,13 @@ underscore, and must not start with a digit. StdCmdTransform - + Transform... Transformar... - - + + Transform the geometry of selected objects Transformar a geometria dos objetos selecionados @@ -10445,13 +10430,13 @@ underscore, and must not start with a digit. StdCmdTransformManip - + Transform Transformar - - + + Transform the selected object in the 3d view Transformar o objeto selecionado na vista 3D @@ -10515,13 +10500,13 @@ underscore, and must not start with a digit. StdCmdUndo - + &Undo &Anular - - + + Undo exactly one action Desfazer só uma ação @@ -10529,13 +10514,13 @@ underscore, and must not start with a digit. StdCmdUserEditMode - + Edit mode Edit mode - - + + Defines behavior when editing an object from tree Defines behavior when editing an object from tree @@ -10935,13 +10920,13 @@ underscore, and must not start with a digit. StdCmdWhatsThis - + &What's This? O &Que é Isto? - - + + What's This O Que é Isto @@ -10977,13 +10962,13 @@ underscore, and must not start with a digit. StdCmdWorkbench - + Workbench Bancada de trabalho - - + + Switch between workbenches Alternar entre bancadas de trabalho @@ -11307,7 +11292,7 @@ underscore, and must not start with a digit. Std_Delete - + The following referencing objects might break. Are you sure you want to continue? @@ -11318,7 +11303,7 @@ Are you sure you want to continue? - + Object dependencies Dependências do objeto @@ -11326,7 +11311,7 @@ Are you sure you want to continue? Std_DependencyGraph - + Dependency graph Gráfico de dependência @@ -11407,12 +11392,12 @@ Are you sure you want to continue? Std_DuplicateSelection - + Object dependencies Dependências do objeto - + To link to external objects, the document must be saved at least once. Do you want to save the document now? To link to external objects, the document must be saved at least once. @@ -11430,7 +11415,7 @@ Do you want to save the document now? Std_Refresh - + The document contains dependency cycles. Please check the Report View for more details. @@ -11444,17 +11429,17 @@ Ainda deseja prosseguir? Std_Revert - + Revert document Reverter o documento - + This will discard all the changes since last file save. Todas as alterações desde a última gravação do ficheiro serão descartadas. - + Do you want to continue? Deseja continuar? @@ -11628,12 +11613,12 @@ Ainda deseja prosseguir? Gui::MDIView - + Export PDF Exportar PDF - + PDF file Ficheiro PDF @@ -12327,82 +12312,82 @@ Currently, your system has the following workbenches:</p></body>< Pré-visualizar: - + Text Texto - + Bookmark Marcador - + Breakpoint Ponto de quebra - + Keyword Palavra-chave - + Comment Comentário - + Block comment Bloquear comentário - + Number Número - + String Texto - + Character Caráter - + Class name Nome da Classe - + Define name Definir Nome - + Operator Operador - + Python output Saída de Python - + Python error Erro do Python - + Current line highlight Linha atual realçada - + Items Itens @@ -12523,7 +12508,7 @@ dot/period will always be printed. Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. - Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. + À procura de mais temas? Pode obtê-los usando o <a href="freecad:Std_AddonMgr">Gestor de Suplementos</a>. @@ -12912,13 +12897,13 @@ from Python console to Report view panel StdCmdExportDependencyGraph - + Export dependency graph... Export dependency graph... - - + + Export the dependency graph to a file Export the dependency graph to a file @@ -13356,13 +13341,13 @@ the region are non-opaque. StdCmdProjectInfo - + Document i&nformation... Document i&nformation... - - + + Show details of the currently active document Show details of the currently active document @@ -13370,13 +13355,13 @@ the region are non-opaque. StdCmdProjectUtil - + Document utility... Document utility... - - + + Utility to extract or create document files Utility to extract or create document files @@ -13398,12 +13383,12 @@ the region are non-opaque. StdCmdProperties - + Properties Propriedades - + Show the property view, which displays the properties of the selected object. Show the property view, which displays the properties of the selected object. @@ -13454,13 +13439,13 @@ the region are non-opaque. StdCmdReloadStyleSheet - + &Reload stylesheet &Reload stylesheet - - + + Reloads the current stylesheet Reloads the current stylesheet @@ -13737,15 +13722,38 @@ the region are non-opaque. StdCmdUnitsCalculator - + &Units converter... &Units converter... - - + + Start the units converter Start the units converter + + Gui::ModuleIO + + + File not found + Ficheiro não encontrado + + + + The file '%1' cannot be opened. + Não foi possível abrir o ficheiro '%1'. + + + + StdCmdRestartInSafeMode + + + + + Restart in safe mode + Restart in safe mode + + diff --git a/src/Gui/Language/FreeCAD_ro.ts b/src/Gui/Language/FreeCAD_ro.ts index de656503f6bd..39a28bc3177c 100644 --- a/src/Gui/Language/FreeCAD_ro.ts +++ b/src/Gui/Language/FreeCAD_ro.ts @@ -91,17 +91,17 @@ Editare - + Import Import - + Delete Ştergeţi - + Paste expressions Lipește expresii @@ -131,7 +131,7 @@ Importă toate legăturile - + Insert text document Inserează un document text @@ -424,42 +424,42 @@ EditMode - + Default Implicit - + The object will be edited using the mode defined internally to be the most appropriate for the object type Obiectul va fi editat folosind modul definit intern pentru a fi cel mai potrivit pentru tipul obiectului - + Transform Transformare - + The object will have its placement editable with the Std TransformManip command Obiectul va avea posibilitatea de a plasa cu comanda Std TransformManip - + Cutting Tăiere - + This edit mode is implemented as available but currently does not seem to be used by any object Acest mod de editare este implementat ca disponibil, dar în prezent nu pare să fie folosit de orice obiect - + Color Culoare - + The object will have the color of its individual faces editable with the Part FaceAppearances command The object will have the color of its individual faces editable with the Part FaceAppearances command @@ -681,8 +681,8 @@ while doing a left or right click and move the mouse up or down - Word size - Dimensiune cuvânt + Architecture + Architecture @@ -707,52 +707,52 @@ while doing a left or right click and move the mouse up or down Gui::Dialog::AboutDialog - - + + Credits - Header for the Credits tab of the About screen Contributii - + + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + Header for bgbsww + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + + + FreeCAD would not be possible without the contributions of FreeCAD nu ar fi posibil fără contribuțiile - + Individuals Header for the list of individual people in the Credits list. Persoane - + Organizations Header for the list of companies/organizations in the Credits list. Organizaţii - - + + License Licenţă - + Libraries Libraries - - This software uses open source components whose copyright and other proprietary rights belong to their respective owners: - This software uses open source components whose copyright and other proprietary rights belong to their respective owners: - - - + Collection Colecție - + Privacy Policy Privacy Policy @@ -1409,8 +1409,8 @@ acelasi timp. Va fi declanșat cel cu cea mai mare prioritate. Gui::Dialog::DlgCustomToolBoxbarsImp - - + + Toolbox bars Bare de instrumente @@ -1499,40 +1499,40 @@ acelasi timp. Va fi declanșat cel cu cea mai mare prioritate. - + <Separator> <Separator> - + %1 module not loaded Modulul %1 nu a fost încărcat - + New toolbar Bară de instrumente nouă - - + + Toolbar name: Numele barei de instrumente: - - + + Duplicated name Numele este dublură - - + + The toolbar name '%1' is already used Numele barei de instrumente '%1' este deja utilizat - + Rename toolbar Redenumiţi bara de instrumente @@ -1746,72 +1746,72 @@ acelasi timp. Va fi declanșat cel cu cea mai mare prioritate. Gui::Dialog::DlgMacroExecuteImp - + Macros Macro-uri - + Read-only Numai în citire - + Macro file Fişier macro - + Enter a file name, please: Vă rugăm să introduceți un nume de fişier: - - - + + + Existing file Fișier existent - + '%1'. This file already exists. '%1'. Acest fişier există deja. - + Cannot create file Imposibil de creat fisierul - + Creation of file '%1' failed. Crearea fisierului '%1' nu a reusit. - + Delete macro Ştergeţi macrocomanda - + Do you really want to delete the macro '%1'? Într-adevăr doriţi să ştergeţi macrocomanda '%1'? - + Do not show again Nu mai arăta din nou - + Guided Walkthrough Walkthrough ghidat - + This will guide you in setting up this macro in a custom global toolbar. Instructions will be in red text inside the dialog. Note: your changes will be applied when you next switch workbenches @@ -1822,76 +1822,76 @@ Notă: modificările dvs. vor fi aplicate la schimbarea următoare a bancului de - + Walkthrough, dialog 1 of 2 Walkthrough, dialog 1 din 2 - + Walkthrough instructions: Fill in missing fields (optional) then click Add, then Close Instrucțiuni walkthrough: Completați câmpurile lipsă (opțional) apoi apăsați „Adăugați”, apoi Închide - + Walkthrough, dialog 1 of 1 Walkthrough, dialog 1 din 1 - + Walkthrough, dialog 2 of 2 Walkthrough, dialog 2 din 2 - - Walkthrough instructions: Click right arrow button (->), then Close. - Instrucțiuni walkthrough: Apasă butonul săgeată dreapta (->), apoi Închide. + + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. - Walkthrough instructions: Click New, then right arrow (->) button, then Close. - Instrucțiuni walkthrough: Apasă butonul Nou, apoi săgeată dreapta (->), apoi Închide. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. - + Renaming Macro File Redenumirea fişierului Macro - - + + Enter new name: Introduceţi numele nou: - - + + '%1' already exists. '%1' există deja. - + Rename Failed Redenumirea a eșuat - + Failed to rename to '%1'. Perhaps a file permission error? Nu a reușit să redenumească ca '%1'. Probabil că este o eroare de permisiuni atașate fișierului? - + Duplicate Macro Fațete duplicate - + Duplicate Failed Dublare eșuată - + Failed to duplicate to '%1'. Perhaps a file permission error? Nu a reușit să redenumească ca '%1'. Probabil că este o eroare de permisiuni atașate fișierului? @@ -5894,81 +5894,81 @@ Doriți să salvați modificările? Gui::GraphvizView - + Graphviz not found Pachetul Graphviz nu a fost gasit - + Graphviz couldn't be found on your system. Graphviz nu a putut fi găsit pe sistemul dvs. - + Read more about it here. Citeşte mai multe despre acest lucru. - + Do you want to specify its installation path if it's already installed? Vreți să specificați calea lui de acces la instalarea dacă el este deja instalat? - + Graphviz installation path Calea pachetului Graphviz - + Graphviz failed Graphviz a esuat - + Graphviz failed to create an image file Graphviz nu a reusit sa creeze un fisier de imagine - + PNG format Formatul PNG - + Bitmap format Bitmap format - + GIF format Formatul GIF - + JPG format JPG format - + SVG format Formatul SVG - - + + PDF format PDF format - - + + Graphviz format Format Graphviz - - - + + + Export graph Exportă graficul @@ -6128,63 +6128,83 @@ Doriți să salvați modificările? Gui::MainWindow - - + + Dimension Dimensiune - + Ready Gata - + Close All Inchide toate - - - + + + Toggles this toolbar Activează/dezactivează această bară de instrumente - - - + + + Toggles this dockable window Activează/dezactivează această fereastră fixabilă - + + Safe mode enabled + Safe mode enabled + + + + FreeCAD is now running in safe mode. + FreeCAD is now running in safe mode. + + + + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + + + WARNING: This is a development version. AVERTISMENT: Aceasta este o versiune de dezvoltare. - + Please do not use it in a production environment. Vă rugăm să nu o utilizaţi într-un mediu de producţie. - - + + Unsaved document Document nesalvat - + The exported object contains external link. Please save the documentat least once before exporting. Obiectul exportat conține o legătură externă. Vă rugăm să salvați documentul cel puțin o dată înainte de al exporta. - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Pentru face legăturile la obiecte externe, documentul trebuie salvat cel puțin o dată. Doriți să salvați documentul acum? + + + Safe Mode + Safe Mode + Gui::ManualAlignment @@ -6686,39 +6706,19 @@ Doriți să ieşiți fără a salva datele dumneavoastră? Open file %1 Deschide fişierul %1 - - - File not found - Fișier nu a fost găsit - - - - The file '%1' cannot be opened. - Fișierul '%1' nu poate fi deschis. - Gui::RecentMacrosAction - + none niciunul - + Run macro %1 (Shift+click to edit) keyboard shortcut: %2 Rulează scurtătura macro %1 (Shift+click pentru editare) tastatură: %2 - - - File not found - Fișier nu a fost găsit - - - - The file '%1' cannot be opened. - Fișierul '%1' nu poate fi deschis. - Gui::RevitNavigationStyle @@ -6971,7 +6971,7 @@ Doriţi să specificaţi un alt director? Gui::TaskView::TaskDialog - + A dialog is already open in the task panel O fereastră de dialog este deja deschisă în fereastra de sarcini @@ -7000,38 +7000,8 @@ Doriţi să specificaţi un alt director? Gui::TextDocumentEditorView - - Text updated - Actualizare Text - - - - The text of the underlying object has changed. Discard changes and reload the text from the object? - Textul obiectului sub-adiacent s-a schimbat. Respingeți modificările și reîncărcați textul de la obiect ? - - - - Yes, reload. - Da, reîncarcă. - - - - Unsaved document - Document nesalvat - - - - Do you want to save your changes before closing? - Vreți să salvați modificările înainte de a închide? - - - - If you don't save, your changes will be lost. - Dacă nu salvați, schimbările vor fi pierdute. - - - - + + Edit text Editare text @@ -7308,7 +7278,7 @@ Doriţi să specificaţi un alt director? Gui::TreeDockWidget - + Tree view Vizualizare arborescentă @@ -7316,7 +7286,7 @@ Doriţi să specificaţi un alt director? Gui::TreePanel - + Search Caută @@ -7374,148 +7344,148 @@ Doriţi să specificaţi un alt director? Grup - + Labels & Attributes Etichete & Atribute - + Description Descriere - + Internal name Internal name - + Show items hidden in tree view Arată elementele ascunse în vizualizarea arborelui - + Show items that are marked as 'hidden' in the tree view Arată elementele care sunt marcate ca 'ascunse' în vizualizarea arborelui - + Toggle visibility in tree view Comută vizibilitatea în vizualizarea arborelui - + Toggles the visibility of selected items in the tree view Activează/dezactivează vizibilitatea elementelor selectate în vizualizarea arborelui - + Create group Creați grupul - + Create a group Creează un grup - - + + Rename Redenumire - + Rename object Redenumire obiect - + Finish editing Termina editarea - + Finish editing object Editarea obiectului incheiata - + Add dependent objects to selection Adaugă obiectele dependente la selecție - + Adds all dependent objects to the selection Adauga toate obiectele dependente la selectie - + Close document Închide documentul - + Close the document Închide documentul - + Reload document Reîncarcă documentul - + Reload a partially loaded document Reîncarcă un document parțial încărcat - + Skip recomputes Abandonați recalcularea - + Enable or disable recomputations of document Autorizați sau interziceți recalculare documentului - + Allow partial recomputes Permite recompilări parțiale - + Enable or disable recomputating editing object when 'skip recomputation' is enabled Activați sau dezactivați recalcularea editării obiectului atunci când este activat 'săriți peste recalculare' - + Mark to recompute Marcare de recalculare - + Mark this object to be recomputed Marcați acest obiect pentru a fi recalculate - + Recompute object Recalculare obiect - + Recompute the selected object Recalculează obiectul selectat - + (but must be executed) (dar trebuie executat) - + %1, Internal name: %2 %1, nume intern : %2 @@ -7727,47 +7697,47 @@ Doriţi să specificaţi un alt director? QDockWidget - + Tree view Vizualizare arborescentă - + Tasks Sarcini - + Property view Vizualizare proprietăţi - + Selection view Vizualizare selecție - + Task List Listă sarcini - + Model Model - + DAG View Vizualizare DAG - + Report view Vezualizare raport - + Python console Consola Python @@ -7807,35 +7777,35 @@ Doriţi să specificaţi un alt director? Python - - - + + + Unknown filetype Tip de fișier necunoscut - - + + Cannot open unknown filetype: %1 Imposibil de deschis fişierul în format necunoscut:%1 - + Export failed Export eșuat - + Cannot save to unknown filetype: %1 Nu se poate salva într-un format de fişier necunoscut:%1 - + Recomputation required Recomputation required - + Some document(s) require recomputation for migration purposes. It is highly recommended to perform a recomputation before any modification to avoid compatibility problems. Do you want to recompute now? @@ -7844,24 +7814,24 @@ Do you want to recompute now? Do you want to recompute now? - + Recompute error Recompute error - + Failed to recompute some document(s). Please check report view for more details. Failed to recompute some document(s). Please check report view for more details. - + Workbench failure Bancul de lucru a eşuat - + %1 %1 @@ -7907,90 +7877,105 @@ Please check report view for more details. Importă fişier - + Export file Exportă fişier - + Printing... Imprimare... - + Exporting PDF... Export PDF... - - + + Unsaved document Document nesalvat - + The exported object contains external link. Please save the documentat least once before exporting. Obiectul exportat conține o legătură externă. Vă rugăm să salvați documentul cel puțin o dată înainte de al exporta. - - + + Delete failed Ștergerea a eșuat - + Dependency error Eroare de dependență - + Copy selected Copiază selecția - + Copy active document Copiază documentul activ - + Copy all documents Copiază toate documentele - + Paste Lipește - + Expression error Eroare de expresie - + Failed to parse some of the expressions. Please check the Report View for more details. Eșec în analiza unora dintre expresii. Verificați fereastra Raport pentru mai multe detalii. - + Failed to paste expressions Nu s-a reușit lipirea expresiilor - + Cannot load workbench Imposibil de încărcat bancul de lucru - + A general error occurred while loading the workbench O eroare generală a apărut în timpul încărcării bancului de lucru + + + Restart in safe mode + Restart in safe mode + + + + Are you sure you want to restart FreeCAD and enter safe mode? + Are you sure you want to restart FreeCAD and enter safe mode? + + + + Safe mode temporarily disables your configuration and addons. + Safe mode temporarily disables your configuration and addons. + @@ -8215,7 +8200,7 @@ Doriţi să continuaţi? Prea multe notificări neintruzive deschise. Notificările sunt omise! - + Identical physical path detected. It may cause unwanted overwrite of existing document! @@ -8224,44 +8209,44 @@ Doriţi să continuaţi? - + Are you sure you want to continue? Ești sigur că vrei să continui? - + Please check report view for more... Vă rugăm să verificați vizualizarea raportului pentru mai multe... - + Physical path: Calea fizică: - - + + Document: Documentul: - - + + Path: Cale: - + Identical physical path Cale fizică identică - + Could not save document Documentul nu a putut fi salvat - + There was an issue trying to save the file. This may be because some of the parent folders do not exist, or you do not have sufficient permissions, or for other reasons. Error details: "%1" @@ -8274,102 +8259,102 @@ Would you like to save the file with a different name? Doriți să salvați fișierul cu alt nume? - - - + + + Saving aborted Salvarea a fost anulată - + Save dependent files Salvează fișierele dependente - + The file contains external dependencies. Do you want to save the dependent files, too? Fișierul conține dependențe externe. Doriți să salvați și fișierele dependente? - - + + Saving document failed Salvarea documentului a eșuat - + Save document under new filename... Salvaţi documentul sub un nume nou... - - + + Save %1 Document Salvaţi documentul %1 - + Document Documentul - - + + Failed to save document Salvarea documentului nu a reușit - + Documents contains cyclic dependencies. Do you still want to save them? Documentele conţin dependenţe ciclice. Mai doriţi să le salvaţi? - + Save a copy of the document under new filename... Salvați o copie a documentului sub un nou nume de fişier... - + %1 document (*.FCStd) Documentul %1 (*.FCStd) - + Document not closable Documentul nu se poate închide - + The document is not closable for the moment. Documentul nu se poate închide momentan. - + Document not saved Document nesalvat - + The document%1 could not be saved. Do you want to cancel closing it? Documentul%1 nu a putut fi salvat. Doriți să renunțați la închiderea acestuia? - + Undo Anulează - + Redo Reface - + There are grouped transactions in the following documents with other preceding transactions Există tranzacții grupate cu alte tranzacții anterioare în următoarele documente - + Choose 'Yes' to roll back all preceding transactions. Choose 'No' to roll back in the active document only. Choose 'Abort' to abort @@ -8463,7 +8448,7 @@ Alege 'Abandonează' pentru a abandona Imposibil de găsit fișierul %1 la %2 nici în %3 - + Navigation styles Stiluri de navigare @@ -8474,47 +8459,47 @@ Alege 'Abandonează' pentru a abandona Transformare - + Do you want to close this dialog? Doriţi să închideţi această fereastră de dialog? - + Do you want to save your changes to document '%1' before closing? Vreți să salvați modificările dvs înainte de a închide? - + Do you want to save your changes to document before closing? Doriți să salvați modificările documentului înainte de închidere? - + If you don't save, your changes will be lost. Dacă nu salvați, schimbările vor fi pierdute. - + Apply answer to all Aplică răspunsul tuturor - + %1 Document(s) not saved %1 Document(e) nu au fost salvate - + Some documents could not be saved. Do you want to cancel closing? Unele documente nu au putut fi salvate. Doriți să renunțați la închiderea documentelor? - + Delete macro Ştergeţi macrocomanda - + Not allowed to delete system-wide macros Nu sunteți autorizat să ștergeți macro comenzile sistèmului @@ -8610,10 +8595,10 @@ Alege 'Abandonează' pentru a abandona - - - - + + + + Invalid name Nume invalid @@ -8626,25 +8611,25 @@ liniuță jos și nu trebuie să înceapă cu o cifră. - + The property name is a reserved word. The property name is a reserved word. - + The property '%1' already exists in '%2' Proprietatea '%1' există deja în '%2' - + Add property Adăugaţi o proprietate - + Failed to add property to '%1': %2 Nu am putut adăuga proprietatea la '%1': %2 @@ -8934,14 +8919,14 @@ copia curentă va fi pierdută. Suprimat - + The property name must only contain alpha numericals, underscore, and must not start with a digit. The property name must only contain alpha numericals, underscore, and must not start with a digit. - + The group name must only contain alpha numericals, underscore, and must not start with a digit. The group name must only contain alpha numericals, @@ -8988,13 +8973,13 @@ underscore, and must not start with a digit. StdCmdAbout - + &About %1 &Despre %1 - - + + About %1 Despre %1 @@ -9002,13 +8987,13 @@ underscore, and must not start with a digit. StdCmdAboutQt - + About &Qt Despre &Qt - - + + About Qt Despre Qt @@ -9044,13 +9029,13 @@ underscore, and must not start with a digit. StdCmdAlignment - + Alignment... Aliniament... - - + + Align the selected objects Aliniati obiectele selectate @@ -9114,13 +9099,13 @@ underscore, and must not start with a digit. StdCmdCommandLine - + Start command &line... Pornire &liniei de comandă... - - + + Opens the command line in the console Deschide linia de comandă în consolă @@ -9128,13 +9113,13 @@ underscore, and must not start with a digit. StdCmdCopy - + C&opy C&opiază - - + + Copy operation Operația de copiere @@ -9142,13 +9127,13 @@ underscore, and must not start with a digit. StdCmdCut - + &Cut &Taiere - - + + Cut out Decupare @@ -9156,13 +9141,13 @@ underscore, and must not start with a digit. StdCmdDelete - + &Delete Ş&tergeţi - - + + Deletes the selected objects Ştergeţi obiectele selectate @@ -9184,13 +9169,13 @@ underscore, and must not start with a digit. StdCmdDependencyGraph - + Dependency graph... Graficul de dependenta... - - + + Show the dependency graph of the objects in the active document Arata graficul de dependenta pentru obiecte din documentul activ @@ -9198,13 +9183,13 @@ underscore, and must not start with a digit. StdCmdDlgCustomize - + Cu&stomize... &Particularizare... - - + + Customize toolbars and command bars Particularizează barele de instrumente şi barele de comandă @@ -9264,13 +9249,13 @@ underscore, and must not start with a digit. StdCmdDlgParameter - + E&dit parameters ... E&ditare parametrii... - - + + Opens a Dialog to edit the parameters Deschide o fereastră care vă permite editarea parametrilor @@ -9278,13 +9263,13 @@ underscore, and must not start with a digit. StdCmdDlgPreferences - + &Preferences ... &Preferinţe... - - + + Opens a Dialog to edit the preferences Deschide o fereastră care vă permite editarea preferinţelor @@ -9320,13 +9305,13 @@ underscore, and must not start with a digit. StdCmdDuplicateSelection - + Duplicate selection Cloneaza selectia - - + + Put duplicates of the selected objects to the active document Cloneaza obiectele selectate in documentul curent @@ -9334,17 +9319,17 @@ underscore, and must not start with a digit. StdCmdEdit - + Toggle &Edit mode Activează/dezactivează modul de &editare - + Toggles the selected object's edit mode Activează/dezactivează modul de editare pentru obiectul selectat - + Activates or Deactivates the selected object's edit mode Activează sau Dezactivează modul Editare al obiectelor selectate @@ -9363,12 +9348,12 @@ underscore, and must not start with a digit. Exportați un obiect din documentul activ - + No selection Nici o selecţie - + Select the objects to export before choosing Export. Selectați obiectele de exportat înainte de a alege Export. @@ -9376,13 +9361,13 @@ underscore, and must not start with a digit. StdCmdExpression - + Expression actions Acțiunile expresiei - - + + Actions that apply to expressions Acțiuni care se aplică expresiilor @@ -9404,12 +9389,12 @@ underscore, and must not start with a digit. StdCmdFreeCADDonation - + Donate Donați - + Donate to FreeCAD development Donează pentru dezvoltarea FreeCAD @@ -9417,17 +9402,17 @@ underscore, and must not start with a digit. StdCmdFreeCADFAQ - + FreeCAD FAQ FreeCAD FAQ - + Frequently Asked Questions on the FreeCAD website Întrebări puse frecvent pe pagina web a FreeCAD - + Frequently Asked Questions Întrebări puse frecvent @@ -9435,17 +9420,17 @@ underscore, and must not start with a digit. StdCmdFreeCADForum - + FreeCAD Forum Forum FreeCAD - + The FreeCAD forum, where you can find help from other users Forumul FreeCAD, unde puteți găsi ajutor de la alți utilizatori - + The FreeCAD Forum Forumul FreeCAD @@ -9453,17 +9438,17 @@ underscore, and must not start with a digit. StdCmdFreeCADPowerUserHub - + Python scripting documentation Documente despre codarea în limbajul python - + Python scripting documentation on the FreeCAD website Documente despre codarea în limbajul python pe pagina web FreeCAD - + PowerUsers documentation Documentație utilizatori avansați @@ -9471,13 +9456,13 @@ underscore, and must not start with a digit. StdCmdFreeCADUserHub - - + + Users documentation Documentație utilizatori - + Documentation for users on the FreeCAD website Documentația pentru utilizatori pe pagina web a FreeCAD @@ -9485,13 +9470,13 @@ underscore, and must not start with a digit. StdCmdFreeCADWebsite - - + + FreeCAD Website Site-ul FreeCAD - + The FreeCAD website Site-ul FreeCAD @@ -9806,25 +9791,25 @@ underscore, and must not start with a digit. StdCmdMergeProjects - + Merge document... Îmbinare document... - - - - + + + + Merge document Îmbinare document - + %1 document (*.FCStd) Documentul %1 (*.FCStd) - + Cannot merge document with itself. Nu se poate fuziona documentul cu el însuși. @@ -9832,18 +9817,18 @@ underscore, and must not start with a digit. StdCmdNew - + &New &Nou - - + + Create a new empty document Creaţi un nou document gol - + Unnamed Nedenumit @@ -9852,13 +9837,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelp - - + + Help Ajutor - + Show help to the application Arată ghidul de Ajutor al aplicaţiei @@ -9866,13 +9851,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelpWebsite - - + + Help Website Site-ul de ajutor - + The website where the help is maintained Site-ul unde este întreţinut ghidul de ajutor @@ -9927,13 +9912,13 @@ underscore, and must not start with a digit. StdCmdPaste - + &Paste &Lipire - - + + Paste operation Operația de lipire @@ -9941,13 +9926,13 @@ underscore, and must not start with a digit. StdCmdPlacement - + Placement... Amplasare... - - + + Place the selected objects Poziționați obiectele selectate @@ -9955,13 +9940,13 @@ underscore, and must not start with a digit. StdCmdPrint - + &Print... Im&primare... - - + + Print the document Imprimaţi documentul @@ -9969,13 +9954,13 @@ underscore, and must not start with a digit. StdCmdPrintPdf - + &Export PDF... &Exportaţi PDF... - - + + Export the document as PDF Exportaţi documentul ca PDF @@ -9983,17 +9968,17 @@ underscore, and must not start with a digit. StdCmdPrintPreview - + &Print preview... Examinare înaintea im&primarii... - + Print the document Imprimaţi documentul - + Print preview Examinare înaintea imprimarii @@ -10001,13 +9986,13 @@ underscore, and must not start with a digit. StdCmdPythonWebsite - - + + Python Website Site-ul Python - + The official Python website Site-ul oficial Python @@ -10015,13 +10000,13 @@ underscore, and must not start with a digit. StdCmdQuit - + E&xit &Ieşire - - + + Quits the application Închide aplicaţia @@ -10043,13 +10028,13 @@ underscore, and must not start with a digit. StdCmdRecentFiles - + Open Recent Deschide Recente - - + + Recent file list Lista de fişiere recente @@ -10057,13 +10042,13 @@ underscore, and must not start with a digit. StdCmdRecentMacros - + Recent macros Macro-uri recente - - + + Recent macro list Lista cu macro-uri recente @@ -10071,13 +10056,13 @@ underscore, and must not start with a digit. StdCmdRedo - + &Redo &Refacere - - + + Redoes a previously undone action Reface o acţiune anulată anterior @@ -10085,13 +10070,13 @@ underscore, and must not start with a digit. StdCmdRefresh - + &Refresh &Reîmprospătare - - + + Recomputes the current active document Recalculează documentul activ @@ -10099,13 +10084,13 @@ underscore, and must not start with a digit. StdCmdReportBug - + Report a bug Raportează o problemă - - + + Report a bug or suggest a feature Raportează o eroare sau sugerează o caracteristică @@ -10113,13 +10098,13 @@ underscore, and must not start with a digit. StdCmdRevert - + Revert Revenire/restabilire - - + + Reverts to the saved version of this file Revine la versiunea salvat acest fişier @@ -10127,13 +10112,13 @@ underscore, and must not start with a digit. StdCmdSave - + &Save &Salvaţi - - + + Save the active document Salvaţi documentul activ @@ -10141,13 +10126,13 @@ underscore, and must not start with a digit. StdCmdSaveAll - + Save All Salvează tot - - + + Save all opened document Salvează toate documentele deschise @@ -10155,13 +10140,13 @@ underscore, and must not start with a digit. StdCmdSaveAs - + Save &As... S&alvaţi ca... - - + + Save the active document under a new file name Salvare documentul activ sub un nou nume de fişier @@ -10169,13 +10154,13 @@ underscore, and must not start with a digit. StdCmdSaveCopy - + Save a &Copy... Salvaţi o & copie... - - + + Save a copy of the active document under a new file name Salvați o copie a documentului activ sub un nou nume de fişier @@ -10211,13 +10196,13 @@ underscore, and must not start with a digit. StdCmdSelectAll - + Select &All Select&aţi tot - - + + Select all Selectează tot @@ -10295,13 +10280,13 @@ underscore, and must not start with a digit. StdCmdTextDocument - + Add text document Adăugă un document text - - + + Add text document to active document Adăugare document text la documentul activ @@ -10435,13 +10420,13 @@ underscore, and must not start with a digit. StdCmdTransform - + Transform... Transformare... - - + + Transform the geometry of selected objects Transforma geometria obiectelor selectate @@ -10449,13 +10434,13 @@ underscore, and must not start with a digit. StdCmdTransformManip - + Transform Transformare - - + + Transform the selected object in the 3d view Transforma obiectul selectat în vizualizarea 3D @@ -10519,13 +10504,13 @@ underscore, and must not start with a digit. StdCmdUndo - + &Undo &Anulare - - + + Undo exactly one action Anuleaza o actiune @@ -10533,13 +10518,13 @@ underscore, and must not start with a digit. StdCmdUserEditMode - + Edit mode Modul de editare - - + + Defines behavior when editing an object from tree Definește comportamentul la editarea unui obiect din vizualizarea arborescentă @@ -10939,13 +10924,13 @@ underscore, and must not start with a digit. StdCmdWhatsThis - + &What's This? &Ce-i asta? - - + + What's This Ce-i asta @@ -10981,13 +10966,13 @@ underscore, and must not start with a digit. StdCmdWorkbench - + Workbench Banc de lucru - - + + Switch between workbenches Comută între bancurile de lucru @@ -11311,7 +11296,7 @@ underscore, and must not start with a digit. Std_Delete - + The following referencing objects might break. Are you sure you want to continue? @@ -11322,7 +11307,7 @@ Sunteți sigur că doriți să continuați? - + Object dependencies Dependențe obiect @@ -11330,7 +11315,7 @@ Sunteți sigur că doriți să continuați? Std_DependencyGraph - + Dependency graph Graficul de dependenta @@ -11411,12 +11396,12 @@ Sunteți sigur că doriți să continuați? Std_DuplicateSelection - + Object dependencies Dependențe obiect - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Pentru face legăturile la obiecte externe, documentul trebuie salvat cel puțin o dată. @@ -11434,7 +11419,7 @@ Doriți să salvați documentul acum? Std_Refresh - + The document contains dependency cycles. Please check the Report View for more details. @@ -11448,17 +11433,17 @@ Doriți în continuare să continuați? Std_Revert - + Revert document Recuperează versiunea documentului - + This will discard all the changes since last file save. Această operațiune distruge toate modificările de la ultima salvare. - + Do you want to continue? Doriţi să continuaţi? @@ -11632,12 +11617,12 @@ Doriți în continuare să continuați? Gui::MDIView - + Export PDF Exportă PDF - + PDF file Fişier PDF @@ -12331,82 +12316,82 @@ Currently, your system has the following workbenches:</p></body>< Previzualizare: - + Text Text - + Bookmark Semn de carte - + Breakpoint Punct de întrerupere - + Keyword Cuvânt cheie - + Comment Comentariu - + Block comment Comentariu de bloc - + Number Număr - + String Şir - + Character Caracter - + Class name Numele clasei - + Define name Definiți numele - + Operator Operator - + Python output Ieşire Python - + Python error Eroare Python - + Current line highlight Evidentiere linie curenta - + Items Elemente @@ -12527,7 +12512,7 @@ punct/period va fi întotdeauna imprimat. Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. - Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. + Cauți mai multe teme? Le puteți obține folosind <a href="freecad:Std_AddonMgr">Manager de Suplimente</a>. @@ -12917,13 +12902,13 @@ din consola Python către panoul de vizualizare Rapoarte StdCmdExportDependencyGraph - + Export dependency graph... Exportă graficul de dependență... - - + + Export the dependency graph to a file Exportă graficul de dependență într-un fișier @@ -13361,13 +13346,13 @@ regiunea nu este opacă. StdCmdProjectInfo - + Document i&nformation... Informație documentechar@@0 - - + + Show details of the currently active document Arată detaliile documentului activ în prezent @@ -13375,13 +13360,13 @@ regiunea nu este opacă. StdCmdProjectUtil - + Document utility... Utilitar document... - - + + Utility to extract or create document files Utilitar pentru a extrage sau a crea fişiere document @@ -13403,12 +13388,12 @@ regiunea nu este opacă. StdCmdProperties - + Properties Proprietăți - + Show the property view, which displays the properties of the selected object. Arată vizualizarea proprietății, care afișează proprietățile obiectului selectat. @@ -13459,13 +13444,13 @@ regiunea nu este opacă. StdCmdReloadStyleSheet - + &Reload stylesheet &Reload stylesheet - - + + Reloads the current stylesheet Reloads the current stylesheet @@ -13744,15 +13729,38 @@ regiunea nu este opacă. StdCmdUnitsCalculator - + &Units converter... &Units converter... - - + + Start the units converter Start the units converter + + Gui::ModuleIO + + + File not found + Fișier nu a fost găsit + + + + The file '%1' cannot be opened. + Fișierul '%1' nu poate fi deschis. + + + + StdCmdRestartInSafeMode + + + + + Restart in safe mode + Restart in safe mode + + diff --git a/src/Gui/Language/FreeCAD_ru.ts b/src/Gui/Language/FreeCAD_ru.ts index ee85330b617b..6c63122f862d 100644 --- a/src/Gui/Language/FreeCAD_ru.ts +++ b/src/Gui/Language/FreeCAD_ru.ts @@ -91,17 +91,17 @@ Редактировать - + Import Импорт - + Delete Удалить - + Paste expressions Вставить выражения @@ -131,7 +131,7 @@ Импорт всех ссылок - + Insert text document Вставить текстовый документ @@ -424,42 +424,42 @@ EditMode - + Default По умолчанию - + The object will be edited using the mode defined internally to be the most appropriate for the object type Объект будет отредактирован с помощью режима, определяемого внутри наиболее подходящего для типа объекта - + Transform Преобразовать - + The object will have its placement editable with the Std TransformManip command Объекта будет иметь размещение, редактируемое с помощью команды Std TransformManip - + Cutting Обрезка - + This edit mode is implemented as available but currently does not seem to be used by any object Этот режим редактирования реализован как доступный, но в настоящее время он не используется ни одним объектом - + Color Цвет - + The object will have the color of its individual faces editable with the Part FaceAppearances command Цвет отдельных граней объекта будет редактироваться с помощью команды Part FaceAppearances @@ -680,8 +680,8 @@ while doing a left or right click and move the mouse up or down - Word size - Размер слова + Architecture + Architecture @@ -706,52 +706,52 @@ while doing a left or right click and move the mouse up or down Gui::Dialog::AboutDialog - - + + Credits - Header for the Credits tab of the About screen Благодарности - + + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + Header for bgbsww + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + + + FreeCAD would not be possible without the contributions of Список всех, кто внес свой вклад в создание FreeCAD - + Individuals Header for the list of individual people in the Credits list. Участники - + Organizations Header for the list of companies/organizations in the Credits list. Организации - - + + License Лицензия - + Libraries Библиотеки - - This software uses open source components whose copyright and other proprietary rights belong to their respective owners: - Это программное обеспечение использует компоненты с открытым исходным кодом, чьи авторские права и другие права собственности принадлежат их соответствующим владельцам: - - - + Collection Коллекция - + Privacy Policy Политика конфиденциальности @@ -1407,8 +1407,8 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgCustomToolBoxbarsImp - - + + Toolbox bars Панели инструментов @@ -1497,40 +1497,40 @@ same time. The one with the highest priority will be triggered. - + <Separator> <Разделитель> - + %1 module not loaded %1 модуль не загружен - + New toolbar Новая панель инструментов - - + + Toolbar name: Название панели инструментов: - - + + Duplicated name Повторяющееся название - - + + The toolbar name '%1' is already used Название панели инструментов '%1' уже используется - + Rename toolbar Переименовать панель инструментов @@ -1744,72 +1744,72 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgMacroExecuteImp - + Macros Макрос - + Read-only Только для чтения - + Macro file Файл макроса - + Enter a file name, please: Введите имя файла, пожалуйста: - - - + + + Existing file Существующий файл - + '%1'. This file already exists. '%1'. Этот файл уже существует. - + Cannot create file Не удается создать файл - + Creation of file '%1' failed. Не удалось создать файл '%1'. - + Delete macro Удалить макрос - + Do you really want to delete the macro '%1'? Вы действительно хотите удалить макрос '%1' ? - + Do not show again Не показывать снова - + Guided Walkthrough Интерактивный тур - + This will guide you in setting up this macro in a custom global toolbar. Instructions will be in red text inside the dialog. Note: your changes will be applied when you next switch workbenches @@ -1820,77 +1820,77 @@ Note: your changes will be applied when you next switch workbenches - + Walkthrough, dialog 1 of 2 Пошаговое руководство, диалоговое окно 1 из 2 - + Walkthrough instructions: Fill in missing fields (optional) then click Add, then Close Пошаговые инструкции: заполните пропущенные поля (необязательно), затем нажмите «Добавить», затем «Закрыть» - + Walkthrough, dialog 1 of 1 Пошаговое руководство, диалоговое окно 1 из 1 - + Walkthrough, dialog 2 of 2 Пошаговое руководство, диалоговое окно 2 из 2 - - Walkthrough instructions: Click right arrow button (->), then Close. - Пошаговые инструкции: Нажмите на кнопку со стрелкой вправо (->), затем закройте. + + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. - Walkthrough instructions: Click New, then right arrow (->) button, then Close. - Пошаговые инструкции: Нажмите новый, затем на кнопку со стрелкой вправо (->), затем закройте. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. - + Renaming Macro File Переименование файла макроса - - + + Enter new name: Введите новое имя: - - + + '%1' already exists. '%1' уже существует. - + Rename Failed Не удалось переименовать - + Failed to rename to '%1'. Perhaps a file permission error? Не удалось переименовать в '%1'. Возможно ошибка прав доступа к файлу? - + Duplicate Macro Дублировать макрос - + Duplicate Failed Не удалось дублировать - + Failed to duplicate to '%1'. Perhaps a file permission error? Не удалось дублировать в '%1'. @@ -5890,81 +5890,81 @@ Do you want to save your changes? Gui::GraphvizView - + Graphviz not found GraphViz не найден - + Graphviz couldn't be found on your system. GraphViz не найден в Вашей системе. - + Read more about it here. Прочтите подробнее об этом здесь. - + Do you want to specify its installation path if it's already installed? Вы хотите задать путь к нему, если он уже установлен? - + Graphviz installation path Путь установки GraphViz - + Graphviz failed Ошибка GraphViz - + Graphviz failed to create an image file GraphViz не удалось создать файл изображения - + PNG format Формат PNG - + Bitmap format Формат bitmap - + GIF format Формат GIF - + JPG format Формат JPG - + SVG format Формат SVG - - + + PDF format Формат PDF - - + + Graphviz format Graphviz формат - - - + + + Export graph Экспорт графа @@ -6124,63 +6124,83 @@ Do you want to save your changes? Gui::MainWindow - - + + Dimension Размер - + Ready Готово - + Close All Закрыть все - - - + + + Toggles this toolbar Переключение этой панели инструментов - - - + + + Toggles this dockable window Спрятать/показать это встраиваемое окно - + + Safe mode enabled + Safe mode enabled + + + + FreeCAD is now running in safe mode. + FreeCAD is now running in safe mode. + + + + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + + + WARNING: This is a development version. ПРЕДУПРЕЖДЕНИЕ: Это версия для разработчиков. - + Please do not use it in a production environment. Пожалуйста, не применяйте это в рабочей среде. - - + + Unsaved document Документ не сохранён - + The exported object contains external link. Please save the documentat least once before exporting. Экспортированный объект содержит внешнюю ссылку. Пожалуйста, сохраните документ хотя бы один раз перед экспортом. - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Для ссылки на внешние объекты документ необходимо сохранить хотя бы один раз. Хотите сохранить документ сейчас? + + + Safe Mode + Safe Mode + Gui::ManualAlignment @@ -6680,39 +6700,19 @@ Do you want to exit without saving your data? Open file %1 Открыть файл %1 - - - File not found - Файл не найден - - - - The file '%1' cannot be opened. - Не удаётся открыть файл '%1'. - Gui::RecentMacrosAction - + none Отсутствует - + Run macro %1 (Shift+click to edit) keyboard shortcut: %2 Запуск макроса %1 (Shift+клик для редактирования) сочетания клавиш: %2 - - - File not found - Файл не найден - - - - The file '%1' cannot be opened. - Не удаётся открыть файл '%1'. - Gui::RevitNavigationStyle @@ -6966,7 +6966,7 @@ Do you want to specify another directory? Gui::TaskView::TaskDialog - + A dialog is already open in the task panel В панели задач ещё открыт другой диалог @@ -6995,38 +6995,8 @@ Do you want to specify another directory? Gui::TextDocumentEditorView - - Text updated - Текст обновлён - - - - The text of the underlying object has changed. Discard changes and reload the text from the object? - Текст базового объекта изменился. Отменить изменения и перезагрузить текста из объекта? - - - - Yes, reload. - Да, перезагрузить. - - - - Unsaved document - Несохраненный документ - - - - Do you want to save your changes before closing? - Вы хотите сохранить изменения перед закрытием? - - - - If you don't save, your changes will be lost. - Если вы не сохраните, ваши изменения будут потеряны. - - - - + + Edit text Редактировать текст @@ -7303,7 +7273,7 @@ Do you want to specify another directory? Gui::TreeDockWidget - + Tree view В виде дерева @@ -7311,7 +7281,7 @@ Do you want to specify another directory? Gui::TreePanel - + Search Поиск @@ -7369,149 +7339,149 @@ Do you want to specify another directory? Группа - + Labels & Attributes Метки и свойства - + Description Описание - + Internal name Внутреннее имя - + Show items hidden in tree view Показать элементы, скрытые в дереве - + Show items that are marked as 'hidden' in the tree view Показать элементы, помеченные как 'скрытые' в дереве - + Toggle visibility in tree view Переключить видимость в виде дерева - + Toggles the visibility of selected items in the tree view Переключение видимости выбранных элементов в виде дерева - + Create group Создать группу - + Create a group Создать группу - - + + Rename Переименовать - + Rename object Переименовать объект - + Finish editing Завершить редактирование - + Finish editing object Завершить редактирование объекта - + Add dependent objects to selection Добавить зависимые объекты к выделению - + Adds all dependent objects to the selection Добавляет к выделению все зависимые объекты - + Close document Закрыть документ - + Close the document Закрыть документ - + Reload document Перезагрузить документ - + Reload a partially loaded document Перезагрузить частично загруженный документ - + Skip recomputes Пропуск пересчета - + Enable or disable recomputations of document Включение или отключение повторных вычислений документа - + Allow partial recomputes Разрешить частичные перерасчёты - + Enable or disable recomputating editing object when 'skip recomputation' is enabled Включить или выключить повторное вычисление объекта редактирования, если включен параметр 'пропустить пересчет ' - + Mark to recompute Отметить для пересчета - + Mark this object to be recomputed Пометить этот объект для повторного вычисления - + Recompute object Пересчитать объект - + Recompute the selected object Пересчитать выбранный объект - + (but must be executed) (но должно быть выполнено) - + %1, Internal name: %2 %1, внутреннее название: %2 @@ -7723,47 +7693,47 @@ Do you want to specify another directory? QDockWidget - + Tree view Иерархия документа - + Tasks Задачи - + Property view Окно свойств - + Selection view Просмотр выделения - + Task List Список задач - + Model Модель - + DAG View DAG Вид - + Report view Просмотр отчёта - + Python console Консоль Python @@ -7803,35 +7773,35 @@ Do you want to specify another directory? Python - - - + + + Unknown filetype Неизвестный тип файла - - + + Cannot open unknown filetype: %1 Не удается открыть неизвестный файл: %1 - + Export failed Экспорт не удался - + Cannot save to unknown filetype: %1 Не удалось сохранить в неизвестном формате файла: %1 - + Recomputation required Требуется повторный расчет - + Some document(s) require recomputation for migration purposes. It is highly recommended to perform a recomputation before any modification to avoid compatibility problems. Do you want to recompute now? @@ -7840,24 +7810,24 @@ Do you want to recompute now? Хотите перерассчитать сейчас? - + Recompute error Ошибка пересчёта - + Failed to recompute some document(s). Please check report view for more details. Не удалось пересчитать некоторые документы. Пожалуйста, проверьте вид отчета для получения более подробной информации. - + Workbench failure Ошибка загрузки верстака - + %1 %1 @@ -7903,90 +7873,105 @@ Please check report view for more details. Импорт файла - + Export file Экспорт файла - + Printing... Печать... - + Exporting PDF... Экспорт PDF... - - + + Unsaved document - Документ не сохранён + Несохраненный документ - + The exported object contains external link. Please save the documentat least once before exporting. Экспортированный объект содержит внешнюю ссылку. Пожалуйста, сохраните документ хотя бы один раз перед экспортом. - - + + Delete failed Удаление не удалось - + Dependency error Ошибка зависимости - + Copy selected Копировать выбранное - + Copy active document Копировать активный документ - + Copy all documents Копировать все документы - + Paste Вставить - + Expression error Ошибка выражения - + Failed to parse some of the expressions. Please check the Report View for more details. Не удалось проанализировать некоторые выражения. Дополнительные сведения смотрите в журнале. - + Failed to paste expressions Не удалось вставить выражения - + Cannot load workbench Не удаётся загрузить верстак - + A general error occurred while loading the workbench Общая ошибка при загрузке верстака + + + Restart in safe mode + Restart in safe mode + + + + Are you sure you want to restart FreeCAD and enter safe mode? + Are you sure you want to restart FreeCAD and enter safe mode? + + + + Safe mode temporarily disables your configuration and addons. + Safe mode temporarily disables your configuration and addons. + @@ -8211,7 +8196,7 @@ Do you want to continue? Слишком много открытых ненавязчивых уведомлений. Уведомления пропускаются! - + Identical physical path detected. It may cause unwanted overwrite of existing document! @@ -8220,44 +8205,44 @@ Do you want to continue? - + Are you sure you want to continue? Вы уверены, что хотите продолжить? - + Please check report view for more... Пожалуйста, проверьте Просмотр отчёта для более подробной информации... - + Physical path: Физический путь: - - + + Document: Документ: - - + + Path: Путь: - + Identical physical path Идентичная физическая траектория - + Could not save document Невозможно сохранить документ - + There was an issue trying to save the file. This may be because some of the parent folders do not exist, or you do not have sufficient permissions, or for other reasons. Error details: "%1" @@ -8270,102 +8255,102 @@ Would you like to save the file with a different name? Хотите сохранить файл под другим именем? - - - + + + Saving aborted Сохранение прервано - + Save dependent files Сохранить зависимые файлы - + The file contains external dependencies. Do you want to save the dependent files, too? Файл содержит внешние зависимости. Хотите ли вы также сохранить зависимые файлы? - - + + Saving document failed Не удалось сохранить документ - + Save document under new filename... Сохранить документ под новым именем... - - + + Save %1 Document Сохранение документа %1 - + Document Документ - - + + Failed to save document Не удалось сохранить документ - + Documents contains cyclic dependencies. Do you still want to save them? Документы содержат циклические зависимости. Вы уверены, что хотите сохранить их? - + Save a copy of the document under new filename... Сохранить копию документа под новым именем файла... - + %1 document (*.FCStd) документ %1 (*.FCStd) - + Document not closable Документ не закрываем - + The document is not closable for the moment. Этот документ не закрываемый на данный момент. - + Document not saved Документ не сохранен - + The document%1 could not be saved. Do you want to cancel closing it? Документ %1 не может быть сохранен. Вы хотите отменить его закрытие? - + Undo Отменить - + Redo Повторить - + There are grouped transactions in the following documents with other preceding transactions В следующих документах имеются группируются транзакции с другими предыдущими транзакциями - + Choose 'Yes' to roll back all preceding transactions. Choose 'No' to roll back in the active document only. Choose 'Abort' to abort @@ -8459,7 +8444,7 @@ Choose 'Abort' to abort Не удается найти файл %1, ни в %2 ни в %3 - + Navigation styles Стили навигации @@ -8470,47 +8455,47 @@ Choose 'Abort' to abort Переместить - + Do you want to close this dialog? Вы хотите закрыть этот диалог? - + Do you want to save your changes to document '%1' before closing? Сохранить изменения перед закрытием документа '%1'? - + Do you want to save your changes to document before closing? Сохранить изменения перед закрытием документа ''? - + If you don't save, your changes will be lost. Если вы не сохраните, ваши изменения будут потеряны. - + Apply answer to all Применить ответ ко всем - + %1 Document(s) not saved %1 Документ(ы) не сохранены - + Some documents could not be saved. Do you want to cancel closing? Некоторые документы не удалось сохранить. Вы хотите отменить закрытие? - + Delete macro Удалить макрос - + Not allowed to delete system-wide macros Не разрешается удалять системные макросы @@ -8606,10 +8591,10 @@ Choose 'Abort' to abort - - - - + + + + Invalid name Недопустимое имя @@ -8622,25 +8607,25 @@ underscore, and must not start with a digit. - + The property name is a reserved word. - The property name is a reserved word. + Имя свойства является зарезервированным словом. - + The property '%1' already exists in '%2' Свойство '%1' уже существует в '%2' - + Add property Добавить свойство - + Failed to add property to '%1': %2 Не удалось добавить свойство к '%1': %2 @@ -8926,13 +8911,13 @@ the current copy will be lost. Подавляемое расширение - + The property name must only contain alpha numericals, underscore, and must not start with a digit. Имя свойства должно содержать только буквы, цифры, подчеркивание и не должно начинаться с цифры. - + The group name must only contain alpha numericals, underscore, and must not start with a digit. Название группы может содержать только буквенно-цифровые знаки, подчеркивание и не должно начинаться с цифры. @@ -8978,13 +8963,13 @@ underscore, and must not start with a digit. StdCmdAbout - + &About %1 О %1 - - + + About %1 О %1 @@ -8992,13 +8977,13 @@ underscore, and must not start with a digit. StdCmdAboutQt - + About &Qt О Qt - - + + About Qt О Qt @@ -9034,13 +9019,13 @@ underscore, and must not start with a digit. StdCmdAlignment - + Alignment... Выравнивание... - - + + Align the selected objects Утилита выравнивания объектов @@ -9104,13 +9089,13 @@ underscore, and must not start with a digit. StdCmdCommandLine - + Start command &line... Запустить командную строку... - - + + Opens the command line in the console Открыть командную строку @@ -9118,13 +9103,13 @@ underscore, and must not start with a digit. StdCmdCopy - + C&opy Копировать - - + + Copy operation Операция копирования @@ -9132,13 +9117,13 @@ underscore, and must not start with a digit. StdCmdCut - + &Cut Вырезать - - + + Cut out Вырезать @@ -9146,13 +9131,13 @@ underscore, and must not start with a digit. StdCmdDelete - + &Delete Удалить - - + + Deletes the selected objects Удаляет выбранные объекты @@ -9174,13 +9159,13 @@ underscore, and must not start with a digit. StdCmdDependencyGraph - + Dependency graph... Граф зависимостей... - - + + Show the dependency graph of the objects in the active document Показать граф зависимостей объектов в активном документе @@ -9188,13 +9173,13 @@ underscore, and must not start with a digit. StdCmdDlgCustomize - + Cu&stomize... На&стройка... - - + + Customize toolbars and command bars Настройка панелей инструментов и панели команд @@ -9254,13 +9239,13 @@ underscore, and must not start with a digit. StdCmdDlgParameter - + E&dit parameters ... Редактор параметров... - - + + Opens a Dialog to edit the parameters Открыть диалоговое окно для изменения параметров @@ -9268,13 +9253,13 @@ underscore, and must not start with a digit. StdCmdDlgPreferences - + &Preferences ... Настройки ... - - + + Opens a Dialog to edit the preferences Открыть диалоговое окно для изменения настроек @@ -9310,13 +9295,13 @@ underscore, and must not start with a digit. StdCmdDuplicateSelection - + Duplicate selection Дублировать выбранное - - + + Put duplicates of the selected objects to the active document Вложить дубликаты выбранных объектов в активный документ @@ -9324,17 +9309,17 @@ underscore, and must not start with a digit. StdCmdEdit - + Toggle &Edit mode Редактировать / закончить редактирование - + Toggles the selected object's edit mode Редактировать выделенные объекты / закончить редактирование - + Activates or Deactivates the selected object's edit mode Активирует или деактивирует режим редактирования выбранного объекта @@ -9353,12 +9338,12 @@ underscore, and must not start with a digit. Экспортировать выделенный объект - + No selection Ничего не выбрано - + Select the objects to export before choosing Export. Выберите объекты для экспорта перед выбором Экспорта. @@ -9366,13 +9351,13 @@ underscore, and must not start with a digit. StdCmdExpression - + Expression actions Действия с выражением - - + + Actions that apply to expressions Действия, применимые к выражениям @@ -9394,12 +9379,12 @@ underscore, and must not start with a digit. StdCmdFreeCADDonation - + Donate Поддержать - + Donate to FreeCAD development Пожертвовать на разработку FreeCAD @@ -9407,17 +9392,17 @@ underscore, and must not start with a digit. StdCmdFreeCADFAQ - + FreeCAD FAQ FreeCAD Часто Задаваемые Вопросы - + Frequently Asked Questions on the FreeCAD website Ответы на часто задаваемые вопросы на сайте FreeCAD - + Frequently Asked Questions Часто задаваемые вопросы @@ -9425,17 +9410,17 @@ underscore, and must not start with a digit. StdCmdFreeCADForum - + FreeCAD Forum Форум FreeCAD - + The FreeCAD forum, where you can find help from other users Форум FreeCAD, на котором можно получить помощь от других пользователей - + The FreeCAD Forum Форум FreeCAD @@ -9443,17 +9428,17 @@ underscore, and must not start with a digit. StdCmdFreeCADPowerUserHub - + Python scripting documentation Документация по созданию скриптов на Python - + Python scripting documentation on the FreeCAD website Документация по созданию Python скриптов на сайте FreeCAD - + PowerUsers documentation Документация для опытных пользователей @@ -9461,13 +9446,13 @@ underscore, and must not start with a digit. StdCmdFreeCADUserHub - - + + Users documentation Пользовательская документация - + Documentation for users on the FreeCAD website Документация для пользователей на сайте FreeCAD @@ -9475,13 +9460,13 @@ underscore, and must not start with a digit. StdCmdFreeCADWebsite - - + + FreeCAD Website Сайт FreeCAD - + The FreeCAD website Сайт FreeCAD @@ -9796,25 +9781,25 @@ underscore, and must not start with a digit. StdCmdMergeProjects - + Merge document... Объединить документ... - - - - + + + + Merge document Объединить документ - + %1 document (*.FCStd) документ %1 (*.FCStd) - + Cannot merge document with itself. Невозможно объединить документ с собой. @@ -9822,18 +9807,18 @@ underscore, and must not start with a digit. StdCmdNew - + &New &Создать - - + + Create a new empty document Создать новый пустой документ - + Unnamed Безымянный @@ -9842,13 +9827,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelp - - + + Help Справка - + Show help to the application Показать справку для приложения @@ -9856,13 +9841,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelpWebsite - - + + Help Website Сайт Помощи - + The website where the help is maintained Сайт, где находится помощь @@ -9917,13 +9902,13 @@ underscore, and must not start with a digit. StdCmdPaste - + &Paste Вставить - - + + Paste operation Операция вставки @@ -9931,13 +9916,13 @@ underscore, and must not start with a digit. StdCmdPlacement - + Placement... Расположение... - - + + Place the selected objects Расположить выбранные объекты @@ -9945,13 +9930,13 @@ underscore, and must not start with a digit. StdCmdPrint - + &Print... &Печать... - - + + Print the document Печать документа @@ -9959,13 +9944,13 @@ underscore, and must not start with a digit. StdCmdPrintPdf - + &Export PDF... Экспортировать в PDF... - - + + Export the document as PDF Экспорт документа в формат PDF @@ -9973,17 +9958,17 @@ underscore, and must not start with a digit. StdCmdPrintPreview - + &Print preview... &Предварительный просмотр... - + Print the document Печать документа - + Print preview Предварительный просмотр @@ -9991,13 +9976,13 @@ underscore, and must not start with a digit. StdCmdPythonWebsite - - + + Python Website Сайт Python - + The official Python website Официальный сайт Python @@ -10005,13 +9990,13 @@ underscore, and must not start with a digit. StdCmdQuit - + E&xit В&ыход - - + + Quits the application Выйти из приложения @@ -10033,13 +10018,13 @@ underscore, and must not start with a digit. StdCmdRecentFiles - + Open Recent Открыть недавние - - + + Recent file list Список недавно открытых файлов @@ -10047,13 +10032,13 @@ underscore, and must not start with a digit. StdCmdRecentMacros - + Recent macros Недавние макросы - - + + Recent macro list Список недавних макросов @@ -10061,13 +10046,13 @@ underscore, and must not start with a digit. StdCmdRedo - + &Redo Вернуть - - + + Redoes a previously undone action Повторить последнее отмененное действие @@ -10075,13 +10060,13 @@ underscore, and must not start with a digit. StdCmdRefresh - + &Refresh Обновить - - + + Recomputes the current active document Пересчитывает активный документ @@ -10089,13 +10074,13 @@ underscore, and must not start with a digit. StdCmdReportBug - + Report a bug Сообщить об ошибке - - + + Report a bug or suggest a feature Сообщить об ошибке или предложить функцию @@ -10103,13 +10088,13 @@ underscore, and must not start with a digit. StdCmdRevert - + Revert Вернуться - - + + Reverts to the saved version of this file Возвращает к сохраненной версии этого файла @@ -10117,13 +10102,13 @@ underscore, and must not start with a digit. StdCmdSave - + &Save Сохранить - - + + Save the active document Сохранить активный документ @@ -10131,13 +10116,13 @@ underscore, and must not start with a digit. StdCmdSaveAll - + Save All Сохранить все - - + + Save all opened document Сохранить все открытые документы @@ -10145,13 +10130,13 @@ underscore, and must not start with a digit. StdCmdSaveAs - + Save &As... Сохранить как... - - + + Save the active document under a new file name Сохранить текущий документ под новым именем @@ -10159,13 +10144,13 @@ underscore, and must not start with a digit. StdCmdSaveCopy - + Save a &Copy... Сохранить &копию... - - + + Save a copy of the active document under a new file name Сохранить копию активного документа под новым именем файла @@ -10201,13 +10186,13 @@ underscore, and must not start with a digit. StdCmdSelectAll - + Select &All Выбрать всё - - + + Select all Выделить всё @@ -10285,13 +10270,13 @@ underscore, and must not start with a digit. StdCmdTextDocument - + Add text document Добавить текстовый документ - - + + Add text document to active document Добавить текстовый документ в активный документ @@ -10425,13 +10410,13 @@ underscore, and must not start with a digit. StdCmdTransform - + Transform... Преобразовать... - - + + Transform the geometry of selected objects Преобразование геометрии выделенных объектов @@ -10439,13 +10424,13 @@ underscore, and must not start with a digit. StdCmdTransformManip - + Transform Переместить - - + + Transform the selected object in the 3d view Преобразование выделенного объекта в трёхмерном виде @@ -10509,13 +10494,13 @@ underscore, and must not start with a digit. StdCmdUndo - + &Undo Отменить - - + + Undo exactly one action Отменить только одно действие @@ -10523,13 +10508,13 @@ underscore, and must not start with a digit. StdCmdUserEditMode - + Edit mode Режим редактирования - - + + Defines behavior when editing an object from tree Определяет поведение при редактировании объекта из дерева @@ -10929,13 +10914,13 @@ underscore, and must not start with a digit. StdCmdWhatsThis - + &What's This? Что это? - - + + What's This Что это @@ -10971,13 +10956,13 @@ underscore, and must not start with a digit. StdCmdWorkbench - + Workbench Верстак - - + + Switch between workbenches Переключение между верстаками @@ -11301,7 +11286,7 @@ underscore, and must not start with a digit. Std_Delete - + The following referencing objects might break. Are you sure you want to continue? @@ -11312,7 +11297,7 @@ Are you sure you want to continue? - + Object dependencies Зависимости объектов @@ -11320,7 +11305,7 @@ Are you sure you want to continue? Std_DependencyGraph - + Dependency graph Граф зависимостей @@ -11401,12 +11386,12 @@ Are you sure you want to continue? Std_DuplicateSelection - + Object dependencies Зависимости объектов - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Для ссылки на внешние объекты документ необходимо сохранить хотя бы один раз. @@ -11424,7 +11409,7 @@ Do you want to save the document now? Std_Refresh - + The document contains dependency cycles. Please check the Report View for more details. @@ -11438,17 +11423,17 @@ Do you still want to proceed? Std_Revert - + Revert document Возврат состояния документа - + This will discard all the changes since last file save. Это отменит все изменения, внесенные с момента последнего сохранения фала. - + Do you want to continue? Хотите ли вы продолжить? @@ -11622,12 +11607,12 @@ Do you still want to proceed? Gui::MDIView - + Export PDF Экспортировать в PDF - + PDF file Файл PDF @@ -12320,82 +12305,82 @@ Currently, your system has the following workbenches:</p></body>< Предпросмотр: - + Text Текст - + Bookmark Закладка - + Breakpoint Точка останова - + Keyword Ключевое слово - + Comment Закомментировать - + Block comment Блок комментариев - + Number Число - + String Строка - + Character Символ - + Class name Имя класса - + Define name Задать название - + Operator Оператор - + Python output Вывод Python - + Python error Ошибка Python - + Current line highlight Выделение текущей строки - + Items Элементы @@ -12904,13 +12889,13 @@ from Python console to Report view panel StdCmdExportDependencyGraph - + Export dependency graph... Экспорт графика зависимостей... - - + + Export the dependency graph to a file Экспорт графика зависимостей в файл @@ -13348,13 +13333,13 @@ the region are non-opaque. StdCmdProjectInfo - + Document i&nformation... Информация о документе... - - + + Show details of the currently active document Показать детали текущего активного документа @@ -13362,13 +13347,13 @@ the region are non-opaque. StdCmdProjectUtil - + Document utility... Утилита для документов... - - + + Utility to extract or create document files Утилита для извлечения или создания файлов документов @@ -13390,12 +13375,12 @@ the region are non-opaque. StdCmdProperties - + Properties Свойства - + Show the property view, which displays the properties of the selected object. "Вывести свойства выделенного объекта на экран". @@ -13446,13 +13431,13 @@ the region are non-opaque. StdCmdReloadStyleSheet - + &Reload stylesheet &Обновить таблицу стилей - - + + Reloads the current stylesheet Перезагружает текущую таблицу стилей @@ -13729,15 +13714,38 @@ the region are non-opaque. StdCmdUnitsCalculator - + &Units converter... &Конвертер величин... - - + + Start the units converter Запустить конвертер величин + + Gui::ModuleIO + + + File not found + Файл не найден + + + + The file '%1' cannot be opened. + Не удаётся открыть файл '%1'. + + + + StdCmdRestartInSafeMode + + + + + Restart in safe mode + Restart in safe mode + + diff --git a/src/Gui/Language/FreeCAD_sl.ts b/src/Gui/Language/FreeCAD_sl.ts index 19bfd18c2127..a7e2f3c49508 100644 --- a/src/Gui/Language/FreeCAD_sl.ts +++ b/src/Gui/Language/FreeCAD_sl.ts @@ -91,17 +91,17 @@ Uredi - + Import Uvozi - + Delete Izbriši - + Paste expressions Prilepi izraze @@ -131,7 +131,7 @@ Uvozi vse povezave - + Insert text document Vstavi besedilni dokument @@ -424,42 +424,42 @@ EditMode - + Default Privzeto - + The object will be edited using the mode defined internally to be the most appropriate for the object type Urejanje predmeta bo v načinu, ki je notranje določen kot najprimernejši glede na vrsto predmeta - + Transform Preoblikuj - + The object will have its placement editable with the Std TransformManip command Postavitev predmeta bo mogoče urejati z ukazom Std TransformManip - + Cutting Prerez - + This edit mode is implemented as available but currently does not seem to be used by any object Ta urejevalni način je razpoložljiv, vendar trenutno ni kaže, da bi ga uporabljal katerikoli predmet - + Color Barva - + The object will have the color of its individual faces editable with the Part FaceAppearances command The object will have the color of its individual faces editable with the Part FaceAppearances command @@ -681,8 +681,8 @@ kliknete na levo oz. desno tipko in premikate miško gor oz. dol - Word size - Velikost besed + Architecture + Architecture @@ -707,52 +707,52 @@ kliknete na levo oz. desno tipko in premikate miško gor oz. dol Gui::Dialog::AboutDialog - - + + Credits - Header for the Credits tab of the About screen Zahvale - + + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + Header for bgbsww + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + + + FreeCAD would not be possible without the contributions of FreeCADa ne bi bilo, če ne bi bilo prispevkov - + Individuals Header for the list of individual people in the Credits list. Posamezniki - + Organizations Header for the list of companies/organizations in the Credits list. Družbe - - + + License Dovoljenje - + Libraries Knjižnice - - This software uses open source components whose copyright and other proprietary rights belong to their respective owners: - To programje uporablja odprtokodne dele, katerih avtorske pravice in ostale pravice pripadajo njihovim lastnikom: - - - + Collection Zbirka - + Privacy Policy Privacy Policy @@ -1409,8 +1409,8 @@ tisti z višjo prednostjo. Gui::Dialog::DlgCustomToolBoxbarsImp - - + + Toolbox bars Vrstice orodjarne @@ -1499,40 +1499,40 @@ tisti z višjo prednostjo. - + <Separator> <Ločilo> - + %1 module not loaded Modul %1 ni naložen - + New toolbar Nova orodna vrstica - - + + Toolbar name: Ime orodne vrstice: - - + + Duplicated name Podvojeno ime - - + + The toolbar name '%1' is already used Ime orodne vrstice '%1' je že uporabljeno - + Rename toolbar Preimenuj orodno vrstico @@ -1746,71 +1746,71 @@ tisti z višjo prednostjo. Gui::Dialog::DlgMacroExecuteImp - + Macros Makri - + Read-only Samo za branje - + Macro file Datoteka z makrom - + Enter a file name, please: Vnesite ime datoteke: - - - + + + Existing file Obstoječa datoteka - + '%1'. This file already exists. '%1'. Ta datoteka že obstaja. - + Cannot create file Datoteke ni mogoče ustvariti - + Creation of file '%1' failed. Ustvarjanje datoteke '%1' ni uspelo. - + Delete macro Izbriši makro - + Do you really want to delete the macro '%1'? Ali res želite izbrisati makro '%1'? - + Do not show again Ne prikaži več - + Guided Walkthrough Vodič - + This will guide you in setting up this macro in a custom global toolbar. Instructions will be in red text inside the dialog. Note: your changes will be applied when you next switch workbenches @@ -1821,78 +1821,78 @@ Opomba: spremembe bodo uveljavljene pri naslednjem preklopu med delovnimi okolji - + Walkthrough, dialog 1 of 2 Vodič, 1. pogovorno okno od 2 - + Walkthrough instructions: Fill in missing fields (optional) then click Add, then Close Navodila vodiča: Izpolnite manjkajoča polja (po izbiri), kliknite Dodaj in nato Zapri - + Walkthrough, dialog 1 of 1 Vodič, 1. pogovorno okno od 1 - + Walkthrough, dialog 2 of 2 Vodič, 2. pogovorno okno od 2 - - Walkthrough instructions: Click right arrow button (->), then Close. - Navodila vodiča: Kliknite gumb s puščico v desno (->), nato Zapri. + + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. - Walkthrough instructions: Click New, then right arrow (->) button, then Close. - Navodila vodiča: Kliknite Nov, nato gumb s puščico v desno (->) in na koncu Zapri. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. - + Renaming Macro File Preimenovanje datoteke Macro - - + + Enter new name: Vnesite novo ime: - - + + '%1' already exists. '%1' že obstaja. - + Rename Failed Preimenovanje ni uspelo - + Failed to rename to '%1'. Perhaps a file permission error? Preimenovanje v '%1' ni uspelo. Mogoče je napaka pri dostopu do datoteke? - + Duplicate Macro Podvoji Makro - + Duplicate Failed Podvajanje spodletelo - + Failed to duplicate to '%1'. Perhaps a file permission error? Podvajanje v '%1' ni uspelo. @@ -5899,81 +5899,81 @@ Ali želite shraniti spremembe? Gui::GraphvizView - + Graphviz not found Graphviza ni mogoče najti - + Graphviz couldn't be found on your system. Programa Graphviz ni bilo mogoče najti v vašem sistemu. - + Read more about it here. Več preberite tukaj. - + Do you want to specify its installation path if it's already installed? Ali želite določiti namestitveno mesto, če je že nameščen? - + Graphviz installation path Namestitvena pot Graphviza - + Graphviz failed Graphvizu je spodletelo - + Graphviz failed to create an image file Graphvizu ni uspelo ustvariti slikovne datoteke - + PNG format PNG zapis - + Bitmap format Zapis točkovne slike - + GIF format GIF zapis - + JPG format JPG zapis - + SVG format SVG zapis - - + + PDF format PDF zapis - - + + Graphviz format Graphviz format - - - + + + Export graph Izvozi graf @@ -6133,63 +6133,83 @@ Ali želite shraniti spremembe? Gui::MainWindow - - + + Dimension Mera - + Ready Pripravljen - + Close All Zapri vse - - - + + + Toggles this toolbar Preklopi to orodno vrstico - - - + + + Toggles this dockable window Preklopi to usidrivo okno - + + Safe mode enabled + Safe mode enabled + + + + FreeCAD is now running in safe mode. + FreeCAD is now running in safe mode. + + + + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + + + WARNING: This is a development version. OPOZORILO: To je razvojna različica. - + Please do not use it in a production environment. Please do not use it in a production environment. - - + + Unsaved document Neshranjen dokument - + The exported object contains external link. Please save the documentat least once before exporting. Izvoženi predmet vsebuje zunanje povezave. Pred izvažanjem shranite dokument vsaj enkrat. - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Za povezovanje na zunanje predmete mora biti dokument shranjen vsaj enkrat. Ali želite shraniti dokument zdaj? + + + Safe Mode + Safe Mode + Gui::ManualAlignment @@ -6691,39 +6711,19 @@ Ali želite končati ne da bi shranili podatke? Open file %1 Odpri datoteko %1 - - - File not found - Datoteke ni mogoče najti - - - - The file '%1' cannot be opened. - Datoteke '%1' ni mogoče odpreti. - Gui::RecentMacrosAction - + none nobeden - + Run macro %1 (Shift+click to edit) keyboard shortcut: %2 Zaženi makro %1 (PREMAKNI+kliknite za urejanje) tipkovna bližnjica: %2 - - - File not found - Datoteke ni mogoče najti - - - - The file '%1' cannot be opened. - Datoteke '%1' ni mogoče odpreti. - Gui::RevitNavigationStyle @@ -6978,7 +6978,7 @@ Ali želite navesti drugo mapo? Gui::TaskView::TaskDialog - + A dialog is already open in the task panel Pogovorno okno je že odprto v podoknu nalog @@ -7007,38 +7007,8 @@ Ali želite navesti drugo mapo? Gui::TextDocumentEditorView - - Text updated - Besedilo posodobljeno - - - - The text of the underlying object has changed. Discard changes and reload the text from the object? - Besedilo osnovnega predmeta je bilo spremenjeno. Želite zavreči spremembe in znova naložiti besedilo iz predmeta? - - - - Yes, reload. - Da, ponovno naloži. - - - - Unsaved document - Neshranjen dokument - - - - Do you want to save your changes before closing? - Ali želite pred zapiranjem shraniti spremembe? - - - - If you don't save, your changes will be lost. - Če ne shranite, bodo spremembe izgubljene. - - - - + + Edit text Uredi besedilo @@ -7315,7 +7285,7 @@ Ali želite navesti drugo mapo? Gui::TreeDockWidget - + Tree view Drevesni prikaz @@ -7323,7 +7293,7 @@ Ali želite navesti drugo mapo? Gui::TreePanel - + Search Poišči @@ -7381,148 +7351,148 @@ Ali želite navesti drugo mapo? Skupina - + Labels & Attributes Oznake in značilke - + Description Opis - + Internal name Internal name - + Show items hidden in tree view Prikaži predmete, skrite v drevesnem pogledu - + Show items that are marked as 'hidden' in the tree view Prikaži predmete, ki so v drevesnem pogledu označeni kot "skriti" - + Toggle visibility in tree view Preklopi vidnost v drevesnem pogledu - + Toggles the visibility of selected items in the tree view Preklopi vidnost izbranih predmetov v drevesnem pogledu - + Create group Ustvari skupino - + Create a group Ustvarite skupino - - + + Rename Preimenuj - + Rename object Preimenuj predmet - + Finish editing Zaključi urejanje - + Finish editing object Zaključi urejanje predmeta - + Add dependent objects to selection Dodaj izboru odvisne predmete - + Adds all dependent objects to the selection Doda izboru vse odvisne predmete - + Close document Zapri dokument - + Close the document Zapri dokument - + Reload document Ponovno naloži dokument - + Reload a partially loaded document Ponovno naloži delno naložen dokument - + Skip recomputes Preskoči ponovne preračune - + Enable or disable recomputations of document Omogoči ali onemogoči ponovni preračun dokumenta - + Allow partial recomputes Dovoli delno praračunavanje - + Enable or disable recomputating editing object when 'skip recomputation' is enabled Omogoči ali onemogoči preračunavanje urejevanih predmetov, ko je onemogočeno "Preskoči preračunavanje" - + Mark to recompute Označi za ponovni izračun - + Mark this object to be recomputed Označi ta predmet za ponovni preračun - + Recompute object Preračunaj predmete - + Recompute the selected object Preračunaj izbranie predmet - + (but must be executed) (vendar mora biti izvedeno) - + %1, Internal name: %2 %1, Notranje ime: %2 @@ -7734,47 +7704,47 @@ Ali želite navesti drugo mapo? QDockWidget - + Tree view Drevesni prikaz - + Tasks Opravila - + Property view Pogled z lastnostmi - + Selection view Pogled na izbor - + Task List Seznam nalog - + Model Model - + DAG View DAG pogled - + Report view Poročevalni pogled - + Python console Pythonova ukazna miza @@ -7814,35 +7784,35 @@ Ali želite navesti drugo mapo? Python - - - + + + Unknown filetype Neznana vrsta datoteke - - + + Cannot open unknown filetype: %1 Neznane vrste datoteke ni mogoče odpreti: %1 - + Export failed Izvažanje spodletelo - + Cannot save to unknown filetype: %1 Ni mogoče shraniti v neznano vrsto datoteke: %1 - + Recomputation required Recomputation required - + Some document(s) require recomputation for migration purposes. It is highly recommended to perform a recomputation before any modification to avoid compatibility problems. Do you want to recompute now? @@ -7851,24 +7821,24 @@ Do you want to recompute now? Do you want to recompute now? - + Recompute error Recompute error - + Failed to recompute some document(s). Please check report view for more details. Failed to recompute some document(s). Please check report view for more details. - + Workbench failure Napaka delovnega okolja - + %1 %1 @@ -7914,90 +7884,105 @@ Please check report view for more details. Uvozi datoteko - + Export file Izvozi datoteko - + Printing... Tiskanje ... - + Exporting PDF... Izvažanje PDF... - - + + Unsaved document Neshranjen dokument - + The exported object contains external link. Please save the documentat least once before exporting. Izvoženi predmet vsebuje zunanje povezave. Pred izvažanjem shranite dokument vsaj enkrat. - - + + Delete failed Brisanje spodletelo - + Dependency error Napaka odvisnosti - + Copy selected Kopiraj izbrano - + Copy active document Kopiraj dejavni dokument - + Copy all documents Kopiraj vse dokumente - + Paste Prilepi - + Expression error Napaka izraza - + Failed to parse some of the expressions. Please check the Report View for more details. Nekaterh izrazov ni bilo mogoče razčleniti. Za več podrobnosti poglejte Poročevalni pogled. - + Failed to paste expressions Izraza ni bilo mogoče prilepiti - + Cannot load workbench Delovnega okolja ni mogoče naložiti - + A general error occurred while loading the workbench Splošna napaka med nalaganjem delovnega okolja + + + Restart in safe mode + Restart in safe mode + + + + Are you sure you want to restart FreeCAD and enter safe mode? + Are you sure you want to restart FreeCAD and enter safe mode? + + + + Safe mode temporarily disables your configuration and addons. + Safe mode temporarily disables your configuration and addons. + @@ -8222,7 +8207,7 @@ Ali želite nadaljevati? Preveč odprtih nevsivljivih obvestil. Obvestila so prezrta! - + Identical physical path detected. It may cause unwanted overwrite of existing document! @@ -8231,44 +8216,44 @@ Ali želite nadaljevati? - + Are you sure you want to continue? Ali ste prepričani da želite nadaljevati? - + Please check report view for more... Za več informacij poglejte poročevalni pogled ... - + Physical path: Tvarna pot: - - + + Document: Dokument: - - + + Path: Pot: - + Identical physical path Enaka tvarna pot - + Could not save document Dokumenta ni bilo mogoče shraniti - + There was an issue trying to save the file. This may be because some of the parent folders do not exist, or you do not have sufficient permissions, or for other reasons. Error details: "%1" @@ -8281,102 +8266,102 @@ Would you like to save the file with a different name? Ali želite datoteko shraniti z drugačnim imenom? - - - + + + Saving aborted Shranjevanje prekinjeno - + Save dependent files Shrani odvisne datoteke - + The file contains external dependencies. Do you want to save the dependent files, too? Datoteka vsebuje zunanje odvisnosti. Ali želite shraniti tudi odvisne datoteke? - - + + Saving document failed Shranjevanje dokumenta spodletelo - + Save document under new filename... Shrani dokument z novim imenom datoteke … - - + + Save %1 Document Shrani dokument %1 - + Document Dokument - - + + Failed to save document Shranjevanje dokumenta spodletelo - + Documents contains cyclic dependencies. Do you still want to save them? Dokumenti vsebujejo krožne odvisnosti. Jih vseeno želite shraniti? - + Save a copy of the document under new filename... Shrani dvojnik dokumenta z novim imenom … - + %1 document (*.FCStd) Dokument %1 (*.FCStd) - + Document not closable Dokumenta ni mogoče zapreti - + The document is not closable for the moment. Dokumenta trenutno ni mogoče zapreti. - + Document not saved Dokument ni shranjen - + The document%1 could not be saved. Do you want to cancel closing it? Dokumenta%1 ni bilo mogoče shraniti. Ali želite preklicati zapiranje? - + Undo Razveljavi - + Redo Ponovno uveljavi - + There are grouped transactions in the following documents with other preceding transactions V sledečih dokumentih so skupinske izmenjava z drugimi predhodnimi izmenjavami - + Choose 'Yes' to roll back all preceding transactions. Choose 'No' to roll back in the active document only. Choose 'Abort' to abort @@ -8470,7 +8455,7 @@ Izberite "Prekini" za prekinitev Datoteke %1 ni mogoče najti v %2 niti v %3 - + Navigation styles Slogi krmarjenja @@ -8481,47 +8466,47 @@ Izberite "Prekini" za prekinitev Preoblikuj - + Do you want to close this dialog? Ali želite zapreti to pogovorno okno? - + Do you want to save your changes to document '%1' before closing? Ali želite pred zapiranjem shraniti spremembe dokumenta '%1'? - + Do you want to save your changes to document before closing? Ali želite pred zapiranjem shraniti spremembe dokumenta? - + If you don't save, your changes will be lost. Če ne shranite, bodo spremembe izgubljene. - + Apply answer to all Uporabi odgovor za vse - + %1 Document(s) not saved %1 Dokumenti niso shranjeni - + Some documents could not be saved. Do you want to cancel closing? Določenih dokumentov se ni dalo zapreti. Ali želite preklicati zapiranje? - + Delete macro Izbriši makro - + Not allowed to delete system-wide macros Sistemskih makrov ni dovoljeno izbrisati @@ -8617,10 +8602,10 @@ Izberite "Prekini" za prekinitev - - - - + + + + Invalid name Neveljavno ime @@ -8633,25 +8618,25 @@ in podčrtaj ter se ne smo začeti s števko. - + The property name is a reserved word. The property name is a reserved word. - + The property '%1' already exists in '%2' Lastnost '%1' že obstaja v '%2' - + Add property Dodaj lastnost - + Failed to add property to '%1': %2 Ni bilo mogoče dodati lastnosti v '%1': %2 @@ -8937,14 +8922,14 @@ bodo izgubljene. Suppressed - + The property name must only contain alpha numericals, underscore, and must not start with a digit. The property name must only contain alpha numericals, underscore, and must not start with a digit. - + The group name must only contain alpha numericals, underscore, and must not start with a digit. The group name must only contain alpha numericals, @@ -8991,13 +8976,13 @@ underscore, and must not start with a digit. StdCmdAbout - + &About %1 &O %1u - - + + About %1 O %1u @@ -9005,13 +8990,13 @@ underscore, and must not start with a digit. StdCmdAboutQt - + About &Qt O &Qt-ju - - + + About Qt O Qt-ju @@ -9047,13 +9032,13 @@ underscore, and must not start with a digit. StdCmdAlignment - + Alignment... Poravnava … - - + + Align the selected objects Poravnaj izbrane predmete @@ -9117,13 +9102,13 @@ underscore, and must not start with a digit. StdCmdCommandLine - + Start command &line... Zaženi &ukazno vrstico … - - + + Opens the command line in the console Odpre ukazno vrstico v ukazni mizi @@ -9131,13 +9116,13 @@ underscore, and must not start with a digit. StdCmdCopy - + C&opy K&opiraj - - + + Copy operation Kopiranje @@ -9145,13 +9130,13 @@ underscore, and must not start with a digit. StdCmdCut - + &Cut I&zreži - - + + Cut out Izreži @@ -9159,13 +9144,13 @@ underscore, and must not start with a digit. StdCmdDelete - + &Delete Iz&briši - - + + Deletes the selected objects Izbriše izbrane predmete @@ -9187,13 +9172,13 @@ underscore, and must not start with a digit. StdCmdDependencyGraph - + Dependency graph... Graf odvisnosti … - - + + Show the dependency graph of the objects in the active document Prikaži graf odvisnosti predmetov v dejavnem dokumentu @@ -9201,13 +9186,13 @@ underscore, and must not start with a digit. StdCmdDlgCustomize - + Cu&stomize... &Prilagodi … - - + + Customize toolbars and command bars Prilagodi orodne in ukazne vrstice @@ -9267,13 +9252,13 @@ underscore, and must not start with a digit. StdCmdDlgParameter - + E&dit parameters ... &Uredi določilke ... - - + + Opens a Dialog to edit the parameters Odpre pogovorno okno za urejanje določilk @@ -9281,13 +9266,13 @@ underscore, and must not start with a digit. StdCmdDlgPreferences - + &Preferences ... &Prednastavitve ... - - + + Opens a Dialog to edit the preferences Odpre pogovorno okno za urejanje prednastavitev @@ -9323,13 +9308,13 @@ underscore, and must not start with a digit. StdCmdDuplicateSelection - + Duplicate selection Podvoji izbor - - + + Put duplicates of the selected objects to the active document Vstavi dvojnike izbranih predmetov v dejavni dokument @@ -9337,17 +9322,17 @@ underscore, and must not start with a digit. StdCmdEdit - + Toggle &Edit mode Pr&eklopi način urejanja - + Toggles the selected object's edit mode Preklopi način urejanja izbranih predmetov - + Activates or Deactivates the selected object's edit mode Omogoči ali onemogoči urejevalni način izbranih predmetov @@ -9366,12 +9351,12 @@ underscore, and must not start with a digit. Izvozi predmet v dejavnem dokumentu - + No selection Brez izbora - + Select the objects to export before choosing Export. Izberite predmete, ki jih želite izvoziti, preden izberete Izvoz. @@ -9379,13 +9364,13 @@ underscore, and must not start with a digit. StdCmdExpression - + Expression actions Dejanja izrazov - - + + Actions that apply to expressions Dejanja, ki veljajo za izraze @@ -9407,12 +9392,12 @@ underscore, and must not start with a digit. StdCmdFreeCADDonation - + Donate Darujte - + Donate to FreeCAD development Darujte FreeCADovemu razvoju @@ -9420,17 +9405,17 @@ underscore, and must not start with a digit. StdCmdFreeCADFAQ - + FreeCAD FAQ Pogosta vprašanja FreeCAD - + Frequently Asked Questions on the FreeCAD website Pogosta vprašanja na spletni strani FreeCAD - + Frequently Asked Questions Pogosta vprašanja @@ -9438,17 +9423,17 @@ underscore, and must not start with a digit. StdCmdFreeCADForum - + FreeCAD Forum Forum o FreeCADu - + The FreeCAD forum, where you can find help from other users Forum FreeCADa, kjer lahko poiščete pomoč drugih uporabnikov - + The FreeCAD Forum Forum o FreeCADu @@ -9456,17 +9441,17 @@ underscore, and must not start with a digit. StdCmdFreeCADPowerUserHub - + Python scripting documentation Dokumentacija o skriptih Pythona - + Python scripting documentation on the FreeCAD website Dokumentacija o skriptih Pythona na spletni strani FreeCAD - + PowerUsers documentation Dokumentacija za napredne uporabnike @@ -9474,13 +9459,13 @@ underscore, and must not start with a digit. StdCmdFreeCADUserHub - - + + Users documentation Dokumentacija za uporabnike - + Documentation for users on the FreeCAD website Dokumentacija za uporabnike na spletni strani FreeCAD @@ -9488,13 +9473,13 @@ underscore, and must not start with a digit. StdCmdFreeCADWebsite - - + + FreeCAD Website Spletna stran FreeCADa - + The FreeCAD website Spletna stran FreeCADa @@ -9809,25 +9794,25 @@ underscore, and must not start with a digit. StdCmdMergeProjects - + Merge document... Merge document... - - - - + + + + Merge document Merge document - + %1 document (*.FCStd) Dokument %1 (*.FCStd) - + Cannot merge document with itself. Cannot merge document with itself. @@ -9835,18 +9820,18 @@ underscore, and must not start with a digit. StdCmdNew - + &New &Nov - - + + Create a new empty document Ustvari nov, prazen dokument - + Unnamed Neimenovan @@ -9855,13 +9840,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelp - - + + Help Pomoč - + Show help to the application Prikaži pomoč za program @@ -9869,13 +9854,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelpWebsite - - + + Help Website Spletna stran za pomoč - + The website where the help is maintained Spletna stran, kjer je pomoč vzdrževana @@ -9930,13 +9915,13 @@ underscore, and must not start with a digit. StdCmdPaste - + &Paste &Prilepi - - + + Paste operation Lepljenje @@ -9944,13 +9929,13 @@ underscore, and must not start with a digit. StdCmdPlacement - + Placement... Postavitev … - - + + Place the selected objects Postavi izbrane predmete @@ -9958,13 +9943,13 @@ underscore, and must not start with a digit. StdCmdPrint - + &Print... &Natisni ... - - + + Print the document Natisni dokument @@ -9972,13 +9957,13 @@ underscore, and must not start with a digit. StdCmdPrintPdf - + &Export PDF... Izvozi &PDF … - - + + Export the document as PDF Izvozi dokument kot PDF @@ -9986,17 +9971,17 @@ underscore, and must not start with a digit. StdCmdPrintPreview - + &Print preview... P&redogled tiskanja … - + Print the document Natisni dokument - + Print preview Predogled tiskanja @@ -10004,13 +9989,13 @@ underscore, and must not start with a digit. StdCmdPythonWebsite - - + + Python Website Spletna stran Python - + The official Python website Uradna spletna stran Pythona @@ -10018,13 +10003,13 @@ underscore, and must not start with a digit. StdCmdQuit - + E&xit Iz&hod - - + + Quits the application Zapre program @@ -10046,13 +10031,13 @@ underscore, and must not start with a digit. StdCmdRecentFiles - + Open Recent Odpri nedavne - - + + Recent file list Seznam nedavnih datotek @@ -10060,13 +10045,13 @@ underscore, and must not start with a digit. StdCmdRecentMacros - + Recent macros Nedavni makri - - + + Recent macro list Seznam nedavnih makrov @@ -10074,13 +10059,13 @@ underscore, and must not start with a digit. StdCmdRedo - + &Redo &Uveljavi - - + + Redoes a previously undone action Uveljavi prej razveljavljeno dejanje @@ -10088,13 +10073,13 @@ underscore, and must not start with a digit. StdCmdRefresh - + &Refresh &Osveži - - + + Recomputes the current active document Ponovno izračuna trenutno dejavni dokument @@ -10102,13 +10087,13 @@ underscore, and must not start with a digit. StdCmdReportBug - + Report a bug Prijavite napako - - + + Report a bug or suggest a feature Prijavite napako ali predlagajte novo zmožnost @@ -10116,13 +10101,13 @@ underscore, and must not start with a digit. StdCmdRevert - + Revert Povrni - - + + Reverts to the saved version of this file Povrnitev na shranjeno različico te datoteke @@ -10130,13 +10115,13 @@ underscore, and must not start with a digit. StdCmdSave - + &Save &Shrani - - + + Save the active document Shrani dejavni dokument @@ -10144,13 +10129,13 @@ underscore, and must not start with a digit. StdCmdSaveAll - + Save All Shrani vse - - + + Save all opened document Shrani vse odprte dokumente @@ -10158,13 +10143,13 @@ underscore, and must not start with a digit. StdCmdSaveAs - + Save &As... Shr&ani kot … - - + + Save the active document under a new file name Shrani dejavni dokument z novim imenom @@ -10172,13 +10157,13 @@ underscore, and must not start with a digit. StdCmdSaveCopy - + Save a &Copy... Shrani &kopijo … - - + + Save a copy of the active document under a new file name Shrani kopijo dejavnega dokumenta z novim imenom datoteke @@ -10214,13 +10199,13 @@ underscore, and must not start with a digit. StdCmdSelectAll - + Select &All Izberi &vse - - + + Select all Izberi vse @@ -10298,13 +10283,13 @@ underscore, and must not start with a digit. StdCmdTextDocument - + Add text document Dodaj besedilni dokument - - + + Add text document to active document Dodaj dejavnemu dokumentu besedilni dokument @@ -10438,13 +10423,13 @@ underscore, and must not start with a digit. StdCmdTransform - + Transform... Preoblikuj … - - + + Transform the geometry of selected objects Preoblikuj geometrijo izbranih predmetov @@ -10452,13 +10437,13 @@ underscore, and must not start with a digit. StdCmdTransformManip - + Transform Preoblikuj - - + + Transform the selected object in the 3d view Preoblikuj izbrani predmet v prostorskem pogledu @@ -10522,13 +10507,13 @@ underscore, and must not start with a digit. StdCmdUndo - + &Undo &Razveljavi - - + + Undo exactly one action Razveljavi natanko eno dejanje @@ -10536,13 +10521,13 @@ underscore, and must not start with a digit. StdCmdUserEditMode - + Edit mode Način urejanja - - + + Defines behavior when editing an object from tree Opredeljuje obnašanje pri urejanju predmeta iz drevesa @@ -10942,13 +10927,13 @@ underscore, and must not start with a digit. StdCmdWhatsThis - + &What's This? &Kaj je to? - - + + What's This Kaj je to? @@ -10984,13 +10969,13 @@ underscore, and must not start with a digit. StdCmdWorkbench - + Workbench Delovno okolje - - + + Switch between workbenches Preklopi med delovnimi okolji @@ -11314,7 +11299,7 @@ underscore, and must not start with a digit. Std_Delete - + The following referencing objects might break. Are you sure you want to continue? @@ -11325,7 +11310,7 @@ Ali želite vseeno nadaljevati? - + Object dependencies Odvisnosti predmetov @@ -11333,7 +11318,7 @@ Ali želite vseeno nadaljevati? Std_DependencyGraph - + Dependency graph Graf odvisnosti @@ -11414,12 +11399,12 @@ Ali želite vseeno nadaljevati? Std_DuplicateSelection - + Object dependencies Odvisnosti predmetov - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Za povezovanje na zunanje predmete mora biti dokument shranjen vsaj enkrat. @@ -11437,7 +11422,7 @@ Ali želite shraniti dokument zdaj? Std_Refresh - + The document contains dependency cycles. Please check the Report View for more details. @@ -11451,17 +11436,17 @@ Ali želite vseeno nadaljevati? Std_Revert - + Revert document Povrni dokument - + This will discard all the changes since last file save. To bo zavrglo vse spremembe od zadnjega shranjevanja datoteke. - + Do you want to continue? Ali želite nadaljevati? @@ -11635,12 +11620,12 @@ Ali želite vseeno nadaljevati? Gui::MDIView - + Export PDF Izvoz PDF - + PDF file Datoteka PDF @@ -12334,82 +12319,82 @@ Currently, your system has the following workbenches:</p></body>< Predogled: - + Text Besedilo - + Bookmark Zaznamek - + Breakpoint Prekinitvena točka - + Keyword Ključna beseda - + Comment Opomba - + Block comment Večvrstično pojasnilo - + Number Število - + String Niz - + Character Znak - + Class name Ime razreda - + Define name Določi ime - + Operator Operator - + Python output Izpis Pythona - + Python error Napaka Pythona - + Current line highlight Poudarjanje trenutne vrstice - + Items Predmeti @@ -12920,13 +12905,13 @@ s Pythonove ukazne mize na poročilno podokno StdCmdExportDependencyGraph - + Export dependency graph... Export dependency graph... - - + + Export the dependency graph to a file Export the dependency graph to a file @@ -13364,13 +13349,13 @@ the region are non-opaque. StdCmdProjectInfo - + Document i&nformation... Document i&nformation... - - + + Show details of the currently active document Show details of the currently active document @@ -13378,13 +13363,13 @@ the region are non-opaque. StdCmdProjectUtil - + Document utility... Document utility... - - + + Utility to extract or create document files Utility to extract or create document files @@ -13406,12 +13391,12 @@ the region are non-opaque. StdCmdProperties - + Properties Lastnosti - + Show the property view, which displays the properties of the selected object. Show the property view, which displays the properties of the selected object. @@ -13462,13 +13447,13 @@ the region are non-opaque. StdCmdReloadStyleSheet - + &Reload stylesheet &Reload stylesheet - - + + Reloads the current stylesheet Reloads the current stylesheet @@ -13745,15 +13730,38 @@ the region are non-opaque. StdCmdUnitsCalculator - + &Units converter... &Units converter... - - + + Start the units converter Start the units converter + + Gui::ModuleIO + + + File not found + Datoteke ni mogoče najti + + + + The file '%1' cannot be opened. + Datoteke '%1' ni mogoče odpreti. + + + + StdCmdRestartInSafeMode + + + + + Restart in safe mode + Restart in safe mode + + diff --git a/src/Gui/Language/FreeCAD_sr-CS.ts b/src/Gui/Language/FreeCAD_sr-CS.ts index 02a2610ee21c..1f94ab1f221d 100644 --- a/src/Gui/Language/FreeCAD_sr-CS.ts +++ b/src/Gui/Language/FreeCAD_sr-CS.ts @@ -91,17 +91,17 @@ Uredi - + Import Uvezi - + Delete Obriši - + Paste expressions Nalepi izraz @@ -131,7 +131,7 @@ Uvezi sve spone - + Insert text document Umetni tekstualni dokument @@ -424,42 +424,42 @@ EditMode - + Default Podrazumevano - + The object will be edited using the mode defined internally to be the most appropriate for the object type Objekat će biti uređivan korišćenjem interno definisanog režima koji je najprikladniji za taj tip objekta - + Transform Pomeri - + The object will have its placement editable with the Std TransformManip command Objekat će imati svoj položaj koji se može uređivati pomoću komande Std TransformManip - + Cutting Cutting - + This edit mode is implemented as available but currently does not seem to be used by any object Ovaj režim uređivanja je implementiran kao dostupan, ali trenutno izgleda da ga nijedan objekat ne koristi - + Color Boja - + The object will have the color of its individual faces editable with the Part FaceAppearances command Objekat će imati boju svojih pojedinačnih stranica koje se mogu uređivati komandom Part FaceColors @@ -681,8 +681,8 @@ dok pritiskš levim ili desnim tasterom i pomeraš miša gore ili dole - Word size - Broj bita u reči + Architecture + Architecture @@ -707,52 +707,52 @@ dok pritiskš levim ili desnim tasterom i pomeraš miša gore ili dole Gui::Dialog::AboutDialog - - + + Credits - Header for the Credits tab of the About screen Zasluge - + + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + Header for bgbsww + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + + + FreeCAD would not be possible without the contributions of Spisak svih koji su dali doprinos pri stvaranju FreeCAD-a - + Individuals Header for the list of individual people in the Credits list. Pojedinci - + Organizations Header for the list of companies/organizations in the Credits list. Organizacije - - + + License Licenca - + Libraries Biblioteke - - This software uses open source components whose copyright and other proprietary rights belong to their respective owners: - Ovaj softver koristi komponente otvorenog koda čija autorska prava i druga vlasnička prava pripadaju njihovim vlasnicima: - - - + Collection Kolekcija - + Privacy Policy Politika privatnosti @@ -1409,8 +1409,8 @@ pokrenuće se ona sa najvećim prioritetom. Gui::Dialog::DlgCustomToolBoxbarsImp - - + + Toolbox bars Paleta sa alatkama @@ -1499,40 +1499,40 @@ pokrenuće se ona sa najvećim prioritetom. - + <Separator> <Separator> - + %1 module not loaded %1 modul nije učitan - + New toolbar Nova paleta sa alatkama - - + + Toolbar name: Ime palete alatki: - - + + Duplicated name Duplirano ime - - + + The toolbar name '%1' is already used Ime palete alatki '%1' se već koristi - + Rename toolbar Preimenuj paletu sa alatkama @@ -1746,71 +1746,71 @@ pokrenuće se ona sa najvećim prioritetom. Gui::Dialog::DlgMacroExecuteImp - + Macros Makro-i - + Read-only Samo za čitanje - + Macro file Makro datoteka - + Enter a file name, please: Unesi naziv datoteke: - - - + + + Existing file Postojeća datoteka - + '%1'. This file already exists. '%1' Ova datoteka već postoji. - + Cannot create file Ne mogu napraviti datoteku - + Creation of file '%1' failed. Pravljenje datoteke '%1' neuspešno. - + Delete macro Obriši makro - + Do you really want to delete the macro '%1'? Da li stvarno želiš obrisati makro '%1'? - + Do not show again Ne pokazuj ponovo - + Guided Walkthrough Interaktivna tura - + This will guide you in setting up this macro in a custom global toolbar. Instructions will be in red text inside the dialog. Note: your changes will be applied when you next switch workbenches @@ -1821,78 +1821,78 @@ Napomena: Promene će biti primenjene kada sledeći put promeniš radno okružen - + Walkthrough, dialog 1 of 2 Interaktivni vodič, dijalog 1 od 2 - + Walkthrough instructions: Fill in missing fields (optional) then click Add, then Close Interaktivni vodič: Popuni polja koja nedostaju (neobavezno), zatim klikni na Dodaj, a zatim na Zatvori - + Walkthrough, dialog 1 of 1 Interaktivni vodič, dijalog 1 od 1 - + Walkthrough, dialog 2 of 2 Interaktivni vodič, dijalog 2 od 2 - - Walkthrough instructions: Click right arrow button (->), then Close. - Uputstva: Kliknite na dugme sa strelicom nadesno (->), a zatim Zatvori. + + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. - Walkthrough instructions: Click New, then right arrow (->) button, then Close. - Uputstva: Kliknite na Novi, zatim na dugme sa strelicom nadesno (->), a zatim na Zatvori. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. - + Renaming Macro File Preimenovanje datoteke makro-a - - + + Enter new name: Unesi novo ime: - - + + '%1' already exists. '%1' već postoji. - + Rename Failed Preimenovanje nije uspelo - + Failed to rename to '%1'. Perhaps a file permission error? Nije uspelo preimenovanje u „%1“. Možda je greška u nivou pristupu datoteki? - + Duplicate Macro Dupliraj makro - + Duplicate Failed Dupliranje nije uspelo - + Failed to duplicate to '%1'. Perhaps a file permission error? Nije uspelo dupliranje u „%1“. @@ -5898,81 +5898,81 @@ Da li želiš da sačuvaš promene? Gui::GraphvizView - + Graphviz not found Graphviz nije pronađen - + Graphviz couldn't be found on your system. Graphviz nije pronađen na vašem sistemu. - + Read more about it here. Pročitaj više o tome ovde. - + Do you want to specify its installation path if it's already installed? Ako je već instaliran navedi putanju ka fascikli u koju je instaliran? - + Graphviz installation path Graphviz instalaciona putanja - + Graphviz failed Graphviz otkazao - + Graphviz failed to create an image file Graphviz nije uspeo da napravi datoteku slike - + PNG format PNG format - + Bitmap format Bitmap format - + GIF format GIF format - + JPG format JPG format - + SVG format SVG format - - + + PDF format PDF format - - + + Graphviz format Graphviz format - - - + + + Export graph Izvezi grafikon @@ -6132,63 +6132,83 @@ Da li želiš da sačuvaš promene? Gui::MainWindow - - + + Dimension Merne jedinice - + Ready Spreman - + Close All Zatvori sve - - - + + + Toggles this toolbar Uključuje/isključuje ovu paletu alata - - - + + + Toggles this dockable window Uključuje/isključuje vidljivost ovog usidrenog prozora - + + Safe mode enabled + Safe mode enabled + + + + FreeCAD is now running in safe mode. + FreeCAD is now running in safe mode. + + + + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + + + WARNING: This is a development version. UPOZORENJE: Ovo je razvojna verzija. - + Please do not use it in a production environment. Ovo je razvojna verzija i nemojte je koristiti za profesionalnu upotrebu. - - + + Unsaved document Nesačuvan dokument - + The exported object contains external link. Please save the documentat least once before exporting. Izvezeni objekat sadrži spoljnu vezu. Sačuvaj dokument bar jednom pre nego što ga izvezeš. - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Da bi se povezali sa spoljnim objektima, dokument mora biti sačuvan najmanje jednom. Da li želiš sada da sačuvaš dokument? + + + Safe Mode + Safe Mode + Gui::ManualAlignment @@ -6690,39 +6710,19 @@ Da li želiš izaći bez čuvanja podataka? Open file %1 Otvori datoteku %1 - - - File not found - Datoteka nije nađena - - - - The file '%1' cannot be opened. - Datoteka '%1' se ne može otvoriti. - Gui::RecentMacrosAction - + none ništa - + Run macro %1 (Shift+click to edit) keyboard shortcut: %2 Pokreni makro %1 (Shift+klik za uređivanje) prečica na tastaturi: %2 - - - File not found - Datoteka nije nađena - - - - The file '%1' cannot be opened. - Datoteka '%1' se ne može otvoriti. - Gui::RevitNavigationStyle @@ -6977,7 +6977,7 @@ Do you want to specify another directory? Gui::TaskView::TaskDialog - + A dialog is already open in the task panel Dijalog je već otvoren u Panelu zadataka @@ -7006,38 +7006,8 @@ Do you want to specify another directory? Gui::TextDocumentEditorView - - Text updated - Tekst je izmenjen - - - - The text of the underlying object has changed. Discard changes and reload the text from the object? - Tekst osnovnog objekta je promenjen. Odbaci promene i ponovo učitaj tekst iz objekta? - - - - Yes, reload. - Da, ponovo učitaj. - - - - Unsaved document - Nesačuvan dokument - - - - Do you want to save your changes before closing? - Da li želiš da sačuvaš promene pre zatvaranja? - - - - If you don't save, your changes will be lost. - Ako ne sačuvaš, promene će biti izgubljene. - - - - + + Edit text Uredi tekst @@ -7314,7 +7284,7 @@ Do you want to specify another directory? Gui::TreeDockWidget - + Tree view Stablo dokumenta @@ -7322,7 +7292,7 @@ Do you want to specify another directory? Gui::TreePanel - + Search Pretraga @@ -7380,148 +7350,148 @@ Do you want to specify another directory? Grupa - + Labels & Attributes Oznake & Atributi - + Description Opis - + Internal name Unutrašnje ime - + Show items hidden in tree view Prikaži sakrivene stavke u stablu dokumenta - + Show items that are marked as 'hidden' in the tree view Prikaži stavke koje su u stablu dokumenta označene kao 'sakrivene' - + Toggle visibility in tree view Uključi/isključi vidljivost u stablu dokumenta - + Toggles the visibility of selected items in the tree view Uključi/isključi vidljivost izabranih stavki u stablu dokumenta - + Create group Napravi grupu - + Create a group Napravi grupu - - + + Rename Preimenuj - + Rename object Preimenuj objekat - + Finish editing Završi uređivanje - + Finish editing object Završi uređivanje objekta - + Add dependent objects to selection Dodaj zavisne objekte izboru - + Adds all dependent objects to the selection Dodaje sve zavisne objekte izboru - + Close document Zatvori dokument - + Close the document Zatvori dokument - + Reload document Učitaj dokument ponovo - + Reload a partially loaded document Učitaj ponovo delimično učitan dokument - + Skip recomputes Preskoči ponovna preračunavanja - + Enable or disable recomputations of document Omogući ili onemogući ponovno preračunavanje dokumenta - + Allow partial recomputes Dozvoli delimična preračunavanja - + Enable or disable recomputating editing object when 'skip recomputation' is enabled Enable or disable recomputating editing object when 'skip recomputation' is enabled - + Mark to recompute Označi za ponovno izračunavanje - + Mark this object to be recomputed Označi ovaj objekat za ponovno izračunavanje - + Recompute object Ponovno preračunaj objekat - + Recompute the selected object Ponovno preračunaj izabrani objekat - + (but must be executed) (ali mora da se izvrši) - + %1, Internal name: %2 %1, Unutrašnje ime: %2 @@ -7733,47 +7703,47 @@ Do you want to specify another directory? QDockWidget - + Tree view Stablo dokumenta - + Tasks Zadaci - + Property view Osobine prikaza - + Selection view Pregledač izbora - + Task List Lista zadataka - + Model Model - + DAG View DAG View - + Report view Pregledač objava - + Python console Python konzola @@ -7813,59 +7783,59 @@ Do you want to specify another directory? Python - - - + + + Unknown filetype Nepoznata vrsta datoteke - - + + Cannot open unknown filetype: %1 Ne mogu otvoriti nepoznatu vrstu datoteke: %1 - + Export failed Izvoz nije uspeo - + Cannot save to unknown filetype: %1 Ne mogu sačuvati nepoznatu vrstu datoteke: %1 - + Recomputation required Potreban je ponovni proračun - + Some document(s) require recomputation for migration purposes. It is highly recommended to perform a recomputation before any modification to avoid compatibility problems. Do you want to recompute now? Zbog migracije neki dokumenti zahtevaju ponovno izračunavanje. Da bi se izbegli problemi sa kompatibilnošću, pre bilo kakve izmene preporučljivo je ponovo obaviti proračun? - + Recompute error Greška pri ponovnom izračunavanju - + Failed to recompute some document(s). Please check report view for more details. Nije uspeo ponovni proračun nekih dokumenata. Za više detalja pogledaj Pregledač objava. - + Workbench failure Otkazivanje radnog okruženja - + %1 %1 @@ -7911,90 +7881,105 @@ Za više detalja pogledaj Pregledač objava. Uvezi datoteku - + Export file Izvezi datoteku - + Printing... Štampanje... - + Exporting PDF... Izvozim PDF... - - + + Unsaved document Nesačuvan dokument - + The exported object contains external link. Please save the documentat least once before exporting. Izvezeni objekat sadrži spoljnu vezu. Sačuvaj dokument bar jednom pre nego što ga izvezeš. - - + + Delete failed Brisanje nije uspelo - + Dependency error Greška međuzavisnosti - + Copy selected Kopiraj izabrano - + Copy active document Kopiraj aktivni dokument - + Copy all documents Kopiraj sve dokumente - + Paste Nalepi - + Expression error Greška izraza - + Failed to parse some of the expressions. Please check the Report View for more details. Raščlanjivanje nekih izraza nije uspelo. Pogledaj izveštaj za više detalja. - + Failed to paste expressions Nalepljivanje izraza nije uspelo - + Cannot load workbench Ne mogu učitati radno okruženje - + A general error occurred while loading the workbench Došlo je do opšte greška pri učitavanju radnog okruženja + + + Restart in safe mode + Restart in safe mode + + + + Are you sure you want to restart FreeCAD and enter safe mode? + Are you sure you want to restart FreeCAD and enter safe mode? + + + + Safe mode temporarily disables your configuration and addons. + Safe mode temporarily disables your configuration and addons. + @@ -8219,7 +8204,7 @@ Da li želiš da nastaviš? Previše otvorenih nenametljivih obaveštenja. Obaveštenja se izostavljaju! - + Identical physical path detected. It may cause unwanted overwrite of existing document! @@ -8228,44 +8213,44 @@ Da li želiš da nastaviš? - + Are you sure you want to continue? Da li si siguran da želiš da nastaviš? - + Please check report view for more... Pogledajte izveštaj za više... - + Physical path: Fizička putanja: - - + + Document: Dokument: - - + + Path: Putanja: - + Identical physical path Identična fizička putanja - + Could not save document Nije moguće sačuvati dokument - + There was an issue trying to save the file. This may be because some of the parent folders do not exist, or you do not have sufficient permissions, or for other reasons. Error details: "%1" @@ -8278,102 +8263,102 @@ Would you like to save the file with a different name? Da li želite da sačuvate datoteku pod drugim imenom? - - - + + + Saving aborted Snimanje obustavljeno - + Save dependent files Sačuvaj zavisne datoteke - + The file contains external dependencies. Do you want to save the dependent files, too? Datoteka sadrži spoljne zavisnosti. Da li želiš da sačuvaš i zavisne datoteke? - - + + Saving document failed Snimanje dokumenta nije uspelo - + Save document under new filename... Sačuvaj dokument pod novim imenom... - - + + Save %1 Document Sačuvaj %1 Dokument - + Document Dokument - - + + Failed to save document Nije uspelo snimanje dokumenta - + Documents contains cyclic dependencies. Do you still want to save them? Dokumenti sadrže ciklične zavisnosti. Da li i dalje želiš da ih spaseš? - + Save a copy of the document under new filename... Sačuvaj kopiju dokumenta pod novim imenom datoteke... - + %1 document (*.FCStd) %1 dokument (*.FCStd) - + Document not closable Dokument nije moguće zatvoriti - + The document is not closable for the moment. Trenutno nije moguće zatvoriti dokument. - + Document not saved Dokument nije snimnjen - + The document%1 could not be saved. Do you want to cancel closing it? Dokument%1 nije mogao biti snimljen. Da li želiš da otkažeš zatvaranje? - + Undo Poništi - + Redo Ponovi - + There are grouped transactions in the following documents with other preceding transactions There are grouped transactions in the following documents with other preceding transactions - + Choose 'Yes' to roll back all preceding transactions. Choose 'No' to roll back in the active document only. Choose 'Abort' to abort @@ -8467,7 +8452,7 @@ Izaberi „Prekini“ da bi prekinuo Ne mogu pronaći datoteku %1 ni u %2 ni u %3 - + Navigation styles Navigacioni stilovi @@ -8478,47 +8463,47 @@ Izaberi „Prekini“ da bi prekinuo Pomeri - + Do you want to close this dialog? Da li želiš da zatvoriš ovaj dijalog? - + Do you want to save your changes to document '%1' before closing? Da li želiš da sačuvaš promene u dokument '%1' pre zatvaranja? - + Do you want to save your changes to document before closing? Da li želiš da snimiš promene u dokumentu pre zatvaranja? - + If you don't save, your changes will be lost. Ako ne sačuvaš, promene će biti izgubljene. - + Apply answer to all Primeni odgovor na sve - + %1 Document(s) not saved %1 Dokument(i) nisu snimljeni - + Some documents could not be saved. Do you want to cancel closing? Neki dokumenti nisu mogli biti snimljeni. Da li želiš da otkažeš zatvaranje? - + Delete macro Obriši makro - + Not allowed to delete system-wide macros Nije dozvoljeno brisanje sistemskih makro-a @@ -8614,10 +8599,10 @@ Izaberi „Prekini“ da bi prekinuo - - - - + + + + Invalid name Pogrešno ime @@ -8630,25 +8615,25 @@ donju crtu i ne sme da počinje brojem. - + The property name is a reserved word. The property name is a reserved word. - + The property '%1' already exists in '%2' Osobina „%1“ već postoji u „%2“ - + Add property Dodaj osobinu - + Failed to add property to '%1': %2 Nije uspelo dodavanje osobine u '%1': %2 @@ -8934,14 +8919,14 @@ trenutnoj kopiji biti izgubljene. Ignoriši - + The property name must only contain alpha numericals, underscore, and must not start with a digit. Ime osobine ne sme da počinje brojem i može da sadrži samo alfanumeričke brojeve i donju crtu. - + The group name must only contain alpha numericals, underscore, and must not start with a digit. Ime grupe mora da sadrži samo alfanumeričke znakove, @@ -8988,13 +8973,13 @@ donju crtu i ne sme da počinje brojem. StdCmdAbout - + &About %1 &O %1 - - + + About %1 O %1 @@ -9002,13 +8987,13 @@ donju crtu i ne sme da počinje brojem. StdCmdAboutQt - + About &Qt O &Qt - - + + About Qt O Qt @@ -9044,13 +9029,13 @@ donju crtu i ne sme da počinje brojem. StdCmdAlignment - + Alignment... Poravnaj... - - + + Align the selected objects Poravnaj odabrane objekte @@ -9114,13 +9099,13 @@ donju crtu i ne sme da počinje brojem. StdCmdCommandLine - + Start command &line... Pokreni komandnu liniju... - - + + Opens the command line in the console Otvara komandnu liniju u konzoli @@ -9128,13 +9113,13 @@ donju crtu i ne sme da počinje brojem. StdCmdCopy - + C&opy Kopiraj - - + + Copy operation Operacija kopiranja @@ -9142,13 +9127,13 @@ donju crtu i ne sme da počinje brojem. StdCmdCut - + &Cut &Iseci - - + + Cut out Izreži @@ -9156,13 +9141,13 @@ donju crtu i ne sme da počinje brojem. StdCmdDelete - + &Delete &Obriši - - + + Deletes the selected objects Obriše izabrane objekte @@ -9184,13 +9169,13 @@ donju crtu i ne sme da počinje brojem. StdCmdDependencyGraph - + Dependency graph... Grafikon zavisnosti... - - + + Show the dependency graph of the objects in the active document Prikaži grafikon zavisnosti objekata u aktivnom dokumentu @@ -9198,13 +9183,13 @@ donju crtu i ne sme da počinje brojem. StdCmdDlgCustomize - + Cu&stomize... Prilagodi... - - + + Customize toolbars and command bars Prilagodi palete alatki i komandne trake @@ -9264,13 +9249,13 @@ donju crtu i ne sme da počinje brojem. StdCmdDlgParameter - + E&dit parameters ... Uredi parametre ... - - + + Opens a Dialog to edit the parameters Otvara Dijalog za uređivanje parametara @@ -9278,13 +9263,13 @@ donju crtu i ne sme da počinje brojem. StdCmdDlgPreferences - + &Preferences ... &Podešavanja ... - - + + Opens a Dialog to edit the preferences Otvara dijalog za uređivanje podešavanja @@ -9320,13 +9305,13 @@ donju crtu i ne sme da počinje brojem. StdCmdDuplicateSelection - + Duplicate selection Dupliraj izbor - - + + Put duplicates of the selected objects to the active document Stavi duplikate izabranih objekata u aktivni dokument @@ -9334,17 +9319,17 @@ donju crtu i ne sme da počinje brojem. StdCmdEdit - + Toggle &Edit mode Uključi/isključi režim uređivanja - + Toggles the selected object's edit mode Uključuje/isključuje režim uređivanja izabranog objekta - + Activates or Deactivates the selected object's edit mode Aktivira ili deaktivira režim uređivanja izabranog objekta @@ -9363,12 +9348,12 @@ donju crtu i ne sme da počinje brojem. Izvezi objekat u aktivni dokument - + No selection Ništa izabrano - + Select the objects to export before choosing Export. Izaberi objekte koje želiš da izvezeš pre nego što izabereš Izvoz. @@ -9376,13 +9361,13 @@ donju crtu i ne sme da počinje brojem. StdCmdExpression - + Expression actions Radnje sa izrazima - - + + Actions that apply to expressions Radnje koje se primenjuju na izraze @@ -9404,12 +9389,12 @@ donju crtu i ne sme da počinje brojem. StdCmdFreeCADDonation - + Donate Donirajte - + Donate to FreeCAD development Donirajte da omogućite kvalitetniji razvoj FreeCAD-a @@ -9417,17 +9402,17 @@ donju crtu i ne sme da počinje brojem. StdCmdFreeCADFAQ - + FreeCAD FAQ FreeCAD Česta pitanja - + Frequently Asked Questions on the FreeCAD website Često postavljana pitanja na FreeCAD veb-stranici - + Frequently Asked Questions Često postavljana pitanja @@ -9435,17 +9420,17 @@ donju crtu i ne sme da počinje brojem. StdCmdFreeCADForum - + FreeCAD Forum FreeCAD Forum - + The FreeCAD forum, where you can find help from other users FreeCAD forum, gde možete potražiti pomoć drugih korisnika - + The FreeCAD Forum FreeCAD Forum @@ -9453,17 +9438,17 @@ donju crtu i ne sme da počinje brojem. StdCmdFreeCADPowerUserHub - + Python scripting documentation Dokumentacija o Python skriptovima - + Python scripting documentation on the FreeCAD website Dokumentacija o Python skriptovima na FreeCAD vebsajtu - + PowerUsers documentation PowerUsers documentation @@ -9471,13 +9456,13 @@ donju crtu i ne sme da počinje brojem. StdCmdFreeCADUserHub - - + + Users documentation Korisnička dokumentacija - + Documentation for users on the FreeCAD website Dokumentacija za korisnike na FreeCAD veb-stranici @@ -9485,13 +9470,13 @@ donju crtu i ne sme da počinje brojem. StdCmdFreeCADWebsite - - + + FreeCAD Website FreeCAD Veb-stranica - + The FreeCAD website FreeCAD veb-stranica @@ -9806,25 +9791,25 @@ donju crtu i ne sme da počinje brojem. StdCmdMergeProjects - + Merge document... Objedini dokument... - - - - + + + + Merge document Objedini dokument - + %1 document (*.FCStd) %1 dokument (*.FCStd) - + Cannot merge document with itself. Ne mogu objediniti dokument sa samim sobom. @@ -9832,18 +9817,18 @@ donju crtu i ne sme da počinje brojem. StdCmdNew - + &New &Novi - - + + Create a new empty document Napravi novi prazan dokument - + Unnamed Bez imena @@ -9852,13 +9837,13 @@ donju crtu i ne sme da počinje brojem. StdCmdOnlineHelp - - + + Help Pomoć - + Show help to the application Show help to the application @@ -9866,13 +9851,13 @@ donju crtu i ne sme da počinje brojem. StdCmdOnlineHelpWebsite - - + + Help Website Internet stranica za pomoć - + The website where the help is maintained Veb lokacija na kojoj se nalazi pomoć @@ -9928,13 +9913,13 @@ Namenjen je da organizuje objekte koji prikazuju nešto u 3D pogledu, kao što s StdCmdPaste - + &Paste &Nalepi - - + + Paste operation Nalepi operaciju @@ -9942,13 +9927,13 @@ Namenjen je da organizuje objekte koji prikazuju nešto u 3D pogledu, kao što s StdCmdPlacement - + Placement... Položaj... - - + + Place the selected objects Postavi odabrane objekte @@ -9956,13 +9941,13 @@ Namenjen je da organizuje objekte koji prikazuju nešto u 3D pogledu, kao što s StdCmdPrint - + &Print... &Štampa... - - + + Print the document Štampaj dokument @@ -9970,13 +9955,13 @@ Namenjen je da organizuje objekte koji prikazuju nešto u 3D pogledu, kao što s StdCmdPrintPdf - + &Export PDF... &Izvezi PDF... - - + + Export the document as PDF Izvezi dokument kao PDF @@ -9984,17 +9969,17 @@ Namenjen je da organizuje objekte koji prikazuju nešto u 3D pogledu, kao što s StdCmdPrintPreview - + &Print preview... &Prikaz štampe... - + Print the document Štampaj dokument - + Print preview Prikaz štampe @@ -10002,13 +9987,13 @@ Namenjen je da organizuje objekte koji prikazuju nešto u 3D pogledu, kao što s StdCmdPythonWebsite - - + + Python Website Python Veb-stranica - + The official Python website Zvanična Python veb-stranica @@ -10016,13 +10001,13 @@ Namenjen je da organizuje objekte koji prikazuju nešto u 3D pogledu, kao što s StdCmdQuit - + E&xit Izađi - - + + Quits the application Zatvara aplikaciju @@ -10044,13 +10029,13 @@ Namenjen je da organizuje objekte koji prikazuju nešto u 3D pogledu, kao što s StdCmdRecentFiles - + Open Recent Otvori nedavno - - + + Recent file list Lista nedavnih datoteka @@ -10058,13 +10043,13 @@ Namenjen je da organizuje objekte koji prikazuju nešto u 3D pogledu, kao što s StdCmdRecentMacros - + Recent macros Nedavni makro-i - - + + Recent macro list Lista nedavnih makro-a @@ -10072,13 +10057,13 @@ Namenjen je da organizuje objekte koji prikazuju nešto u 3D pogledu, kao što s StdCmdRedo - + &Redo &Uradi ponovo - - + + Redoes a previously undone action Ponavlja radnju koja je prethodno poništena @@ -10086,13 +10071,13 @@ Namenjen je da organizuje objekte koji prikazuju nešto u 3D pogledu, kao što s StdCmdRefresh - + &Refresh &Osveži - - + + Recomputes the current active document Ponovo izračunava trenutno aktivni dokument @@ -10100,13 +10085,13 @@ Namenjen je da organizuje objekte koji prikazuju nešto u 3D pogledu, kao što s StdCmdReportBug - + Report a bug Prijavi grešku - - + + Report a bug or suggest a feature Prijavi grešku ili zatraži novu funkcionalnost @@ -10114,13 +10099,13 @@ Namenjen je da organizuje objekte koji prikazuju nešto u 3D pogledu, kao što s StdCmdRevert - + Revert Vrati se - - + + Reverts to the saved version of this file Vraća se na sačuvanu verziju ove datoteke @@ -10128,13 +10113,13 @@ Namenjen je da organizuje objekte koji prikazuju nešto u 3D pogledu, kao što s StdCmdSave - + &Save &Sačuvaj - - + + Save the active document Sačuvaj aktivni dokument @@ -10142,13 +10127,13 @@ Namenjen je da organizuje objekte koji prikazuju nešto u 3D pogledu, kao što s StdCmdSaveAll - + Save All Sačuvaj sve - - + + Save all opened document Sačuvaj sve otvorene dokumente @@ -10156,13 +10141,13 @@ Namenjen je da organizuje objekte koji prikazuju nešto u 3D pogledu, kao što s StdCmdSaveAs - + Save &As... Sačuvaj kao... - - + + Save the active document under a new file name Sačuvaj aktivni dokument pod novim imenom datoteke @@ -10170,13 +10155,13 @@ Namenjen je da organizuje objekte koji prikazuju nešto u 3D pogledu, kao što s StdCmdSaveCopy - + Save a &Copy... Sačuvaj kopiju... - - + + Save a copy of the active document under a new file name Sačuvaj kopiju aktivnog dokumenta pod novim imenom datoteke @@ -10212,13 +10197,13 @@ Namenjen je da organizuje objekte koji prikazuju nešto u 3D pogledu, kao što s StdCmdSelectAll - + Select &All Izaberi sve - - + + Select all Izaberi sve @@ -10296,13 +10281,13 @@ Namenjen je da organizuje objekte koji prikazuju nešto u 3D pogledu, kao što s StdCmdTextDocument - + Add text document Dodaj tekstualni dokument - - + + Add text document to active document Dodaj tekstualni dokument u aktivni dokument @@ -10436,13 +10421,13 @@ Namenjen je da organizuje objekte koji prikazuju nešto u 3D pogledu, kao što s StdCmdTransform - + Transform... Pomeri... - - + + Transform the geometry of selected objects Pomeri geometriju izabranih objekata @@ -10450,13 +10435,13 @@ Namenjen je da organizuje objekte koji prikazuju nešto u 3D pogledu, kao što s StdCmdTransformManip - + Transform Pomeri - - + + Transform the selected object in the 3d view Pomeri izabrani objekat u 3D pogledu @@ -10520,13 +10505,13 @@ Namenjen je da organizuje objekte koji prikazuju nešto u 3D pogledu, kao što s StdCmdUndo - + &Undo &Poništi - - + + Undo exactly one action Poništi tačno za jedan korak @@ -10534,13 +10519,13 @@ Namenjen je da organizuje objekte koji prikazuju nešto u 3D pogledu, kao što s StdCmdUserEditMode - + Edit mode Režim za uređivanje - - + + Defines behavior when editing an object from tree Definiše ponašanje prilikom uređivanja objekta preko stabla dokumenta @@ -10940,13 +10925,13 @@ Namenjen je da organizuje objekte koji prikazuju nešto u 3D pogledu, kao što s StdCmdWhatsThis - + &What's This? &Šta je Ovo? - - + + What's This Šta je Ovo @@ -10982,13 +10967,13 @@ Namenjen je da organizuje objekte koji prikazuju nešto u 3D pogledu, kao što s StdCmdWorkbench - + Workbench Radno okruženje - - + + Switch between workbenches Prebaci između radnih okruženja @@ -11312,7 +11297,7 @@ Namenjen je da organizuje objekte koji prikazuju nešto u 3D pogledu, kao što s Std_Delete - + The following referencing objects might break. Are you sure you want to continue? @@ -11323,7 +11308,7 @@ Da li si siguran da želiš da nastaviš? - + Object dependencies Međuzavisnosti objekata @@ -11331,7 +11316,7 @@ Da li si siguran da želiš da nastaviš? Std_DependencyGraph - + Dependency graph Grafikon međuzavisnosti @@ -11412,12 +11397,12 @@ Da li si siguran da želiš da nastaviš? Std_DuplicateSelection - + Object dependencies Međuzavisnosti objekata - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Da bi se povezali sa spoljnim objektima, dokument mora biti sačuvan najmanje jednom. @@ -11435,7 +11420,7 @@ Da li želiš sada da sačuvaš dokument? Std_Refresh - + The document contains dependency cycles. Please check the Report View for more details. @@ -11449,17 +11434,17 @@ Da li i dalje želiš da nastaviš? Std_Revert - + Revert document Vrati dokument - + This will discard all the changes since last file save. Ovo će odbaciti sve promene od poslednjeg snimanja datoteke. - + Do you want to continue? Da li želiš da nastaviš? @@ -11633,12 +11618,12 @@ Da li i dalje želiš da nastaviš? Gui::MDIView - + Export PDF Izvezi PDF - + PDF file PDF datoteka @@ -12332,82 +12317,82 @@ Trenutno tvoj sistem ima sledeća radna okruženja:</p></body></ Pregled: - + Text Tekst - + Bookmark Obeleživač - + Breakpoint Tačka prekida - + Keyword Ključna reč - + Comment Komentar - + Block comment Blokiraj komentar - + Number Broj - + String Znakovni niz - + Character Karakter - + Class name Ime klase - + Define name Definiši ime - + Operator Operater - + Python output Python izlaz - + Python error Python greška - + Current line highlight Isticanje trenutne linije - + Items Stavke @@ -12914,13 +12899,13 @@ sa Python konzole na tablu za prikaz izveštaja StdCmdExportDependencyGraph - + Export dependency graph... Izvezi grafikon zavisnosti... - - + + Export the dependency graph to a file Izvezi grafikon zavisnosti kao datoteku @@ -13358,13 +13343,13 @@ the region are non-opaque. StdCmdProjectInfo - + Document i&nformation... Podaci o dokumentu... - - + + Show details of the currently active document Prikaži detalje trenutno aktivnog dokumenta @@ -13372,13 +13357,13 @@ the region are non-opaque. StdCmdProjectUtil - + Document utility... Uslužne alatke dokumenta... - - + + Utility to extract or create document files Alatka za izdvajanje ili stvaranje projektnih datoteka @@ -13400,12 +13385,12 @@ the region are non-opaque. StdCmdProperties - + Properties Osobine - + Show the property view, which displays the properties of the selected object. Prikaži panel Osobine prikaza, u kome se prikazuju osobine izabranog objekta. @@ -13456,13 +13441,13 @@ the region are non-opaque. StdCmdReloadStyleSheet - + &Reload stylesheet &Ponovo učitaj stil - - + + Reloads the current stylesheet Ponovno učitavanje opisa stila @@ -13739,15 +13724,38 @@ the region are non-opaque. StdCmdUnitsCalculator - + &Units converter... &Konvertor mernih jedinica... - - + + Start the units converter Pokreni konvertor mernih jedinica + + Gui::ModuleIO + + + File not found + Datoteka nije nađena + + + + The file '%1' cannot be opened. + Datoteka '%1' se ne može otvoriti. + + + + StdCmdRestartInSafeMode + + + + + Restart in safe mode + Restart in safe mode + + diff --git a/src/Gui/Language/FreeCAD_sr.ts b/src/Gui/Language/FreeCAD_sr.ts index d92f3a653360..62dcae92b5d0 100644 --- a/src/Gui/Language/FreeCAD_sr.ts +++ b/src/Gui/Language/FreeCAD_sr.ts @@ -91,17 +91,17 @@ Уреди - + Import Увези - + Delete Обриши - + Paste expressions Налепи израз @@ -131,7 +131,7 @@ Увези све споне - + Insert text document Уметни текстуални документ @@ -424,42 +424,42 @@ EditMode - + Default Подразумевано - + The object will be edited using the mode defined internally to be the most appropriate for the object type Објекат ће бити уређиван коришћењем интерно дефинисаног режима који је најприкладнији за тај тип објекта - + Transform Помери - + The object will have its placement editable with the Std TransformManip command Објекат ће имати свој положај који се може уређивати помоћу команде Std TransformManip - + Cutting Cutting - + This edit mode is implemented as available but currently does not seem to be used by any object Овај режим уређивања је имплементиран као доступан, али тренутно изгледа да га ниједан објекат не користи - + Color Боја - + The object will have the color of its individual faces editable with the Part FaceAppearances command Објекат ће имати боју својих појединачних страница које се могу уређивати командом Part FaceAppearances @@ -681,8 +681,8 @@ while doing a left or right click and move the mouse up or down - Word size - Број бита у речи + Architecture + Architecture @@ -707,52 +707,52 @@ while doing a left or right click and move the mouse up or down Gui::Dialog::AboutDialog - - + + Credits - Header for the Credits tab of the About screen Заслуге - + + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + Header for bgbsww + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + + + FreeCAD would not be possible without the contributions of Списак свих који су дали допринос при стварању FreeCAD-а - + Individuals Header for the list of individual people in the Credits list. Појединци - + Organizations Header for the list of companies/organizations in the Credits list. Организације - - + + License Лиценца - + Libraries Библиотеке - - This software uses open source components whose copyright and other proprietary rights belong to their respective owners: - Овај софтвер користи компоненте отвореног кода чија ауторска права и друга власничка права припадају њиховим власницима: - - - + Collection Колекција - + Privacy Policy Политика приватности @@ -1409,8 +1409,8 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgCustomToolBoxbarsImp - - + + Toolbox bars Траке алата @@ -1499,40 +1499,40 @@ same time. The one with the highest priority will be triggered. - + <Separator> <Separator> - + %1 module not loaded %1 модул није учитан - + New toolbar Нова трака са алаткама - - + + Toolbar name: Име палете алатки: - - + + Duplicated name Дуплирано име - - + + The toolbar name '%1' is already used Име палете алатки '%1' се већ користи - + Rename toolbar Преименуј траку са алаткама @@ -1746,71 +1746,71 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgMacroExecuteImp - + Macros Макро-и - + Read-only Само за читање - + Macro file Макро датотека - + Enter a file name, please: Унеси назив датотеке: - - - + + + Existing file Постојећа датотека - + '%1'. This file already exists. '%1' Ова датотека већ постоји. - + Cannot create file Не могу направити датотеку - + Creation of file '%1' failed. Прављење датотеке '%1' неуcпешно. - + Delete macro Обриши макро - + Do you really want to delete the macro '%1'? Да ли стварно желиш обрисати макро '%1'? - + Do not show again Не показуј поново - + Guided Walkthrough Интерактивна тура - + This will guide you in setting up this macro in a custom global toolbar. Instructions will be in red text inside the dialog. Note: your changes will be applied when you next switch workbenches @@ -1821,78 +1821,78 @@ Note: your changes will be applied when you next switch workbenches - + Walkthrough, dialog 1 of 2 Интерактивни водич, дијалог 1 од 2 - + Walkthrough instructions: Fill in missing fields (optional) then click Add, then Close Интерактивни водич: Попуни поља која недостају (необавезно), затим кликни на Додај, а затим на Затвори - + Walkthrough, dialog 1 of 1 Интерактивни водич, дијалог 1 од 1 - + Walkthrough, dialog 2 of 2 Интерактивни водич, дијалог 2 од 2 - - Walkthrough instructions: Click right arrow button (->), then Close. - Упутства: Кликни на дугме са стрелицом надесно (->), а затим Затвори. + + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. - Walkthrough instructions: Click New, then right arrow (->) button, then Close. - Упутства: Кликни на Нови, затим на дугме са стрелицом надесно (->), а затим на Затвори. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. - + Renaming Macro File Преименовање датотеке макро-а - - + + Enter new name: Унеси ново име: - - + + '%1' already exists. '%1' већ постоји. - + Rename Failed Преименовање није успело - + Failed to rename to '%1'. Perhaps a file permission error? Није успело преименовање у „%1“. Можда је грешка у нивоу приступу датотеки? - + Duplicate Macro Дуплирај макро - + Duplicate Failed Дуплирање није успело - + Failed to duplicate to '%1'. Perhaps a file permission error? Није успело дуплирање у „%1“. @@ -5898,81 +5898,81 @@ Do you want to save your changes? Gui::GraphvizView - + Graphviz not found Graphviz није пронађен - + Graphviz couldn't be found on your system. Graphviz није пронађен на вашем систему. - + Read more about it here. Прочитај више о томе овде. - + Do you want to specify its installation path if it's already installed? Ако је већ инсталиран наведи путању ка фасцикли у коју је инсталиран? - + Graphviz installation path Graphviz инсталациона путања - + Graphviz failed Graphviz отказао - + Graphviz failed to create an image file Graphviz није успео да направи датотеку слике - + PNG format PNG формат - + Bitmap format Bitmap формат - + GIF format GIF формат - + JPG format JPG формат - + SVG format SVG формат - - + + PDF format PDF формат - - + + Graphviz format Graphviz формат - - - + + + Export graph Извези графикон @@ -6132,63 +6132,83 @@ Do you want to save your changes? Gui::MainWindow - - + + Dimension Мерне јединице - + Ready Спреман - + Close All Затвори све - - - + + + Toggles this toolbar Укључује/иcкључује ову палету алатки - - - + + + Toggles this dockable window Укључује/искључује видљивост овог усидреног прозора - + + Safe mode enabled + Safe mode enabled + + + + FreeCAD is now running in safe mode. + FreeCAD is now running in safe mode. + + + + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + + + WARNING: This is a development version. УПОЗОРЕЊЕ: Ово је развојна верзија. - + Please do not use it in a production environment. Ово је развојна верзија и немојте је користити за професионалну употребу. - - + + Unsaved document Несачуван документ - + The exported object contains external link. Please save the documentat least once before exporting. Извезени објекат садржи спољну везу. Сачувај документ бар једном пре него што га извезеш. - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Да би се повезао са спољним објектима, документ мора бити сачуван најмање једном. Да ли желиш сада да сачуваш документ? + + + Safe Mode + Safe Mode + Gui::ManualAlignment @@ -6690,39 +6710,19 @@ Do you want to exit without saving your data? Open file %1 Отвори датотеку %1 - - - File not found - Датотека није нађена - - - - The file '%1' cannot be opened. - Датотека '%1' се не може отворити. - Gui::RecentMacrosAction - + none ништа - + Run macro %1 (Shift+click to edit) keyboard shortcut: %2 Покрени макро %1 (Shift+клик за уређивање) пречица на тастатури: %2 - - - File not found - Датотека није нађена - - - - The file '%1' cannot be opened. - Датотека '%1' се не може отворити. - Gui::RevitNavigationStyle @@ -6977,7 +6977,7 @@ Do you want to specify another directory? Gui::TaskView::TaskDialog - + A dialog is already open in the task panel Дијалог је већ отворен у панелу задатака @@ -7006,38 +7006,8 @@ Do you want to specify another directory? Gui::TextDocumentEditorView - - Text updated - Текст је измењен - - - - The text of the underlying object has changed. Discard changes and reload the text from the object? - Текст основног објекта је промењен. Одбаци промене и поново учитај текст из објекта? - - - - Yes, reload. - Да, поново учитај. - - - - Unsaved document - Несачуван документ - - - - Do you want to save your changes before closing? - Да ли желиш да сачуваш промене пре затварања? - - - - If you don't save, your changes will be lost. - Ако не сачуваш, промене ће бити изгубљене. - - - - + + Edit text Уреди текст @@ -7314,7 +7284,7 @@ Do you want to specify another directory? Gui::TreeDockWidget - + Tree view Стабло документа @@ -7322,7 +7292,7 @@ Do you want to specify another directory? Gui::TreePanel - + Search Претрага @@ -7380,148 +7350,148 @@ Do you want to specify another directory? Група - + Labels & Attributes Ознаке & Атрибути - + Description Опис - + Internal name Унутрашње име - + Show items hidden in tree view Прикажи сакривене ставке у стаблу документа - + Show items that are marked as 'hidden' in the tree view Прикажи ставке које су у стаблу документа означене као 'сакривене' - + Toggle visibility in tree view Укључи/искључи видљивост у стаблу документа - + Toggles the visibility of selected items in the tree view Укључи/искључи видљивост изабраних ставки у стаблу документа - + Create group Направи групу - + Create a group Направи групу - - + + Rename Преименуј - + Rename object Преименуј објекат - + Finish editing Заврши уређивање - + Finish editing object Заврши уређивање објекта - + Add dependent objects to selection Додај зависне објекте избору - + Adds all dependent objects to the selection Додаје све зависне објекте избору - + Close document Затвори документ - + Close the document Затвори документ - + Reload document Учитај документ поново - + Reload a partially loaded document Учитај поново делимично учитан документ - + Skip recomputes Прескочи поновна прерачунавања - + Enable or disable recomputations of document Омогући или онемогући поновно прерачунавање документа - + Allow partial recomputes Дозволи делимична прерачунавања - + Enable or disable recomputating editing object when 'skip recomputation' is enabled Enable or disable recomputating editing object when 'skip recomputation' is enabled - + Mark to recompute Означи за поновно израчунавање - + Mark this object to be recomputed Означи овај објекат за поновно израчунавање - + Recompute object Поновно прерачунај објекат - + Recompute the selected object Поновно прерачунај изабрани објекат - + (but must be executed) (али мора да се изврши) - + %1, Internal name: %2 %1, Унутрашње име: %2 @@ -7733,47 +7703,47 @@ Do you want to specify another directory? QDockWidget - + Tree view Стабло документа - + Tasks Задаци - + Property view Особине приказа - + Selection view Прегледач избора - + Task List Листа задатака - + Model Модел - + DAG View DAG View - + Report view Прегледач објава - + Python console Python конзола @@ -7813,59 +7783,59 @@ Do you want to specify another directory? Python - - - + + + Unknown filetype Непозната врста датотеке - - + + Cannot open unknown filetype: %1 Не могу отворити непознату врсту датотеке: %1 - + Export failed Извоз није успео - + Cannot save to unknown filetype: %1 Не могу сачувати непознату врсту датотеке: %1 - + Recomputation required Потребан је поновни прорачун - + Some document(s) require recomputation for migration purposes. It is highly recommended to perform a recomputation before any modification to avoid compatibility problems. Do you want to recompute now? Због миграције неки документи захтевају поновно израчунавање. Да би се избегли проблеми са компатибилношћу, пре било какве измене препоручљиво је поново обавити прорачун? - + Recompute error Грешка при поновном израчунавању - + Failed to recompute some document(s). Please check report view for more details. Није успео поновни прорачун неких докумената. За више детаља погледај Прегледач објава. - + Workbench failure Отказивање радног окружења - + %1 %1 @@ -7911,90 +7881,105 @@ Please check report view for more details. Увези датотеку - + Export file Извези датотеку - + Printing... Штампање... - + Exporting PDF... Извозим PDF... - - + + Unsaved document Несачуван документ - + The exported object contains external link. Please save the documentat least once before exporting. Извезени објекат садржи спољну везу. Сачувај документ бар једном пре него што га извезеш. - - + + Delete failed Брисање није успело - + Dependency error Грешка међузависности - + Copy selected Копирај изабрано - + Copy active document Копирај активни документ - + Copy all documents Копирај све документе - + Paste Налепи - + Expression error Грешка израза - + Failed to parse some of the expressions. Please check the Report View for more details. Рашчлањивање неких израза није успело. Погледај извештај за више детаља. - + Failed to paste expressions Налепљивање израза није успело - + Cannot load workbench Не могу учитати радно окружење - + A general error occurred while loading the workbench Дошло је до опште грешка при учитавању радног окружења + + + Restart in safe mode + Restart in safe mode + + + + Are you sure you want to restart FreeCAD and enter safe mode? + Are you sure you want to restart FreeCAD and enter safe mode? + + + + Safe mode temporarily disables your configuration and addons. + Safe mode temporarily disables your configuration and addons. + @@ -8219,7 +8204,7 @@ Do you want to continue? Превише отворених ненаметљивих обавештења. Обавештења се изостављају! - + Identical physical path detected. It may cause unwanted overwrite of existing document! @@ -8228,44 +8213,44 @@ Do you want to continue? - + Are you sure you want to continue? Да ли си сигуран да желиш да наставиш? - + Please check report view for more... Погледајте извештај за више... - + Physical path: Физичка путања: - - + + Document: Документ: - - + + Path: Путања: - + Identical physical path Идентична физичка путања - + Could not save document Није могуће сачувати документ - + There was an issue trying to save the file. This may be because some of the parent folders do not exist, or you do not have sufficient permissions, or for other reasons. Error details: "%1" @@ -8278,102 +8263,102 @@ Would you like to save the file with a different name? Да ли желите да сачувате датотеку под другим именом? - - - + + + Saving aborted Снимање обуcтављено - + Save dependent files Сачувај зависне датотеке - + The file contains external dependencies. Do you want to save the dependent files, too? Датотека садржи спољне зависности. Да ли желиш да сачуваш и зависне датотеке? - - + + Saving document failed Снимање документа није успело - + Save document under new filename... Cачувај документ под новим именом... - - + + Save %1 Document Сачувај %1 Документ - + Document Документ - - + + Failed to save document Није успело снимање документа - + Documents contains cyclic dependencies. Do you still want to save them? Документи садрже цикличне зависности. Да ли и даље желиш да их спасеш? - + Save a copy of the document under new filename... Сачувај копију документа под новим именом датотеке... - + %1 document (*.FCStd) %1 документ (*.FCStd) - + Document not closable Документ није могуће затворити - + The document is not closable for the moment. Тренутно није могуће затворити документ. - + Document not saved Документ није снимњен - + The document%1 could not be saved. Do you want to cancel closing it? Документ%1 није могао бити снимљен. Да ли желиш да откажеш затварање? - + Undo Поништи - + Redo Понови - + There are grouped transactions in the following documents with other preceding transactions There are grouped transactions in the following documents with other preceding transactions - + Choose 'Yes' to roll back all preceding transactions. Choose 'No' to roll back in the active document only. Choose 'Abort' to abort @@ -8467,7 +8452,7 @@ Choose 'Abort' to abort Не могу пронаћи датотеку %1 ни у %2 ни у %3 - + Navigation styles Навигациони стилови @@ -8478,47 +8463,47 @@ Choose 'Abort' to abort Помери - + Do you want to close this dialog? Да ли желите да затворите овај дијалог? - + Do you want to save your changes to document '%1' before closing? Да ли желиш да сачуваш промене у документу '%1' пре затварања? - + Do you want to save your changes to document before closing? Да ли желиш да снимиш промене у документу пре затварања? - + If you don't save, your changes will be lost. Ако не сачуваш, промене ће бити изгубљене. - + Apply answer to all Примени одговор на све - + %1 Document(s) not saved %1 Документ(и) нису снимљени - + Some documents could not be saved. Do you want to cancel closing? Неки документи нису могли бити снимљени. Да ли желиш да откажеш затварање? - + Delete macro Обриши макро - + Not allowed to delete system-wide macros Није дозвољено брисање системских макро-а @@ -8614,10 +8599,10 @@ Choose 'Abort' to abort - - - - + + + + Invalid name Погрешно име @@ -8630,25 +8615,25 @@ underscore, and must not start with a digit. - + The property name is a reserved word. The property name is a reserved word. - + The property '%1' already exists in '%2' Особина „%1“ већ постоји у „%2“ - + Add property Додај особину - + Failed to add property to '%1': %2 Није успело додавање особине у '%1': %2 @@ -8934,13 +8919,13 @@ the current copy will be lost. Игнориши - + The property name must only contain alpha numericals, underscore, and must not start with a digit. Име особине не сме да почиње бројем и може да садржи само алфанумеричке бројеве и доњу црту. - + The group name must only contain alpha numericals, underscore, and must not start with a digit. Име групе мора да садржи само алфанумеричке знакове, @@ -8987,13 +8972,13 @@ underscore, and must not start with a digit. StdCmdAbout - + &About %1 &О %1 - - + + About %1 О %1 @@ -9001,13 +8986,13 @@ underscore, and must not start with a digit. StdCmdAboutQt - + About &Qt О &Qt - - + + About Qt О Qt @@ -9043,13 +9028,13 @@ underscore, and must not start with a digit. StdCmdAlignment - + Alignment... Поравнај... - - + + Align the selected objects Поравнај одабране објекте @@ -9113,13 +9098,13 @@ underscore, and must not start with a digit. StdCmdCommandLine - + Start command &line... Покрени командну линију... - - + + Opens the command line in the console Отвара командну линију у конзоли @@ -9127,13 +9112,13 @@ underscore, and must not start with a digit. StdCmdCopy - + C&opy Копирај - - + + Copy operation Операција копирања @@ -9141,13 +9126,13 @@ underscore, and must not start with a digit. StdCmdCut - + &Cut &Исеци - - + + Cut out Изрежи @@ -9155,13 +9140,13 @@ underscore, and must not start with a digit. StdCmdDelete - + &Delete &Обриши - - + + Deletes the selected objects Брише изабране објекте @@ -9183,13 +9168,13 @@ underscore, and must not start with a digit. StdCmdDependencyGraph - + Dependency graph... Графикон завиcноcти... - - + + Show the dependency graph of the objects in the active document Прикажи графикон завиcноcти објеката у активном документу @@ -9197,13 +9182,13 @@ underscore, and must not start with a digit. StdCmdDlgCustomize - + Cu&stomize... Прилагоди... - - + + Customize toolbars and command bars Прилагоди палете са алатима и командне траке @@ -9263,13 +9248,13 @@ underscore, and must not start with a digit. StdCmdDlgParameter - + E&dit parameters ... Уреди параметре ... - - + + Opens a Dialog to edit the parameters Отвара Дијалог за уређивање параметара @@ -9277,13 +9262,13 @@ underscore, and must not start with a digit. StdCmdDlgPreferences - + &Preferences ... &Подешавања ... - - + + Opens a Dialog to edit the preferences Отвара дијалог за уређивање подешавања @@ -9319,13 +9304,13 @@ underscore, and must not start with a digit. StdCmdDuplicateSelection - + Duplicate selection Дуплирани избор - - + + Put duplicates of the selected objects to the active document Cтави дупликате одабраних објеката у активни документ @@ -9333,17 +9318,17 @@ underscore, and must not start with a digit. StdCmdEdit - + Toggle &Edit mode Укључи/искључи режим уређивања - + Toggles the selected object's edit mode Укључује/искључује режим уређивања изабраног објекта - + Activates or Deactivates the selected object's edit mode Активира или деактивира режим уређивања изабраног објекта @@ -9362,12 +9347,12 @@ underscore, and must not start with a digit. Извези објекат у активни документ - + No selection Ништа изабрано - + Select the objects to export before choosing Export. Изабери објекте које желиш да извезеш пре него што изабереш Извоз. @@ -9375,13 +9360,13 @@ underscore, and must not start with a digit. StdCmdExpression - + Expression actions Радње са изразима - - + + Actions that apply to expressions Радње које се примењују на изразе @@ -9403,12 +9388,12 @@ underscore, and must not start with a digit. StdCmdFreeCADDonation - + Donate Донирајте - + Donate to FreeCAD development Донирајте да омогућите квалитетнији развој FreeCAD-а @@ -9416,17 +9401,17 @@ underscore, and must not start with a digit. StdCmdFreeCADFAQ - + FreeCAD FAQ FreeCAD Чеcта питања - + Frequently Asked Questions on the FreeCAD website Чеcто поcтављана питања на FreeCAD веб-cтраници - + Frequently Asked Questions Чеcто поcтављана питања @@ -9434,17 +9419,17 @@ underscore, and must not start with a digit. StdCmdFreeCADForum - + FreeCAD Forum FreeCAD Форум - + The FreeCAD forum, where you can find help from other users FreeCAD форум, где можете потражити помоћ других корисника - + The FreeCAD Forum FreeCAD Форум @@ -9452,17 +9437,17 @@ underscore, and must not start with a digit. StdCmdFreeCADPowerUserHub - + Python scripting documentation Документација о Python скриптовима - + Python scripting documentation on the FreeCAD website Документација о Python скриптовима на FreeCAD вебсајту - + PowerUsers documentation PowerUsers documentation @@ -9470,13 +9455,13 @@ underscore, and must not start with a digit. StdCmdFreeCADUserHub - - + + Users documentation Корисничка документација - + Documentation for users on the FreeCAD website Документација за кориснике на FreeCAD веб-страници @@ -9484,13 +9469,13 @@ underscore, and must not start with a digit. StdCmdFreeCADWebsite - - + + FreeCAD Website FreeCAD Веб-cтраница - + The FreeCAD website FreeCAD веб-cтраница @@ -9805,25 +9790,25 @@ underscore, and must not start with a digit. StdCmdMergeProjects - + Merge document... Обједини документ... - - - - + + + + Merge document Обједини документ - + %1 document (*.FCStd) %1 документ (*.FCStd) - + Cannot merge document with itself. Не могу објединити документ са самим собом. @@ -9831,18 +9816,18 @@ underscore, and must not start with a digit. StdCmdNew - + &New &Нови - - + + Create a new empty document Направи нови празан документ - + Unnamed Без имена @@ -9851,13 +9836,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelp - - + + Help Помоћ - + Show help to the application Show help to the application @@ -9865,13 +9850,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelpWebsite - - + + Help Website Интернет страница за помоћ - + The website where the help is maintained Веб локација на којој се налази помоћ @@ -9927,13 +9912,13 @@ underscore, and must not start with a digit. StdCmdPaste - + &Paste &Налепи - - + + Paste operation Налепи операцију @@ -9941,13 +9926,13 @@ underscore, and must not start with a digit. StdCmdPlacement - + Placement... Положај... - - + + Place the selected objects Постави изабране објекте @@ -9955,13 +9940,13 @@ underscore, and must not start with a digit. StdCmdPrint - + &Print... &Штампа... - - + + Print the document Штампај документ @@ -9969,13 +9954,13 @@ underscore, and must not start with a digit. StdCmdPrintPdf - + &Export PDF... &Извези PDF... - - + + Export the document as PDF Извези документ као PDF @@ -9983,17 +9968,17 @@ underscore, and must not start with a digit. StdCmdPrintPreview - + &Print preview... &Приказ штампе... - + Print the document Штампај документ - + Print preview Приказ штампе @@ -10001,13 +9986,13 @@ underscore, and must not start with a digit. StdCmdPythonWebsite - - + + Python Website Python Веб-cтраница - + The official Python website Званична Python веб-cтраница @@ -10015,13 +10000,13 @@ underscore, and must not start with a digit. StdCmdQuit - + E&xit Изађи - - + + Quits the application Затвара апликацију @@ -10043,13 +10028,13 @@ underscore, and must not start with a digit. StdCmdRecentFiles - + Open Recent Отвори недавно - - + + Recent file list Листа недавних датотека @@ -10057,13 +10042,13 @@ underscore, and must not start with a digit. StdCmdRecentMacros - + Recent macros Недавни макро-и - - + + Recent macro list Листа недавних макро-а @@ -10071,13 +10056,13 @@ underscore, and must not start with a digit. StdCmdRedo - + &Redo &Уради поново - - + + Redoes a previously undone action Понавља радњу која је претходно поништена @@ -10085,13 +10070,13 @@ underscore, and must not start with a digit. StdCmdRefresh - + &Refresh &Освежи - - + + Recomputes the current active document Поново израчунава тренутно активни документ @@ -10099,13 +10084,13 @@ underscore, and must not start with a digit. StdCmdReportBug - + Report a bug Пријави грешку - - + + Report a bug or suggest a feature Пријави грешку или затражи нову функционалност @@ -10113,13 +10098,13 @@ underscore, and must not start with a digit. StdCmdRevert - + Revert Врати се - - + + Reverts to the saved version of this file Враћа се на сачувану верзију ове датотеке @@ -10127,13 +10112,13 @@ underscore, and must not start with a digit. StdCmdSave - + &Save &Сачувај - - + + Save the active document Сачувај активни документ @@ -10141,13 +10126,13 @@ underscore, and must not start with a digit. StdCmdSaveAll - + Save All Сачувај све - - + + Save all opened document Сачувај све отворене документе @@ -10155,13 +10140,13 @@ underscore, and must not start with a digit. StdCmdSaveAs - + Save &As... Сачувај &као... - - + + Save the active document under a new file name Сачувај активни документ под новим именом датотеке @@ -10169,13 +10154,13 @@ underscore, and must not start with a digit. StdCmdSaveCopy - + Save a &Copy... Сачувај копију... - - + + Save a copy of the active document under a new file name Сачувај копију активног документа под новим именом датотеке @@ -10211,13 +10196,13 @@ underscore, and must not start with a digit. StdCmdSelectAll - + Select &All Изабери све - - + + Select all Изабери све @@ -10295,13 +10280,13 @@ underscore, and must not start with a digit. StdCmdTextDocument - + Add text document Додај текстуални документ - - + + Add text document to active document Додај текстуални документ у активни документ @@ -10435,13 +10420,13 @@ underscore, and must not start with a digit. StdCmdTransform - + Transform... Помери... - - + + Transform the geometry of selected objects Помери геометрију изабраних објеката @@ -10449,13 +10434,13 @@ underscore, and must not start with a digit. StdCmdTransformManip - + Transform Помери - - + + Transform the selected object in the 3d view Помери изабрани објекат у 3Д погледу @@ -10519,13 +10504,13 @@ underscore, and must not start with a digit. StdCmdUndo - + &Undo &Поништи - - + + Undo exactly one action Поништи тачно за један корак @@ -10533,13 +10518,13 @@ underscore, and must not start with a digit. StdCmdUserEditMode - + Edit mode Режим за уређивање - - + + Defines behavior when editing an object from tree Дефинише понашање приликом уређивања објекта преко стабла документа @@ -10939,13 +10924,13 @@ underscore, and must not start with a digit. StdCmdWhatsThis - + &What's This? &Шта је Ово? - - + + What's This Шта је Ово @@ -10981,13 +10966,13 @@ underscore, and must not start with a digit. StdCmdWorkbench - + Workbench Радно окружење - - + + Switch between workbenches Пребаци између радних окружења @@ -11311,7 +11296,7 @@ underscore, and must not start with a digit. Std_Delete - + The following referencing objects might break. Are you sure you want to continue? @@ -11322,7 +11307,7 @@ Are you sure you want to continue? - + Object dependencies Међузависности објеката @@ -11330,7 +11315,7 @@ Are you sure you want to continue? Std_DependencyGraph - + Dependency graph Графикон међузависности @@ -11411,12 +11396,12 @@ Are you sure you want to continue? Std_DuplicateSelection - + Object dependencies Међузависности објеката - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Да би се повезао са спољним објектима, документ мора бити сачуван најмање једном. @@ -11434,7 +11419,7 @@ Do you want to save the document now? Std_Refresh - + The document contains dependency cycles. Please check the Report View for more details. @@ -11448,17 +11433,17 @@ Do you still want to proceed? Std_Revert - + Revert document Врати документ - + This will discard all the changes since last file save. Ово ће одбацити све промене од последњег снимања датотеке. - + Do you want to continue? Да ли желиш да наставиш? @@ -11632,12 +11617,12 @@ Do you still want to proceed? Gui::MDIView - + Export PDF Извези PDF - + PDF file PDF датотека @@ -12331,82 +12316,82 @@ Currently, your system has the following workbenches:</p></body>< Преглед: - + Text Текст - + Bookmark Обележивач - + Breakpoint Тачка прекида - + Keyword Кључна реч - + Comment Коментар - + Block comment Блокирај коментар - + Number Број - + String Знаковни низ - + Character Карактер - + Class name Име класе - + Define name Дефиниши име - + Operator Оператор - + Python output Python излаз - + Python error Python грешка - + Current line highlight Истицање тренутне линије - + Items Ставке @@ -12913,13 +12898,13 @@ from Python console to Report view panel StdCmdExportDependencyGraph - + Export dependency graph... Извези графикон зависности... - - + + Export the dependency graph to a file Извези графикон зависности као датотеку @@ -13357,13 +13342,13 @@ the region are non-opaque. StdCmdProjectInfo - + Document i&nformation... Подаци о документу... - - + + Show details of the currently active document Прикажи детаље тренутно активног документа @@ -13371,13 +13356,13 @@ the region are non-opaque. StdCmdProjectUtil - + Document utility... Услужне алатке документа... - - + + Utility to extract or create document files Алатка за издвајање или стварање пројектних датотека @@ -13399,12 +13384,12 @@ the region are non-opaque. StdCmdProperties - + Properties Особине - + Show the property view, which displays the properties of the selected object. Прикажи панел Особине приказа, у коме се приказују особине изабраног објекта. @@ -13455,13 +13440,13 @@ the region are non-opaque. StdCmdReloadStyleSheet - + &Reload stylesheet &Поново учитај стил - - + + Reloads the current stylesheet Поновно учитавање описа стила @@ -13738,15 +13723,38 @@ the region are non-opaque. StdCmdUnitsCalculator - + &Units converter... &Конвертoр мерних јединица... - - + + Start the units converter Покрени конвертор мерних јединица + + Gui::ModuleIO + + + File not found + Датотека није нађена + + + + The file '%1' cannot be opened. + Датотека '%1' се не може отворити. + + + + StdCmdRestartInSafeMode + + + + + Restart in safe mode + Restart in safe mode + + diff --git a/src/Gui/Language/FreeCAD_sv-SE.ts b/src/Gui/Language/FreeCAD_sv-SE.ts index d01b5243e034..d36c31f1c6cf 100644 --- a/src/Gui/Language/FreeCAD_sv-SE.ts +++ b/src/Gui/Language/FreeCAD_sv-SE.ts @@ -91,17 +91,17 @@ Redigera - + Import Importera - + Delete Radera - + Paste expressions Klistra in uttryck @@ -131,7 +131,7 @@ Importera alla länkar - + Insert text document Infoga textdokument @@ -424,42 +424,42 @@ EditMode - + Default Standard - + The object will be edited using the mode defined internally to be the most appropriate for the object type The object will be edited using the mode defined internally to be the most appropriate for the object type - + Transform Omvandla - + The object will have its placement editable with the Std TransformManip command The object will have its placement editable with the Std TransformManip command - + Cutting Skär - + This edit mode is implemented as available but currently does not seem to be used by any object This edit mode is implemented as available but currently does not seem to be used by any object - + Color Färg - + The object will have the color of its individual faces editable with the Part FaceAppearances command The object will have the color of its individual faces editable with the Part FaceAppearances command @@ -680,8 +680,8 @@ while doing a left or right click and move the mouse up or down - Word size - Ordstorlek + Architecture + Architecture @@ -706,52 +706,52 @@ while doing a left or right click and move the mouse up or down Gui::Dialog::AboutDialog - - + + Credits - Header for the Credits tab of the About screen Tack till - + + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + Header for bgbsww + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + + + FreeCAD would not be possible without the contributions of FreeCAD skulle inte vara möjligt utan bidrag från - + Individuals Header for the list of individual people in the Credits list. Personer - + Organizations Header for the list of companies/organizations in the Credits list. Organisationer - - + + License Licens - + Libraries Bibliotek - - This software uses open source components whose copyright and other proprietary rights belong to their respective owners: - Denna mjukvara använder komponenter med öppen källkod vars copyright och andra rättigheter tillhör deras respektive ägare: - - - + Collection Samling - + Privacy Policy Privacy Policy @@ -1408,8 +1408,8 @@ samma gång. Den med högsta prioritet kommer att utlösas. Gui::Dialog::DlgCustomToolBoxbarsImp - - + + Toolbox bars Verktygslådor @@ -1498,40 +1498,40 @@ samma gång. Den med högsta prioritet kommer att utlösas. - + <Separator> <Separator> - + %1 module not loaded %1 modulen ej inladdad - + New toolbar Ny verktygsrad - - + + Toolbar name: Namn på verktygsraden: - - + + Duplicated name Duplicerat namn - - + + The toolbar name '%1' is already used Verktygsradens namn '%1' används redan - + Rename toolbar Döp om verktygsraden @@ -1745,72 +1745,72 @@ samma gång. Den med högsta prioritet kommer att utlösas. Gui::Dialog::DlgMacroExecuteImp - + Macros Makron - + Read-only Skrivskyddad - + Macro file Makro fil - + Enter a file name, please: Skriv in ett filnamn: - - - + + + Existing file Filen finns - + '%1'. This file already exists. '%1'. Denna fil finns redan. - + Cannot create file Kan inte skapa fil - + Creation of file '%1' failed. Skapandet av filen %1' misslyckades. - + Delete macro Radera makro - + Do you really want to delete the macro '%1'? Vill du verkligen radera makrot '%1'? - + Do not show again Visa inte igen - + Guided Walkthrough Guidad genomgång - + This will guide you in setting up this macro in a custom global toolbar. Instructions will be in red text inside the dialog. Note: your changes will be applied when you next switch workbenches @@ -1821,78 +1821,78 @@ Obs: dina ändringar kommer att tillämpas när du byter arbetsbänkar nästa g - + Walkthrough, dialog 1 of 2 Genomgång, dialogruta 1 av 2 - + Walkthrough instructions: Fill in missing fields (optional) then click Add, then Close Genomgångsinstruktioner: Fyll i saknade fält (valfritt) klicka sedan på Lägg till och stäng - + Walkthrough, dialog 1 of 1 Genomgång, dialogruta 1 av 1 - + Walkthrough, dialog 2 of 2 Genomgång, dialogruta 2 av 2 - - Walkthrough instructions: Click right arrow button (->), then Close. - Genomgångsinstruktioner: Klicka på höger pilknapp (->), sedan Stäng. + + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. - Walkthrough instructions: Click New, then right arrow (->) button, then Close. - Genomgångsinstruktioner: Klicka på Ny, sedan höger pilknapp (->), sedan Stäng. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. - + Renaming Macro File Döper om makrofil - - + + Enter new name: Ange nytt namn: - - + + '%1' already exists. '%1' finns redan. - + Rename Failed Omdöpning misslyckades - + Failed to rename to '%1'. Perhaps a file permission error? Misslyckades med att döpa om till '%1'. Kanske saknas filrättigheter? - + Duplicate Macro Duplicera makro - + Duplicate Failed Duplicering misslyckades - + Failed to duplicate to '%1'. Perhaps a file permission error? Misslyckades med att duplicera till '%1'. @@ -5897,81 +5897,81 @@ Vill du spara ändringarna? Gui::GraphvizView - + Graphviz not found Graphviz hittades inte - + Graphviz couldn't be found on your system. Graphviz kunde inte hittas i systemet. - + Read more about it here. Läs mer om det här. - + Do you want to specify its installation path if it's already installed? Vill du ange dess installationssökväg om det redan är installerat? - + Graphviz installation path Graphviz installationssökväg - + Graphviz failed Graphviz misslyckades - + Graphviz failed to create an image file Graphviz lyckades inte skapa en avbildningsfil - + PNG format PNG-format - + Bitmap format Bitmap-format - + GIF format GIF-format - + JPG format JPG-format - + SVG format SVG-format - - + + PDF format PDF-format - - + + Graphviz format Graphviz format - - - + + + Export graph Exportera graf @@ -6131,63 +6131,83 @@ Vill du spara ändringarna? Gui::MainWindow - - + + Dimension Dimension - + Ready Klar - + Close All Stäng alla - - - + + + Toggles this toolbar Växlar denna verktygsrad - - - + + + Toggles this dockable window Växlar detta dockningsbara fönster - + + Safe mode enabled + Safe mode enabled + + + + FreeCAD is now running in safe mode. + FreeCAD is now running in safe mode. + + + + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + + + WARNING: This is a development version. VARNING: Detta är en utvecklingsversion. - + Please do not use it in a production environment. Please do not use it in a production environment. - - + + Unsaved document Osparat dokument - + The exported object contains external link. Please save the documentat least once before exporting. Det exporterade objektet innehåller extern länk. Spara dokumentet minst en gång innan du exporterar. - + To link to external objects, the document must be saved at least once. Do you want to save the document now? För att länka till externa objekt måste dokumentet sparas minst en gång. Vill du spara dokumentet nu? + + + Safe Mode + Safe Mode + Gui::ManualAlignment @@ -6689,39 +6709,19 @@ Vill du avsluta utan att spara din data? Open file %1 Öppna fil %1 - - - File not found - Fil ej funnen - - - - The file '%1' cannot be opened. - Filen '%1' kan inte öppnas. - Gui::RecentMacrosAction - + none inget - + Run macro %1 (Shift+click to edit) keyboard shortcut: %2 Run macro %1 (Shift+click to edit) keyboard shortcut: %2 - - - File not found - Fil ej funnen - - - - The file '%1' cannot be opened. - Filen '%1' kan inte öppnas. - Gui::RevitNavigationStyle @@ -6976,7 +6976,7 @@ Vill du ange en annan katalog? Gui::TaskView::TaskDialog - + A dialog is already open in the task panel En dialogruta är redan öppen i uppgiftspanelen @@ -7005,38 +7005,8 @@ Vill du ange en annan katalog? Gui::TextDocumentEditorView - - Text updated - Text uppdaterad - - - - The text of the underlying object has changed. Discard changes and reload the text from the object? - Texten hos det underliggande objektet har ändrats. Förkasta ändringar och ladda om texten från objektet? - - - - Yes, reload. - Ja, ladda om. - - - - Unsaved document - Osparat dokument - - - - Do you want to save your changes before closing? - Vill du spara ändringarna innan du avslutar? - - - - If you don't save, your changes will be lost. - Om du inte sparar går dina ändringar förlorade. - - - - + + Edit text Redigera text @@ -7313,7 +7283,7 @@ Vill du ange en annan katalog? Gui::TreeDockWidget - + Tree view Trädvy @@ -7321,7 +7291,7 @@ Vill du ange en annan katalog? Gui::TreePanel - + Search Sök @@ -7379,148 +7349,148 @@ Vill du ange en annan katalog? Grupp - + Labels & Attributes Etiketter & attribut - + Description Beskrivning - + Internal name Internt namn - + Show items hidden in tree view Visa objekt dolda i trädvyn - + Show items that are marked as 'hidden' in the tree view Visa objekt som är markerade som 'dolda' i trädvyn - + Toggle visibility in tree view Växla synlighet i trädvyn - + Toggles the visibility of selected items in the tree view Växlar synligheten för markerade objekt i trädvyn - + Create group Skapa grupp - + Create a group Skapa en grupp - - + + Rename Döp om - + Rename object Döp om objekt - + Finish editing Slutför redigering - + Finish editing object Slutför redigering av objekt - + Add dependent objects to selection Add dependent objects to selection - + Adds all dependent objects to the selection Adds all dependent objects to the selection - + Close document Stäng dokument - + Close the document Stäng dokumentet - + Reload document Ladda om dokument - + Reload a partially loaded document Ladda om ett delvis laddat dokument - + Skip recomputes Utför inte omberäkningar - + Enable or disable recomputations of document Aktivera eller inaktivera omberäkningar av dokument - + Allow partial recomputes Tillåt partiell omberäkning - + Enable or disable recomputating editing object when 'skip recomputation' is enabled Aktivera eller inaktivera omberäkning av redigeringsobjekt när 'hoppa över omberäkning' är aktiverat - + Mark to recompute Markera för att omberäkna - + Mark this object to be recomputed Markera detta objekt för att bli omberäknat - + Recompute object Omräkna objekt - + Recompute the selected object Beräkna om det markerade objektet - + (but must be executed) (men måste verkställas) - + %1, Internal name: %2 %1, Internt namn: %2 @@ -7732,47 +7702,47 @@ Vill du ange en annan katalog? QDockWidget - + Tree view Trädvy - + Tasks Uppgifter - + Property view Egenskapsvy - + Selection view Markeringsvy - + Task List Task List - + Model Modell - + DAG View DAG-vy - + Report view Rapportvy - + Python console Python konsoll @@ -7812,35 +7782,35 @@ Vill du ange en annan katalog? Python - - - + + + Unknown filetype Okänd filtyp - - + + Cannot open unknown filetype: %1 Kan inte öppna okänd filtyp: %1 - + Export failed Exportering misslyckades - + Cannot save to unknown filetype: %1 Kan inte spara till okänd filtyp: %1 - + Recomputation required Recomputation required - + Some document(s) require recomputation for migration purposes. It is highly recommended to perform a recomputation before any modification to avoid compatibility problems. Do you want to recompute now? @@ -7849,24 +7819,24 @@ Do you want to recompute now? Do you want to recompute now? - + Recompute error Recompute error - + Failed to recompute some document(s). Please check report view for more details. Failed to recompute some document(s). Please check report view for more details. - + Workbench failure Fel på arbetsbänk - + %1 %1 @@ -7912,90 +7882,105 @@ Please check report view for more details. importera fil - + Export file Exportera fil - + Printing... Skriver ut... - + Exporting PDF... Exporterar PDF ... - - + + Unsaved document Osparat dokument - + The exported object contains external link. Please save the documentat least once before exporting. Det exporterade objektet innehåller extern länk. Spara dokumentet minst en gång innan du exporterar. - - + + Delete failed Borttagning misslyckades - + Dependency error Beroendefel - + Copy selected Kopiera markerade - + Copy active document Kopiera aktivt dokument - + Copy all documents Kopiera alla dokument - + Paste Klistra in - + Expression error Fel på uttryck - + Failed to parse some of the expressions. Please check the Report View for more details. Det gick inte att tolka några av uttrycken. Vänligen kontrollera rapportvyn för mer information. - + Failed to paste expressions Misslyckas att klistra in uttryck - + Cannot load workbench Kan inte ladda arbetsbänk - + A general error occurred while loading the workbench Ett allmänt fel uppstod medan arbetsbänken laddades + + + Restart in safe mode + Restart in safe mode + + + + Are you sure you want to restart FreeCAD and enter safe mode? + Are you sure you want to restart FreeCAD and enter safe mode? + + + + Safe mode temporarily disables your configuration and addons. + Safe mode temporarily disables your configuration and addons. + @@ -8220,7 +8205,7 @@ vill du fortsätta? För många öppnade icke-störande meddelanden. Meddelanden utelämnas! - + Identical physical path detected. It may cause unwanted overwrite of existing document! @@ -8229,44 +8214,44 @@ vill du fortsätta? - + Are you sure you want to continue? Är du säker på att du vill fortsätta? - + Please check report view for more... Please check report view for more... - + Physical path: Physical path: - - + + Document: Dokument: - - + + Path: Sökväg: - + Identical physical path Identisk fysisk sökväg - + Could not save document Could not save document - + There was an issue trying to save the file. This may be because some of the parent folders do not exist, or you do not have sufficient permissions, or for other reasons. Error details: "%1" @@ -8279,102 +8264,102 @@ Would you like to save the file with a different name? Would you like to save the file with a different name? - - - + + + Saving aborted Sparning avbruten - + Save dependent files Spara beroende filer - + The file contains external dependencies. Do you want to save the dependent files, too? Filen innehåller externa beroenden. Vill du spara de beroende filerna också? - - + + Saving document failed Sparning av dokument misslyckades - + Save document under new filename... Spara dokumentet med ett nytt filnamn... - - + + Save %1 Document Spara %1 dokument - + Document Dokument - - + + Failed to save document Det gick inte att spara dokumentet - + Documents contains cyclic dependencies. Do you still want to save them? Dokument innehåller cykliska beroenden. Vill du fortfarande spara dem? - + Save a copy of the document under new filename... Spara en kopia av dokumentet med nytt filnamn... - + %1 document (*.FCStd) %1 dokument (*.FCStd) - + Document not closable Dokumentet kan ej stängas - + The document is not closable for the moment. Dokumentet kan inte stängas för tillfället. - + Document not saved Document not saved - + The document%1 could not be saved. Do you want to cancel closing it? The document%1 could not be saved. Do you want to cancel closing it? - + Undo Ångra - + Redo Gör om - + There are grouped transactions in the following documents with other preceding transactions Det finns grupperade transaktioner i följande dokument med andra föregående transaktioner - + Choose 'Yes' to roll back all preceding transactions. Choose 'No' to roll back in the active document only. Choose 'Abort' to abort @@ -8468,7 +8453,7 @@ Välj "Avbryt" för att avbryta Kan inte finna fil %1, varken i %2 eller i %3 - + Navigation styles Navigationsstilar @@ -8479,47 +8464,47 @@ Välj "Avbryt" för att avbryta Omvandla - + Do you want to close this dialog? Vill du stänga denna dialogruta? - + Do you want to save your changes to document '%1' before closing? Vill du spara dina ändringar i dokument "%1" innan du stänger? - + Do you want to save your changes to document before closing? Vill du spara dina ändringar i dokument innan du stänger? - + If you don't save, your changes will be lost. Om du inte sparar går dina ändringar förlorade. - + Apply answer to all Tillämpa svar på alla - + %1 Document(s) not saved %1 Document(s) not saved - + Some documents could not be saved. Do you want to cancel closing? Some documents could not be saved. Do you want to cancel closing? - + Delete macro Radera makro - + Not allowed to delete system-wide macros Inte tillåtet att ta bort systemmakron @@ -8615,10 +8600,10 @@ Välj "Avbryt" för att avbryta - - - - + + + + Invalid name Ogiltigt namn @@ -8631,25 +8616,25 @@ understrykningstecken och får inte börja med en siffra. - + The property name is a reserved word. The property name is a reserved word. - + The property '%1' already exists in '%2' Egenskapen '%1' finns redan i '%2' - + Add property Lägg till egenskap - + Failed to add property to '%1': %2 Det gick inte att lägga till egenskapen till '%1': %2 @@ -8935,14 +8920,14 @@ the current copy will be lost. Suppressed - + The property name must only contain alpha numericals, underscore, and must not start with a digit. The property name must only contain alpha numericals, underscore, and must not start with a digit. - + The group name must only contain alpha numericals, underscore, and must not start with a digit. The group name must only contain alpha numericals, @@ -8989,13 +8974,13 @@ underscore, and must not start with a digit. StdCmdAbout - + &About %1 O&m %1 - - + + About %1 Om %1 @@ -9003,13 +8988,13 @@ underscore, and must not start with a digit. StdCmdAboutQt - + About &Qt Om &Qt - - + + About Qt Om Qt @@ -9045,13 +9030,13 @@ underscore, and must not start with a digit. StdCmdAlignment - + Alignment... Justering... - - + + Align the selected objects Justera de markerade objekten @@ -9115,13 +9100,13 @@ underscore, and must not start with a digit. StdCmdCommandLine - + Start command &line... Starta kommando&rad... - - + + Opens the command line in the console Öppnar kommandoraden i konsollen @@ -9129,13 +9114,13 @@ underscore, and must not start with a digit. StdCmdCopy - + C&opy K&opiera - - + + Copy operation Kopiera operation @@ -9143,13 +9128,13 @@ underscore, and must not start with a digit. StdCmdCut - + &Cut &Klipp ut - - + + Cut out Klipp ut @@ -9157,13 +9142,13 @@ underscore, and must not start with a digit. StdCmdDelete - + &Delete Ra&dera - - + + Deletes the selected objects Raderar de valda objekten @@ -9185,13 +9170,13 @@ underscore, and must not start with a digit. StdCmdDependencyGraph - + Dependency graph... Beroende diagram... - - + + Show the dependency graph of the objects in the active document Visa objektens beroendediagram i det aktiva dokumentet @@ -9199,13 +9184,13 @@ underscore, and must not start with a digit. StdCmdDlgCustomize - + Cu&stomize... Anpa&ssa... - - + + Customize toolbars and command bars Anpassa verktygs- och kommandorader @@ -9265,13 +9250,13 @@ underscore, and must not start with a digit. StdCmdDlgParameter - + E&dit parameters ... Re&digera parametrar... - - + + Opens a Dialog to edit the parameters Öppnar en dialog för att redigera parametrarna @@ -9279,13 +9264,13 @@ underscore, and must not start with a digit. StdCmdDlgPreferences - + &Preferences ... Alt&ernativ... - - + + Opens a Dialog to edit the preferences Öppnar en dialogför att redigera alternativen @@ -9321,13 +9306,13 @@ underscore, and must not start with a digit. StdCmdDuplicateSelection - + Duplicate selection Dubblerad markering - - + + Put duplicates of the selected objects to the active document Lägg kopior av de markerade objekten till det aktiva dokumentet @@ -9335,17 +9320,17 @@ underscore, and must not start with a digit. StdCmdEdit - + Toggle &Edit mode Växla R&edigera läge - + Toggles the selected object's edit mode Växlar det markerade objektets redigeringsläge - + Activates or Deactivates the selected object's edit mode Går in i eller lämnar det markerade objektets redigeringsläge @@ -9364,12 +9349,12 @@ underscore, and must not start with a digit. Exportera ett objekt i det aktiva dokumentet - + No selection Inget val - + Select the objects to export before choosing Export. Välj objekt att exportera innan du väljer Exportera. @@ -9377,13 +9362,13 @@ underscore, and must not start with a digit. StdCmdExpression - + Expression actions Åtgärder för uttryck - - + + Actions that apply to expressions Actions that apply to expressions @@ -9405,12 +9390,12 @@ underscore, and must not start with a digit. StdCmdFreeCADDonation - + Donate Donera - + Donate to FreeCAD development Donera till FreeCAD's utveckling @@ -9418,17 +9403,17 @@ underscore, and must not start with a digit. StdCmdFreeCADFAQ - + FreeCAD FAQ FreeCAD FAQ - + Frequently Asked Questions on the FreeCAD website Vanliga frågor (FAQ) på FreeCADs hemsida - + Frequently Asked Questions Vanliga frågor (FAQ) @@ -9436,17 +9421,17 @@ underscore, and must not start with a digit. StdCmdFreeCADForum - + FreeCAD Forum FreeCAD Forum - + The FreeCAD forum, where you can find help from other users FreeCAD-forumet, där du kan få hjälp från andra användare - + The FreeCAD Forum FreeCAD-forumet @@ -9454,17 +9439,17 @@ underscore, and must not start with a digit. StdCmdFreeCADPowerUserHub - + Python scripting documentation Dokumentation för Python-skript - + Python scripting documentation on the FreeCAD website Dokumentation för Python-skript på FreeCADs hemsida - + PowerUsers documentation Expertdokumentation @@ -9472,13 +9457,13 @@ underscore, and must not start with a digit. StdCmdFreeCADUserHub - - + + Users documentation Användardokumentation - + Documentation for users on the FreeCAD website Dokumentation för användare på FreeCADs hemsida @@ -9486,13 +9471,13 @@ underscore, and must not start with a digit. StdCmdFreeCADWebsite - - + + FreeCAD Website FreeCAD webbplats - + The FreeCAD website FreeCADs webbplats @@ -9807,25 +9792,25 @@ underscore, and must not start with a digit. StdCmdMergeProjects - + Merge document... Merge document... - - - - + + + + Merge document Merge document - + %1 document (*.FCStd) %1 dokument (*.FCStd) - + Cannot merge document with itself. Cannot merge document with itself. @@ -9833,18 +9818,18 @@ underscore, and must not start with a digit. StdCmdNew - + &New &Ny - - + + Create a new empty document Skapa ett nytt tomt dokument - + Unnamed Namnlös @@ -9853,13 +9838,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelp - - + + Help Hjälp - + Show help to the application Visa hjälp för applikationen @@ -9867,13 +9852,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelpWebsite - - + + Help Website Hjälpwebbplats - + The website where the help is maintained Den webbplats där hjälp erhålls @@ -9928,13 +9913,13 @@ underscore, and must not start with a digit. StdCmdPaste - + &Paste Klistra &in - - + + Paste operation Klistra in operation @@ -9942,13 +9927,13 @@ underscore, and must not start with a digit. StdCmdPlacement - + Placement... Placering... - - + + Place the selected objects Placera de markerade objekten @@ -9956,13 +9941,13 @@ underscore, and must not start with a digit. StdCmdPrint - + &Print... S&kriv ut... - - + + Print the document Skriv ut dokumentet @@ -9970,13 +9955,13 @@ underscore, and must not start with a digit. StdCmdPrintPdf - + &Export PDF... Exportera &PDF... - - + + Export the document as PDF Exportera dokumentet som PDF @@ -9984,17 +9969,17 @@ underscore, and must not start with a digit. StdCmdPrintPreview - + &Print preview... &Förhandsgranska ... - + Print the document Skriv ut dokumentet - + Print preview Förhandsgranska @@ -10002,13 +9987,13 @@ underscore, and must not start with a digit. StdCmdPythonWebsite - - + + Python Website Python webbplats - + The official Python website Den officiella Python webbplatsen @@ -10016,13 +10001,13 @@ underscore, and must not start with a digit. StdCmdQuit - + E&xit A&vsluta - - + + Quits the application Avslutar applikationen @@ -10044,13 +10029,13 @@ underscore, and must not start with a digit. StdCmdRecentFiles - + Open Recent Öppna senaste - - + + Recent file list Lista över senaste filer @@ -10058,13 +10043,13 @@ underscore, and must not start with a digit. StdCmdRecentMacros - + Recent macros Senaste makron - - + + Recent macro list Lista öveer senast använda makron @@ -10072,13 +10057,13 @@ underscore, and must not start with a digit. StdCmdRedo - + &Redo Gö&r om - - + + Redoes a previously undone action Gör om en tidigare ångrad aktion @@ -10086,13 +10071,13 @@ underscore, and must not start with a digit. StdCmdRefresh - + &Refresh &Uppdatera - - + + Recomputes the current active document Beräknar om det aktiva dokumentet @@ -10100,13 +10085,13 @@ underscore, and must not start with a digit. StdCmdReportBug - + Report a bug Rapportera en bugg - - + + Report a bug or suggest a feature Rapportera en bugg eller föreslå en funktion @@ -10114,13 +10099,13 @@ underscore, and must not start with a digit. StdCmdRevert - + Revert Återgå - - + + Reverts to the saved version of this file Återgå till den sparade versionen av den här filen @@ -10128,13 +10113,13 @@ underscore, and must not start with a digit. StdCmdSave - + &Save &Spara - - + + Save the active document Spara det aktiva dokumentet @@ -10142,13 +10127,13 @@ underscore, and must not start with a digit. StdCmdSaveAll - + Save All Spara alla - - + + Save all opened document Spara alla öppnade dokument @@ -10156,13 +10141,13 @@ underscore, and must not start with a digit. StdCmdSaveAs - + Save &As... Spara s&om... - - + + Save the active document under a new file name Sparar det aktiva dokumentet med ett nytt filnamn @@ -10170,13 +10155,13 @@ underscore, and must not start with a digit. StdCmdSaveCopy - + Save a &Copy... Spara &kopia... - - + + Save a copy of the active document under a new file name Spara en kopia av det aktiva dokumentet med ett nytt filnamn @@ -10212,13 +10197,13 @@ underscore, and must not start with a digit. StdCmdSelectAll - + Select &All Markera &allt - - + + Select all Markera allt @@ -10296,13 +10281,13 @@ underscore, and must not start with a digit. StdCmdTextDocument - + Add text document Lägg till textdokument - - + + Add text document to active document Lägg till textdokument till aktivt dokument @@ -10436,13 +10421,13 @@ underscore, and must not start with a digit. StdCmdTransform - + Transform... Omvandla... - - + + Transform the geometry of selected objects Omvandla geometrin för markerade objekt @@ -10450,13 +10435,13 @@ underscore, and must not start with a digit. StdCmdTransformManip - + Transform Omvandla - - + + Transform the selected object in the 3d view Omvandla det markerade objektet i 3d-vyn @@ -10520,13 +10505,13 @@ underscore, and must not start with a digit. StdCmdUndo - + &Undo Ån&gra - - + + Undo exactly one action Ångra exakt en aktion @@ -10534,13 +10519,13 @@ underscore, and must not start with a digit. StdCmdUserEditMode - + Edit mode Redigeringsläge - - + + Defines behavior when editing an object from tree Defines behavior when editing an object from tree @@ -10940,13 +10925,13 @@ underscore, and must not start with a digit. StdCmdWhatsThis - + &What's This? &Förklaring? - - + + What's This Förklaring @@ -10982,13 +10967,13 @@ underscore, and must not start with a digit. StdCmdWorkbench - + Workbench Arbetsbänk - - + + Switch between workbenches Växla mellan arbetsbänkar @@ -11312,7 +11297,7 @@ underscore, and must not start with a digit. Std_Delete - + The following referencing objects might break. Are you sure you want to continue? @@ -11321,7 +11306,7 @@ Are you sure you want to continue? - + Object dependencies Objektberoenden @@ -11329,7 +11314,7 @@ Are you sure you want to continue? Std_DependencyGraph - + Dependency graph Beroendediagram @@ -11410,12 +11395,12 @@ Are you sure you want to continue? Std_DuplicateSelection - + Object dependencies Objektberoenden - + To link to external objects, the document must be saved at least once. Do you want to save the document now? För att länka till externa objekt måste dokumentet sparas minst en gång. @@ -11433,7 +11418,7 @@ Vill du spara dokumentet nu? Std_Refresh - + The document contains dependency cycles. Please check the Report View for more details. @@ -11447,17 +11432,17 @@ Vill du fortfarande fortsätta? Std_Revert - + Revert document Återgå dokument - + This will discard all the changes since last file save. Detta förkastar alla ändringar sedan filen senast sparades. - + Do you want to continue? Vill du fortsätta? @@ -11631,12 +11616,12 @@ Vill du fortfarande fortsätta? Gui::MDIView - + Export PDF Exportera PDF - + PDF file PDF-fil @@ -12330,82 +12315,82 @@ Currently, your system has the following workbenches:</p></body>< Förhandsgranskning: - + Text Text - + Bookmark Bokmärke - + Breakpoint Brytpunkt - + Keyword Nyckelord - + Comment Kommentar - + Block comment Blockkommentar - + Number Nummer - + String Sträng - + Character Tecken - + Class name Klassnamn - + Define name Definiera namn - + Operator Operator - + Python output Python utmatning - + Python error Python fel - + Current line highlight Nuvarande radmarkering - + Items Saker @@ -12916,13 +12901,13 @@ från Python-konsolen till Rapportvy panelen StdCmdExportDependencyGraph - + Export dependency graph... Export dependency graph... - - + + Export the dependency graph to a file Exportera beroendegrafen till en fil @@ -13360,13 +13345,13 @@ the region are non-opaque. StdCmdProjectInfo - + Document i&nformation... Document i&nformation... - - + + Show details of the currently active document Show details of the currently active document @@ -13374,13 +13359,13 @@ the region are non-opaque. StdCmdProjectUtil - + Document utility... Document utility... - - + + Utility to extract or create document files Verktyg för att extrahera eller skapa dokumentfiler @@ -13402,12 +13387,12 @@ the region are non-opaque. StdCmdProperties - + Properties Egenskaper - + Show the property view, which displays the properties of the selected object. Show the property view, which displays the properties of the selected object. @@ -13458,13 +13443,13 @@ the region are non-opaque. StdCmdReloadStyleSheet - + &Reload stylesheet &Reload stylesheet - - + + Reloads the current stylesheet Reloads the current stylesheet @@ -13741,15 +13726,38 @@ the region are non-opaque. StdCmdUnitsCalculator - + &Units converter... &Units converter... - - + + Start the units converter Start the units converter + + Gui::ModuleIO + + + File not found + Fil ej funnen + + + + The file '%1' cannot be opened. + Filen '%1' kan inte öppnas. + + + + StdCmdRestartInSafeMode + + + + + Restart in safe mode + Restart in safe mode + + diff --git a/src/Gui/Language/FreeCAD_tr.ts b/src/Gui/Language/FreeCAD_tr.ts index dc7d11a97b89..e463cad954d8 100644 --- a/src/Gui/Language/FreeCAD_tr.ts +++ b/src/Gui/Language/FreeCAD_tr.ts @@ -91,17 +91,17 @@ Düzenle - + Import İçe aktar - + Delete Sil - + Paste expressions Formülleri yapıştır @@ -131,7 +131,7 @@ Tüm bağlantıları içe aktar - + Insert text document Metin dökümanı ekle @@ -424,42 +424,42 @@ EditMode - + Default Varsayılan - + The object will be edited using the mode defined internally to be the most appropriate for the object type The object will be edited using the mode defined internally to be the most appropriate for the object type - + Transform Dönüştür - + The object will have its placement editable with the Std TransformManip command The object will have its placement editable with the Std TransformManip command - + Cutting Kesme - + This edit mode is implemented as available but currently does not seem to be used by any object This edit mode is implemented as available but currently does not seem to be used by any object - + Color Renk - + The object will have the color of its individual faces editable with the Part FaceAppearances command The object will have the color of its individual faces editable with the Part FaceAppearances command @@ -680,8 +680,8 @@ while doing a left or right click and move the mouse up or down - Word size - Kelime boyutu + Architecture + Architecture @@ -706,52 +706,52 @@ while doing a left or right click and move the mouse up or down Gui::Dialog::AboutDialog - - + + Credits - Header for the Credits tab of the About screen Katkıda Bulunanlar - + + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + Header for bgbsww + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + + + FreeCAD would not be possible without the contributions of FreeCAD, bu katkılar olmadan ortaya çıkamazdı: - + Individuals Header for the list of individual people in the Credits list. Kişiler - + Organizations Header for the list of companies/organizations in the Credits list. Kuruluşlar - - + + License Lisans - + Libraries Kütüphaneler - - This software uses open source components whose copyright and other proprietary rights belong to their respective owners: - Bu yazılım telif hakkı ve diğer fikri mülkiyet hakları ilgili sahiplerine ait açık kaynak bileşenleri kullanır: - - - + Collection Koleksiyon - + Privacy Policy Privacy Policy @@ -1408,8 +1408,8 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgCustomToolBoxbarsImp - - + + Toolbox bars Araç kutusu çubukları @@ -1498,40 +1498,40 @@ same time. The one with the highest priority will be triggered. - + <Separator> <Ayraç> - + %1 module not loaded %1 modül yüklenmedi - + New toolbar Yeni araç çubuğu - - + + Toolbar name: Araç çubuğu adı: - - + + Duplicated name Yinelenen isim - - + + The toolbar name '%1' is already used '%1' Araç çubuğu adı zaten kullanılıyor - + Rename toolbar Araç çubuğunu yeniden adlandırın @@ -1745,72 +1745,72 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgMacroExecuteImp - + Macros Makrolar - + Read-only Salt okunur - + Macro file Makro dosyası - + Enter a file name, please: Lütfen bir dosya adı yazın: - - - + + + Existing file Varolan dosya - + '%1'. This file already exists. '%1'. Bu dosya zaten var. - + Cannot create file Dosya oluşturulamadı - + Creation of file '%1' failed. '%1' dosyası oluşturulamadı. - + Delete macro Makroyu sil - + Do you really want to delete the macro '%1'? Gerçekten '%1' makrosunu silmek istiyor musunuz? - + Do not show again Tekrar gösterme - + Guided Walkthrough Kılavuzlu Çözüm Yolu - + This will guide you in setting up this macro in a custom global toolbar. Instructions will be in red text inside the dialog. Note: your changes will be applied when you next switch workbenches @@ -1821,78 +1821,78 @@ Not: Değişiklikleriniz, sonraki tezgah geçişinizde uygulanacak - + Walkthrough, dialog 1 of 2 Gidişat, 2 ileti penceresinden 1. si - + Walkthrough instructions: Fill in missing fields (optional) then click Add, then Close Gidişat talimatları: Eksik alanları doldurun (isteğe bağlı), sonra Ekle' ye, ardından Kapat' a tıklayın - + Walkthrough, dialog 1 of 1 Gidişat, 1 ileti penceresinden 1. si - + Walkthrough, dialog 2 of 2 Gidişat, 2 ileti penceresinden 2. si - - Walkthrough instructions: Click right arrow button (->), then Close. - Gidişat talimatları: Sağ ok düğmesine (->) ardından Kapat' a tıklayın. + + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. - Walkthrough instructions: Click New, then right arrow (->) button, then Close. - Gidişat Talimatları: Yeni' ye, sonra sağ oka (->), ardından Kapat' a tıklayın. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. - + Renaming Macro File Makro dosya yeniden adlandırma - - + + Enter new name: Yeni adı gir: - - + + '%1' already exists. '%1' zaten mevcut. - + Rename Failed Yeniden adlandırma başarısız oldu - + Failed to rename to '%1'. Perhaps a file permission error? '%1' yeniden adlandıramadı. Belki de bir dosya yetki hatası? - + Duplicate Macro Makroyu Kopyala - + Duplicate Failed Kopyalama Başarısız - + Failed to duplicate to '%1'. Perhaps a file permission error? '%1'olarak çoğaltılamadı. @@ -5899,81 +5899,81 @@ Do you want to save your changes? Gui::GraphvizView - + Graphviz not found Graphviz bulunamadı - + Graphviz couldn't be found on your system. Graphviz, sisteminizde bulunamadı. - + Read more about it here. Burada daha fazla bilgi için tıklayın. - + Do you want to specify its installation path if it's already installed? Yükleme yolu zaten yüklüyse belirtmek ister misiniz? - + Graphviz installation path Graphviz yükleme yolu - + Graphviz failed Graphviz başarısız oldu - + Graphviz failed to create an image file Graphviz görüntü dosyası oluşturulamadı - + PNG format PNG biçimi - + Bitmap format Bit eşlem biçimi - + GIF format PNG biçimi - + JPG format PNG biçimi - + SVG format PNG biçimi - - + + PDF format PNG biçimi - - + + Graphviz format Graphviz format - - - + + + Export graph Grafiği dışa aktar @@ -6133,62 +6133,82 @@ Do you want to save your changes? Gui::MainWindow - - + + Dimension Boyut - + Ready Hazır - + Close All Tümünü Kapat - - - + + + Toggles this toolbar Bu araç çubuğunu değiştirir - - - + + + Toggles this dockable window Bu yapışabilir pencere arasında geçiş yapar - + + Safe mode enabled + Safe mode enabled + + + + FreeCAD is now running in safe mode. + FreeCAD is now running in safe mode. + + + + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + + + WARNING: This is a development version. WARNING: This is a development version. - + Please do not use it in a production environment. Lütfen, gerçek üretim işleminde kullanmayınız. - - + + Unsaved document Kaydedilmemiş belge - + The exported object contains external link. Please save the documentat least once before exporting. Dışa aktarılan nesne dış bağlantı içeriyor. Lüften dışa aktarmadan önce belgeyi en az bir defa kaydedin. - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Harici nesneleri bağlamak için belge, en az bir defa kaydedilmelidir. Belgeyi şimdi kaydetmek istiyor musunuz? + + + Safe Mode + Safe Mode + Gui::ManualAlignment @@ -6690,39 +6710,19 @@ Do you want to exit without saving your data? Open file %1 Dosyayı aç %1 - - - File not found - Dosya bulunamadı - - - - The file '%1' cannot be opened. - '%1' Dosyası açılamıyor. - Gui::RecentMacrosAction - + none hiçbiri - + Run macro %1 (Shift+click to edit) keyboard shortcut: %2 Run macro %1 (Shift+click to edit) keyboard shortcut: %2 - - - File not found - Dosya bulunamadı - - - - The file '%1' cannot be opened. - '%1' Dosyası açılamıyor. - Gui::RevitNavigationStyle @@ -6977,7 +6977,7 @@ Başka bir dizin belirlemek ister misiniz? Gui::TaskView::TaskDialog - + A dialog is already open in the task panel Araç çubuğunda bir pencere zaten açık @@ -7006,38 +7006,8 @@ Başka bir dizin belirlemek ister misiniz? Gui::TextDocumentEditorView - - Text updated - Metin güncelleştirildi - - - - The text of the underlying object has changed. Discard changes and reload the text from the object? - Altta yatan nesnenin metni değişti. Değişiklikleri atın ve metni nesneden yeniden yükleyin? - - - - Yes, reload. - Evet, yeniden yükleyin. - - - - Unsaved document - Kaydedilmemiş belge - - - - Do you want to save your changes before closing? - Kapatmadan önce değişiklikleri kaydetmek istiyor musunuz? - - - - If you don't save, your changes will be lost. - Kaydetmezseniz, yaptığınız değişiklikler kaybolacak. - - - - + + Edit text Metni düzenle @@ -7314,7 +7284,7 @@ Başka bir dizin belirlemek ister misiniz? Gui::TreeDockWidget - + Tree view Unsur Ağacı @@ -7322,7 +7292,7 @@ Başka bir dizin belirlemek ister misiniz? Gui::TreePanel - + Search Ara @@ -7380,148 +7350,148 @@ Başka bir dizin belirlemek ister misiniz? Grup - + Labels & Attributes Etiketler & öznitelikleri - + Description Açıklama - + Internal name Internal name - + Show items hidden in tree view Ağaç görünümünde gizlenen öğeleri göster - + Show items that are marked as 'hidden' in the tree view Ağaç görünümünde 'gizli' olarak işaretlenen öğeleri göster - + Toggle visibility in tree view Toggle visibility in tree view - + Toggles the visibility of selected items in the tree view Toggles the visibility of selected items in the tree view - + Create group Grup oluştur - + Create a group Bir Grup oluşturma - - + + Rename Yeniden Adlandır - + Rename object Nesneyi yeniden adlandır - + Finish editing Düzenlemeyi tamamla - + Finish editing object Nesneyi düzenlemeyi tamamla - + Add dependent objects to selection Seçilecek bağıntılı nesneler ekle - + Adds all dependent objects to the selection Seçilecek tüm bağıntılı nesneleri ekler - + Close document Belgeyi kapat - + Close the document Belgeyi kapat - + Reload document Belgeyi tekrar yükle - + Reload a partially loaded document Kısmi yüklenen belgeyi tekrar yükle - + Skip recomputes Yeniden hesaplamayı atla - + Enable or disable recomputations of document Dokümanın yeniden hesaplanmasını etkinleştirir veya devre dışı bırakır - + Allow partial recomputes Kısmi yeniden hesaplamalara izin ver - + Enable or disable recomputating editing object when 'skip recomputation' is enabled 'Tekrar hesaplamayı atla' etkin ise tekrar hesaplama düzenleme nesnesini etkinleştir veya geçersizleştir - + Mark to recompute Yeniden hesaplamak için işaretle - + Mark this object to be recomputed Bu nesneyi yeniden hesaplanacak şekilde işaretleyin - + Recompute object Nesneyi yeniden hesapla - + Recompute the selected object Seçili Nesneyi yeniden hesapla - + (but must be executed) (ama çalıştırılmalı) - + %1, Internal name: %2 %1, Dahili adı: %2 @@ -7733,47 +7703,47 @@ Başka bir dizin belirlemek ister misiniz? QDockWidget - + Tree view Unsur Ağacı - + Tasks Görevler - + Property view Özellik görünümü - + Selection view Seçim görünümü - + Task List Task List - + Model Model - + DAG View DAG görünümü - + Report view Rapor Görünümü - + Python console Python konsolu @@ -7813,35 +7783,35 @@ Başka bir dizin belirlemek ister misiniz? Python - - - + + + Unknown filetype Bilinmeyen dosya türü - - + + Cannot open unknown filetype: %1 Bilinmeyen dosya türünü açamıyor: %1 - + Export failed Dışa aktarım başarısız oldu - + Cannot save to unknown filetype: %1 Bilinmeyen dosya türü kaydedilemiyor: %1 - + Recomputation required Recomputation required - + Some document(s) require recomputation for migration purposes. It is highly recommended to perform a recomputation before any modification to avoid compatibility problems. Do you want to recompute now? @@ -7850,24 +7820,24 @@ Do you want to recompute now? Do you want to recompute now? - + Recompute error Recompute error - + Failed to recompute some document(s). Please check report view for more details. Failed to recompute some document(s). Please check report view for more details. - + Workbench failure Tezgah hatası - + %1 %1 @@ -7913,90 +7883,105 @@ Please check report view for more details. Dosyayı içe aktar - + Export file Dosyayı Dışarı Aktar - + Printing... Baskıda... - + Exporting PDF... PDF dışa aktarılıyor... - - + + Unsaved document Kaydedilmemiş belge - + The exported object contains external link. Please save the documentat least once before exporting. Dışa aktarılan nesne dış bağlantı içeriyor. Lüften dışa aktarmadan önce belgeyi en az bir defa kaydedin. - - + + Delete failed Silme başarısız - + Dependency error Bağımlılık hatası - + Copy selected Seçileni kopyala - + Copy active document Etkin belgeyi kopyala - + Copy all documents Tüm belgeleri kopyala - + Paste Yapıştır - + Expression error İfade hatası - + Failed to parse some of the expressions. Please check the Report View for more details. Bazı ifadelerin ayrıştırılması başarısız. Daha fazla ayrıntı için lütfen Rapor Görünümünü kontrol edin. - + Failed to paste expressions İfadeleri yapıştırma başarısız - + Cannot load workbench Tezgah yüklenemiyor - + A general error occurred while loading the workbench Tezgah yükleme sırasında genel bir hata oluştu + + + Restart in safe mode + Restart in safe mode + + + + Are you sure you want to restart FreeCAD and enter safe mode? + Are you sure you want to restart FreeCAD and enter safe mode? + + + + Safe mode temporarily disables your configuration and addons. + Safe mode temporarily disables your configuration and addons. + @@ -8220,7 +8205,7 @@ Do you want to continue? Too many opened non-intrusive notifications. Notifications are being omitted! - + Identical physical path detected. It may cause unwanted overwrite of existing document! @@ -8229,44 +8214,44 @@ Do you want to continue? - + Are you sure you want to continue? Devam etmek istediğinizden emin misiniz? - + Please check report view for more... Please check report view for more... - + Physical path: Fiziksel yol: - - + + Document: Belge: - - + + Path: Yol: - + Identical physical path Özdeş fiziksel yol - + Could not save document Belge kaydedilemedi - + There was an issue trying to save the file. This may be because some of the parent folders do not exist, or you do not have sufficient permissions, or for other reasons. Error details: "%1" @@ -8279,102 +8264,102 @@ Would you like to save the file with a different name? Dosyayı farklı bir adla kaydetmek ister misiniz? - - - + + + Saving aborted Kaydetme iptal edildi - + Save dependent files Bağımlı dosyaları kaydet - + The file contains external dependencies. Do you want to save the dependent files, too? Dosya dış bağımlılıklar içeriyor. Bağımlı dosyaları da kaydetmek istiyor musunuz? - - + + Saving document failed Belge kaydetme başarısız oldu - + Save document under new filename... Belgeyi yeni bir dosya adı altında kaydedin... - - + + Save %1 Document %1 Belgeyi Kaydet - + Document Döküman - - + + Failed to save document Belgeyi kaydetme başarısız - + Documents contains cyclic dependencies. Do you still want to save them? Belgeler döngüsel bağımlılıklar içeriyor. Yine de bunları kaydetmek istiyor musunuz? - + Save a copy of the document under new filename... Dokümanın bir kopyasını yeni dosya adı altında kaydedin... - + %1 document (*.FCStd) %1 belgesi (*. FCStd) - + Document not closable Belge kapatılamıyor - + The document is not closable for the moment. Belge şu an için kapatılamıyor. - + Document not saved Belge kaydedilmedi - + The document%1 could not be saved. Do you want to cancel closing it? %1 belgesi kaydedilemedi. Kapatmayı iptal etmek istiyor musunuz? - + Undo Geri al - + Redo Yinele - + There are grouped transactions in the following documents with other preceding transactions Aşağıdaki belgelerde, diğer önceki işlemlerle gruplanmış işlemler var - + Choose 'Yes' to roll back all preceding transactions. Choose 'No' to roll back in the active document only. Choose 'Abort' to abort @@ -8468,7 +8453,7 @@ Vazgeçmek için 'Vazgeç' i seçin %1 Dosyası %2 veya %3 içinde bulunamıyor - + Navigation styles Gezinme şekilleri @@ -8479,47 +8464,47 @@ Vazgeçmek için 'Vazgeç' i seçin Dönüştür - + Do you want to close this dialog? Bu pencereyi kapatmak ister misiniz? - + Do you want to save your changes to document '%1' before closing? Kapatmadan önce değişiklikleri kaydetmek istiyor musunuz? - + Do you want to save your changes to document before closing? Kapatmadan önce değişikliklerinizi belgeye kaydetmek istiyor musunuz? - + If you don't save, your changes will be lost. Kaydetmezseniz, yaptığınız değişiklikler kaybolacak. - + Apply answer to all Cevabı tümüne uygula - + %1 Document(s) not saved %1 belge kaydedilmedi - + Some documents could not be saved. Do you want to cancel closing? Bazı belgeler kaydedilemedi. Kapatmaktan vazgeçmek ister misiniz? - + Delete macro Makroyu sil - + Not allowed to delete system-wide macros Sistemde makrolar silmek için izin verilmez @@ -8615,10 +8600,10 @@ Vazgeçmek için 'Vazgeç' i seçin - - - - + + + + Invalid name Geçersiz ad @@ -8631,25 +8616,25 @@ bir rakam ile başlamamalıdır. - + The property name is a reserved word. The property name is a reserved word. - + The property '%1' already exists in '%2' '%1' özelliği '%2' de zaten mevcut - + Add property Özellik ekle - + Failed to add property to '%1': %2 '%1' e özellik ekleme başarısız: %2 @@ -8935,14 +8920,14 @@ the current copy will be lost. Suppressed - + The property name must only contain alpha numericals, underscore, and must not start with a digit. The property name must only contain alpha numericals, underscore, and must not start with a digit. - + The group name must only contain alpha numericals, underscore, and must not start with a digit. The group name must only contain alpha numericals, @@ -8989,13 +8974,13 @@ underscore, and must not start with a digit. StdCmdAbout - + &About %1 %1 &Hakkında - - + + About %1 %1 Hakkında @@ -9003,13 +8988,13 @@ underscore, and must not start with a digit. StdCmdAboutQt - + About &Qt Hakkında & Qt - - + + About Qt Qt Hakkında @@ -9045,13 +9030,13 @@ underscore, and must not start with a digit. StdCmdAlignment - + Alignment... Hizalama... - - + + Align the selected objects Seçili nesneleri hizala @@ -9115,13 +9100,13 @@ underscore, and must not start with a digit. StdCmdCommandLine - + Start command &line... Komut satırını başlat... - - + + Opens the command line in the console Konsolda komut satırı açar @@ -9129,13 +9114,13 @@ underscore, and must not start with a digit. StdCmdCopy - + C&opy K&opyala - - + + Copy operation İşlemi kopyala @@ -9143,13 +9128,13 @@ underscore, and must not start with a digit. StdCmdCut - + &Cut &Kes - - + + Cut out Çıkart @@ -9157,13 +9142,13 @@ underscore, and must not start with a digit. StdCmdDelete - + &Delete &Sil - - + + Deletes the selected objects Seçili nesneyi siler @@ -9185,13 +9170,13 @@ underscore, and must not start with a digit. StdCmdDependencyGraph - + Dependency graph... Bağımlılık grafiği... - - + + Show the dependency graph of the objects in the active document Etkin belgede nesnelerin bağımlılık grafiğini göster @@ -9199,13 +9184,13 @@ underscore, and must not start with a digit. StdCmdDlgCustomize - + Cu&stomize... Öze&lleştir... - - + + Customize toolbars and command bars Araç çubuklarını ve komut çubuklarını özelleştir @@ -9265,13 +9250,13 @@ underscore, and must not start with a digit. StdCmdDlgParameter - + E&dit parameters ... Parametreleri &düzenle ... - - + + Opens a Dialog to edit the parameters Parametre düzenlemek için bir iletişim kutusu açar @@ -9279,13 +9264,13 @@ underscore, and must not start with a digit. StdCmdDlgPreferences - + &Preferences ... &Seçenekler ... - - + + Opens a Dialog to edit the preferences Seçenekleri düzenlemek için bir iletişim kutusu açar @@ -9321,13 +9306,13 @@ underscore, and must not start with a digit. StdCmdDuplicateSelection - + Duplicate selection Seçimi çoğalt - - + + Put duplicates of the selected objects to the active document Seçili nesneleri kopyalarını etkin belgeye koy @@ -9335,17 +9320,17 @@ underscore, and must not start with a digit. StdCmdEdit - + Toggle &Edit mode &Düzenleme moduna geç - + Toggles the selected object's edit mode Seçilen nesnenin düzenleme moduna geçiş yapar - + Activates or Deactivates the selected object's edit mode Seçilen nesnenin düzenleme modunu etkinleştirir veya devre dışı bırakır @@ -9364,12 +9349,12 @@ underscore, and must not start with a digit. Aktif belgedeki bir nesneyi dışa aktar - + No selection Seçim yok - + Select the objects to export before choosing Export. Dışa Aktar'ı seçmeden önce dışa aktarılacak nesneleri seçin. @@ -9377,13 +9362,13 @@ underscore, and must not start with a digit. StdCmdExpression - + Expression actions İfade eylemleri - - + + Actions that apply to expressions Actions that apply to expressions @@ -9405,12 +9390,12 @@ underscore, and must not start with a digit. StdCmdFreeCADDonation - + Donate Bağış Yap - + Donate to FreeCAD development FreeCAD'i geliştirmek için bağış yapın @@ -9418,17 +9403,17 @@ underscore, and must not start with a digit. StdCmdFreeCADFAQ - + FreeCAD FAQ FreeCAD Hakkında SSS - + Frequently Asked Questions on the FreeCAD website Sıkça sorulan sorular FreeCAD Web sitesinde - + Frequently Asked Questions Sıkça Sorulan Sorular @@ -9436,17 +9421,17 @@ underscore, and must not start with a digit. StdCmdFreeCADForum - + FreeCAD Forum FreeCAD Forum - + The FreeCAD forum, where you can find help from other users Diğer kullanıcılardan yardım bulabileceğiniz FreeCAD forum - + The FreeCAD Forum FreeCAD Forum @@ -9454,17 +9439,17 @@ underscore, and must not start with a digit. StdCmdFreeCADPowerUserHub - + Python scripting documentation Python komut dosyası belgeleri - + Python scripting documentation on the FreeCAD website Python belgelerine FreeCAD Web sitesinde komut dosyası oluşturma - + PowerUsers documentation PowerUsers belgeleri @@ -9472,13 +9457,13 @@ underscore, and must not start with a digit. StdCmdFreeCADUserHub - - + + Users documentation Kullanıcı belgeleri - + Documentation for users on the FreeCAD website FreeCAD Web sitesinde kullanıcılar için belgeler @@ -9486,13 +9471,13 @@ underscore, and must not start with a digit. StdCmdFreeCADWebsite - - + + FreeCAD Website FreeCAD Web sitesi - + The FreeCAD website FreeCAD Web sitesi @@ -9807,25 +9792,25 @@ underscore, and must not start with a digit. StdCmdMergeProjects - + Merge document... Merge document... - - - - + + + + Merge document Merge document - + %1 document (*.FCStd) %1 belgesi (*. FCStd) - + Cannot merge document with itself. Cannot merge document with itself. @@ -9833,18 +9818,18 @@ underscore, and must not start with a digit. StdCmdNew - + &New & Yeni - - + + Create a new empty document Yeni, boş bir belge oluştur - + Unnamed İsimsiz @@ -9853,13 +9838,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelp - - + + Help Yardım - + Show help to the application Uygulama yardımını göster @@ -9867,13 +9852,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelpWebsite - - + + Help Website Yardım Web sitesi - + The website where the help is maintained Yardım sağlanan Web sitesi @@ -9928,13 +9913,13 @@ underscore, and must not start with a digit. StdCmdPaste - + &Paste & Yapıştır - - + + Paste operation Yapıştırma işlemi @@ -9942,13 +9927,13 @@ underscore, and must not start with a digit. StdCmdPlacement - + Placement... Yerleşim... - - + + Place the selected objects Seçili nesneleri yerleştirin @@ -9956,13 +9941,13 @@ underscore, and must not start with a digit. StdCmdPrint - + &Print... & Yazdır... - - + + Print the document Belgeyi Yazdır @@ -9970,13 +9955,13 @@ underscore, and must not start with a digit. StdCmdPrintPdf - + &Export PDF... &PDF olarak dışa aktar... - - + + Export the document as PDF dökümanı PDF Olarak dışa aktarın @@ -9984,17 +9969,17 @@ underscore, and must not start with a digit. StdCmdPrintPreview - + &Print preview... Baskı Önizleme... - + Print the document Belgeyi Yazdır - + Print preview Baskı Önizleme @@ -10002,13 +9987,13 @@ underscore, and must not start with a digit. StdCmdPythonWebsite - - + + Python Website Python Web sitesi - + The official Python website Resmi Python Web sitesi @@ -10016,13 +10001,13 @@ underscore, and must not start with a digit. StdCmdQuit - + E&xit Çı&kış - - + + Quits the application Uygulamadan çıkar @@ -10044,13 +10029,13 @@ underscore, and must not start with a digit. StdCmdRecentFiles - + Open Recent Son Kullanılanları Aç - - + + Recent file list Son kullanılan dosya listesi @@ -10058,13 +10043,13 @@ underscore, and must not start with a digit. StdCmdRecentMacros - + Recent macros Son makrolar - - + + Recent macro list Son makro listesi @@ -10072,13 +10057,13 @@ underscore, and must not start with a digit. StdCmdRedo - + &Redo & Yinele - - + + Redoes a previously undone action Önceden geri alınan eylemi yineler @@ -10086,13 +10071,13 @@ underscore, and must not start with a digit. StdCmdRefresh - + &Refresh & Yenile - - + + Recomputes the current active document Geçerli etkin belgeyi yeniden hesaplar @@ -10100,13 +10085,13 @@ underscore, and must not start with a digit. StdCmdReportBug - + Report a bug Bir hata bildir - - + + Report a bug or suggest a feature Bir hata bildirin veya yeni özellik önerin @@ -10114,13 +10099,13 @@ underscore, and must not start with a digit. StdCmdRevert - + Revert Geri al - - + + Reverts to the saved version of this file Bu dosya kaydedilmiş sürümüne geri döner @@ -10128,13 +10113,13 @@ underscore, and must not start with a digit. StdCmdSave - + &Save & Kaydet - - + + Save the active document Etkin belgeyi Kaydet @@ -10142,13 +10127,13 @@ underscore, and must not start with a digit. StdCmdSaveAll - + Save All Tümünü Kaydet - - + + Save all opened document Tüm açık belgeleri kaydet @@ -10156,13 +10141,13 @@ underscore, and must not start with a digit. StdCmdSaveAs - + Save &As... Farklı Kaydet... - - + + Save the active document under a new file name Etkin belgeyi yeni bir dosya adıyla kaydet @@ -10170,13 +10155,13 @@ underscore, and must not start with a digit. StdCmdSaveCopy - + Save a &Copy... Kaydet & Kopyala... - - + + Save a copy of the active document under a new file name Etkin belgeyi yeni bir dosya adıyla kaydet @@ -10212,13 +10197,13 @@ underscore, and must not start with a digit. StdCmdSelectAll - + Select &All Seç & Tümü - - + + Select all Tümünü Seç @@ -10296,13 +10281,13 @@ underscore, and must not start with a digit. StdCmdTextDocument - + Add text document Metin belgesi ekle - - + + Add text document to active document Etkin belgeye metin belgesi ekle @@ -10436,13 +10421,13 @@ underscore, and must not start with a digit. StdCmdTransform - + Transform... Dönüştür... - - + + Transform the geometry of selected objects Seçili nesnelerin geometrisini dönüştür @@ -10450,13 +10435,13 @@ underscore, and must not start with a digit. StdCmdTransformManip - + Transform Dönüştür - - + + Transform the selected object in the 3d view Seçili nesneyi 3d görünümde dönüştürme @@ -10520,13 +10505,13 @@ underscore, and must not start with a digit. StdCmdUndo - + &Undo Gerial - - + + Undo exactly one action Sadece bir eylemi geri al @@ -10534,13 +10519,13 @@ underscore, and must not start with a digit. StdCmdUserEditMode - + Edit mode Düzenleme modu - - + + Defines behavior when editing an object from tree Ağaç listesinden bir nesneyi düzenlerken davranışı tanımlar @@ -10940,13 +10925,13 @@ underscore, and must not start with a digit. StdCmdWhatsThis - + &What's This? & Bu nedir? - - + + What's This Bu nedir @@ -10982,13 +10967,13 @@ underscore, and must not start with a digit. StdCmdWorkbench - + Workbench Tezgah - - + + Switch between workbenches İş tezgahları arasında geçiş yap @@ -11312,7 +11297,7 @@ underscore, and must not start with a digit. Std_Delete - + The following referencing objects might break. Are you sure you want to continue? @@ -11323,7 +11308,7 @@ Devam etmek istediğinize emin misiniz? - + Object dependencies Nesne bağımlılıkları @@ -11331,7 +11316,7 @@ Devam etmek istediğinize emin misiniz? Std_DependencyGraph - + Dependency graph Bağımlılık grafiği @@ -11412,12 +11397,12 @@ Devam etmek istediğinize emin misiniz? Std_DuplicateSelection - + Object dependencies Nesne bağımlılıkları - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Harici nesneleri bağlamak için belge, en az bir defa kaydedilmelidir. Belgeyi şimdi kaydetmek istiyor musunuz? @@ -11434,7 +11419,7 @@ Do you want to save the document now? Std_Refresh - + The document contains dependency cycles. Please check the Report View for more details. @@ -11448,17 +11433,17 @@ Hala ilerlemek istiyor musunuz? Std_Revert - + Revert document Belgeyi geri al - + This will discard all the changes since last file save. Bu son dosya kaydettikten sonra yapılan tüm değişiklikleri iptal edecektir. - + Do you want to continue? Devam etmek istiyor musunuz? @@ -11632,12 +11617,12 @@ Hala ilerlemek istiyor musunuz? Gui::MDIView - + Export PDF PDF olarak dışa aktar - + PDF file PDF dosyası @@ -12331,82 +12316,82 @@ Currently, your system has the following workbenches:</p></body>< Önizleme: - + Text Metin - + Bookmark Yer işareti - + Breakpoint Kesme noktası - + Keyword Anahtar kelime - + Comment Yorum - + Block comment Blok yorum - + Number Sayı - + String Dize - + Character Karakter - + Class name Sınıf adı - + Define name Ad tanımla - + Operator İşleç - + Python output Python çıktısı - + Python error Python hatası - + Current line highlight Geçerli satırı vurgulama - + Items Öğeler @@ -12913,13 +12898,13 @@ Rapor görünümü panosuna yönlendirilecek StdCmdExportDependencyGraph - + Export dependency graph... Export dependency graph... - - + + Export the dependency graph to a file Export the dependency graph to a file @@ -13357,13 +13342,13 @@ the region are non-opaque. StdCmdProjectInfo - + Document i&nformation... Document i&nformation... - - + + Show details of the currently active document Show details of the currently active document @@ -13371,13 +13356,13 @@ the region are non-opaque. StdCmdProjectUtil - + Document utility... Document utility... - - + + Utility to extract or create document files Utility to extract or create document files @@ -13399,12 +13384,12 @@ the region are non-opaque. StdCmdProperties - + Properties Özellikleri - + Show the property view, which displays the properties of the selected object. Show the property view, which displays the properties of the selected object. @@ -13455,13 +13440,13 @@ the region are non-opaque. StdCmdReloadStyleSheet - + &Reload stylesheet &Reload stylesheet - - + + Reloads the current stylesheet Reloads the current stylesheet @@ -13738,15 +13723,38 @@ the region are non-opaque. StdCmdUnitsCalculator - + &Units converter... &Units converter... - - + + Start the units converter Start the units converter + + Gui::ModuleIO + + + File not found + Dosya bulunamadı + + + + The file '%1' cannot be opened. + '%1' Dosyası açılamıyor. + + + + StdCmdRestartInSafeMode + + + + + Restart in safe mode + Restart in safe mode + + diff --git a/src/Gui/Language/FreeCAD_uk.ts b/src/Gui/Language/FreeCAD_uk.ts index dbba17bc5e7d..0cb04d460bd7 100644 --- a/src/Gui/Language/FreeCAD_uk.ts +++ b/src/Gui/Language/FreeCAD_uk.ts @@ -91,17 +91,17 @@ Правка - + Import Імпортувати - + Delete Видалити - + Paste expressions Вставити вирази @@ -131,7 +131,7 @@ Імпортувати всі посилання - + Insert text document Вставити текстовий документ @@ -424,42 +424,42 @@ EditMode - + Default За замовчуванням - + The object will be edited using the mode defined internally to be the most appropriate for the object type Об'єкт буде відредаговано з використанням внутрішньо визначеним режимом який найбільш відповідає типу об'єкта - + Transform Перетворити - + The object will have its placement editable with the Std TransformManip command Розміщення об'єкта можна буде редагувати за допомогою команди Std TransformManip - + Cutting Переріз - + This edit mode is implemented as available but currently does not seem to be used by any object Цей режим редагування реалізовано як доступний, але наразі він не використовується жодним об'єктом - + Color Колір - + The object will have the color of its individual faces editable with the Part FaceAppearances command Об'єкт матиме колір окремих граней, які можна редагувати за допомогою команди Part FaceAppearances @@ -681,8 +681,8 @@ while doing a left or right click and move the mouse up or down - Word size - Розрядність + Architecture + Architecture @@ -707,52 +707,52 @@ while doing a left or right click and move the mouse up or down Gui::Dialog::AboutDialog - - + + Credits - Header for the Credits tab of the About screen Розробники - + + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + Header for bgbsww + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + + + FreeCAD would not be possible without the contributions of FreeCAD не був би можливим без внесків цих - + Individuals Header for the list of individual people in the Credits list. Персон - + Organizations Header for the list of companies/organizations in the Credits list. Організацій - - + + License Ліцензія - + Libraries Бібліотеки - - This software uses open source components whose copyright and other proprietary rights belong to their respective owners: - Це програмне забезпечення використовує компоненти з відкритим вихідним кодом, чиї права та інші права власності належать їх власникам: - - - + Collection Колекція - + Privacy Policy Політика конфіденційності @@ -1407,8 +1407,8 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgCustomToolBoxbarsImp - - + + Toolbox bars Панель інструментів @@ -1497,40 +1497,40 @@ same time. The one with the highest priority will be triggered. - + <Separator> <Розділювач> - + %1 module not loaded Модуль %1 не завантажено - + New toolbar Нова панель інструментів - - + + Toolbar name: Назва панелі: - - + + Duplicated name Повторення назви - - + + The toolbar name '%1' is already used Назва панелі інструментів '%1' вже використовується - + Rename toolbar Перейменувати панель @@ -1744,72 +1744,72 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgMacroExecuteImp - + Macros Макроси - + Read-only Тільки для читання - + Macro file Файл макросу - + Enter a file name, please: Будь ласка, введіть імʼя файлу: - - - + + + Existing file Існуючий файл - + '%1'. This file already exists. '%1'. Цей файл вже існує. - + Cannot create file Не вдається створити файл - + Creation of file '%1' failed. Помилка створення файлу '%1'. - + Delete macro Видалити макрос - + Do you really want to delete the macro '%1'? Ви дійсно бажаєте видалити макрос '%1'? - + Do not show again Не показувати знову - + Guided Walkthrough Інтерактивний тур - + This will guide you in setting up this macro in a custom global toolbar. Instructions will be in red text inside the dialog. Note: your changes will be applied when you next switch workbenches @@ -1820,78 +1820,78 @@ Note: your changes will be applied when you next switch workbenches - + Walkthrough, dialog 1 of 2 Покрокова Інструкція. Діалог 1 із 2 - + Walkthrough instructions: Fill in missing fields (optional) then click Add, then Close Покрокова Інструкція: Заповніть відсутні поля (опціонально) потім натисніть кнопку Додати, потім Закрити - + Walkthrough, dialog 1 of 1 Покрокова Інструкція. Діалог 1 із 1 - + Walkthrough, dialog 2 of 2 Покрокова Інструкція. Діалог 2 із 2 - - Walkthrough instructions: Click right arrow button (->), then Close. - Покрокова Інструкція: натисніть праву кнопку зі стрілкою (->), потім Закрити. + + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. - Walkthrough instructions: Click New, then right arrow (->) button, then Close. - Покрокова Інструкція; Натисніть Новий, потім праву кнопку зі стрілкою (>), потім Закрити. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. - + Renaming Macro File Перейменування файлу макросу - - + + Enter new name: Введіть нове імʼя: - - + + '%1' already exists. '%1' вже існує. - + Rename Failed Не вдалося перейменувати - + Failed to rename to '%1'. Perhaps a file permission error? Помилка перейменування '%1'. Можливо помилка доступу до файлу? - + Duplicate Macro Створити копію макроса - + Duplicate Failed Не вдалося створити копію - + Failed to duplicate to '%1'. Perhaps a file permission error? Помилка дублювання '%1'. @@ -5896,81 +5896,81 @@ Do you want to save your changes? Gui::GraphvizView - + Graphviz not found Graphviz не знайдено - + Graphviz couldn't be found on your system. Пакет Graphviz не знайдено у вашій системі. - + Read more about it here. Дізнайтеся більше про це тут. - + Do you want to specify its installation path if it's already installed? Бажаєте вказати шлях до його інсталяції, якщо його вже інстальовано? - + Graphviz installation path Шлях до встановленного Graphviz - + Graphviz failed Помилка Graphviz - + Graphviz failed to create an image file Помилка Graphviz при створенні файла зображення - + PNG format Формат PNG - + Bitmap format Формат Bitmap - + GIF format Формат GIF - + JPG format Формат JPG - + SVG format Формат SVG - - + + PDF format Формат PDF - - + + Graphviz format Формат Graphviz - - - + + + Export graph Експортувати діаграму @@ -6130,63 +6130,83 @@ Do you want to save your changes? Gui::MainWindow - - + + Dimension Розмірність - + Ready Готово - + Close All Закрити все - - - + + + Toggles this toolbar Переключення цієї панелі - - - + + + Toggles this dockable window Переключення цього закріплюваного вікна - + + Safe mode enabled + Safe mode enabled + + + + FreeCAD is now running in safe mode. + FreeCAD is now running in safe mode. + + + + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + + + WARNING: This is a development version. УВАГА: Це версія для розробки. - + Please do not use it in a production environment. Будь ласка, не використовуйте його у виробничих умовах. - - + + Unsaved document Незбережений документ - + The exported object contains external link. Please save the documentat least once before exporting. Експортований обʼєкт містить зовнішні посилання. Збережіть документ хоча б раз перед експортом. - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Щоб привʼязати зовнішні обʼєкти, документ повинен бути збережений хоча б один раз. Зберегти документ зараз? + + + Safe Mode + Safe Mode + Gui::ManualAlignment @@ -6685,39 +6705,19 @@ Do you want to exit without saving your data? Open file %1 Відкрити файл %1 - - - File not found - Файл не знайдено - - - - The file '%1' cannot be opened. - Файл '%1' не вдалося відкрити. - Gui::RecentMacrosAction - + none нічого - + Run macro %1 (Shift+click to edit) keyboard shortcut: %2 Комбінація клавіш: %2 для виконання макросу %1 (Shift + клац для редагування) - - - File not found - Файл не знайдено - - - - The file '%1' cannot be opened. - Файл '%1' не вдалося відкрити. - Gui::RevitNavigationStyle @@ -6972,7 +6972,7 @@ Do you want to specify another directory? Gui::TaskView::TaskDialog - + A dialog is already open in the task panel Діалогове вікно вже відкрито в панелі задач @@ -7001,38 +7001,8 @@ Do you want to specify another directory? Gui::TextDocumentEditorView - - Text updated - Текст оновлено - - - - The text of the underlying object has changed. Discard changes and reload the text from the object? - Текст основного обʼєкта змінився. Відхилити зміни та перезавантажити текст з обʼєкта? - - - - Yes, reload. - Так, перезавантажити. - - - - Unsaved document - Незбережений документ - - - - Do you want to save your changes before closing? - Бажаєте зберегти ваші зміни перед закриттям? - - - - If you don't save, your changes will be lost. - Якщо ви не збережете, зміни будуть втрачено. - - - - + + Edit text Редагувати текст @@ -7309,7 +7279,7 @@ Do you want to specify another directory? Gui::TreeDockWidget - + Tree view Ієрархія документа @@ -7317,7 +7287,7 @@ Do you want to specify another directory? Gui::TreePanel - + Search Пошук @@ -7375,148 +7345,148 @@ Do you want to specify another directory? Група - + Labels & Attributes Мітки та Атрибути - + Description Опис - + Internal name Внутрішня назва - + Show items hidden in tree view Відображати елементи приховані в дереві перегляду - + Show items that are marked as 'hidden' in the tree view Показати елементи, позначені як «приховані» у поданні дерева - + Toggle visibility in tree view Перемикання видимості в деревоподібному поданні - + Toggles the visibility of selected items in the tree view Перемикає видимість вибраних елементів у деревоподібному поданні - + Create group Створити групу - + Create a group Створити групу - - + + Rename Перейменувати - + Rename object Перейменувати обʼєкт - + Finish editing Завершити редагування - + Finish editing object Завершити редагування обʼєкту - + Add dependent objects to selection Додати залежні обʼєкти до виділення - + Adds all dependent objects to the selection Додає всі залежні обʼєкти до виділеного - + Close document Закрити документ - + Close the document Закрити цей документ - + Reload document Перезавантажити документ - + Reload a partially loaded document Перезавантажити частково завантажений документ - + Skip recomputes Пропустити перерахунки - + Enable or disable recomputations of document Ввімкнути або вимкнути перерахунки документа - + Allow partial recomputes Дозволити часткові переобчислення - + Enable or disable recomputating editing object when 'skip recomputation' is enabled Ввімкнути або вимкнути переобчислення обʼєктів, коли 'пропустити переобчислення' активовано - + Mark to recompute Помітити для переобчислення - + Mark this object to be recomputed Позначити цей обʼєкт для переобчислення - + Recompute object Переобчислити обʼєкт - + Recompute the selected object Переобчислити виділений обʼєкт - + (but must be executed) (але має бути виконано) - + %1, Internal name: %2 %1, внутрішнє імʼя: %2 @@ -7728,47 +7698,47 @@ Do you want to specify another directory? QDockWidget - + Tree view Ієрархія документа - + Tasks Завдання - + Property view Вид Властивості - + Selection view Вид Виділення - + Task List Список Завдань - + Model Модель - + DAG View Вид DAG - + Report view Вид Звіту - + Python console Консоль Python @@ -7808,35 +7778,35 @@ Do you want to specify another directory? Python - - - + + + Unknown filetype Невідомий тип файлу - - + + Cannot open unknown filetype: %1 Не вдається відкрити невідомий тип файлу: %1 - + Export failed Експорт не вдався - + Cannot save to unknown filetype: %1 Не вдається зберегти в невідомий тип файлу: %1 - + Recomputation required Потрібне переобчислення - + Some document(s) require recomputation for migration purposes. It is highly recommended to perform a recomputation before any modification to avoid compatibility problems. Do you want to recompute now? @@ -7845,24 +7815,24 @@ Do you want to recompute now? Бажаєте переобчислити зараз? - + Recompute error Помилка переобчислення - + Failed to recompute some document(s). Please check report view for more details. Failed to recompute some document(s). Please check report view for more details. - + Workbench failure Помилка робочого середовища - + %1 %1 @@ -7908,90 +7878,105 @@ Please check report view for more details. Імпорт файлу - + Export file Експорт файлу - + Printing... Друк... - + Exporting PDF... Експорт в PDF ... - - + + Unsaved document Незбережений документ - + The exported object contains external link. Please save the documentat least once before exporting. Експортований обʼєкт містить зовнішні посилання. Збережіть документ хоча б раз перед експортом. - - + + Delete failed Не вдалося видалити - + Dependency error Помилка залежності - + Copy selected Копіювати вибране - + Copy active document Копіювати активний документ - + Copy all documents Копіювати всі документи - + Paste Вставити - + Expression error Помилка виразу - + Failed to parse some of the expressions. Please check the Report View for more details. Не вдалося обробити деякі з виразів. Будь ласка перевірте Звіт для отримання більш докладної інформації. - + Failed to paste expressions Не вдалося вставити вирази - + Cannot load workbench Не вдається завантажити робочу область - + A general error occurred while loading the workbench Загальна помилка при завантаженні робочої області + + + Restart in safe mode + Restart in safe mode + + + + Are you sure you want to restart FreeCAD and enter safe mode? + Are you sure you want to restart FreeCAD and enter safe mode? + + + + Safe mode temporarily disables your configuration and addons. + Safe mode temporarily disables your configuration and addons. + @@ -8216,7 +8201,7 @@ Do you want to continue? Занадто багато відкритих ненав'язливих сповіщень. Повідомлення ігноруються! - + Identical physical path detected. It may cause unwanted overwrite of existing document! @@ -8225,44 +8210,44 @@ Do you want to continue? - + Are you sure you want to continue? Ви впевнені, що бажаєте продовжити? - + Please check report view for more... Будь ласка, перегляньте Вид Звіту... - + Physical path: Фізичний шлях: - - + + Document: Документ: - - + + Path: Шлях: - + Identical physical path Ідентичний фізичний шлях - + Could not save document Не вдалося зберегти документ - + There was an issue trying to save the file. This may be because some of the parent folders do not exist, or you do not have sufficient permissions, or for other reasons. Error details: "%1" @@ -8275,102 +8260,102 @@ Would you like to save the file with a different name? Хочете зберегти файл з іншим імʼям? - - - + + + Saving aborted Збереження перервано - + Save dependent files Зберегти залежні файли - + The file contains external dependencies. Do you want to save the dependent files, too? Файл містить зовнішні залежності. Бажаєте також зберегти залежні файли? - - + + Saving document failed Не вдалося зберегти документ - + Save document under new filename... Зберегти документ під новим імʼям... - - + + Save %1 Document Зберегти %1 документ - + Document Документ - - + + Failed to save document Не вдалося зберегти документ - + Documents contains cyclic dependencies. Do you still want to save them? Документи містять циклічні залежності. Ви все ще хочете їх зберегти? - + Save a copy of the document under new filename... Зберегти копію документа під новим іменем файла... - + %1 document (*.FCStd) Документ %1 (*.FCStd) - + Document not closable Документ не закривається - + The document is not closable for the moment. Документ не може бути закритим в даний час. - + Document not saved Документ не збережено - + The document%1 could not be saved. Do you want to cancel closing it? Документ%1 не вдалося зберегти. Бажаєте скасувати закриття? - + Undo Скасувати - + Redo Повторити - + There are grouped transactions in the following documents with other preceding transactions В наступних документах відбувається групування операцій з іншими попередніми операціями - + Choose 'Yes' to roll back all preceding transactions. Choose 'No' to roll back in the active document only. Choose 'Abort' to abort @@ -8464,7 +8449,7 @@ Choose 'Abort' to abort Не вдається знайти файл %1 ні в %2 , ні в %3 - + Navigation styles Стилі навігації @@ -8475,47 +8460,47 @@ Choose 'Abort' to abort Перетворити - + Do you want to close this dialog? Ви бажаєте закрити це діалогове вікно? - + Do you want to save your changes to document '%1' before closing? Бажаєте зберегти внесені зміни в документ '%1' перед його закриттям? - + Do you want to save your changes to document before closing? Бажаєте зберегти зміни, які були внесені до документа перед його закриттям? - + If you don't save, your changes will be lost. Якщо ви не збережете, зміни будуть втрачено. - + Apply answer to all Застосувати відповідь до наступних питань - + %1 Document(s) not saved %1 Документ(и/ів) не збережено - + Some documents could not be saved. Do you want to cancel closing? Деякі документи не вдалося зберегти. Бажаєте скасувати закриття? - + Delete macro Видалити макрос - + Not allowed to delete system-wide macros Не дозволено видаляти системні макроси @@ -8611,10 +8596,10 @@ Choose 'Abort' to abort - - - - + + + + Invalid name Невірне імʼя @@ -8626,25 +8611,25 @@ underscore, and must not start with a digit. - + The property name is a reserved word. The property name is a reserved word. - + The property '%1' already exists in '%2' Властивість '%1' вже існує в '%2' - + Add property Додати властивість - + Failed to add property to '%1': %2 Не вдалося додати властивість до '%1': %2 @@ -8932,14 +8917,14 @@ the current copy will be lost. Пригнічено - + The property name must only contain alpha numericals, underscore, and must not start with a digit. Назва властивості повинна містити лише літерні цифри, символ підкреслення і не повинна починатися з цифри. - + The group name must only contain alpha numericals, underscore, and must not start with a digit. Назва групи повинна містити лише буквено-цифрові символи, @@ -8986,13 +8971,13 @@ underscore, and must not start with a digit. StdCmdAbout - + &About %1 Про %1 - - + + About %1 Про %1 @@ -9000,13 +8985,13 @@ underscore, and must not start with a digit. StdCmdAboutQt - + About &Qt Про &Qt - - + + About Qt Про Qt @@ -9042,13 +9027,13 @@ underscore, and must not start with a digit. StdCmdAlignment - + Alignment... Вирівнювання... - - + + Align the selected objects Вирівняти виділені обʼєкти @@ -9112,13 +9097,13 @@ underscore, and must not start with a digit. StdCmdCommandLine - + Start command &line... Запуск командного рядка... - - + + Opens the command line in the console Відкриття командного рядка в консолі @@ -9126,13 +9111,13 @@ underscore, and must not start with a digit. StdCmdCopy - + C&opy Копіювати - - + + Copy operation Копіює виділений обʼєкт до буфера обміну @@ -9140,13 +9125,13 @@ underscore, and must not start with a digit. StdCmdCut - + &Cut Вирізати - - + + Cut out Вирізає виділений обʼєкт @@ -9154,13 +9139,13 @@ underscore, and must not start with a digit. StdCmdDelete - + &Delete Видалити - - + + Deletes the selected objects Видаляє вибрані обʼєкти @@ -9182,13 +9167,13 @@ underscore, and must not start with a digit. StdCmdDependencyGraph - + Dependency graph... Граф залежності... - - + + Show the dependency graph of the objects in the active document Показує граф залежностей обʼєктів в активному документі @@ -9196,13 +9181,13 @@ underscore, and must not start with a digit. StdCmdDlgCustomize - + Cu&stomize... Налаштування... - - + + Customize toolbars and command bars Здійснює налаштування панелі інструментів та панелі команд @@ -9262,13 +9247,13 @@ underscore, and must not start with a digit. StdCmdDlgParameter - + E&dit parameters ... Редагування параметрів ... - - + + Opens a Dialog to edit the parameters Відкриває діалогове вікно для редагування параметрів @@ -9276,13 +9261,13 @@ underscore, and must not start with a digit. StdCmdDlgPreferences - + &Preferences ... &Налаштування ... - - + + Opens a Dialog to edit the preferences Відкриває діалогове вікно для зміни установок @@ -9318,13 +9303,13 @@ underscore, and must not start with a digit. StdCmdDuplicateSelection - + Duplicate selection Дублювати виділене - - + + Put duplicates of the selected objects to the active document Вставляє дублікати виділених обʼєктів у активний документ @@ -9332,17 +9317,17 @@ underscore, and must not start with a digit. StdCmdEdit - + Toggle &Edit mode Перемкнути режим &Редагування - + Toggles the selected object's edit mode Змінити режим редагування виділеного обʼєкта - + Activates or Deactivates the selected object's edit mode Активує або деактивує для виділених обʼєктів режим редагування @@ -9361,12 +9346,12 @@ underscore, and must not start with a digit. Експортує обʼєкт в активному документі - + No selection Нічого не вибрано - + Select the objects to export before choosing Export. Спочатку виберіть обʼєкти для Експорту. @@ -9374,13 +9359,13 @@ underscore, and must not start with a digit. StdCmdExpression - + Expression actions Дії з виразом - - + + Actions that apply to expressions Дії, які застосовуються до виразів @@ -9402,12 +9387,12 @@ underscore, and must not start with a digit. StdCmdFreeCADDonation - + Donate Допомогти - + Donate to FreeCAD development Пожертвувати на розробку FreeCAD @@ -9415,17 +9400,17 @@ underscore, and must not start with a digit. StdCmdFreeCADFAQ - + FreeCAD FAQ Часті питання по FreeCAD - + Frequently Asked Questions on the FreeCAD website Часті питання на веб-сайті FreeCAD - + Frequently Asked Questions Найчастіші питання @@ -9433,17 +9418,17 @@ underscore, and must not start with a digit. StdCmdFreeCADForum - + FreeCAD Forum Форум FreeCAD - + The FreeCAD forum, where you can find help from other users Форум FreeCAD, де ви можете отримати допомогу від інших користувачів - + The FreeCAD Forum Форум FreeCAD @@ -9451,17 +9436,17 @@ underscore, and must not start with a digit. StdCmdFreeCADPowerUserHub - + Python scripting documentation Документація зі сценаріїв Python - + Python scripting documentation on the FreeCAD website Документація зі сценаріїв Python на сайті FreeCAD - + PowerUsers documentation Документація для досвідчених користувачів @@ -9469,13 +9454,13 @@ underscore, and must not start with a digit. StdCmdFreeCADUserHub - - + + Users documentation Документація користувача - + Documentation for users on the FreeCAD website Документація користувача на веб-сайті FreeCAD @@ -9483,13 +9468,13 @@ underscore, and must not start with a digit. StdCmdFreeCADWebsite - - + + FreeCAD Website Сайт FreeCAD - + The FreeCAD website Сайт FreeCAD @@ -9804,25 +9789,25 @@ underscore, and must not start with a digit. StdCmdMergeProjects - + Merge document... Об'єднати документ... - - - - + + + + Merge document Об'єднати документ - + %1 document (*.FCStd) Документ %1 (*.FCStd) - + Cannot merge document with itself. Не вдається об'єднати документ з самим собою. @@ -9830,18 +9815,18 @@ underscore, and must not start with a digit. StdCmdNew - + &New Новий - - + + Create a new empty document Створює новий порожній документ - + Unnamed Без назви @@ -9850,13 +9835,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelp - - + + Help Довідка - + Show help to the application Показати довідку по програмі @@ -9864,13 +9849,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelpWebsite - - + + Help Website Сайт довідки - + The website where the help is maintained Сайт де можна отримати допомогу від розробників @@ -9925,13 +9910,13 @@ underscore, and must not start with a digit. StdCmdPaste - + &Paste &Вставити - - + + Paste operation Вставляє вміст буферу обміну @@ -9939,13 +9924,13 @@ underscore, and must not start with a digit. StdCmdPlacement - + Placement... Розташування... - - + + Place the selected objects Задає розташування виділених обʼєктів @@ -9953,13 +9938,13 @@ underscore, and must not start with a digit. StdCmdPrint - + &Print... &Друк... - - + + Print the document Друкує документ @@ -9967,13 +9952,13 @@ underscore, and must not start with a digit. StdCmdPrintPdf - + &Export PDF... &Експорт до PDF... - - + + Export the document as PDF Експортує документ в PDF @@ -9981,17 +9966,17 @@ underscore, and must not start with a digit. StdCmdPrintPreview - + &Print preview... &Попередній перегляд... - + Print the document Друкує документ - + Print preview Дозволяє попередньо переглянути результат перед друком @@ -9999,13 +9984,13 @@ underscore, and must not start with a digit. StdCmdPythonWebsite - - + + Python Website Сайт Python - + The official Python website Офіційний сайт Python @@ -10013,13 +9998,13 @@ underscore, and must not start with a digit. StdCmdQuit - + E&xit Вихід - - + + Quits the application Завершує роботу з програмою @@ -10041,13 +10026,13 @@ underscore, and must not start with a digit. StdCmdRecentFiles - + Open Recent Відкрити нещодавні - - + + Recent file list Список останніх файлів @@ -10055,13 +10040,13 @@ underscore, and must not start with a digit. StdCmdRecentMacros - + Recent macros Нещодавні макроси - - + + Recent macro list Список попередніх макросів @@ -10069,13 +10054,13 @@ underscore, and must not start with a digit. StdCmdRedo - + &Redo Повторити - - + + Redoes a previously undone action Повторює останню скасовану дію @@ -10083,13 +10068,13 @@ underscore, and must not start with a digit. StdCmdRefresh - + &Refresh Оновити - - + + Recomputes the current active document Переобчислює активний документ @@ -10097,13 +10082,13 @@ underscore, and must not start with a digit. StdCmdReportBug - + Report a bug Повідомити про помилку - - + + Report a bug or suggest a feature Дозволяє повідомити про помилку, або запропонувати нову функцію @@ -10111,13 +10096,13 @@ underscore, and must not start with a digit. StdCmdRevert - + Revert Скасувати зміни - - + + Reverts to the saved version of this file Повертається до збереженої версії цього файлу @@ -10125,13 +10110,13 @@ underscore, and must not start with a digit. StdCmdSave - + &Save &Зберегти - - + + Save the active document Зберігає активний документ @@ -10139,13 +10124,13 @@ underscore, and must not start with a digit. StdCmdSaveAll - + Save All Зберегти Все - - + + Save all opened document Зберігає всі відкриті документи @@ -10153,13 +10138,13 @@ underscore, and must not start with a digit. StdCmdSaveAs - + Save &As... Зберегти як... - - + + Save the active document under a new file name Зберігає активний документ під новим імʼям @@ -10167,13 +10152,13 @@ underscore, and must not start with a digit. StdCmdSaveCopy - + Save a &Copy... Зберегти &Копію... - - + + Save a copy of the active document under a new file name Зберігає копію активного документа з новим іменем файлу @@ -10209,13 +10194,13 @@ underscore, and must not start with a digit. StdCmdSelectAll - + Select &All Виділити все - - + + Select all Виділяє всі обʼєкти @@ -10293,13 +10278,13 @@ underscore, and must not start with a digit. StdCmdTextDocument - + Add text document Додати текстовий документ - - + + Add text document to active document Додає текстовий документ до активного документа @@ -10433,13 +10418,13 @@ underscore, and must not start with a digit. StdCmdTransform - + Transform... Перетворення... - - + + Transform the geometry of selected objects Перетворення геометрії вибраних обʼєктів @@ -10447,13 +10432,13 @@ underscore, and must not start with a digit. StdCmdTransformManip - + Transform Перетворити - - + + Transform the selected object in the 3d view Перетворює виділений обʼєкт у 3D виді @@ -10517,13 +10502,13 @@ underscore, and must not start with a digit. StdCmdUndo - + &Undo &Скасувати - - + + Undo exactly one action Скасовує останню дію @@ -10531,13 +10516,13 @@ underscore, and must not start with a digit. StdCmdUserEditMode - + Edit mode Режим Правка - - + + Defines behavior when editing an object from tree Визначає поведінку під час редагування обʼєкту їєрархії @@ -10937,13 +10922,13 @@ underscore, and must not start with a digit. StdCmdWhatsThis - + &What's This? &Що це? - - + + What's This Що Це @@ -10979,13 +10964,13 @@ underscore, and must not start with a digit. StdCmdWorkbench - + Workbench Робочі середовища - - + + Switch between workbenches Перемикає робочі середовища @@ -11309,7 +11294,7 @@ underscore, and must not start with a digit. Std_Delete - + The following referencing objects might break. Are you sure you want to continue? @@ -11320,7 +11305,7 @@ Are you sure you want to continue? - + Object dependencies Залежності обʼєктів @@ -11328,7 +11313,7 @@ Are you sure you want to continue? Std_DependencyGraph - + Dependency graph Граф залежності @@ -11409,12 +11394,12 @@ Are you sure you want to continue? Std_DuplicateSelection - + Object dependencies Залежності обʼєктів - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Щоб привʼязати зовнішні обʼєкти, документ повинен бути збережений хоча б один раз. @@ -11432,7 +11417,7 @@ Do you want to save the document now? Std_Refresh - + The document contains dependency cycles. Please check the Report View for more details. @@ -11446,17 +11431,17 @@ Do you still want to proceed? Std_Revert - + Revert document Відновити документ - + This will discard all the changes since last file save. Це скасує всі зміни від часу останнього збереження файла. - + Do you want to continue? Бажаєте продовжити? @@ -11630,12 +11615,12 @@ Do you still want to proceed? Gui::MDIView - + Export PDF Експорт в PDF - + PDF file PDF-файл @@ -12329,82 +12314,82 @@ Currently, your system has the following workbenches:</p></body>< Попередній перегляд: - + Text Текст - + Bookmark Закладка - + Breakpoint Точка зупинки - + Keyword Ключове слово - + Comment Коментар - + Block comment Блок коментаря - + Number Число - + String Рядок - + Character Символ - + Class name Назва класу - + Define name Вказати назву - + Operator Оператор - + Python output Вивід Python - + Python error Помилка Python - + Current line highlight Підсвітка поточної лінії - + Items Елементи @@ -12913,13 +12898,13 @@ from Python console to Report view panel StdCmdExportDependencyGraph - + Export dependency graph... Експорт графіка залежностей... - - + + Export the dependency graph to a file Експортувати графік залежностей у файл @@ -13356,13 +13341,13 @@ the region are non-opaque. StdCmdProjectInfo - + Document i&nformation... Інформація про документ... - - + + Show details of the currently active document Показати деталі поточного активного документа @@ -13370,13 +13355,13 @@ the region are non-opaque. StdCmdProjectUtil - + Document utility... Утиліта для документів... - - + + Utility to extract or create document files Утиліта для видобування або створення файлів документа @@ -13398,12 +13383,12 @@ the region are non-opaque. StdCmdProperties - + Properties Властивості - + Show the property view, which displays the properties of the selected object. Показати подання властивостей, яке відображає властивості вибраного об'єкта. @@ -13454,13 +13439,13 @@ the region are non-opaque. StdCmdReloadStyleSheet - + &Reload stylesheet &Перезавантажити таблицю стилів - - + + Reloads the current stylesheet Перезавантажує поточну таблицю стилів @@ -13737,15 +13722,38 @@ the region are non-opaque. StdCmdUnitsCalculator - + &Units converter... &Перетворювач одиниць... - - + + Start the units converter Запустіть перетворювач одиниць виміру + + Gui::ModuleIO + + + File not found + Файл не знайдено + + + + The file '%1' cannot be opened. + Файл '%1' не вдалося відкрити. + + + + StdCmdRestartInSafeMode + + + + + Restart in safe mode + Restart in safe mode + + diff --git a/src/Gui/Language/FreeCAD_val-ES.ts b/src/Gui/Language/FreeCAD_val-ES.ts index 81641c5fbcd5..cc1ee3712e87 100644 --- a/src/Gui/Language/FreeCAD_val-ES.ts +++ b/src/Gui/Language/FreeCAD_val-ES.ts @@ -91,17 +91,17 @@ Edita - + Import Importa - + Delete Elimina - + Paste expressions Paste expressions @@ -131,7 +131,7 @@ Importa tots els enllaços - + Insert text document Insert text document @@ -424,42 +424,42 @@ EditMode - + Default Per defecte - + The object will be edited using the mode defined internally to be the most appropriate for the object type The object will be edited using the mode defined internally to be the most appropriate for the object type - + Transform Transforma - + The object will have its placement editable with the Std TransformManip command The object will have its placement editable with the Std TransformManip command - + Cutting Tall - + This edit mode is implemented as available but currently does not seem to be used by any object This edit mode is implemented as available but currently does not seem to be used by any object - + Color Color - + The object will have the color of its individual faces editable with the Part FaceAppearances command The object will have the color of its individual faces editable with the Part FaceAppearances command @@ -680,8 +680,8 @@ while doing a left or right click and move the mouse up or down - Word size - Mida de paraula + Architecture + Architecture @@ -706,52 +706,52 @@ while doing a left or right click and move the mouse up or down Gui::Dialog::AboutDialog - - + + Credits - Header for the Credits tab of the About screen Crèdits - + + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + Header for bgbsww + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + + + FreeCAD would not be possible without the contributions of FreeCAD would not be possible without the contributions of - + Individuals Header for the list of individual people in the Credits list. Individuals - + Organizations Header for the list of companies/organizations in the Credits list. Organizations - - + + License Llicència - + Libraries Biblioteques - - This software uses open source components whose copyright and other proprietary rights belong to their respective owners: - Aquest programari utilitza components de codi obert, el copyright i altres drets de propietat dels quals pertanyen als seus respectius propietaris: - - - + Collection Col·lecció - + Privacy Policy Privacy Policy @@ -1408,8 +1408,8 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgCustomToolBoxbarsImp - - + + Toolbox bars Barres de caixes d'eines @@ -1498,40 +1498,40 @@ same time. The one with the highest priority will be triggered. - + <Separator> <Separador> - + %1 module not loaded %1 module not loaded - + New toolbar Barra d'eines nova - - + + Toolbar name: Nom de la barra d'eines: - - + + Duplicated name Nom duplicat - - + + The toolbar name '%1' is already used El nom de la barra d'eines '%1' ja està utilitzat. - + Rename toolbar Reanomena la barra d'eines @@ -1745,71 +1745,71 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgMacroExecuteImp - + Macros Macros - + Read-only Només de lectura - + Macro file Fitxer de la macro - + Enter a file name, please: Introduïu un nom de fitxer: - - - + + + Existing file Fitxer existent - + '%1'. This file already exists. '%1'. Aquest fitxer ja existeix. - + Cannot create file No es pot crear el fitxer. - + Creation of file '%1' failed. La creació del fitxer '%1' ha fallat. - + Delete macro Suprimeix la macro - + Do you really want to delete the macro '%1'? Esteu segur que voleu suprimir la macro '%1'? - + Do not show again No ho tornes a mostrar - + Guided Walkthrough Procediment guiat - + This will guide you in setting up this macro in a custom global toolbar. Instructions will be in red text inside the dialog. Note: your changes will be applied when you next switch workbenches @@ -1820,78 +1820,78 @@ Nota: els vostres canvis s'aplicaran quan canvieu de banc de treball - + Walkthrough, dialog 1 of 2 Procediment guiat, diàleg 1 de 2 - + Walkthrough instructions: Fill in missing fields (optional) then click Add, then Close Instruccions del procediment guiat: empleneu els camps que falten (opcional), feu clic a Afig i després a Tanca - + Walkthrough, dialog 1 of 1 Procediment guiat, diàleg 1 de 1 - + Walkthrough, dialog 2 of 2 Procediment guiat, diàleg 2 de 2 - - Walkthrough instructions: Click right arrow button (->), then Close. - Instruccions del procediment guiat: feu clic en el botó de fletxa dreta (->) i després en Tanca. + + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. - Walkthrough instructions: Click New, then right arrow (->) button, then Close. - Instruccions del procediment guiat: feu clic en Nou, després en el botó de fletxa dreta (->) i després en Tanca. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. - + Renaming Macro File S'està canviant el nom del fitxer de Macro - - + + Enter new name: Introduïu el nom nou: - - + + '%1' already exists. '%1' ja existeix. - + Rename Failed Error en canviar el nom - + Failed to rename to '%1'. Perhaps a file permission error? No ha pogut canviar el nom per '%1'. Pot ser un problema de permisos d'arxiu? - + Duplicate Macro Duplica la macro - + Duplicate Failed Ha fallat el duplicat - + Failed to duplicate to '%1'. Perhaps a file permission error? No s'ha pogut duplicar «%1». @@ -5890,81 +5890,81 @@ Do you want to save your changes? Gui::GraphvizView - + Graphviz not found No s'ha trobat el Graphviz. - + Graphviz couldn't be found on your system. El Graphviz no s'ha pogut trobar al sistema. - + Read more about it here. Més informació ací. - + Do you want to specify its installation path if it's already installed? Voleu especificar el seu camí d'instal·lació si ja està instal·lat? - + Graphviz installation path Camí d'instal·lació del Graphviz - + Graphviz failed Ha fallat el Graphviz. - + Graphviz failed to create an image file El Graphviz no ha pogut crear un fitxer d'imatge. - + PNG format Format PNG - + Bitmap format Format de mapa de bits - + GIF format Format GIF - + JPG format Format JPG - + SVG format Format SVG - - + + PDF format Format PDF - - + + Graphviz format Graphviz format - - - + + + Export graph Exporta el gràfic @@ -6124,63 +6124,83 @@ Do you want to save your changes? Gui::MainWindow - - + + Dimension Dimensió - + Ready Preparat - + Close All Tanca-ho tot - - - + + + Toggles this toolbar Commuta la barra d'eines - - - + + + Toggles this dockable window Commuta la finestra flotant - + + Safe mode enabled + Safe mode enabled + + + + FreeCAD is now running in safe mode. + FreeCAD is now running in safe mode. + + + + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + + + WARNING: This is a development version. WARNING: This is a development version. - + Please do not use it in a production environment. Please do not use it in a production environment. - - + + Unsaved document El document no s'ha guardat. - + The exported object contains external link. Please save the documentat least once before exporting. L’objecte exportat conté un enllaç extern. Guardeu el documenta almenys una vegada abans d’exportar-lo. - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Per a enllaçar amb objectes externs, el document s’ha de guardar almenys una vegada. Voleu guardar el document ara? + + + Safe Mode + Safe Mode + Gui::ManualAlignment @@ -6678,39 +6698,19 @@ Do you want to exit without saving your data? Open file %1 Obri el fitxer %1 - - - File not found - No s'ha trobat el fitxer. - - - - The file '%1' cannot be opened. - El fitxer '%1' no es pot obrir. - Gui::RecentMacrosAction - + none cap - + Run macro %1 (Shift+click to edit) keyboard shortcut: %2 Run macro %1 (Shift+click to edit) keyboard shortcut: %2 - - - File not found - No s'ha trobat el fitxer. - - - - The file '%1' cannot be opened. - El fitxer '%1' no es pot obrir. - Gui::RevitNavigationStyle @@ -6961,7 +6961,7 @@ Do you want to specify another directory? Gui::TaskView::TaskDialog - + A dialog is already open in the task panel A dialog is already open in the task panel @@ -6990,38 +6990,8 @@ Do you want to specify another directory? Gui::TextDocumentEditorView - - Text updated - Text actualitzat - - - - The text of the underlying object has changed. Discard changes and reload the text from the object? - El text de l'objecte subjacent ha canviat. Voleu descartar els canvis i tornar a carregar el text des de l'objecte? - - - - Yes, reload. - Sí, torna a carregar-lo. - - - - Unsaved document - El document no s'ha guardat. - - - - Do you want to save your changes before closing? - Voleu guardar els canvis abans de tancar? - - - - If you don't save, your changes will be lost. - Si no guardeu els canvis, es perdran. - - - - + + Edit text Edita el text @@ -7298,7 +7268,7 @@ Do you want to specify another directory? Gui::TreeDockWidget - + Tree view Vista d'arbre @@ -7306,7 +7276,7 @@ Do you want to specify another directory? Gui::TreePanel - + Search Cerca @@ -7364,148 +7334,148 @@ Do you want to specify another directory? Grup - + Labels & Attributes Etiquetes i atributs - + Description Descripció - + Internal name Internal name - + Show items hidden in tree view Show items hidden in tree view - + Show items that are marked as 'hidden' in the tree view Show items that are marked as 'hidden' in the tree view - + Toggle visibility in tree view Toggle visibility in tree view - + Toggles the visibility of selected items in the tree view Toggles the visibility of selected items in the tree view - + Create group Crea un grup - + Create a group Crea un grup - - + + Rename Reanomena - + Rename object Reanomena l'objecte - + Finish editing Finalitza l'edició - + Finish editing object Finalitza l'edició de l'objecte - + Add dependent objects to selection Add dependent objects to selection - + Adds all dependent objects to the selection Adds all dependent objects to the selection - + Close document Tanca el document - + Close the document Tanca el document - + Reload document Torneu a la carregar el document - + Reload a partially loaded document Torna a carregar un document que s'ha carregat parcialment - + Skip recomputes Omet el recàlcul - + Enable or disable recomputations of document Activa o desactiva els recàlculs del document - + Allow partial recomputes Permet recàlculs parcials - + Enable or disable recomputating editing object when 'skip recomputation' is enabled Habilita o inhabilita el recàlcul de l'edició d'objectes quan estiga activat «Omet el recàlcul» - + Mark to recompute Marca per a recalcular - + Mark this object to be recomputed Marca aquest objecte per a recalcular-lo - + Recompute object Recalcula l'objecte - + Recompute the selected object Recalcula l'objecte seleccionat - + (but must be executed) (but must be executed) - + %1, Internal name: %2 %1, nom intern: %2 @@ -7717,47 +7687,47 @@ Do you want to specify another directory? QDockWidget - + Tree view Vista d'arbre - + Tasks Tasques - + Property view Visualització de les propietats - + Selection view Visualització de la selecció - + Task List Task List - + Model Model - + DAG View Vista DAG - + Report view Visualització de l'informe - + Python console Consola de Python @@ -7797,35 +7767,35 @@ Do you want to specify another directory? Python - - - + + + Unknown filetype El tipus de fitxer és desconegut. - - + + Cannot open unknown filetype: %1 No es pot obrir el tipus de fitxer desconegut: %1 - + Export failed Exportació fallida - + Cannot save to unknown filetype: %1 No es pot guardar el tipus de fitxer desconegut: %1 - + Recomputation required Recomputation required - + Some document(s) require recomputation for migration purposes. It is highly recommended to perform a recomputation before any modification to avoid compatibility problems. Do you want to recompute now? @@ -7834,24 +7804,24 @@ Do you want to recompute now? Do you want to recompute now? - + Recompute error Recompute error - + Failed to recompute some document(s). Please check report view for more details. Failed to recompute some document(s). Please check report view for more details. - + Workbench failure Fallada del banc de treball - + %1 %1 @@ -7897,90 +7867,105 @@ Please check report view for more details. Importa el fitxer - + Export file Exporta el fitxer - + Printing... S'està imprimint... - + Exporting PDF... S'està exportant a PDF... - - + + Unsaved document El document no s'ha guardat. - + The exported object contains external link. Please save the documentat least once before exporting. L’objecte exportat conté un enllaç extern. Guardeu el documenta almenys una vegada abans d’exportar-lo. - - + + Delete failed No s'ha pogut eliminar - + Dependency error Error de dependència - + Copy selected Copia la selecció - + Copy active document Copia el document actiu - + Copy all documents Copia tots el documents - + Paste Apega - + Expression error S'ha produït un error d'expressió - + Failed to parse some of the expressions. Please check the Report View for more details. No s'han pogut analitzar algunes de les expressions. Per a obtindre més detalls, consulteu la vista de l'informe. - + Failed to paste expressions No s'han pogut apegar les expressions - + Cannot load workbench No es pot carregar el banc de treball. - + A general error occurred while loading the workbench S'ha produït un error mentre es carregava el banc de treball. + + + Restart in safe mode + Restart in safe mode + + + + Are you sure you want to restart FreeCAD and enter safe mode? + Are you sure you want to restart FreeCAD and enter safe mode? + + + + Safe mode temporarily disables your configuration and addons. + Safe mode temporarily disables your configuration and addons. + @@ -8204,7 +8189,7 @@ Do you want to continue? Too many opened non-intrusive notifications. Notifications are being omitted! - + Identical physical path detected. It may cause unwanted overwrite of existing document! @@ -8213,44 +8198,44 @@ Do you want to continue? - + Are you sure you want to continue? Are you sure you want to continue? - + Please check report view for more... Please check report view for more... - + Physical path: Physical path: - - + + Document: Document: - - + + Path: Camí: - + Identical physical path Identical physical path - + Could not save document Could not save document - + There was an issue trying to save the file. This may be because some of the parent folders do not exist, or you do not have sufficient permissions, or for other reasons. Error details: "%1" @@ -8263,102 +8248,102 @@ Would you like to save the file with a different name? Would you like to save the file with a different name? - - - + + + Saving aborted S'avorta el procés de guardar. - + Save dependent files Guarda els fitxers dependents - + The file contains external dependencies. Do you want to save the dependent files, too? El fitxer conté dependències externes. Voleu guardar també els fitxers dependents? - - + + Saving document failed No s'ha pogut guardar el document. - + Save document under new filename... Guarda el document amb un altre nom... - - + + Save %1 Document Guarda el document %1 - + Document Document - - + + Failed to save document No s'ha pogut guardar el document - + Documents contains cyclic dependencies. Do you still want to save them? Els documents contenen dependències cícliques. Encara voleu guardar-los? - + Save a copy of the document under new filename... Guarda una còpia del document amb un altre nom... - + %1 document (*.FCStd) Document %1 (*.FCStd) - + Document not closable No es pot tancar el document. - + The document is not closable for the moment. De moment el document no es pot tancar. - + Document not saved Document not saved - + The document%1 could not be saved. Do you want to cancel closing it? The document%1 could not be saved. Do you want to cancel closing it? - + Undo Desfés - + Redo Refés - + There are grouped transactions in the following documents with other preceding transactions Hi ha transaccions agrupades en els documents següents amb altres transaccions anteriors - + Choose 'Yes' to roll back all preceding transactions. Choose 'No' to roll back in the active document only. Choose 'Abort' to abort @@ -8452,7 +8437,7 @@ Trieu «Interromp» per a interrompre No s'ha trobat el fitxer %1 ni en %2 ni en %3 - + Navigation styles Estils de navegació @@ -8463,47 +8448,47 @@ Trieu «Interromp» per a interrompre Transforma - + Do you want to close this dialog? Do you want to close this dialog? - + Do you want to save your changes to document '%1' before closing? Voleu guardar els vostres canvis en el document '%1' abans de tancar? - + Do you want to save your changes to document before closing? Voleu guardar els vostres canvis en el document abans de tancar? - + If you don't save, your changes will be lost. Si no guardeu els canvis, es perdran. - + Apply answer to all Envia la resposta a tots - + %1 Document(s) not saved %1 Document(s) not saved - + Some documents could not be saved. Do you want to cancel closing? Some documents could not be saved. Do you want to cancel closing? - + Delete macro Suprimeix la macro - + Not allowed to delete system-wide macros No es permet eliminar les macros del sistema @@ -8599,10 +8584,10 @@ Trieu «Interromp» per a interrompre - - - - + + + + Invalid name Nom no vàlid @@ -8615,25 +8600,25 @@ guions baixos i no ha de començar amb un dígit. - + The property name is a reserved word. The property name is a reserved word. - + The property '%1' already exists in '%2' La propietat «%1» ja existeix en «%2» - + Add property Afig una propietat - + Failed to add property to '%1': %2 No s'ha pogut afegir la propietat a «%1»: %2 @@ -8919,14 +8904,14 @@ the current copy will be lost. Suppressed - + The property name must only contain alpha numericals, underscore, and must not start with a digit. The property name must only contain alpha numericals, underscore, and must not start with a digit. - + The group name must only contain alpha numericals, underscore, and must not start with a digit. The group name must only contain alpha numericals, @@ -8973,13 +8958,13 @@ underscore, and must not start with a digit. StdCmdAbout - + &About %1 Quant a %1 - - + + About %1 Quant a %1 @@ -8987,13 +8972,13 @@ underscore, and must not start with a digit. StdCmdAboutQt - + About &Qt Quant a &Qt - - + + About Qt Quant a Qt @@ -9029,13 +9014,13 @@ underscore, and must not start with a digit. StdCmdAlignment - + Alignment... Alineació... - - + + Align the selected objects Alinea els objectes seleccionats @@ -9099,13 +9084,13 @@ underscore, and must not start with a digit. StdCmdCommandLine - + Start command &line... Inicia la &línia d'ordres... - - + + Opens the command line in the console Obri la línia d'ordres en la consola @@ -9113,13 +9098,13 @@ underscore, and must not start with a digit. StdCmdCopy - + C&opy C&opia - - + + Copy operation Copia l'operació @@ -9127,13 +9112,13 @@ underscore, and must not start with a digit. StdCmdCut - + &Cut &Retalla - - + + Cut out Retalla @@ -9141,13 +9126,13 @@ underscore, and must not start with a digit. StdCmdDelete - + &Delete &Elimina - - + + Deletes the selected objects Elimina els objectes seleccionats @@ -9169,13 +9154,13 @@ underscore, and must not start with a digit. StdCmdDependencyGraph - + Dependency graph... Gràfic de dependències... - - + + Show the dependency graph of the objects in the active document Mostra el gràfic de dependències dels objectes en el document actiu @@ -9183,13 +9168,13 @@ underscore, and must not start with a digit. StdCmdDlgCustomize - + Cu&stomize... Per&sonalitza... - - + + Customize toolbars and command bars Personalitza les barres d'eines i d'ordres @@ -9249,13 +9234,13 @@ underscore, and must not start with a digit. StdCmdDlgParameter - + E&dit parameters ... E&dita els paràmetres... - - + + Opens a Dialog to edit the parameters Obri un quadre de diàleg per a editar els paràmetres @@ -9263,13 +9248,13 @@ underscore, and must not start with a digit. StdCmdDlgPreferences - + &Preferences ... &Preferències... - - + + Opens a Dialog to edit the preferences Obri un quadre de diàleg per a editar les preferències @@ -9305,13 +9290,13 @@ underscore, and must not start with a digit. StdCmdDuplicateSelection - + Duplicate selection Duplica la selecció - - + + Put duplicates of the selected objects to the active document Posa els duplicats dels objectes seleccionats en el document actiu @@ -9319,17 +9304,17 @@ underscore, and must not start with a digit. StdCmdEdit - + Toggle &Edit mode Commuta el mode d'&edició - + Toggles the selected object's edit mode Commuta el mode d'edició de l'objecte seleccionat - + Activates or Deactivates the selected object's edit mode Activa o desactiva el mode d'edició de l'objecte seleccionat @@ -9348,12 +9333,12 @@ underscore, and must not start with a digit. Exporta un objecte en el document actiu - + No selection No hi ha cap selecció. - + Select the objects to export before choosing Export. Select the objects to export before choosing Export. @@ -9361,13 +9346,13 @@ underscore, and must not start with a digit. StdCmdExpression - + Expression actions Accions d’expressió - - + + Actions that apply to expressions Actions that apply to expressions @@ -9389,12 +9374,12 @@ underscore, and must not start with a digit. StdCmdFreeCADDonation - + Donate Doneu - + Donate to FreeCAD development Donate to FreeCAD development @@ -9402,17 +9387,17 @@ underscore, and must not start with a digit. StdCmdFreeCADFAQ - + FreeCAD FAQ PMF del FreeCAD - + Frequently Asked Questions on the FreeCAD website Preguntes més freqüents en el lloc web del FreeCAD - + Frequently Asked Questions Preguntes més freqüents @@ -9420,17 +9405,17 @@ underscore, and must not start with a digit. StdCmdFreeCADForum - + FreeCAD Forum Fòrum del FreeCAD - + The FreeCAD forum, where you can find help from other users Fòrum del FreeCAD, on podeu rebre ajuda d'altres usuaris - + The FreeCAD Forum El fòrum del FreeCAD @@ -9438,17 +9423,17 @@ underscore, and must not start with a digit. StdCmdFreeCADPowerUserHub - + Python scripting documentation Documentació dels scripts Python - + Python scripting documentation on the FreeCAD website Documentació dels scripts Python en el lloc web del FreeCAD - + PowerUsers documentation Documentació per a usuaris avançats @@ -9456,13 +9441,13 @@ underscore, and must not start with a digit. StdCmdFreeCADUserHub - - + + Users documentation Documentació per als usuaris - + Documentation for users on the FreeCAD website Documentació per als usuaris al lloc web del FreeCAD @@ -9470,13 +9455,13 @@ underscore, and must not start with a digit. StdCmdFreeCADWebsite - - + + FreeCAD Website LLoc web del FreeCAD - + The FreeCAD website El lLoc web del FreeCAD @@ -9791,25 +9776,25 @@ underscore, and must not start with a digit. StdCmdMergeProjects - + Merge document... Merge document... - - - - + + + + Merge document Merge document - + %1 document (*.FCStd) Document %1 (*.FCStd) - + Cannot merge document with itself. Cannot merge document with itself. @@ -9817,18 +9802,18 @@ underscore, and must not start with a digit. StdCmdNew - + &New &Nou - - + + Create a new empty document Crea un document buit nou - + Unnamed Sense nom @@ -9837,13 +9822,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelp - - + + Help Ajuda - + Show help to the application Mostra l'ajuda de l'aplicació @@ -9851,13 +9836,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelpWebsite - - + + Help Website Lloc web de l'ajuda - + The website where the help is maintained El lloc web on es manté l'ajuda @@ -9912,13 +9897,13 @@ underscore, and must not start with a digit. StdCmdPaste - + &Paste A&pega - - + + Paste operation Apega l'operació @@ -9926,13 +9911,13 @@ underscore, and must not start with a digit. StdCmdPlacement - + Placement... Posició... - - + + Place the selected objects Col·loca els objectes seleccionats @@ -9940,13 +9925,13 @@ underscore, and must not start with a digit. StdCmdPrint - + &Print... Im&primeix... - - + + Print the document Imprimeix el document @@ -9954,13 +9939,13 @@ underscore, and must not start with a digit. StdCmdPrintPdf - + &Export PDF... &Exporta a PDF... - - + + Export the document as PDF Exporta el document com a PDF @@ -9968,17 +9953,17 @@ underscore, and must not start with a digit. StdCmdPrintPreview - + &Print preview... &Previsualització de la impressió... - + Print the document Imprimeix el document - + Print preview Previsualització de la impressió @@ -9986,13 +9971,13 @@ underscore, and must not start with a digit. StdCmdPythonWebsite - - + + Python Website Lloc web del Python - + The official Python website El lloc web oficial del Python @@ -10000,13 +9985,13 @@ underscore, and must not start with a digit. StdCmdQuit - + E&xit I&x - - + + Quits the application Ix de l'aplicació @@ -10028,13 +10013,13 @@ underscore, and must not start with a digit. StdCmdRecentFiles - + Open Recent Open Recent - - + + Recent file list Llista de fitxers recents @@ -10042,13 +10027,13 @@ underscore, and must not start with a digit. StdCmdRecentMacros - + Recent macros Recent macros - - + + Recent macro list Recent macro list @@ -10056,13 +10041,13 @@ underscore, and must not start with a digit. StdCmdRedo - + &Redo &Refés - - + + Redoes a previously undone action Refà l'acció prèviament desfeta @@ -10070,13 +10055,13 @@ underscore, and must not start with a digit. StdCmdRefresh - + &Refresh &Actualitza - - + + Recomputes the current active document Recalcula el document actiu actualment @@ -10084,13 +10069,13 @@ underscore, and must not start with a digit. StdCmdReportBug - + Report a bug Report a bug - - + + Report a bug or suggest a feature Report a bug or suggest a feature @@ -10098,13 +10083,13 @@ underscore, and must not start with a digit. StdCmdRevert - + Revert Torna a una versió anterior - - + + Reverts to the saved version of this file Torna a la versió guardada d'aquest fitxer @@ -10112,13 +10097,13 @@ underscore, and must not start with a digit. StdCmdSave - + &Save &Guarda - - + + Save the active document Guarda el document actiu @@ -10126,13 +10111,13 @@ underscore, and must not start with a digit. StdCmdSaveAll - + Save All Guarda-ho tot - - + + Save all opened document Guarda tots els documents oberts @@ -10140,13 +10125,13 @@ underscore, and must not start with a digit. StdCmdSaveAs - + Save &As... &Anomena i guarda... - - + + Save the active document under a new file name Guarda el document actiu amb un altre nom... @@ -10154,13 +10139,13 @@ underscore, and must not start with a digit. StdCmdSaveCopy - + Save a &Copy... Guarda una &còpia... - - + + Save a copy of the active document under a new file name Guarda una còpia del document actiu amb un altre nom... @@ -10196,13 +10181,13 @@ underscore, and must not start with a digit. StdCmdSelectAll - + Select &All Seleccion&a-ho tot - - + + Select all Selecciona-ho tot @@ -10280,13 +10265,13 @@ underscore, and must not start with a digit. StdCmdTextDocument - + Add text document Afig document de text - - + + Add text document to active document Afig un document de text al document actiu @@ -10420,13 +10405,13 @@ underscore, and must not start with a digit. StdCmdTransform - + Transform... Transforma... - - + + Transform the geometry of selected objects Transforma la geometria dels objectes seleccionats @@ -10434,13 +10419,13 @@ underscore, and must not start with a digit. StdCmdTransformManip - + Transform Transforma - - + + Transform the selected object in the 3d view Transforma l'objecte seleccionat en la vista 3D @@ -10504,13 +10489,13 @@ underscore, and must not start with a digit. StdCmdUndo - + &Undo &Desfés - - + + Undo exactly one action Desfés exactament una acció @@ -10518,13 +10503,13 @@ underscore, and must not start with a digit. StdCmdUserEditMode - + Edit mode Edit mode - - + + Defines behavior when editing an object from tree Defines behavior when editing an object from tree @@ -10924,13 +10909,13 @@ underscore, and must not start with a digit. StdCmdWhatsThis - + &What's This? &Què és això? - - + + What's This Què és això @@ -10966,13 +10951,13 @@ underscore, and must not start with a digit. StdCmdWorkbench - + Workbench Banc de treball - - + + Switch between workbenches Canvia entre bancs de treball @@ -11296,7 +11281,7 @@ underscore, and must not start with a digit. Std_Delete - + The following referencing objects might break. Are you sure you want to continue? @@ -11307,7 +11292,7 @@ Segur que voleu continuar? - + Object dependencies Dependències de l'objecte @@ -11315,7 +11300,7 @@ Segur que voleu continuar? Std_DependencyGraph - + Dependency graph Gràfic de dependències @@ -11396,12 +11381,12 @@ Segur que voleu continuar? Std_DuplicateSelection - + Object dependencies Dependències de l'objecte - + To link to external objects, the document must be saved at least once. Do you want to save the document now? Per a enllaçar amb objectes externs, el document s’ha de guardar almenys una vegada. @@ -11419,7 +11404,7 @@ Voleu guardar el document ara? Std_Refresh - + The document contains dependency cycles. Please check the Report View for more details. @@ -11433,17 +11418,17 @@ Encara voleu continuar? Std_Revert - + Revert document Torneu a la versió anterior del document - + This will discard all the changes since last file save. Això descartarà tots els canvis des de l'última acció de guardar el fitxer. - + Do you want to continue? Voleu continuar? @@ -11617,12 +11602,12 @@ Encara voleu continuar? Gui::MDIView - + Export PDF Exporta a PDF - + PDF file Fitxer PDF @@ -12316,82 +12301,82 @@ Currently, your system has the following workbenches:</p></body>< Previsualització: - + Text Text - + Bookmark Adreça d'interés - + Breakpoint Punt de ruptura - + Keyword Paraula clau - + Comment Comentari - + Block comment Comentari de bloc - + Number Nombre - + String Cadena - + Character Caràcter - + Class name Nom de classe - + Define name Defineix el nom - + Operator Operador - + Python output Eixida de Python - + Python error Error de Python - + Current line highlight Ressaltat de la línia actual - + Items Elements @@ -12900,13 +12885,13 @@ de la consola Python al tauler de Vista d'informes StdCmdExportDependencyGraph - + Export dependency graph... Export dependency graph... - - + + Export the dependency graph to a file Export the dependency graph to a file @@ -13344,13 +13329,13 @@ the region are non-opaque. StdCmdProjectInfo - + Document i&nformation... Document i&nformation... - - + + Show details of the currently active document Show details of the currently active document @@ -13358,13 +13343,13 @@ the region are non-opaque. StdCmdProjectUtil - + Document utility... Document utility... - - + + Utility to extract or create document files Utility to extract or create document files @@ -13386,12 +13371,12 @@ the region are non-opaque. StdCmdProperties - + Properties Propietats - + Show the property view, which displays the properties of the selected object. Show the property view, which displays the properties of the selected object. @@ -13442,13 +13427,13 @@ the region are non-opaque. StdCmdReloadStyleSheet - + &Reload stylesheet &Reload stylesheet - - + + Reloads the current stylesheet Reloads the current stylesheet @@ -13725,15 +13710,38 @@ the region are non-opaque. StdCmdUnitsCalculator - + &Units converter... &Units converter... - - + + Start the units converter Start the units converter + + Gui::ModuleIO + + + File not found + No s'ha trobat el fitxer. + + + + The file '%1' cannot be opened. + El fitxer '%1' no es pot obrir. + + + + StdCmdRestartInSafeMode + + + + + Restart in safe mode + Restart in safe mode + + diff --git a/src/Gui/Language/FreeCAD_zh-CN.ts b/src/Gui/Language/FreeCAD_zh-CN.ts index dad31466e252..7e4f8d4e3936 100644 --- a/src/Gui/Language/FreeCAD_zh-CN.ts +++ b/src/Gui/Language/FreeCAD_zh-CN.ts @@ -91,17 +91,17 @@ 编辑 - + Import 导入 - + Delete 删除 - + Paste expressions 粘贴表达式 @@ -131,7 +131,7 @@ 导入所有链接 - + Insert text document 插入文本文档 @@ -148,7 +148,7 @@ Add a variable set - Add a variable set + 添加变量集 @@ -201,12 +201,12 @@ Set Random Color - Set Random Color + 设置随机颜色 Toggle freeze - Toggle freeze + 切换冻结 @@ -360,7 +360,7 @@ Variable Sets - Variable Sets + 变量集 @@ -370,22 +370,22 @@ Variable Set: - Variable Set: + 变量集: Info: - Info: + 信息: New Property: - New Property: + 新建属性: Show variable sets - Show variable sets + 显示变量集 @@ -424,44 +424,44 @@ EditMode - + Default 默认 - + The object will be edited using the mode defined internally to be the most appropriate for the object type 对象将使用内部定义的模式(以最适合对象的类型)进行编辑 - + Transform 变换 - + The object will have its placement editable with the Std TransformManip command 该对象将可以通过 Std TransformManip 命令进行放置编辑 - + Cutting 锯切 - + This edit mode is implemented as available but currently does not seem to be used by any object 此编辑模式是可用的,但当前似乎没有用于任何对象 - + Color 颜色 - + The object will have the color of its individual faces editable with the Part FaceAppearances command - The object will have the color of its individual faces editable with the Part FaceAppearances command + 该对象各个面的颜色将使用 FaceAppearances 命令进行编辑 @@ -474,7 +474,7 @@ Expression: - Expression: + 表达式: @@ -587,7 +587,7 @@ Scroll mouse wheel - Scroll mouse wheel + 滚动鼠标滚轮 @@ -680,8 +680,8 @@ while doing a left or right click and move the mouse up or down - Word size - 字号 + Architecture + Architecture @@ -706,54 +706,54 @@ while doing a left or right click and move the mouse up or down Gui::Dialog::AboutDialog - - + + Credits - Header for the Credits tab of the About screen 鸣谢 - + + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + Header for bgbsww + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + + + FreeCAD would not be possible without the contributions of 如果没有以下贡献者的帮助,FreeCAD 项目不可能成立 - + Individuals Header for the list of individual people in the Credits list. 个人用户 - + Organizations Header for the list of companies/organizations in the Credits list. 组织 - - + + License 授权许可 - + Libraries - - This software uses open source components whose copyright and other proprietary rights belong to their respective owners: - 该软件使用开放源码组件, 其版权和其他专有权利属于各自的所有者: - - - + Collection 集合 - + Privacy Policy - Privacy Policy + 隐私政策 @@ -1281,16 +1281,15 @@ If this is not ticked, then the property must be uniquely named, and it is acces Multi-key sequence delay: - Multi-key sequence delay: + 多键序列延迟: Time in milliseconds to wait for the next keystroke of the current key sequence. For example, pressing 'F' twice in less than the time delay setting here will be treated as shortcut key sequence 'F, F'. - Time in milliseconds to wait for the next keystroke of the current key sequence. -For example, pressing 'F' twice in less than the time delay setting here will be -treated as shortcut key sequence 'F, F'. + 等待当前按键序列下一个按键的时间(毫秒)。 +例如,在设置的时间延迟内两次按下 ‘F’ 将被视作快捷键序列‘F,F’。 @@ -1408,8 +1407,8 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgCustomToolBoxbarsImp - - + + Toolbox bars 工具条 @@ -1498,40 +1497,40 @@ same time. The one with the highest priority will be triggered. - + <Separator> <分隔符> - + %1 module not loaded %1 模块未加载 - + New toolbar 新建工具栏 - - + + Toolbar name: 工具栏名称: - - + + Duplicated name 名称重复 - - + + The toolbar name '%1' is already used 工具栏名称'%1'已被使用 - + Rename toolbar 重命名工具栏 @@ -1745,72 +1744,72 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgMacroExecuteImp - + Macros - + Read-only 只读 - + Macro file 宏文件 - + Enter a file name, please: 请输入文件名称: - - - + + + Existing file 已存在文件 - + '%1'. This file already exists. '%1'. 此文件已经存在. - + Cannot create file 无法创建文件 - + Creation of file '%1' failed. 文件 '%1' 创建失败. - + Delete macro 删除宏 - + Do you really want to delete the macro '%1'? 是否确实要删除宏 '%1'? - + Do not show again 不再显示 - + Guided Walkthrough 指导式演练 - + This will guide you in setting up this macro in a custom global toolbar. Instructions will be in red text inside the dialog. Note: your changes will be applied when you next switch workbenches @@ -1821,78 +1820,78 @@ Note: your changes will be applied when you next switch workbenches - + Walkthrough, dialog 1 of 2 遍历,对话框1 / 2 - + Walkthrough instructions: Fill in missing fields (optional) then click Add, then Close 顺序执行以下指令:填充缺失的字段 (可选) 然后单击添加,然后关闭 - + Walkthrough, dialog 1 of 1 遍历,对话框1 / 1 - + Walkthrough, dialog 2 of 2 遍历,对话框2 / 2 - - Walkthrough instructions: Click right arrow button (->), then Close. - 顺序执行以下指令:点击右箭头按钮 (->),然后关闭。 + + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. - Walkthrough instructions: Click New, then right arrow (->) button, then Close. - 顺序执行以下指令:点击新建,然后右箭头按钮 (->),然后关闭。 + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. - + Renaming Macro File 重命名宏文件 - - + + Enter new name: 输入新的名称: - - + + '%1' already exists. '%1' 已存在。 - + Rename Failed 重命名失败 - + Failed to rename to '%1'. Perhaps a file permission error? 无法重命名为 "%1"。 可能是文件权限错误? - + Duplicate Macro 复制宏 - + Duplicate Failed 复制失败 - + Failed to duplicate to '%1'. Perhaps a file permission error? 无法复制到"%1"。 @@ -1997,7 +1996,7 @@ Perhaps a file permission error? % - % + % @@ -2774,12 +2773,12 @@ VBO 提供了显著的性能提升,因为数据位于图形内存而非系统 Letter color: - Letter color: + 字符颜色: Axis letter color - Axis letter color + 坐标轴字符颜色 @@ -3973,12 +3972,12 @@ You can also use the form: John Doe <john@doe.com> Opacity when inactive - Opacity when inactive + 非活跃时不透明度 Opacity of the navigation cube when not focused - Opacity of the navigation cube when not focused + 无焦点时导航立方体的不透明度 @@ -4128,12 +4127,12 @@ The value is the diameter of the sphere to fit on the screen. Enable spinning animations that are used in some navigation styles after dragging - Enable spinning animations that are used in some navigation styles after dragging + 在拖动后启用用于某些导航样式的旋转动画 Enable spinning animations - Enable spinning animations + 启用旋转动画 @@ -4307,7 +4306,7 @@ horizontal space in Python console Python profiler interval (milliseconds): - Python profiler interval (milliseconds): + Python 分析器间隔(毫秒): @@ -4383,7 +4382,7 @@ Larger value eases to pick things, but can make small features impossible to sel Preselect the object in 3D view when hovering the cursor over the tree item - Preselect the object in 3D view when hovering the cursor over the tree item + 当鼠标悬停在树状图上时,在 3D 视图中预选对象 @@ -4556,7 +4555,7 @@ Larger value eases to pick things, but can make small features impossible to sel Units converter - Units converter + 单位换算 @@ -5191,7 +5190,7 @@ The 'Status' column shows whether the document could be recovered. Rotation axis and angle - Rotation axis and angle + 旋转轴和角度 @@ -5869,92 +5868,92 @@ Do you want to save your changes? Drag screen with one finger OR press left mouse button. In Sketcher and other edit modes, hold Alt in addition. - Drag screen with one finger OR press left mouse button. In Sketcher and other edit modes, hold Alt in addition. + 用单指拖动屏幕或使用鼠标左键。在 Sketcher 和其他编辑模式下还需要按住 Alt。 Pinch (place two fingers on the screen and drag them apart from or towards each other) OR scroll middle mouse button OR PgUp/PgDown on keyboard. - Pinch (place two fingers on the screen and drag them apart from or towards each other) OR scroll middle mouse button OR PgUp/PgDown on keyboard. + 捏合(将两根手指放在屏幕上并分开或靠近拖动),或滚动鼠标中键,或使用键盘上的 PgUp/PgDown。 Gui::GraphvizView - + Graphviz not found 找不到Graphviz - + Graphviz couldn't be found on your system. Graphviz 在您的系统上找不到。 - + Read more about it here. 查看详细解释。 - + Do you want to specify its installation path if it's already installed? 如果已经安装,你想要指定其安装路径吗? - + Graphviz installation path Graphviz的安装路径 - + Graphviz failed Graphviz 失败 - + Graphviz failed to create an image file Graphviz 创建图像失败 - + PNG format PNG 格式 - + Bitmap format Bitmap格式 - + GIF format GIF 格式 - + JPG format JPG 格式 - + SVG format SVG 格式 - - + + PDF format PDF 格式 - - + + Graphviz format Graphviz 格式 - - - + + + Export graph 导出图形 @@ -6114,63 +6113,83 @@ Do you want to save your changes? Gui::MainWindow - - + + Dimension 尺寸标注 - + Ready 就绪 - + Close All 全部关闭 - - - + + + Toggles this toolbar 切换此工具栏 - - - + + + Toggles this dockable window 切换此可停靠的窗口 - + + Safe mode enabled + Safe mode enabled + + + + FreeCAD is now running in safe mode. + FreeCAD is now running in safe mode. + + + + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + + + WARNING: This is a development version. 警告:这是一个开发版本。 - + Please do not use it in a production environment. 请不要在生产环境中使用它。 - - + + Unsaved document 未保存的文件 - + The exported object contains external link. Please save the documentat least once before exporting. 导出的对象包含外部链接。请在导出前至少保存一次文档。 - + To link to external objects, the document must be saved at least once. Do you want to save the document now? 要連結到外部物件,文件必須至少儲存一次。 您現在要儲存文件嗎? + + + Safe Mode + Safe Mode + Gui::ManualAlignment @@ -6495,7 +6514,7 @@ How do you want to proceed? Show hidden - Show hidden + 显示隐藏项 @@ -6669,39 +6688,19 @@ Do you want to exit without saving your data? Open file %1 打开文件%1 - - - File not found - 文件未找到 - - - - The file '%1' cannot be opened. - 无法打开文件'%1'. - Gui::RecentMacrosAction - + none - + Run macro %1 (Shift+click to edit) keyboard shortcut: %2 运行宏 %1 (Shift+单击进行编辑),键盘快捷键: %2 - - - File not found - 文件未找到 - - - - The file '%1' cannot be opened. - 无法打开文件'%1'. - Gui::RevitNavigationStyle @@ -6826,7 +6825,7 @@ Do you want to specify another directory? Automatic Python modules documentation - Automatic Python modules documentation + 自动 Python 模块文档 @@ -6954,7 +6953,7 @@ Do you want to specify another directory? Gui::TaskView::TaskDialog - + A dialog is already open in the task panel 一个对话框已在任务面板打开 @@ -6983,38 +6982,8 @@ Do you want to specify another directory? Gui::TextDocumentEditorView - - Text updated - 文本已更新 - - - - The text of the underlying object has changed. Discard changes and reload the text from the object? - 基础对象的文本已更改。放弃更改并重新加载对象中的文本? - - - - Yes, reload. - 是的,重新加载。 - - - - Unsaved document - 未保存的文件 - - - - Do you want to save your changes before closing? - 是否在关闭前存储所作更改? - - - - If you don't save, your changes will be lost. - 如果您现在退出的话,您的更改将会丢失。 - - - - + + Edit text 编辑文本 @@ -7280,7 +7249,7 @@ Do you want to specify another directory? Danish - Danish + Danish @@ -7291,7 +7260,7 @@ Do you want to specify another directory? Gui::TreeDockWidget - + Tree view 结构树浏览器 @@ -7299,7 +7268,7 @@ Do you want to specify another directory? Gui::TreePanel - + Search 搜索 @@ -7334,22 +7303,22 @@ Do you want to specify another directory? Show description - Show description + 显示描述 Show internal name - Show internal name + 显示内部名称 Show a description column for items. An item's description can be set by pressing F2 (or your OS's edit button) or by editing the 'label2' property. - Show a description column for items. An item's description can be set by pressing F2 (or your OS's edit button) or by editing the 'label2' property. + 显示项目的描述栏。 项目的描述可以通过按 F2 (或您的操作系统编辑按钮),或编辑 "label2 "属性来设置。 Show an internal name column for items. - Show an internal name column for items. + 显示项目的内部名称栏。 @@ -7357,148 +7326,148 @@ Do you want to specify another directory? - + Labels & Attributes 标签 & 属性 - + Description 描述 - + Internal name - Internal name + 内部名称 - + Show items hidden in tree view 在树状视图中显示隐藏项目 - + Show items that are marked as 'hidden' in the tree view 在树状视图中显示标记为“隐藏”的项目 - + Toggle visibility in tree view 在树状视图中切换可见性 - + Toggles the visibility of selected items in the tree view 在树状视图中切换选中项目的可见性 - + Create group 创建组 - + Create a group 创建组 - - + + Rename 重命名 - + Rename object 重命名对象 - + Finish editing 完成编辑 - + Finish editing object 完成编辑对象 - + Add dependent objects to selection 将依赖对象添加到所选对象 - + Adds all dependent objects to the selection 将所有依赖对象添加到所选对象 - + Close document 关闭文档 - + Close the document 关闭此文档 - + Reload document 重载文档 - + Reload a partially loaded document 重新加载部分加载的文档 - + Skip recomputes 略过重新计算 - + Enable or disable recomputations of document 启用或禁用文档的重新计算 - + Allow partial recomputes 允许部分重新计算 - + Enable or disable recomputating editing object when 'skip recomputation' is enabled “跳过重新计算”启用时,则启用或禁止重新计算编辑对象 - + Mark to recompute 标记以重新运算 - + Mark this object to be recomputed 对此物体执行重新计算 - + Recompute object 重新计算对象 - + Recompute the selected object 重新计算所选的对象 - + (but must be executed) (但是必须执行) - + %1, Internal name: %2 %1、内部名: %2 @@ -7689,7 +7658,7 @@ Do you want to specify another directory? 5 m - 5 m + 5 米 @@ -7710,47 +7679,47 @@ Do you want to specify another directory? QDockWidget - + Tree view 结构树浏览器 - + Tasks 任务 - + Property view 属性浏览器 - + Selection view 选择浏览器 - + Task List 任务列表 - + Model 模型 - + DAG View DAG视图 - + Report view 报告浏览器 - + Python console Python控制台 @@ -7790,61 +7759,61 @@ Do you want to specify another directory? Python - - - + + + Unknown filetype 未知文件类型 - - + + Cannot open unknown filetype: %1 无法打开未知文件类型: %1 - + Export failed 导出失败 - + Cannot save to unknown filetype: %1 无法保存为未知的文件类型: %1 - + Recomputation required - Recomputation required + 需要重新计算 - + Some document(s) require recomputation for migration purposes. It is highly recommended to perform a recomputation before any modification to avoid compatibility problems. Do you want to recompute now? - Some document(s) require recomputation for migration purposes. It is highly recommended to perform a recomputation before any modification to avoid compatibility problems. + 出于迁移目的某些文档需要重新计算。强烈建议在进行任何修改之前进行重新计算,以避免兼容性问题。 -Do you want to recompute now? +您想现在重新计算吗? - + Recompute error - Recompute error + 重新计算错误 - + Failed to recompute some document(s). Please check report view for more details. - Failed to recompute some document(s). -Please check report view for more details. + 无法重新计算某些文档。 +请查看报告以了解更多详细信息。 - + Workbench failure 工作台故障 - + %1 %1 @@ -7890,90 +7859,105 @@ Please check report view for more details. 导入文件 - + Export file 导出文件 - + Printing... 打印... - + Exporting PDF... 导出 PDF... - - + + Unsaved document 未保存的文件 - + The exported object contains external link. Please save the documentat least once before exporting. 导出的对象包含外部链接。请在导出前至少保存一次文档。 - - + + Delete failed 删除失败 - + Dependency error 依赖关系错误 - + Copy selected 复制所选项 - + Copy active document 复制活动文档 - + Copy all documents 复制所有文档 - + Paste 粘贴 - + Expression error 表达式错误 - + Failed to parse some of the expressions. Please check the Report View for more details. 解析某些表达式失败。 请检查报表视图了解更多详情。 - + Failed to paste expressions 粘贴表达式失败 - + Cannot load workbench 无法加载工作台 - + A general error occurred while loading the workbench 加载工作台时出错 + + + Restart in safe mode + Restart in safe mode + + + + Are you sure you want to restart FreeCAD and enter safe mode? + Are you sure you want to restart FreeCAD and enter safe mode? + + + + Safe mode temporarily disables your configuration and addons. + Safe mode temporarily disables your configuration and addons. + @@ -8156,7 +8140,7 @@ Do you want to continue? (%1 times) - (%1 times) + (%1 次) @@ -8179,7 +8163,7 @@ Do you want to continue? Notifier: - Notifier: + 通知器: @@ -8197,7 +8181,7 @@ Do you want to continue? 已打开的非侵入性通知太多。正在省略通知! - + Identical physical path detected. It may cause unwanted overwrite of existing document! @@ -8206,44 +8190,44 @@ Do you want to continue? - + Are you sure you want to continue? 您确定要继续吗? - + Please check report view for more... 请检查报表视图... - + Physical path: 物理路径: - - + + Document: 文档: - - + + Path: 路径: - + Identical physical path 相同的物理路径 - + Could not save document 无法保存文档 - + There was an issue trying to save the file. This may be because some of the parent folders do not exist, or you do not have sufficient permissions, or for other reasons. Error details: "%1" @@ -8256,102 +8240,102 @@ Would you like to save the file with a different name? 要以其他名称保存文件吗? - - - + + + Saving aborted 保存中止 - + Save dependent files 保存依赖文件 - + The file contains external dependencies. Do you want to save the dependent files, too? 该文件包含外部依赖关系。您想要保存依赖的文件吗? - - + + Saving document failed 保存文档失败 - + Save document under new filename... 使用新的文件名保存文档... - - + + Save %1 Document 保存%1文件 - + Document 文档 - - + + Failed to save document 保存文档失败 - + Documents contains cyclic dependencies. Do you still want to save them? 文档包含循环依赖。您仍然想要保存它们吗? - + Save a copy of the document under new filename... 以新的文件名称保存目前文档的副本... - + %1 document (*.FCStd) %1 文档(*.FCStd) - + Document not closable 文档不可关闭 - + The document is not closable for the moment. 文档当前无法关闭. - + Document not saved 文档未保存. - + The document%1 could not be saved. Do you want to cancel closing it? 无法保存文档%1 。您想要取消关闭它吗? - + Undo 撤销 - + Redo 重做 - + There are grouped transactions in the following documents with other preceding transactions 以下文件中的交易与以前的其他交易分组: - + Choose 'Yes' to roll back all preceding transactions. Choose 'No' to roll back in the active document only. Choose 'Abort' to abort @@ -8445,7 +8429,7 @@ Choose 'Abort' to abort 在 %2 或 %3 中找不到文件 %1 - + Navigation styles 导航模式 @@ -8456,47 +8440,47 @@ Choose 'Abort' to abort 变换 - + Do you want to close this dialog? 您要关闭此对话框吗? - + Do you want to save your changes to document '%1' before closing? 在关闭前要储存「%1」文档嘛? - + Do you want to save your changes to document before closing? 您想要在关闭前将更改保存到文档吗? - + If you don't save, your changes will be lost. 如果您现在退出的话,您的更改将会丢失。 - + Apply answer to all 将选择应用于所有 - + %1 Document(s) not saved %1 文档未保存 - + Some documents could not be saved. Do you want to cancel closing? 一些文档无法保存。您想要取消关闭吗? - + Delete macro 删除宏 - + Not allowed to delete system-wide macros 不允取删除系统自有宏 @@ -8592,10 +8576,10 @@ Choose 'Abort' to abort - - - - + + + + Invalid name 名称无效 @@ -8607,25 +8591,25 @@ underscore, and must not start with a digit. - + The property name is a reserved word. - The property name is a reserved word. + 属性名称是保留词。 - + The property '%1' already exists in '%2' 属性'%1'已经存在于'%2' - + Add property 添加属性 - + Failed to add property to '%1': %2 加入屬性至 '%1':%2 失敗 @@ -8900,26 +8884,24 @@ the current copy will be lost. Active object - Active object + 活动对象 Suppressed - Suppressed + 已抑制 - + The property name must only contain alpha numericals, underscore, and must not start with a digit. - The property name must only contain alpha numericals, -underscore, and must not start with a digit. + 属性名只能包含字母、数字和下划线,且不能以数字开头。 - + The group name must only contain alpha numericals, underscore, and must not start with a digit. - The group name must only contain alpha numericals, -underscore, and must not start with a digit. + 群组名只能包含字母、数字和下划线,且不能以数字开头。 @@ -8962,13 +8944,13 @@ underscore, and must not start with a digit. StdCmdAbout - + &About %1 关于%1(&A) - - + + About %1 关于 %1 @@ -8976,13 +8958,13 @@ underscore, and must not start with a digit. StdCmdAboutQt - + About &Qt 关于Qt(&Q) - - + + About Qt 关于Qt @@ -9018,13 +9000,13 @@ underscore, and must not start with a digit. StdCmdAlignment - + Alignment... 对齐... - - + + Align the selected objects 对齐选定的对象 @@ -9088,13 +9070,13 @@ underscore, and must not start with a digit. StdCmdCommandLine - + Start command &line... 启动命令行(&L)... - - + + Opens the command line in the console 在控制台打开命令行 @@ -9102,13 +9084,13 @@ underscore, and must not start with a digit. StdCmdCopy - + C&opy 复制(&C) - - + + Copy operation 复制 @@ -9116,13 +9098,13 @@ underscore, and must not start with a digit. StdCmdCut - + &Cut 剪切(&C) - - + + Cut out 剪切 @@ -9130,13 +9112,13 @@ underscore, and must not start with a digit. StdCmdDelete - + &Delete 删除(&D) - - + + Deletes the selected objects 删除选中的对象 @@ -9158,13 +9140,13 @@ underscore, and must not start with a digit. StdCmdDependencyGraph - + Dependency graph... 依赖关系图... - - + + Show the dependency graph of the objects in the active document 在活动文档中显示对象的依赖关系图 @@ -9172,13 +9154,13 @@ underscore, and must not start with a digit. StdCmdDlgCustomize - + Cu&stomize... 自定义(&S)... - - + + Customize toolbars and command bars 自定义工具栏和命令栏 @@ -9238,13 +9220,13 @@ underscore, and must not start with a digit. StdCmdDlgParameter - + E&dit parameters ... 编辑参数(&E)... - - + + Opens a Dialog to edit the parameters 打开一个对话框编辑参数 @@ -9252,13 +9234,13 @@ underscore, and must not start with a digit. StdCmdDlgPreferences - + &Preferences ... 首选项(&P)... - - + + Opens a Dialog to edit the preferences 打开首选项窗口 @@ -9294,13 +9276,13 @@ underscore, and must not start with a digit. StdCmdDuplicateSelection - + Duplicate selection 复制选择 - - + + Put duplicates of the selected objects to the active document 把选中对象的复制副本放到当前文档 @@ -9308,17 +9290,17 @@ underscore, and must not start with a digit. StdCmdEdit - + Toggle &Edit mode 切换编辑(&E)模式 - + Toggles the selected object's edit mode 切换所选对象的编辑模式 - + Activates or Deactivates the selected object's edit mode 激活或停用所选对象的编辑模式 @@ -9337,12 +9319,12 @@ underscore, and must not start with a digit. 导出当前文档中的一个对象 - + No selection 未选择任何内容 - + Select the objects to export before choosing Export. 在导出之前选择要导出的对象。 @@ -9350,13 +9332,13 @@ underscore, and must not start with a digit. StdCmdExpression - + Expression actions 表达式动作 - - + + Actions that apply to expressions 适用于表达式的行动 @@ -9378,12 +9360,12 @@ underscore, and must not start with a digit. StdCmdFreeCADDonation - + Donate 赞助 - + Donate to FreeCAD development 捐赠给开发者 @@ -9391,17 +9373,17 @@ underscore, and must not start with a digit. StdCmdFreeCADFAQ - + FreeCAD FAQ FreeCAD 常见问题 - + Frequently Asked Questions on the FreeCAD website 在 FreeCAD 网站上的常见问题解答 - + Frequently Asked Questions 常问问题 @@ -9409,17 +9391,17 @@ underscore, and must not start with a digit. StdCmdFreeCADForum - + FreeCAD Forum FreeCAD 论坛 - + The FreeCAD forum, where you can find help from other users FreeCAD 论坛,在那里你可以找到从其他用户帮助 - + The FreeCAD Forum FreeCAD 论坛 @@ -9427,17 +9409,17 @@ underscore, and must not start with a digit. StdCmdFreeCADPowerUserHub - + Python scripting documentation Python 脚本文件 - + Python scripting documentation on the FreeCAD website FreeCAD网站上之Python脚本文件 - + PowerUsers documentation 专业使用者文件 @@ -9445,13 +9427,13 @@ underscore, and must not start with a digit. StdCmdFreeCADUserHub - - + + Users documentation 用户文档 - + Documentation for users on the FreeCAD website 在 FreeCAD 网站上的用户文件 @@ -9459,13 +9441,13 @@ underscore, and must not start with a digit. StdCmdFreeCADWebsite - - + + FreeCAD Website FreeCAD网站 - + The FreeCAD website FreeCAD 网站 @@ -9599,7 +9581,7 @@ underscore, and must not start with a digit. A Link is an object that references or links to another object in the same document, or in another document. Unlike Clones, Links reference the original Shape directly, making them more memory-efficient, which helps with the creation of complex assemblies. - A Link is an object that references or links to another object in the same document, or in another document. Unlike Clones, Links reference the original Shape directly, making them more memory-efficient, which helps with the creation of complex assemblies. + 链接是引用或链接到同一文档或另一文档中另一个对象的对象。与克隆不同,链接直接引用原形状,使其更节省内存,这有助于创建复杂的组合。 @@ -9780,25 +9762,25 @@ underscore, and must not start with a digit. StdCmdMergeProjects - + Merge document... 合并文档... - - - - + + + + Merge document 合并文档 - + %1 document (*.FCStd) %1 文档(*.FCStd) - + Cannot merge document with itself. 不能合并项目本身. @@ -9806,18 +9788,18 @@ underscore, and must not start with a digit. StdCmdNew - + &New 新建(&N) - - + + Create a new empty document 创建一个新空白文档 - + Unnamed 未命名 @@ -9826,13 +9808,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelp - - + + Help 帮助 - + Show help to the application 显示程序帮助 @@ -9840,13 +9822,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelpWebsite - - + + Help Website 帮助网站 - + The website where the help is maintained 帮助文件所在网站 @@ -9895,19 +9877,19 @@ underscore, and must not start with a digit. A Part is a general purpose container to keep together a group of objects so that they act as a unit in the 3D view. It is meant to arrange objects that have a Part TopoShape, like Part Primitives, PartDesign Bodies, and other Parts. - A Part is a general purpose container to keep together a group of objects so that they act as a unit in the 3D view. It is meant to arrange objects that have a Part TopoShape, like Part Primitives, PartDesign Bodies, and other Parts. + 零件是一种通用容器,用于将一组对象放在一起,使它们在 3D 视图中作为一个单元。它用于排列具有拓扑形状的对象,例如零件基元、实体和其他部件等。 StdCmdPaste - + &Paste 粘贴(&P) - - + + Paste operation 粘贴 @@ -9915,13 +9897,13 @@ underscore, and must not start with a digit. StdCmdPlacement - + Placement... 定位... - - + + Place the selected objects 放置所选对象 @@ -9929,13 +9911,13 @@ underscore, and must not start with a digit. StdCmdPrint - + &Print... 打印(&P)... - - + + Print the document 打印文档 @@ -9943,13 +9925,13 @@ underscore, and must not start with a digit. StdCmdPrintPdf - + &Export PDF... 导出PDF(&E)... - - + + Export the document as PDF 将文档导出为 PDF @@ -9957,17 +9939,17 @@ underscore, and must not start with a digit. StdCmdPrintPreview - + &Print preview... 打印预览(&P)... - + Print the document 打印文档 - + Print preview 打印预览 @@ -9975,13 +9957,13 @@ underscore, and must not start with a digit. StdCmdPythonWebsite - - + + Python Website Python网站 - + The official Python website Python官方网站 @@ -9989,13 +9971,13 @@ underscore, and must not start with a digit. StdCmdQuit - + E&xit 退出(&X) - - + + Quits the application 退出程序 @@ -10017,13 +9999,13 @@ underscore, and must not start with a digit. StdCmdRecentFiles - + Open Recent 打开最近访问的文件 - - + + Recent file list 最近文件列表 @@ -10031,13 +10013,13 @@ underscore, and must not start with a digit. StdCmdRecentMacros - + Recent macros 最近的宏 - - + + Recent macro list 最近的宏列表 @@ -10045,13 +10027,13 @@ underscore, and must not start with a digit. StdCmdRedo - + &Redo 重做(&R) - - + + Redoes a previously undone action 重做上次撤消的操作 @@ -10059,13 +10041,13 @@ underscore, and must not start with a digit. StdCmdRefresh - + &Refresh 刷新(&R) - - + + Recomputes the current active document 重新计算当前文档 @@ -10073,13 +10055,13 @@ underscore, and must not start with a digit. StdCmdReportBug - + Report a bug 报告错误 - - + + Report a bug or suggest a feature 报告错误/提出建议 @@ -10087,13 +10069,13 @@ underscore, and must not start with a digit. StdCmdRevert - + Revert 还原 - - + + Reverts to the saved version of this file 还原至此文档保存的版本 @@ -10101,13 +10083,13 @@ underscore, and must not start with a digit. StdCmdSave - + &Save 保存(&S) - - + + Save the active document 保存当前文档 @@ -10115,13 +10097,13 @@ underscore, and must not start with a digit. StdCmdSaveAll - + Save All 全部保存 - - + + Save all opened document 保存所有打开的文档 @@ -10129,13 +10111,13 @@ underscore, and must not start with a digit. StdCmdSaveAs - + Save &As... 另存为(&A)... - - + + Save the active document under a new file name 使用新文件名保存当前文档 @@ -10143,13 +10125,13 @@ underscore, and must not start with a digit. StdCmdSaveCopy - + Save a &Copy... 保存副本(&C)... - - + + Save a copy of the active document under a new file name 以新的文件名称保存目前活动文档的副本 @@ -10185,13 +10167,13 @@ underscore, and must not start with a digit. StdCmdSelectAll - + Select &All 全选(&A) - - + + Select all 全选 @@ -10269,13 +10251,13 @@ underscore, and must not start with a digit. StdCmdTextDocument - + Add text document 添加文本文档 - - + + Add text document to active document 添加文本文档到活动文档 @@ -10409,13 +10391,13 @@ underscore, and must not start with a digit. StdCmdTransform - + Transform... 变换... - - + + Transform the geometry of selected objects 变换选中对象的图形 @@ -10423,13 +10405,13 @@ underscore, and must not start with a digit. StdCmdTransformManip - + Transform 变换 - - + + Transform the selected object in the 3d view 变换三维视图中选定的对象 @@ -10493,13 +10475,13 @@ underscore, and must not start with a digit. StdCmdUndo - + &Undo 撤消(&U) - - + + Undo exactly one action 仅撤消一个操作 @@ -10507,13 +10489,13 @@ underscore, and must not start with a digit. StdCmdUserEditMode - + Edit mode 编辑模式 - - + + Defines behavior when editing an object from tree 定义编辑对象树中对象时的行为 @@ -10913,13 +10895,13 @@ underscore, and must not start with a digit. StdCmdWhatsThis - + &What's This? 这是什么(&W)? - - + + What's This 这是什么 @@ -10955,13 +10937,13 @@ underscore, and must not start with a digit. StdCmdWorkbench - + Workbench 工作台 - - + + Switch between workbenches 工作台之间切换 @@ -11087,7 +11069,7 @@ underscore, and must not start with a digit. Preselect the object in 3D view when hovering the cursor over the tree item - Preselect the object in 3D view when hovering the cursor over the tree item + 当鼠标悬停在树状图上时,在 3D 视图中预选对象 @@ -11285,7 +11267,7 @@ underscore, and must not start with a digit. Std_Delete - + The following referencing objects might break. Are you sure you want to continue? @@ -11296,7 +11278,7 @@ Are you sure you want to continue? - + Object dependencies 对象依赖关系 @@ -11304,7 +11286,7 @@ Are you sure you want to continue? Std_DependencyGraph - + Dependency graph 依赖关系图 @@ -11385,12 +11367,12 @@ Are you sure you want to continue? Std_DuplicateSelection - + Object dependencies 对象依赖关系 - + To link to external objects, the document must be saved at least once. Do you want to save the document now? 要連結到外部物件,文件必須至少儲存一次。 @@ -11408,7 +11390,7 @@ Do you want to save the document now? Std_Refresh - + The document contains dependency cycles. Please check the Report View for more details. @@ -11422,17 +11404,17 @@ Do you still want to proceed? Std_Revert - + Revert document 还原文件 - + This will discard all the changes since last file save. 这将放弃自上次文件保存以来的所有更改。 - + Do you want to continue? 是否继续? @@ -11442,42 +11424,42 @@ Do you still want to proceed? Tree view item background. Only effective in overlay. - Tree view item background. Only effective in overlay. + 树视图条目背景,只在重叠时有效。 Tree view item background padding. - Tree view item background padding. + 树视图条目背景间距。 Hide extra tree view column for item description. - Hide extra tree view column for item description. + 隐藏额外树视图列的项目描述。 Hide extra tree view column - Internal Names. - Hide extra tree view column - Internal Names. + 隐藏额外树视图列 - 内部名称。 Hide tree view scroll bar in dock overlay. - Hide tree view scroll bar in dock overlay. + 悬浮停靠时隐藏树视图滚动条。 Hide tree view header view in dock overlay. - Hide tree view header view in dock overlay. + 悬浮停靠时隐藏树视图标题栏。 Allow tree view columns to be manually resized. - Allow tree view columns to be manually resized. + 允许手动调整树视图列的大小。 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 + 如果启用,则在树视图条目前显示一个眼睛图标,以便显示条目的可见性状态。单击后可切换可见性 @@ -11520,7 +11502,7 @@ Do you still want to proceed? Individual views - Individual views + 独立视图 @@ -11606,12 +11588,12 @@ Do you still want to proceed? Gui::MDIView - + Export PDF 导出PDF - + PDF file PDF 文件 @@ -11631,7 +11613,7 @@ Do you still want to proceed? The Notification area will appear in the status bar - The Notification area will appear in the status bar + 通知区域将出现在状态栏中 @@ -11641,32 +11623,32 @@ Do you still want to proceed? Non-intrusive notifications will appear next to the notification area in the status bar - Non-intrusive notifications will appear next to the notification area in the status bar + 状态栏通知区域旁边将显示非侵入式通知 Enable non-intrusive notifications - Enable non-intrusive notifications + 启用非侵入式通知 Additional data sources - Additional data sources + 其他数据源 Errors intended for developers will appear in the notification area - Errors intended for developers will appear in the notification area + 针对开发者的错误将出现在通知区域 Debug errors - Debug errors + 调试错误 Warnings intended for developers will appear in the notification area - Warnings intended for developers will appear in the notification area + 针对开发者的警告将出现在通知区域 @@ -11676,22 +11658,22 @@ Do you still want to proceed? Non-Intrusive Notifications - Non-Intrusive Notifications + 非侵扰性通知 Minimum Duration: - Minimum Duration: + 最小持续时长: Maximum Duration: - Maximum Duration: + 最大持续时长: Duration during which the notification will be shown (unless mouse buttons are clicked) - Duration during which the notification will be shown (unless mouse buttons are clicked) + 通知显示时长(除非点击鼠标按钮) @@ -11702,47 +11684,47 @@ Do you still want to proceed? Minimum duration during which the notification will be shown (unless notification clicked) - Minimum duration during which the notification will be shown (unless notification clicked) + 通知显示的最短时长(除非单击通知) Maximum Number of Notifications: - Maximum Number of Notifications: + 最大通知数量: Maximum number of notifications that will be simultaneously present on the screen - Maximum number of notifications that will be simultaneously present on the screen + 同时出现在屏幕上的最大通知数量 Notification width: - Notification width: + 通知宽度: Width of the notification in pixels - Width of the notification in pixels + 以像素为单位的通知宽度 Any open non-intrusive notifications will disappear when another window is activated - Any open non-intrusive notifications will disappear when another window is activated + 当另一个窗口被激活时,任何打开的非侵入性通知都会消失。 Hide when other window is activated - Hide when other window is activated + 当其他窗口激活时隐藏 Prevent non-intrusive notifications from appearing when the FreeCAD Window is not the active window - Prevent non-intrusive notifications from appearing when the FreeCAD Window is not the active window + 当 FreeCAD 窗口不是活动窗口时,防止出现非侵入性通知 Do not show when inactive - Do not show when inactive + 未激活时不显示 @@ -11752,22 +11734,22 @@ Do you still want to proceed? Limit the number of messages that will be kept in the list. If 0 there is no limit. - Limit the number of messages that will be kept in the list. If 0 there is no limit. + 限制保留在列表中的消息数量。0表示没有限制。 Maximum Messages (0 = no limit): - Maximum Messages (0 = no limit): + 最大消息数量(0 = 无限制): Removes the user notifications from the message list after the non-intrusive maximum duration has lapsed. - Removes the user notifications from the message list after the non-intrusive maximum duration has lapsed. + 非侵入性通知在最大持续时间过后,从消息列表中删除。 Auto-remove User Notifications - Auto-remove User Notifications + 自动删除用户通知 @@ -11780,7 +11762,7 @@ Do you still want to proceed? Start up workbench: - Start up workbench: + 启动工作台: @@ -11791,29 +11773,30 @@ after FreeCAD launches Workbench selector type: - Workbench selector type: + 工作台选择器类型: Choose the workbench selector widget type (restart required). - Choose the workbench selector widget type (restart required). + 选择工作台选择器小部件类型(需要重启)。 Workbench selector items style: - Workbench selector items style: + 工作台选择器条目样式: Customize how the items are displayed. - Customize how the items are displayed. + 自定义条目的显示方式。 <html><head/><body><p>You can reorder workbenches by drag and drop or sort them by right-clicking on any workbench and select <span style=" font-weight:600; font-style:italic;">Sort alphabetically</span>. Additional workbenches can be installed through the addon manager.</p><p> Currently, your system has the following workbenches:</p></body></html> - <html><head/><body><p>You can reorder workbenches by drag and drop or sort them by right-clicking on any workbench and select <span style=" font-weight:600; font-style:italic;">Sort alphabetically</span>. Additional workbenches can be installed through the addon manager.</p><p> -Currently, your system has the following workbenches:</p></body></html> + <html><head/><body> +<p>您可以通过拖放对工作台进行重新排序,也可以通过右键单击任何工作台并选择<span style=" font-weight:600; font-style:italic;">按字母顺序排序</span>。可以通过插件管理器安装其他工作台。</p> +<p>目前,您的系统有以下工作台:</p></body></html> @@ -11904,22 +11887,22 @@ Currently, your system has the following workbenches:</p></body>< X distance: - X distance: + X 距离: Y distance: - Y distance: + Y 距离: Rotation : - Rotation : + 旋转: Transparency : - Transparency : + 透明度: @@ -11939,12 +11922,12 @@ Currently, your system has the following workbenches:</p></body>< Keep aspect ratio - Keep aspect ratio + 保持宽高比 Interactively scale the image by setting a length between two points of the image. - Interactively scale the image by setting a length between two points of the image. + 通过在图像的两个点之间设置长度来交互缩放图像。 @@ -11954,7 +11937,7 @@ Currently, your system has the following workbenches:</p></body>< Calibration - Calibration + 校准 @@ -11972,12 +11955,12 @@ Currently, your system has the following workbenches:</p></body>< If unchecked, %1 will not appear in the available workbenches. - If unchecked, %1 will not appear in the available workbenches. + 如果未选中,%1 将不会出现在可用的工作台中。 This is the current startup module, and must be enabled. - This is the current startup module, and must be enabled. + 这是当前的启动模块,所以必须启用。 @@ -11997,7 +11980,7 @@ Currently, your system has the following workbenches:</p></body>< This is the current startup module, and must be autoloaded. - This is the current startup module, and must be autoloaded. + 这是当前的启动模块,所以必须自动加载。 @@ -12026,13 +12009,13 @@ Currently, your system has the following workbenches:</p></body>< ComboBox - ComboBox + 组合框 TabBar - TabBar + 标签栏 @@ -12304,82 +12287,82 @@ Currently, your system has the following workbenches:</p></body>< 预览: - + Text 文本 - + Bookmark 书签 - + Breakpoint 断点 - + Keyword 关键字 - + Comment 注释 - + Block comment 块注释 - + Number - + String 字符串 - + Character 字符 - + Class name 类名称 - + Define name 定义名称 - + Operator 运算符 - + Python output Python 输出 - + Python error Python 错误 - + Current line highlight 当前行高亮显示 - + Items 项目 @@ -12409,7 +12392,7 @@ Currently, your system has the following workbenches:</p></body>< Default unit system: - Default unit system: + 默认单位系统: @@ -12434,7 +12417,7 @@ Currently, your system has the following workbenches:</p></body>< Ignore project unit system and use default - Ignore project unit system and use default + 忽略项目单位系统并使用默认值 @@ -12497,7 +12480,7 @@ dot/period will always be printed. Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. - Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. + 寻找更多主题?您可以使用<a href=“freecad:Std_AddonMgr”>插件管理器</a>获取。 @@ -12513,7 +12496,7 @@ this according to your screen size or personal taste Tree view and Property view mode: - Tree view and Property view mode: + 树视图和属性视图模式: @@ -12521,10 +12504,10 @@ this according to your screen size or personal taste 'Combined': combine Tree view and Property view into one panel. 'Independent': split Tree view and Property view into separate panels. - Customize how tree view is shown in the panel (restart required). + 自定义树视图在面板中的显示方式(需要重启)。 -'Combined': combine Tree view and Property view into one panel. -'Independent': split Tree view and Property view into separate panels. +“组合”:将树视图和属性视图组合到一个面板中。 +“独立”:将树视图和属性视图拆分为单独的面板。 @@ -12654,12 +12637,12 @@ display the splash screen Combined - Combined + 组合 Independent - Independent + 独立 @@ -12879,13 +12862,13 @@ from Python console to Report view panel StdCmdExportDependencyGraph - + Export dependency graph... 导出依赖关系图... - - + + Export the dependency graph to a file 导出依赖图到文件 @@ -12926,12 +12909,12 @@ from Python console to Report view panel Push In - Push In + 拉近 Pull Out - Pull Out + 拉远 @@ -12951,7 +12934,7 @@ from Python console to Report view panel Adjust the orientation of the directional light source by dragging the handle with the mouse or use the spin boxes for fine tuning. - Adjust the orientation of the directional light source by dragging the handle with the mouse or use the spin boxes for fine tuning. + 通过使用鼠标拖动手柄来调整定向光源的方向,或者使用旋转框进行微调。 @@ -13323,13 +13306,13 @@ the region are non-opaque. StdCmdProjectInfo - + Document i&nformation... 文档信息... - - + + Show details of the currently active document 显示当前活动文档的详细信息 @@ -13337,13 +13320,13 @@ the region are non-opaque. StdCmdProjectUtil - + Document utility... 文档工具... - - + + Utility to extract or create document files 提取或创建文档文件的工具 @@ -13353,26 +13336,26 @@ the region are non-opaque. Lock toolbars - Lock toolbars + 锁定工具栏 Lock toolbars so they are no longer moveable - Lock toolbars so they are no longer moveable + 锁定工具栏,使其不可移动 StdCmdProperties - + Properties 属性 - + Show the property view, which displays the properties of the selected object. - Show the property view, which displays the properties of the selected object. + 显示属性视图,显示所选对象的属性。 @@ -13380,12 +13363,12 @@ the region are non-opaque. Toggle freeze - Toggle freeze + 切换冻结 Toggles freeze state of the selected objects. A frozen object is not recomputed when its parents change. - Toggles freeze state of the selected objects. A frozen object is not recomputed when its parents change. + 切换所选对象的冻结状态。当其父级以上对象改变时,冻结对象不会重新计算。 @@ -13399,7 +13382,7 @@ the region are non-opaque. Change to a standard view - Change to a standard view + 更改为标准视图 @@ -13421,15 +13404,15 @@ the region are non-opaque. StdCmdReloadStyleSheet - + &Reload stylesheet - &Reload stylesheet + 重新加载样式表 (&R) - - + + Reloads the current stylesheet - Reloads the current stylesheet + 重新加载当前样式表 @@ -13475,7 +13458,7 @@ the region are non-opaque. Add another - Add another + 添加其他 @@ -13493,7 +13476,7 @@ the region are non-opaque. Theme customization - Theme customization + 自定义主题 @@ -13540,27 +13523,27 @@ the region are non-opaque. Hide extra tree view column - Internal Names. - Hide extra tree view column - Internal Names. + 隐藏额外树视图列 - 内部名称。 Hide Internal Names - Hide Internal Names + 隐藏内部名称 Icon size override, set to 0 for the default value. - Icon size override, set to 0 for the default value. + 重设图标大小,设为0时使用默认值。 Additional row spacing - Additional row spacing + 额外行间距 Allow tree view columns to be manually resized. - Allow tree view columns to be manually resized. + 允许手动调整树视图列的大小。 @@ -13570,17 +13553,17 @@ the region are non-opaque. Icon size - Icon size + 图标大小 Additional spacing for tree view rows. Bigger values will increase row item heights. - Additional spacing for tree view rows. Bigger values will increase row item heights. + 树视图行的额外间距,更大的值将增加行高度。 This section lets you customize your current theme. The offered settings are optional for theme developers so they may or may not have an effect in your current theme. - This section lets you customize your current theme. The offered settings are optional for theme developers so they may or may not have an effect in your current theme. + 此节允许您自定义当前主题。 提供的设置对于主题开发者是可选的,因此它们可能对您当前主题产生影响,也可能不会产生影响。 @@ -13615,7 +13598,7 @@ the region are non-opaque. Hide column with object description in tree view. - Hide column with object description in tree view. + 在树视图中隐藏包含对象描述的列. @@ -13660,7 +13643,7 @@ the region are non-opaque. Automatically hide overlayed dock panels when in non 3D view (like TechDraw or Spreadsheet). - Automatically hide overlayed dock panels when in non 3D view (like TechDraw or Spreadsheet). + 在非3D视图中自动隐藏叠加层停靠面板(如TechDraw 或 Spreadsheet)。 @@ -13693,26 +13676,49 @@ the region are non-opaque. Create a variable set - Create a variable set + 创建变量集 A Variable Set is an object that maintains a set of properties to be used as variables. - A Variable Set is an object that maintains a set of properties to be used as variables. + 变量集是一个用于维护一组属性作为变量使用的对象。 StdCmdUnitsCalculator - + &Units converter... - &Units converter... + &单位换算... - - + + Start the units converter 启动单位转换器 + + Gui::ModuleIO + + + File not found + 文件未找到 + + + + The file '%1' cannot be opened. + 无法打开文件'%1'. + + + + StdCmdRestartInSafeMode + + + + + Restart in safe mode + Restart in safe mode + + diff --git a/src/Gui/Language/FreeCAD_zh-TW.ts b/src/Gui/Language/FreeCAD_zh-TW.ts index 15a1e15ae328..2e5545d55aa9 100644 --- a/src/Gui/Language/FreeCAD_zh-TW.ts +++ b/src/Gui/Language/FreeCAD_zh-TW.ts @@ -91,17 +91,17 @@ 編輯 - + Import 匯入 - + Delete 刪除 - + Paste expressions 貼上表示式 @@ -131,14 +131,14 @@ 匯入所有鏈結 - + Insert text document 插入文字文件 Add a part - 新增部件 + 新增零件 @@ -158,7 +158,7 @@ Placement - 佈置 + 放置 @@ -424,42 +424,42 @@ EditMode - + Default 預設 - + The object will be edited using the mode defined internally to be the most appropriate for the object type 此物件將被使用內部定義模式來編輯,這會是最適合的物件類型。 - + Transform 轉換 - + The object will have its placement editable with the Std TransformManip command 此物件的位置將可透過 Std TransformManip 指令進行編輯 - + Cutting 切割 - + This edit mode is implemented as available but currently does not seem to be used by any object 此編輯模式已實作為可用,但目前似乎沒有被任何物件使用 - + Color 色彩 - + The object will have the color of its individual faces editable with the Part FaceAppearances command 該物件的每個面顏色可以使用 Part FaceAppearances 命令進行編輯 @@ -680,8 +680,8 @@ while doing a left or right click and move the mouse up or down - Word size - 字型大小 + Architecture + Architecture @@ -706,52 +706,52 @@ while doing a left or right click and move the mouse up or down Gui::Dialog::AboutDialog - - + + Credits - Header for the Credits tab of the About screen 鳴謝 - + + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + Header for bgbsww + This version of FreeCAD is dedicated to the memory of Brad McLean, aka bgbsww. + + + FreeCAD would not be possible without the contributions of 沒有這些人的貢獻 FreeCAD 將不可能成真 - + Individuals Header for the list of individual people in the Credits list. 個人 - + Organizations Header for the list of companies/organizations in the Credits list. 組織 - - + + License 版權 - + Libraries 函式庫 - - This software uses open source components whose copyright and other proprietary rights belong to their respective owners: - 此軟體使用開放原始碼元件,其版權及其他專屬權利屬於其各自擁有者: - - - + Collection 收藏 - + Privacy Policy 隱私權政策 @@ -1408,8 +1408,8 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgCustomToolBoxbarsImp - - + + Toolbox bars 工具箱列 @@ -1498,40 +1498,40 @@ same time. The one with the highest priority will be triggered. - + <Separator> <分隔線> - + %1 module not loaded %1 模組未載入 - + New toolbar 新工具列 - - + + Toolbar name: 工具列名稱: - - + + Duplicated name 重複的名稱 - - + + The toolbar name '%1' is already used '%1' 的工具列名稱已被使用 - + Rename toolbar 重新命名工具列 @@ -1745,71 +1745,71 @@ same time. The one with the highest priority will be triggered. Gui::Dialog::DlgMacroExecuteImp - + Macros 巨集 - + Read-only 唯讀 - + Macro file 巨集檔案 - + Enter a file name, please: 請輸入檔案名稱: - - - + + + Existing file 現有檔案 - + '%1'. This file already exists. '%1'.該檔案已存在。 - + Cannot create file 無法建立檔案 - + Creation of file '%1' failed. 檔案'%1'建立失敗。 - + Delete macro 刪除巨集 - + Do you really want to delete the macro '%1'? 您確定要刪除 '%1' 的巨集嗎? - + Do not show again 不再顯示 - + Guided Walkthrough 指導式演練 - + This will guide you in setting up this macro in a custom global toolbar. Instructions will be in red text inside the dialog. Note: your changes will be applied when you next switch workbenches @@ -1820,77 +1820,77 @@ Note: your changes will be applied when you next switch workbenches - + Walkthrough, dialog 1 of 2 演練, 對話方塊2之1 - + Walkthrough instructions: Fill in missing fields (optional) then click Add, then Close 演練指令: 填入遺失的欄位(選擇性) 然後點選新增, 然後關閉 - + Walkthrough, dialog 1 of 1 演練, 對話方塊1之1 - + Walkthrough, dialog 2 of 2 演練, 對話方塊2之2 - - Walkthrough instructions: Click right arrow button (->), then Close. - 演練指令: 點選右邊的箭頭按鈕 (->), 然後關閉. + + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. + Walkthrough instructions: Select macro from list, then click right arrow button (->), then Close. - Walkthrough instructions: Click New, then right arrow (->) button, then Close. - 演練指令: 點選新增, 然後右邊的箭頭 (->) 按鈕, 然後關閉. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. + Walkthrough instructions: Click New, select macro, then right arrow (->) button, then Close. - + Renaming Macro File 重新命名巨集 - - + + Enter new name: 輸入新名稱: - - + + '%1' already exists. '%1' 已存在 - + Rename Failed 無法重新命名 - + Failed to rename to '%1'. Perhaps a file permission error? 無法重新命名為'%1'。可能是檔案許可設定錯誤? - + Duplicate Macro 複製巨集 - + Duplicate Failed 複製失敗 - + Failed to duplicate to '%1'. Perhaps a file permission error? 複製到 '%1' 失敗。 @@ -4667,7 +4667,7 @@ The preference system is the one set in the general preferences. Placement - 佈置 + 放置 @@ -5129,7 +5129,7 @@ The 'Status' column shows whether the document could be recovered. Placement - 佈置 + 放置 @@ -5880,81 +5880,81 @@ Do you want to save your changes? Gui::GraphvizView - + Graphviz not found 未發現Graphviz - + Graphviz couldn't be found on your system. 在您的系統中找不到 Graphviz。 - + Read more about it here. 在此讀取更多關於它的資訊 - + Do you want to specify its installation path if it's already installed? 如果它已經安裝的話,您是否要指定其安裝路徑 ? - + Graphviz installation path Graphviz安裝路徑 - + Graphviz failed Graphviz錯誤 - + Graphviz failed to create an image file Graphviz建立影像失敗 - + PNG format PNG 格式 - + Bitmap format 點陣圖格式 - + GIF format GIF 格式 - + JPG format JPG 格式 - + SVG format SVG 格式 - - + + PDF format PDF 格式 - - + + Graphviz format Graphviz 格式 - - - + + + Export graph 匯出圖形 @@ -6114,63 +6114,83 @@ Do you want to save your changes? Gui::MainWindow - - + + Dimension - 標註 + 標註尺寸 - + Ready 就緒 - + Close All 全部關閉 - - - + + + Toggles this toolbar 切換此工具列 - - - + + + Toggles this dockable window 切換此可停靠的視窗 - + + Safe mode enabled + Safe mode enabled + + + + FreeCAD is now running in safe mode. + FreeCAD is now running in safe mode. + + + + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + Safe mode temporarily disables your configurations and addons. Restart the application to exit safe mode. + + + WARNING: This is a development version. 警告:這是開發版。 - + Please do not use it in a production environment. 請不要在生產環境中使用它。 - - + + Unsaved document 未儲存文件 - + The exported object contains external link. Please save the documentat least once before exporting. 匯出的物件包含外部連結。請在匯出前至少儲存一次文件。 - + To link to external objects, the document must be saved at least once. Do you want to save the document now? 要連結到外部物件,文件必須至少儲存一次。 您現在要儲存文件嗎? + + + Safe Mode + Safe Mode + Gui::ManualAlignment @@ -6669,39 +6689,19 @@ Do you want to exit without saving your data? Open file %1 打開檔案 %1 - - - File not found - 找不到檔案 - - - - The file '%1' cannot be opened. - 無法打開'%1'檔案。 - Gui::RecentMacrosAction - + none - + Run macro %1 (Shift+click to edit) keyboard shortcut: %2 執行巨集 %1 (Shift+click 來編輯) 快捷鍵: %2 - - - File not found - 找不到檔案 - - - - The file '%1' cannot be opened. - 無法打開'%1'檔案。 - Gui::RevitNavigationStyle @@ -6952,7 +6952,7 @@ Do you want to specify another directory? Gui::TaskView::TaskDialog - + A dialog is already open in the task panel 於工作面板已開啟對話窗 @@ -6981,38 +6981,8 @@ Do you want to specify another directory? Gui::TextDocumentEditorView - - Text updated - 文字上傳 - - - - The text of the underlying object has changed. Discard changes and reload the text from the object? - 底層物件的文字已更改。要放棄更改並自物件重新載入文字嗎? - - - - Yes, reload. - 是,重新載入 - - - - Unsaved document - 未儲存文件 - - - - Do you want to save your changes before closing? - 是否在關閉前儲存變更? - - - - If you don't save, your changes will be lost. - 若不儲存將會失去所有修改 - - - - + + Edit text 編輯文字 @@ -7289,7 +7259,7 @@ Do you want to specify another directory? Gui::TreeDockWidget - + Tree view 樹狀檢視 @@ -7297,7 +7267,7 @@ Do you want to specify another directory? Gui::TreePanel - + Search 搜尋 @@ -7355,148 +7325,148 @@ Do you want to specify another directory? 群組 - + Labels & Attributes 標籤和屬性 - + Description 說明 - + Internal name 內部名稱 - + Show items hidden in tree view 在樹狀檢視圖中顯示隱藏項目 - + Show items that are marked as 'hidden' in the tree view 在樹狀檢視圖中顯示被標為 '隱藏' 的項目 - + Toggle visibility in tree view 在樹狀圖中切換可見性 - + Toggles the visibility of selected items in the tree view 切換樹狀圖中被選項目的可見性 - + Create group 建立群組 - + Create a group 建立一個群組 - - + + Rename 重新命名 - + Rename object 重新命名物件 - + Finish editing 完成編輯 - + Finish editing object 完成編輯物件 - + Add dependent objects to selection 將相依物件增加到選擇 - + Adds all dependent objects to the selection 將所有相依物件增加到選擇 - + Close document 關閉文件 - + Close the document 關閉此文件 - + Reload document 重新載入文件 - + Reload a partially loaded document 重新載入一部份載入之文件 - + Skip recomputes 略過重新計算 - + Enable or disable recomputations of document 啟用或停用文件重新運算之功能 - + Allow partial recomputes 允許部份重新計算 - + Enable or disable recomputating editing object when 'skip recomputation' is enabled 啟用'跳過重新計算'時啟用或停用重新計算編輯物件 - + Mark to recompute 標記為重新計算 - + Mark this object to be recomputed 標記此物件來作重新計算 - + Recompute object 重新計算物件 - + Recompute the selected object 重新計算所選的物件 - + (but must be executed) (但是必須被執行) - + %1, Internal name: %2 %1,內部名稱:%2 @@ -7708,47 +7678,47 @@ Do you want to specify another directory? QDockWidget - + Tree view 樹狀檢視 - + Tasks 任務 - + Property view 屬性檢視 - + Selection view 選擇視圖 - + Task List 任務列表 - + Model 模型 - + DAG View DAG視圖 - + Report view 報告檢視 - + Python console Python 主控台 @@ -7788,35 +7758,35 @@ Do you want to specify another directory? Python - - - + + + Unknown filetype 未知檔案類型 - - + + Cannot open unknown filetype: %1 無法開啟未知文件類型:%1 - + Export failed 匯出失敗 - + Cannot save to unknown filetype: %1 無法儲存為未知的檔案類型:%1 - + Recomputation required 需要重新計算 - + Some document(s) require recomputation for migration purposes. It is highly recommended to perform a recomputation before any modification to avoid compatibility problems. Do you want to recompute now? @@ -7825,24 +7795,24 @@ Do you want to recompute now? 您現在要進行重新計算嗎? - + Recompute error 重新計算錯誤 - + Failed to recompute some document(s). Please check report view for more details. 無法重新計算某些文件。 請檢查報告視圖以獲取更多細節。 - + Workbench failure 工作台故障 - + %1 %1 @@ -7888,90 +7858,105 @@ Please check report view for more details. 匯入檔案 - + Export file 匯出檔案 - + Printing... 列印... - + Exporting PDF... 匯出 PDF... - - + + Unsaved document 未儲存文件 - + The exported object contains external link. Please save the documentat least once before exporting. 匯出的物件包含外部連結。請在匯出前至少儲存一次文件。 - - + + Delete failed 刪除失敗 - + Dependency error 相依性錯誤 - + Copy selected 拷貝選擇的部分 - + Copy active document 拷貝作業中文件 - + Copy all documents 拷貝所有文件 - + Paste 貼上 - + Expression error 表示式錯誤 - + Failed to parse some of the expressions. Please check the Report View for more details. 無法解析某些表示式。 請檢視報告檢視以獲得更多細節。 - + Failed to paste expressions 無法貼上表示式 - + Cannot load workbench 無法載入工作平台 - + A general error occurred while loading the workbench 載入工作平台出現一般錯誤 + + + Restart in safe mode + Restart in safe mode + + + + Are you sure you want to restart FreeCAD and enter safe mode? + Are you sure you want to restart FreeCAD and enter safe mode? + + + + Safe mode temporarily disables your configuration and addons. + Safe mode temporarily disables your configuration and addons. + @@ -8195,51 +8180,51 @@ Do you want to continue? 太多已開啟之非侵入通知。通知已被忽略! - + Identical physical path detected. It may cause unwanted overwrite of existing document! 偵測到相同的實體路徑。這可能會導致現有文件被不必要地覆寫! - + Are you sure you want to continue? 您確定要繼續嗎? - + Please check report view for more... 請檢視報告檢視以獲得更多... - + Physical path: 實體路徑: - - + + Document: 文件: - - + + Path: 路徑: - + Identical physical path 相同實體路徑 - + Could not save document 無法儲存文件 - + There was an issue trying to save the file. This may be because some of the parent folders do not exist, or you do not have sufficient permissions, or for other reasons. Error details: "%1" @@ -8250,102 +8235,102 @@ Would you like to save the file with a different name? "%1" - - - + + + Saving aborted 終止存檔 - + Save dependent files 儲存相依檔案 - + The file contains external dependencies. Do you want to save the dependent files, too? 該檔案包含外部相依性。您是否也要一併儲存相依的檔案? - - + + Saving document failed 儲存文件失敗 - + Save document under new filename... 以新檔名儲存文件 - - + + Save %1 Document 儲存文件 %1 - + Document 文件 - - + + Failed to save document 儲存文件失敗。 - + Documents contains cyclic dependencies. Do you still want to save them? 文件包含循環相依性。您是否仍然要儲存它們? - + Save a copy of the document under new filename... 以新的檔案名稱儲存文件的副本 - + %1 document (*.FCStd) %1文件(*.FCStd) - + Document not closable 文件無法關閉 - + The document is not closable for the moment. 目前文件無法關閉 - + Document not saved 文件未儲存 - + The document%1 could not be saved. Do you want to cancel closing it? 文件%1無法被儲存。請問您是否要關閉它? - + Undo 復原 - + Redo 重做 - + There are grouped transactions in the following documents with other preceding transactions 以下文件中存在與其他前置交易進行群組交易。 - + Choose 'Yes' to roll back all preceding transactions. Choose 'No' to roll back in the active document only. Choose 'Abort' to abort @@ -8439,7 +8424,7 @@ Choose 'Abort' to abort 在%2與%3中找不到檔案 %1 - + Navigation styles 導航模式 @@ -8450,47 +8435,47 @@ Choose 'Abort' to abort 轉換 - + Do you want to close this dialog? 您確定要關閉此對話窗嗎? - + Do you want to save your changes to document '%1' before closing? 於關閉前要儲存「%1」檔嘛? - + Do you want to save your changes to document before closing? 您是否在關閉前要儲存改變至此文件? - + If you don't save, your changes will be lost. 若不儲存將會失去所有修改 - + Apply answer to all 套用答案到全部 - + %1 Document(s) not saved %1 文件未儲存 - + Some documents could not be saved. Do you want to cancel closing? 某些文件無法被儲存。請問您是否要關閉它? - + Delete macro 刪除巨集 - + Not allowed to delete system-wide macros 不允取刪除系統自有之巨集 @@ -8586,10 +8571,10 @@ Choose 'Abort' to abort - - - - + + + + Invalid name 無效名稱 @@ -8601,25 +8586,25 @@ underscore, and must not start with a digit. - + The property name is a reserved word. - The property name is a reserved word. + 屬性名稱是保留字。 - + The property '%1' already exists in '%2' 屬性 '%1' 已經在 '%2' 中存在 - + Add property 新增屬性 - + Failed to add property to '%1': %2 加入屬性至 '%1':%2 失敗 @@ -8902,13 +8887,13 @@ the current copy will be lost. Suppressed - + The property name must only contain alpha numericals, underscore, and must not start with a digit. 屬性名稱只能包含字母、數字、底線,且不能以數字開頭。 - + The group name must only contain alpha numericals, underscore, and must not start with a digit. 群組名稱只能包含字母、數字、底線,且不能以數字開頭。 @@ -8954,13 +8939,13 @@ underscore, and must not start with a digit. StdCmdAbout - + &About %1 關於 %1(&A) - - + + About %1 關於%1 @@ -8968,13 +8953,13 @@ underscore, and must not start with a digit. StdCmdAboutQt - + About &Qt 關於 Qt(&Q) - - + + About Qt 關於 Qt @@ -9010,13 +8995,13 @@ underscore, and must not start with a digit. StdCmdAlignment - + Alignment... 對齊... - - + + Align the selected objects 對齊選定物件 @@ -9080,13 +9065,13 @@ underscore, and must not start with a digit. StdCmdCommandLine - + Start command &line... 啟動指令和列(&L)... - - + + Opens the command line in the console 在主控台中開啟指令列 @@ -9094,13 +9079,13 @@ underscore, and must not start with a digit. StdCmdCopy - + C&opy 拷貝(&o) - - + + Copy operation 拷貝作業 @@ -9108,13 +9093,13 @@ underscore, and must not start with a digit. StdCmdCut - + &Cut 剪下(&C) - - + + Cut out 剪下 @@ -9122,13 +9107,13 @@ underscore, and must not start with a digit. StdCmdDelete - + &Delete 刪除(&D) - - + + Deletes the selected objects 刪除所選的物件 @@ -9150,13 +9135,13 @@ underscore, and must not start with a digit. StdCmdDependencyGraph - + Dependency graph... 相依圖... - - + + Show the dependency graph of the objects in the active document 顯示作業中文件的物件相依圖 @@ -9164,13 +9149,13 @@ underscore, and must not start with a digit. StdCmdDlgCustomize - + Cu&stomize... 自訂(&S)... - - + + Customize toolbars and command bars 自訂工具列和指令列 @@ -9230,13 +9215,13 @@ underscore, and must not start with a digit. StdCmdDlgParameter - + E&dit parameters ... 編輯參數(&D)... - - + + Opens a Dialog to edit the parameters 打開一個對話框來編輯參數 @@ -9244,13 +9229,13 @@ underscore, and must not start with a digit. StdCmdDlgPreferences - + &Preferences ... 偏好設定(&P)... - - + + Opens a Dialog to edit the preferences 開啟偏好設定視窗 @@ -9286,13 +9271,13 @@ underscore, and must not start with a digit. StdCmdDuplicateSelection - + Duplicate selection 複製選定物件 - - + + Put duplicates of the selected objects to the active document 將所選物件的副本放置到作業中文件 @@ -9300,17 +9285,17 @@ underscore, and must not start with a digit. StdCmdEdit - + Toggle &Edit mode 切換&編輯模式 - + Toggles the selected object's edit mode 切換所選的物件的編輯模式 - + Activates or Deactivates the selected object's edit mode 啟用或停用所選物件的編輯模式 @@ -9329,12 +9314,12 @@ underscore, and must not start with a digit. 從作業中文件匯出一個物件 - + No selection 未選取 - + Select the objects to export before choosing Export. 在選擇“匯出”之前,選擇要匯出的物件 @@ -9342,13 +9327,13 @@ underscore, and must not start with a digit. StdCmdExpression - + Expression actions 表示式動作 - - + + Actions that apply to expressions 套用在表示式的動作 @@ -9370,12 +9355,12 @@ underscore, and must not start with a digit. StdCmdFreeCADDonation - + Donate 贊助 - + Donate to FreeCAD development 捐款協助 FreeCAD 開發 @@ -9383,17 +9368,17 @@ underscore, and must not start with a digit. StdCmdFreeCADFAQ - + FreeCAD FAQ FreeCAD 問與答 - + Frequently Asked Questions on the FreeCAD website FreeCAD網站上常見之問題 - + Frequently Asked Questions 常見問題 @@ -9401,17 +9386,17 @@ underscore, and must not start with a digit. StdCmdFreeCADForum - + FreeCAD Forum FreeCAD討論區 - + The FreeCAD forum, where you can find help from other users FreeCAD討論區是一個您可以從其他使用者得到幫助的地方 - + The FreeCAD Forum FreeCAD討論區 @@ -9419,17 +9404,17 @@ underscore, and must not start with a digit. StdCmdFreeCADPowerUserHub - + Python scripting documentation Python腳本文件 - + Python scripting documentation on the FreeCAD website 於FreeCAD網站上之Python腳本文件 - + PowerUsers documentation 專業使用者文件 @@ -9437,13 +9422,13 @@ underscore, and must not start with a digit. StdCmdFreeCADUserHub - - + + Users documentation 使用者文件 - + Documentation for users on the FreeCAD website 於FreeCAD網站上給予使用者的文件 @@ -9451,13 +9436,13 @@ underscore, and must not start with a digit. StdCmdFreeCADWebsite - - + + FreeCAD Website FreeCAD網站 - + The FreeCAD website FreeCAD 網站 @@ -9772,25 +9757,25 @@ underscore, and must not start with a digit. StdCmdMergeProjects - + Merge document... 合併文件... - - - - + + + + Merge document 合併文件 - + %1 document (*.FCStd) %1文件(*.FCStd) - + Cannot merge document with itself. Cannot merge document with itself. @@ -9798,18 +9783,18 @@ underscore, and must not start with a digit. StdCmdNew - + &New 新增(&N) - - + + Create a new empty document 建立一個新的空白檔案 - + Unnamed 未命名 @@ -9818,13 +9803,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelp - - + + Help 説明 - + Show help to the application 顯示應用程式的説明 @@ -9832,13 +9817,13 @@ underscore, and must not start with a digit. StdCmdOnlineHelpWebsite - - + + Help Website 説明網站 - + The website where the help is maintained 說明的網站在進行維護 @@ -9893,13 +9878,13 @@ underscore, and must not start with a digit. StdCmdPaste - + &Paste &貼上 - - + + Paste operation 貼上 @@ -9907,13 +9892,13 @@ underscore, and must not start with a digit. StdCmdPlacement - + Placement... 放置... - - + + Place the selected objects 放置所選物件 @@ -9921,13 +9906,13 @@ underscore, and must not start with a digit. StdCmdPrint - + &Print... 列印(&P)... - - + + Print the document 列印文件 @@ -9935,13 +9920,13 @@ underscore, and must not start with a digit. StdCmdPrintPdf - + &Export PDF... 匯出PDF(&E)... - - + + Export the document as PDF 將文件匯出為 PDF @@ -9949,17 +9934,17 @@ underscore, and must not start with a digit. StdCmdPrintPreview - + &Print preview... &預覽列印 - + Print the document 列印文件 - + Print preview 預覽列印 @@ -9967,13 +9952,13 @@ underscore, and must not start with a digit. StdCmdPythonWebsite - - + + Python Website Python網站 - + The official Python website Python官方網站 @@ -9981,13 +9966,13 @@ underscore, and must not start with a digit. StdCmdQuit - + E&xit 退出(&E) - - + + Quits the application 退出應用程式 @@ -10009,13 +9994,13 @@ underscore, and must not start with a digit. StdCmdRecentFiles - + Open Recent 最近開啟的檔案 - - + + Recent file list 最近檔案清單 @@ -10023,13 +10008,13 @@ underscore, and must not start with a digit. StdCmdRecentMacros - + Recent macros 最近使用的巨集 - - + + Recent macro list 最近使用的巨集清單 @@ -10037,13 +10022,13 @@ underscore, and must not start with a digit. StdCmdRedo - + &Redo 重作(&R) - - + + Redoes a previously undone action 重做上次復原的操作 @@ -10051,13 +10036,13 @@ underscore, and must not start with a digit. StdCmdRefresh - + &Refresh 重新運算(&R) - - + + Recomputes the current active document 重新計算目前作業中文件 @@ -10065,13 +10050,13 @@ underscore, and must not start with a digit. StdCmdReportBug - + Report a bug 回報錯誤 - - + + Report a bug or suggest a feature 回報錯誤或建議一個功能 @@ -10079,13 +10064,13 @@ underscore, and must not start with a digit. StdCmdRevert - + Revert 還原 - - + + Reverts to the saved version of this file 還原至此檔儲存之版本 @@ -10093,13 +10078,13 @@ underscore, and must not start with a digit. StdCmdSave - + &Save 儲存(&S) - - + + Save the active document 儲存作業中文件 @@ -10107,13 +10092,13 @@ underscore, and must not start with a digit. StdCmdSaveAll - + Save All 全部儲存 - - + + Save all opened document 儲存所有開啟的文件 @@ -10121,13 +10106,13 @@ underscore, and must not start with a digit. StdCmdSaveAs - + Save &As... 另存新檔(&A)... - - + + Save the active document under a new file name 將作業中文件以新的檔名儲存 @@ -10135,13 +10120,13 @@ underscore, and must not start with a digit. StdCmdSaveCopy - + Save a &Copy... 儲存副本(&C)... - - + + Save a copy of the active document under a new file name 以新的檔案名稱儲存作業中文件的副本 @@ -10177,13 +10162,13 @@ underscore, and must not start with a digit. StdCmdSelectAll - + Select &All 全選(&A) - - + + Select all 全選 @@ -10261,13 +10246,13 @@ underscore, and must not start with a digit. StdCmdTextDocument - + Add text document 添加文字文件 - - + + Add text document to active document 增加文字文件至作業中文件 @@ -10401,13 +10386,13 @@ underscore, and must not start with a digit. StdCmdTransform - + Transform... 變換... - - + + Transform the geometry of selected objects 所選物件的幾何變換 @@ -10415,13 +10400,13 @@ underscore, and must not start with a digit. StdCmdTransformManip - + Transform 轉換 - - + + Transform the selected object in the 3d view 轉換3D視圖中所選物件 @@ -10485,13 +10470,13 @@ underscore, and must not start with a digit. StdCmdUndo - + &Undo 復原(&U) - - + + Undo exactly one action 還原恰好一個動作 @@ -10499,13 +10484,13 @@ underscore, and must not start with a digit. StdCmdUserEditMode - + Edit mode 編輯模式 - - + + Defines behavior when editing an object from tree 定義在從樹狀結構中編輯物件時的行為 @@ -10905,13 +10890,13 @@ underscore, and must not start with a digit. StdCmdWhatsThis - + &What's This? 這是什麼(&W)? - - + + What's This 這是什麼 @@ -10947,13 +10932,13 @@ underscore, and must not start with a digit. StdCmdWorkbench - + Workbench 工作台 - - + + Switch between workbenches 工作台之間切換 @@ -11277,7 +11262,7 @@ underscore, and must not start with a digit. Std_Delete - + The following referencing objects might break. Are you sure you want to continue? @@ -11288,7 +11273,7 @@ Are you sure you want to continue? - + Object dependencies 物件相依 @@ -11296,7 +11281,7 @@ Are you sure you want to continue? Std_DependencyGraph - + Dependency graph 相依圖 @@ -11377,12 +11362,12 @@ Are you sure you want to continue? Std_DuplicateSelection - + Object dependencies 物件相依 - + To link to external objects, the document must be saved at least once. Do you want to save the document now? 要連結到外部物件,文件必須至少儲存一次。 @@ -11400,7 +11385,7 @@ Do you want to save the document now? Std_Refresh - + The document contains dependency cycles. Please check the Report View for more details. @@ -11414,17 +11399,17 @@ Do you still want to proceed? Std_Revert - + Revert document 還原檔案 - + This will discard all the changes since last file save. 這將會放棄自前次儲存檔案後所有的變更 - + Do you want to continue? 您要繼續嗎? @@ -11598,12 +11583,12 @@ Do you still want to proceed? Gui::MDIView - + Export PDF 匯出 PDF - + PDF file PDF 檔 @@ -12282,7 +12267,7 @@ Currently, your system has the following workbenches:</p></body>< Font size to be used for selected code type - 字型大小將套用到所選的程式碼項目 + 用於所選程式碼類型的字體大小 @@ -12295,82 +12280,82 @@ Currently, your system has the following workbenches:</p></body>< 預覽: - + Text 文字 - + Bookmark 書籤 - + Breakpoint 斷點 - + Keyword 關鍵字 - + Comment 評論 - + Block comment 阻止評論 - + Number 數目 - + String 字串 - + Character 字符 - + Class name 類別名稱 - + Define name 定義名稱 - + Operator 操作 - + Python output Python 輸出 - + Python error Python 錯誤 - + Current line highlight 強調此行 - + Items 項目 @@ -12875,13 +12860,13 @@ from Python console to Report view panel StdCmdExportDependencyGraph - + Export dependency graph... 匯出相依圖... - - + + Export the dependency graph to a file 匯出相依圖至一檔案 @@ -13118,8 +13103,8 @@ This makes the docked window stay transparent at all times. Show auto hidden dock overlay on mouse over. If disabled, then show on mouse click. - Show auto hidden dock overlay on mouse over. -If disabled, then show on mouse click. + 滑鼠懸停時顯示自動隱藏的停靠列覆蓋。 +如果停用,則在滑鼠點擊時顯示。 @@ -13319,13 +13304,13 @@ the region are non-opaque. StdCmdProjectInfo - + Document i&nformation... 文件資訊(&n)... - - + + Show details of the currently active document 顯示目前作業中文件的細節 @@ -13333,13 +13318,13 @@ the region are non-opaque. StdCmdProjectUtil - + Document utility... 文件實用程式... - - + + Utility to extract or create document files 用來提取或建立文件檔案的實用程式 @@ -13361,12 +13346,12 @@ the region are non-opaque. StdCmdProperties - + Properties 性質 - + Show the property view, which displays the properties of the selected object. Show the property view, which displays the properties of the selected object. @@ -13417,13 +13402,13 @@ the region are non-opaque. StdCmdReloadStyleSheet - + &Reload stylesheet &重新載入樣式表 - - + + Reloads the current stylesheet 重新載入目前樣式表 @@ -13700,15 +13685,38 @@ the region are non-opaque. StdCmdUnitsCalculator - + &Units converter... &單位轉換器... - - + + Start the units converter 啟動單位轉換器 + + Gui::ModuleIO + + + File not found + 找不到檔案 + + + + The file '%1' cannot be opened. + 無法打開'%1'檔案。 + + + + StdCmdRestartInSafeMode + + + + + Restart in safe mode + Restart in safe mode + + diff --git a/src/Gui/MainWindow.cpp b/src/Gui/MainWindow.cpp index 73d671d74727..6862089d0258 100644 --- a/src/Gui/MainWindow.cpp +++ b/src/Gui/MainWindow.cpp @@ -100,7 +100,7 @@ #include "PythonConsole.h" #include "ReportView.h" #include "SelectionView.h" -#include "Splashscreen.h" +#include "SplashScreen.h" #include "ToolBarManager.h" #include "ToolBoxManager.h" #include "Tree.h" @@ -115,7 +115,6 @@ #include "View3DInventor.h" #include "View3DInventorViewer.h" #include "DlgObjectSelection.h" -#include "Tools.h" #include FC_LOG_LEVEL_INIT("MainWindow",false,true,true) @@ -1634,9 +1633,7 @@ void MainWindow::delayedStartup() throw; } - const std::map& cfg = App::Application::Config(); - auto it = cfg.find("StartHidden"); - if (it != cfg.end()) { + if (Application::hiddenMainWindow()) { QApplication::quit(); return; } @@ -1938,7 +1935,7 @@ void MainWindow::startSplasher() GetGroup("BaseApp")->GetGroup("Preferences")->GetGroup("General"); // first search for an external image file if (hGrp->GetBool("ShowSplasher", true)) { - d->splashscreen = new SplashScreen(this->splashImage()); + d->splashscreen = new SplashScreen(SplashScreen::splashImage()); if (!hGrp->GetBool("ShowSplasherMessages", false)) { d->splashscreen->setShowMessages(false); @@ -1961,220 +1958,6 @@ void MainWindow::stopSplasher() } } -QPixmap MainWindow::aboutImage() const -{ - // See if we have a custom About screen image set - QPixmap about_image; - QFileInfo fi(QString::fromLatin1("images:about_image.png")); - if (fi.isFile() && fi.exists()) - about_image.load(fi.filePath(), "PNG"); - - std::string about_path = App::Application::Config()["AboutImage"]; - if (!about_path.empty() && about_image.isNull()) { - QString path = QString::fromUtf8(about_path.c_str()); - if (QDir(path).isRelative()) { - QString home = QString::fromStdString(App::Application::getHomePath()); - path = QFileInfo(QDir(home), path).absoluteFilePath(); - } - about_image.load(path); - - // Now try the icon paths - if (about_image.isNull()) { - about_image = Gui::BitmapFactory().pixmap(about_path.c_str()); - } - } - - return about_image; -} - -/** - * Displays a warning about this being a developer build. Designed for display in the Splashscreen. - * \param painter The painter to draw the warning into - * \param startPosition The painter-space coordinates to start the warning box at. - * \param maxSize The maximum extents for the box that is drawn. If the text exceeds this size it - * will be scaled down to fit. - * \note The text string is translatable, so its length is somewhat unpredictable. It is always - * displayed as two lines, regardless of the length of the text (e.g. no wrapping is done). Only the - * width is considered, the height simply follows from the font size. - */ -void MainWindow::renderDevBuildWarning( - QPainter &painter, - const QPoint startPosition, - const QSize maxSize, - QColor color) -{ - // Create a background box that fades out the artwork for better legibility - QColor fader (Qt::white); - constexpr float halfDensity (0.65F); - fader.setAlphaF(halfDensity); - QBrush fillBrush(fader, Qt::BrushStyle::SolidPattern); - painter.setBrush(fillBrush); - - // Construct the lines of text and figure out how much space they need - const auto devWarningLine1 = tr("WARNING: This is a development version."); - const auto devWarningLine2 = tr("Please do not use it in a production environment."); - QFontMetrics fontMetrics(painter.font()); // Try to use the existing font - int padding = QtTools::horizontalAdvance(fontMetrics, QLatin1String("M")); // Arbitrary - int line1Width = QtTools::horizontalAdvance(fontMetrics, devWarningLine1); - int line2Width = QtTools::horizontalAdvance(fontMetrics, devWarningLine2); - int boxWidth = std::max(line1Width,line2Width) + 2 * padding; - int lineHeight = fontMetrics.lineSpacing(); - if (boxWidth > maxSize.width()) { - // Especially if the text was translated, there is a chance that using the existing font - // will exceed the width of the Splashscreen graphic. Resize down so that it fits, no matter - // how long the text strings are. - float reductionFactor = static_cast(maxSize.width()) / static_cast(boxWidth); - int newFontSize = static_cast(painter.font().pointSize() * reductionFactor); - padding *= reductionFactor; - QFont newFont = painter.font(); - newFont.setPointSize(newFontSize); - painter.setFont(newFont); - lineHeight = painter.fontMetrics().lineSpacing(); - boxWidth = maxSize.width(); - } - constexpr float lineExpansionFactor(2.3F); - int boxHeight = static_cast(lineHeight*lineExpansionFactor); - - // Draw the background rectangle and the text - painter.setPen(color); - painter.drawRect(startPosition.x(), startPosition.y(), boxWidth, boxHeight); - painter.drawText(startPosition.x()+padding, startPosition.y()+lineHeight, devWarningLine1); - painter.drawText(startPosition.x()+padding, startPosition.y()+2*lineHeight, devWarningLine2); -} - -QPixmap MainWindow::splashImage() const -{ - // search in the UserAppData dir as very first - QPixmap splash_image; - QFileInfo fi(QString::fromLatin1("images:splash_image.png")); - if (fi.isFile() && fi.exists()) - splash_image.load(fi.filePath(), "PNG"); - - // if no image was found try the config - std::string splash_path = App::Application::Config()["SplashScreen"]; - if (splash_image.isNull()) { - QString path = QString::fromUtf8(splash_path.c_str()); - if (QDir(path).isRelative()) { - QString home = QString::fromStdString(App::Application::getHomePath()); - path = QFileInfo(QDir(home), path).absoluteFilePath(); - } - - splash_image.load(path); - } - - // now try the icon paths - float pixelRatio (1.0); - if (splash_image.isNull()) { - // determine the count of splashes - QStringList pixmaps = Gui::BitmapFactory().findIconFiles().filter(QString::fromStdString(splash_path)); - // divide by 2 since there's two sets (normal and 2x) - // minus 1 to ignore the default splash that isn't numbered - int splash_count = pixmaps.count()/2 - 1; - - // set a random splash path - if (splash_count > 0) { - int random = rand() % splash_count; - splash_path += std::to_string(random); - } - if (qApp->devicePixelRatio() > 1.0) { - // For HiDPI screens, we have a double-resolution version of the splash image - splash_path += "_2x"; - splash_image = Gui::BitmapFactory().pixmap(splash_path.c_str()); - splash_image.setDevicePixelRatio(2.0); - pixelRatio = 2.0; - } - else { - splash_image = Gui::BitmapFactory().pixmap(splash_path.c_str()); - } - } - - // include application name and version number - std::map::const_iterator tc = App::Application::Config().find("SplashInfoColor"); - std::map::const_iterator wc = App::Application::Config().find("SplashWarningColor"); - if (tc != App::Application::Config().end() && wc != App::Application::Config().end()) { - QString title = qApp->applicationName(); - QString major = QString::fromLatin1(App::Application::Config()["BuildVersionMajor"].c_str()); - QString minor = QString::fromLatin1(App::Application::Config()["BuildVersionMinor"].c_str()); - QString point = QString::fromLatin1(App::Application::Config()["BuildVersionPoint"].c_str()); - QString suffix = QString::fromLatin1(App::Application::Config()["BuildVersionSuffix"].c_str()); - QString version = QString::fromLatin1("%1.%2.%3%4").arg(major, minor, point, suffix); - QString position, fontFamily; - - std::map::const_iterator te = App::Application::Config().find("SplashInfoExeName"); - std::map::const_iterator tv = App::Application::Config().find("SplashInfoVersion"); - std::map::const_iterator tp = App::Application::Config().find("SplashInfoPosition"); - std::map::const_iterator tf = App::Application::Config().find("SplashInfoFont"); - if (te != App::Application::Config().end()) - title = QString::fromUtf8(te->second.c_str()); - if (tv != App::Application::Config().end()) - version = QString::fromUtf8(tv->second.c_str()); - if (tp != App::Application::Config().end()) - position = QString::fromUtf8(tp->second.c_str()); - if (tf != App::Application::Config().end()) - fontFamily = QString::fromUtf8(tf->second.c_str()); - - QPainter painter; - painter.begin(&splash_image); - if (!fontFamily.isEmpty()) { - QFont font = painter.font(); - if (font.fromString(fontFamily)) - painter.setFont(font); - } - - QFont fontExe = painter.font(); - fontExe.setPointSizeF(20.0); - QFontMetrics metricExe(fontExe); - int l = QtTools::horizontalAdvance(metricExe, title); - if (title == QLatin1String("FreeCAD")) { - l = 0.0; // "FreeCAD" text is already part of the splashscreen, version goes below it - } - int w = splash_image.width(); - int h = splash_image.height(); - - QFont fontVer = painter.font(); - fontVer.setPointSizeF(11.0); - QFontMetrics metricVer(fontVer); - int v = QtTools::horizontalAdvance(metricVer, version); - - int x = -1, y = -1; - QRegularExpression rx(QLatin1String("(\\d+).(\\d+)")); - auto match = rx.match(position); - if (match.hasMatch()) { - x = match.captured(1).toInt(); - y = match.captured(2).toInt(); - } - else { - x = w - (l + v + 10); - y = h - 20; - } - - QColor color(QString::fromLatin1(tc->second.c_str())); - if (color.isValid()) { - painter.setPen(color); - painter.setFont(fontExe); - if (title != QLatin1String("FreeCAD")) { - // FreeCAD's Splashscreen already contains the EXE name, no need to draw it - painter.drawText(x, y, title); - } - painter.setFont(fontVer); - painter.drawText(x + (l + 235), y - 7, version); - QColor warningColor(QString::fromLatin1(wc->second.c_str())); - if (suffix == QLatin1String("dev") && warningColor.isValid()) { - fontVer.setPointSizeF(14.0); - painter.setFont(fontVer); - const int lineHeight = metricVer.lineSpacing(); - const int padding {45}; // Distance from the edge of the graphic's bounding box - QPoint startPosition(padding, y + lineHeight*2); - QSize maxSize(w/pixelRatio - 2*padding, lineHeight * 3); - MainWindow::renderDevBuildWarning(painter, startPosition, maxSize, warningColor); - } - painter.end(); - } - } - - return splash_image; -} - /** * Drops the event \a e and tries to open the files. */ diff --git a/src/Gui/MainWindow.h b/src/Gui/MainWindow.h index cf9103adda37..c197430dff72 100644 --- a/src/Gui/MainWindow.h +++ b/src/Gui/MainWindow.h @@ -142,10 +142,6 @@ class GuiExport MainWindow : public QMainWindow void startSplasher(); /** Stops the splasher after startup. */ void stopSplasher(); - /* The image of the About dialog, it might be empty. */ - QPixmap aboutImage() const; - /* The image of the splash screen of the application. */ - QPixmap splashImage() const; /** Shows the online documentation. */ void showDocumentation(const QString& help); //@} diff --git a/src/Gui/OnlineDocumentation.cpp b/src/Gui/OnlineDocumentation.cpp index 3ec8517057f5..e946b5336b38 100644 --- a/src/Gui/OnlineDocumentation.cpp +++ b/src/Gui/OnlineDocumentation.cpp @@ -322,10 +322,10 @@ StdCmdPythonHelp::StdCmdPythonHelp() , server(nullptr) { sGroup = "Tools"; - sMenuText = QT_TR_NOOP("Automatic Python modules documentation"); - sToolTipText = QT_TR_NOOP("Opens a browser to show the Python modules documentation"); + sMenuText = QT_TR_NOOP("Automatic Python Modules Documentation"); + sToolTipText = QT_TR_NOOP("Opens the Python Modules documentation"); sWhatsThis = "Std_PythonHelp"; - sStatusTip = QT_TR_NOOP("Opens a browser to show the Python modules documentation"); + sStatusTip = sToolTipText; sPixmap = "applications-python"; } diff --git a/src/Gui/Placement.ui b/src/Gui/Placement.ui index e03fbefc9447..ffd978ab385c 100644 --- a/src/Gui/Placement.ui +++ b/src/Gui/Placement.ui @@ -17,7 +17,7 @@ - Translation: + Translation @@ -44,7 +44,7 @@ - X: + X @@ -60,7 +60,7 @@ - Y: + Y @@ -76,7 +76,7 @@ - Z: + Z @@ -92,7 +92,7 @@ - Axial: + Axial @@ -115,7 +115,7 @@ - Center: + Center @@ -142,7 +142,7 @@ - X: + X @@ -158,7 +158,7 @@ - Y: + Y @@ -174,7 +174,7 @@ - Z: + Z @@ -201,7 +201,7 @@ - Rotation: + Rotation @@ -281,7 +281,7 @@ - Axis: + Axis @@ -303,7 +303,7 @@ - Angle: + Angle @@ -357,7 +357,7 @@ - Yaw (around z-axis): + Yaw (around z-axis) @@ -377,7 +377,7 @@ - Pitch (around y-axis): + Pitch (around y-axis) @@ -397,7 +397,7 @@ - Roll (around x-axis): + Roll (around x-axis) diff --git a/src/Gui/PreferencePages/DlgSettingsMacro.ui b/src/Gui/PreferencePages/DlgSettingsMacro.ui index 6456593a8151..88cce8cdb336 100644 --- a/src/Gui/PreferencePages/DlgSettingsMacro.ui +++ b/src/Gui/PreferencePages/DlgSettingsMacro.ui @@ -192,7 +192,7 @@ Commands executed by macro scripts are shown in Python console - Show script commands in python console + Show script commands in Python console true diff --git a/src/Gui/PreferencePages/DlgSettingsNotificationArea.cpp b/src/Gui/PreferencePages/DlgSettingsNotificationArea.cpp index b75ae57207d5..025e6bcd8212 100644 --- a/src/Gui/PreferencePages/DlgSettingsNotificationArea.cpp +++ b/src/Gui/PreferencePages/DlgSettingsNotificationArea.cpp @@ -89,11 +89,11 @@ void DlgSettingsNotificationArea::adaptUiToAreaEnabledState(bool enabled) { ui->NonIntrusiveNotificationsEnabled->setEnabled(enabled); ui->maxDuration->setEnabled(enabled); - ui->maxDuration->setEnabled(enabled); ui->minDuration->setEnabled(enabled); ui->maxNotifications->setEnabled(enabled); ui->maxWidgetMessages->setEnabled(enabled); ui->autoRemoveUserNotifications->setEnabled(enabled); + ui->notificationWidth->setEnabled(enabled); ui->hideNonIntrusiveNotificationsWhenWindowDeactivated->setEnabled(enabled); ui->preventNonIntrusiveNotificationsWhenWindowNotActive->setEnabled(enabled); ui->developerErrorSubscriptionEnabled->setEnabled(enabled); diff --git a/src/Gui/PreferencePages/DlgSettingsUI.ui b/src/Gui/PreferencePages/DlgSettingsUI.ui index f1a421b7a6a8..5bf0459cd288 100644 --- a/src/Gui/PreferencePages/DlgSettingsUI.ui +++ b/src/Gui/PreferencePages/DlgSettingsUI.ui @@ -432,7 +432,7 @@ - Automatically hide overlayed dock panels when in non 3D view (like TechDraw or Spreadsheet). + Automatically hide overlaid dock panels when in non 3D view (like TechDraw or Spreadsheet). Auto hide in non 3D view diff --git a/src/Gui/QuantitySpinBox.cpp b/src/Gui/QuantitySpinBox.cpp index c9f50a0e0cc7..1f93be55c185 100644 --- a/src/Gui/QuantitySpinBox.cpp +++ b/src/Gui/QuantitySpinBox.cpp @@ -792,41 +792,22 @@ QSize QuantitySpinBox::sizeForText(const QString& txt) const QSize QuantitySpinBox::sizeHint() const { - Q_D(const QuantitySpinBox); - ensurePolished(); - - const QFontMetrics fm(fontMetrics()); - int h = lineEdit()->sizeHint().height(); - int w = 0; - - QString s; - QString fixedContent = QLatin1String(" "); - - Base::Quantity q(d->quantity); - q.setValue(d->maximum); - s = textFromValue(q); - s.truncate(18); - s += fixedContent; - w = qMax(w, QtTools::horizontalAdvance(fm, s)); - - w += 2; // cursor blinking space - w += iconHeight; - - QStyleOptionSpinBox opt; - initStyleOption(&opt); - QSize hint(w, h); - QSize size = style()->sizeFromContents(QStyle::CT_SpinBox, &opt, hint, this); - return size; + return sizeHintCalculator(lineEdit()->sizeHint().height()); } QSize QuantitySpinBox::minimumSizeHint() const +{ + return sizeHintCalculator(lineEdit()->minimumSizeHint().height()); +} + +QSize QuantitySpinBox::sizeHintCalculator(int h) const { Q_D(const QuantitySpinBox); ensurePolished(); const QFontMetrics fm(fontMetrics()); - int h = lineEdit()->minimumSizeHint().height(); int w = 0; + constexpr int maxStrLen = 12; QString s; QString fixedContent = QLatin1String(" "); @@ -834,7 +815,7 @@ QSize QuantitySpinBox::minimumSizeHint() const Base::Quantity q(d->quantity); q.setValue(d->maximum); s = textFromValue(q); - s.truncate(18); + s.truncate(maxStrLen); s += fixedContent; w = qMax(w, QtTools::horizontalAdvance(fm, s)); diff --git a/src/Gui/QuantitySpinBox.h b/src/Gui/QuantitySpinBox.h index 63dbb6af5fb3..dadc28d90620 100644 --- a/src/Gui/QuantitySpinBox.h +++ b/src/Gui/QuantitySpinBox.h @@ -166,6 +166,7 @@ protected Q_SLOTS: void updateFromCache(bool notify, bool updateUnit = true); QString getUserString(const Base::Quantity& val, double& factor, QString& unitString) const; QString getUserString(const Base::Quantity& val) const; + QSize sizeHintCalculator(int height) const; Q_SIGNALS: /** Gets emitted if the user has entered a VALID input diff --git a/src/Gui/SelectionView.cpp b/src/Gui/SelectionView.cpp index aa5c0c08a0ef..3e705a24913d 100644 --- a/src/Gui/SelectionView.cpp +++ b/src/Gui/SelectionView.cpp @@ -656,10 +656,10 @@ void SelectionView::onItemContextMenu(const QPoint& point) touchAction->setToolTip(tr("Mark this object to be recomputed")); QAction* toPythonAction = - menu.addAction(tr("To python console"), this, &SelectionView::toPython); + menu.addAction(tr("To Python console"), this, &SelectionView::toPython); toPythonAction->setIcon(QIcon::fromTheme(QString::fromLatin1("applications-python"))); toPythonAction->setToolTip( - tr("Reveals this object and its subelements in the python console.")); + tr("Reveals this object and its subelements in the Python console.")); QStringList elements = item->data(Qt::UserRole).toStringList(); if (elements.length() > 2) { diff --git a/src/Gui/SpinBox.cpp b/src/Gui/SpinBox.cpp index fd92a3f3a3e5..064c0f320bdc 100644 --- a/src/Gui/SpinBox.cpp +++ b/src/Gui/SpinBox.cpp @@ -168,7 +168,7 @@ void ExpressionSpinBox::resizeWidget() int frameWidth = spinbox->style()->pixelMetric(QStyle::PM_SpinBoxFrameWidth); QSize sz = iconLabel->sizeHint(); - iconLabel->move(lineedit->rect().right() - frameWidth - sz.width(), 0); + iconLabel->move(lineedit->rect().right() - frameWidth - sz.width(), lineedit->rect().center().y() - sz.height() / 2); updateExpression(); } diff --git a/src/Gui/SplashScreen.cpp b/src/Gui/SplashScreen.cpp new file mode 100644 index 000000000000..74f6768048f9 --- /dev/null +++ b/src/Gui/SplashScreen.cpp @@ -0,0 +1,404 @@ +/*************************************************************************** + * Copyright (c) 2004 Werner Mayer * + * * + * 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 +#include +#include +#include +#include +#include +#include +#include +#include +#include +#endif + +#include +#include +#include + +#include "BitmapFactory.h" +#include "SplashScreen.h" +#include "Tools.h" + +using namespace Gui; + +namespace Gui +{ + +/** Displays all messages at startup inside the splash screen. + * \author Werner Mayer + */ +class SplashObserver: public Base::ILogger +{ +public: + SplashObserver(const SplashObserver&) = delete; + SplashObserver(SplashObserver&&) = delete; + SplashObserver& operator=(const SplashObserver&) = delete; + SplashObserver& operator=(SplashObserver&&) = delete; + + explicit SplashObserver(QSplashScreen* splasher = nullptr) + : splash(splasher) + , alignment(Qt::AlignBottom | Qt::AlignLeft) + , textColor(Qt::black) + { + Base::Console().AttachObserver(this); + + // allow to customize text position and color + const std::map& cfg = App::Application::Config(); + auto al = cfg.find("SplashAlignment"); + if (al != cfg.end()) { + QString alt = QString::fromLatin1(al->second.c_str()); + int align = 0; + if (alt.startsWith(QLatin1String("VCenter"))) { + align = Qt::AlignVCenter; + } + else if (alt.startsWith(QLatin1String("Top"))) { + align = Qt::AlignTop; + } + else { + align = Qt::AlignBottom; + } + + if (alt.endsWith(QLatin1String("HCenter"))) { + align += Qt::AlignHCenter; + } + else if (alt.endsWith(QLatin1String("Right"))) { + align += Qt::AlignRight; + } + else { + align += Qt::AlignLeft; + } + + alignment = align; + } + + // choose text color + auto tc = cfg.find("SplashTextColor"); + if (tc != cfg.end()) { + QColor col(QString::fromStdString(tc->second)); + if (col.isValid()) { + textColor = col; + } + } + } + ~SplashObserver() override + { + Base::Console().DetachObserver(this); + } + const char* Name() override + { + return "SplashObserver"; + } + void SendLog(const std::string& notifiername, + const std::string& msg, + Base::LogStyle level, + Base::IntendedRecipient recipient, + Base::ContentType content) override + { + Q_UNUSED(notifiername) + Q_UNUSED(recipient) + Q_UNUSED(content) + +#ifdef FC_DEBUG + Q_UNUSED(level) + Log(msg); +#else + if (level == Base::LogStyle::Log) { + Log(msg); + } +#endif + } + void Log(const std::string& text) + { + QString msg(QString::fromStdString(text)); + QRegularExpression rx; + // ignore 'Init:' and 'Mod:' prefixes + rx.setPattern(QLatin1String("^\\s*(Init:|Mod:)\\s*")); + auto match = rx.match(msg); + if (match.hasMatch()) { + msg = msg.mid(match.capturedLength()); + } + else { + // ignore activation of commands + rx.setPattern(QLatin1String(R"(^\s*(\+App::|Create|CmdC:|CmdG:|Act:)\s*)")); + match = rx.match(msg); + if (match.hasMatch() && match.capturedStart() == 0) { + return; + } + } + + splash->showMessage(msg.replace(QLatin1String("\n"), QString()), alignment, textColor); + QMutex mutex; + QMutexLocker ml(&mutex); + QWaitCondition().wait(&mutex, 50); + } + +private: + QSplashScreen* splash; + int alignment; + QColor textColor; +}; + +/** + * Displays a warning about this being a developer build. Designed for display in the Splashscreen. + * \param painter The painter to draw the warning into + * \param startPosition The painter-space coordinates to start the warning box at. + * \param maxSize The maximum extents for the box that is drawn. If the text exceeds this size it + * will be scaled down to fit. + * \note The text string is translatable, so its length is somewhat unpredictable. It is always + * displayed as two lines, regardless of the length of the text (e.g. no wrapping is done). Only the + * width is considered, the height simply follows from the font size. + */ +static void renderDevBuildWarning(QPainter& painter, + const QPoint startPosition, + const QSize maxSize, + QColor color) +{ + // Create a background box that fades out the artwork for better legibility + QColor fader(Qt::white); + constexpr float halfDensity(0.65F); + fader.setAlphaF(halfDensity); + QBrush fillBrush(fader, Qt::BrushStyle::SolidPattern); + painter.setBrush(fillBrush); + + // Construct the lines of text and figure out how much space they need + const auto devWarningLine1 = QObject::tr("WARNING: This is a development version."); + const auto devWarningLine2 = QObject::tr("Please do not use it in a production environment."); + QFontMetrics fontMetrics(painter.font()); // Try to use the existing font + int padding = QtTools::horizontalAdvance(fontMetrics, QLatin1String("M")); // Arbitrary + int line1Width = QtTools::horizontalAdvance(fontMetrics, devWarningLine1); + int line2Width = QtTools::horizontalAdvance(fontMetrics, devWarningLine2); + int boxWidth = std::max(line1Width, line2Width) + 2 * padding; + int lineHeight = fontMetrics.lineSpacing(); + if (boxWidth > maxSize.width()) { + // Especially if the text was translated, there is a chance that using the existing font + // will exceed the width of the Splashscreen graphic. Resize down so that it fits, no matter + // how long the text strings are. + float reductionFactor = static_cast(maxSize.width()) / static_cast(boxWidth); + int newFontSize = static_cast(painter.font().pointSize() * reductionFactor); + padding *= reductionFactor; + QFont newFont = painter.font(); + newFont.setPointSize(newFontSize); + painter.setFont(newFont); + lineHeight = painter.fontMetrics().lineSpacing(); + boxWidth = maxSize.width(); + } + constexpr float lineExpansionFactor(2.3F); + int boxHeight = static_cast(lineHeight * lineExpansionFactor); + + // Draw the background rectangle and the text + painter.setPen(color); + painter.drawRect(startPosition.x(), startPosition.y(), boxWidth, boxHeight); + painter.drawText(startPosition.x() + padding, startPosition.y() + lineHeight, devWarningLine1); + painter.drawText(startPosition.x() + padding, + startPosition.y() + 2 * lineHeight, + devWarningLine2); +} + +} // namespace Gui + +// ------------------------------------------------------------------------------ + +/** + * Constructs a splash screen that will display the pixmap. + */ +SplashScreen::SplashScreen(const QPixmap& pixmap, Qt::WindowFlags f) + : QSplashScreen(pixmap, f) +{ + // write the messages to splasher + messages = new SplashObserver(this); +} + +/** Destruction. */ +SplashScreen::~SplashScreen() +{ + delete messages; +} + +/** + * Draws the contents of the splash screen using painter \a painter. The default + * implementation draws the message passed by message(). + */ +void SplashScreen::drawContents(QPainter* painter) +{ + QSplashScreen::drawContents(painter); +} + +void SplashScreen::setShowMessages(bool on) +{ + messages->bErr = on; + messages->bMsg = on; + messages->bLog = on; + messages->bWrn = on; +} + +QPixmap SplashScreen::splashImage() +{ + // search in the UserAppData dir as very first + QPixmap splash_image; + QFileInfo fi(QString::fromLatin1("images:splash_image.png")); + if (fi.isFile() && fi.exists()) { + splash_image.load(fi.filePath(), "PNG"); + } + + // if no image was found try the config + std::string splash_path = App::Application::Config()["SplashScreen"]; + if (splash_image.isNull()) { + QString path = QString::fromStdString(splash_path); + if (QDir(path).isRelative()) { + QString home = QString::fromStdString(App::Application::getHomePath()); + path = QFileInfo(QDir(home), path).absoluteFilePath(); + } + + splash_image.load(path); + } + + // now try the icon paths + float pixelRatio(1.0); + if (splash_image.isNull()) { + // determine the count of splashes + QStringList pixmaps = + Gui::BitmapFactory().findIconFiles().filter(QString::fromStdString(splash_path)); + // divide by 2 since there's two sets (normal and 2x) + // minus 1 to ignore the default splash that isn't numbered + int splash_count = pixmaps.count() / 2 - 1; + + // set a random splash path + if (splash_count > 0) { + int random = rand() % splash_count; + splash_path += std::to_string(random); + } + + if (qApp->devicePixelRatio() > 1.0) { + // For HiDPI screens, we have a double-resolution version of the splash image + splash_path += "_2x"; + splash_image = Gui::BitmapFactory().pixmap(splash_path.c_str()); + splash_image.setDevicePixelRatio(2.0); + pixelRatio = 2.0; + } + else { + splash_image = Gui::BitmapFactory().pixmap(splash_path.c_str()); + } + } + + // include application name and version number + std::map::const_iterator tc = + App::Application::Config().find("SplashInfoColor"); + std::map::const_iterator wc = + App::Application::Config().find("SplashWarningColor"); + if (tc != App::Application::Config().end() && wc != App::Application::Config().end()) { + QString title = qApp->applicationName(); + QString major = QString::fromStdString(App::Application::Config()["BuildVersionMajor"]); + QString minor = QString::fromStdString(App::Application::Config()["BuildVersionMinor"]); + QString point = QString::fromStdString(App::Application::Config()["BuildVersionPoint"]); + QString suffix = QString::fromStdString(App::Application::Config()["BuildVersionSuffix"]); + QString version = QString::fromLatin1("%1.%2.%3%4").arg(major, minor, point, suffix); + QString position, fontFamily; + + std::map::const_iterator te = + App::Application::Config().find("SplashInfoExeName"); + std::map::const_iterator tv = + App::Application::Config().find("SplashInfoVersion"); + std::map::const_iterator tp = + App::Application::Config().find("SplashInfoPosition"); + std::map::const_iterator tf = + App::Application::Config().find("SplashInfoFont"); + if (te != App::Application::Config().end()) { + title = QString::fromStdString(te->second); + } + if (tv != App::Application::Config().end()) { + version = QString::fromStdString(tv->second); + } + if (tp != App::Application::Config().end()) { + position = QString::fromStdString(tp->second); + } + if (tf != App::Application::Config().end()) { + fontFamily = QString::fromStdString(tf->second); + } + + QPainter painter; + painter.begin(&splash_image); + if (!fontFamily.isEmpty()) { + QFont font = painter.font(); + if (font.fromString(fontFamily)) { + painter.setFont(font); + } + } + + QFont fontExe = painter.font(); + fontExe.setPointSizeF(20.0); + QFontMetrics metricExe(fontExe); + int l = QtTools::horizontalAdvance(metricExe, title); + if (title == QLatin1String("FreeCAD")) { + l = 0.0; // "FreeCAD" text is already part of the splashscreen, version goes below it + } + int w = splash_image.width(); + int h = splash_image.height(); + + QFont fontVer = painter.font(); + fontVer.setPointSizeF(11.0); + QFontMetrics metricVer(fontVer); + int v = QtTools::horizontalAdvance(metricVer, version); + + int x = -1, y = -1; + QRegularExpression rx(QLatin1String("(\\d+).(\\d+)")); + auto match = rx.match(position); + if (match.hasMatch()) { + x = match.captured(1).toInt(); + y = match.captured(2).toInt(); + } + else { + x = w - (l + v + 10); + y = h - 20; + } + + QColor color(QString::fromStdString(tc->second)); + if (color.isValid()) { + painter.setPen(color); + painter.setFont(fontExe); + if (title != QLatin1String("FreeCAD")) { + // FreeCAD's Splashscreen already contains the EXE name, no need to draw it + painter.drawText(x, y, title); + } + painter.setFont(fontVer); + painter.drawText(x + (l + 235), y - 7, version); + QColor warningColor(QString::fromStdString(wc->second)); + if (suffix == QLatin1String("dev") && warningColor.isValid()) { + fontVer.setPointSizeF(14.0); + painter.setFont(fontVer); + const int lineHeight = metricVer.lineSpacing(); + const int padding {45}; // Distance from the edge of the graphic's bounding box + QPoint startPosition(padding, y + lineHeight * 2); + QSize maxSize(w / pixelRatio - 2 * padding, lineHeight * 3); + renderDevBuildWarning(painter, startPosition, maxSize, warningColor); + } + painter.end(); + } + } + + return splash_image; +} diff --git a/src/Gui/SplashScreen.h b/src/Gui/SplashScreen.h new file mode 100644 index 000000000000..4310abebbc50 --- /dev/null +++ b/src/Gui/SplashScreen.h @@ -0,0 +1,58 @@ +/*************************************************************************** + * Copyright (c) 2004 Werner Mayer * + * * + * 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 * + * * + ***************************************************************************/ + +#ifndef GUI_SPLASHSCREEN_H +#define GUI_SPLASHSCREEN_H + +#include + +namespace Gui +{ + +class SplashObserver; + +/** This widget provides a splash screen that can be shown during application startup. + * + * \author Werner Mayer + */ +class SplashScreen: public QSplashScreen +{ + Q_OBJECT + +public: + explicit SplashScreen(const QPixmap& pixmap = QPixmap(), Qt::WindowFlags f = Qt::WindowFlags()); + ~SplashScreen() override; + + void setShowMessages(bool on); + + static QPixmap splashImage(); + +protected: + void drawContents(QPainter* painter) override; + +private: + SplashObserver* messages; +}; + +} // namespace Gui + +#endif // GUI_SPLASHSCREEN_H diff --git a/src/Gui/StartupProcess.cpp b/src/Gui/StartupProcess.cpp index 65f46e9b07bd..a8658e745097 100644 --- a/src/Gui/StartupProcess.cpp +++ b/src/Gui/StartupProcess.cpp @@ -107,6 +107,8 @@ void StartupProcess::setupApplication() // compression for tablet events here to solve that. QCoreApplication::setAttribute(Qt::AA_CompressTabletEvents); #endif + // https://forum.freecad.org/viewtopic.php?f=3&t=15540 + QApplication::setAttribute(Qt::AA_DontShowIconsInMenus, false); } void StartupProcess::execute() @@ -408,24 +410,10 @@ void StartupPostProcess::setImportImageFormats() App::GetApplication().addImportType(filter.c_str(), "FreeCADGui"); } -bool StartupPostProcess::hiddenMainWindow() const -{ - const std::map& cfg = App::Application::Config(); - bool hidden = false; - auto it = cfg.find("StartHidden"); - if (it != cfg.end()) { - hidden = true; - } - - return hidden; -} - void StartupPostProcess::showMainWindow() { - bool hidden = hiddenMainWindow(); - // show splasher while initializing the GUI - if (!hidden && !loadFromPythonModule) { + if (!Application::hiddenMainWindow() && !loadFromPythonModule) { mainWindow->startSplasher(); } @@ -488,7 +476,7 @@ void StartupPostProcess::activateWorkbench() guiApp.activateWorkbench(start.c_str()); // show the main window - if (!hiddenMainWindow()) { + if (!Application::hiddenMainWindow()) { Base::Console().Log("Init: Showing main window\n"); mainWindow->loadWindowSettings(); } diff --git a/src/Gui/StartupProcess.h b/src/Gui/StartupProcess.h index 75a2c3a82401..0ec4ad0e035a 100644 --- a/src/Gui/StartupProcess.h +++ b/src/Gui/StartupProcess.h @@ -72,7 +72,6 @@ class GuiExport StartupPostProcess void setStyleSheet(); void autoloadModules(const QStringList& wb); void setImportImageFormats(); - bool hiddenMainWindow() const; void showMainWindow(); void activateWorkbench(); void checkParameters(); diff --git a/src/Gui/Stylesheets/images_classic/icons classic.svg b/src/Gui/Stylesheets/images_classic/icons classic.svg index ec43b2aaed28..2409f99fe335 100644 --- a/src/Gui/Stylesheets/images_classic/icons classic.svg +++ b/src/Gui/Stylesheets/images_classic/icons classic.svg @@ -2197,7 +2197,7 @@ id="tspan3" style="stroke-width:0.264583" x="0.53167272" - y="-1.7943953">TransparantTransparentdata(Qt::UserRole).value(); std::string sub = qPrintable(item->data(Qt::UserRole+1).value()); info.emplace(qPrintable(item->data(Qt::UserRole+1).value()), - App::Color(color.redF(),color.greenF(),color.blueF(),1.0-color.alphaF())); + App::Color(color.redF(), color.greenF(), color.blueF(), color.alphaF())); } if(!App::GetApplication().getActiveTransaction()) App::GetApplication().setActiveTransaction("Set colors"); diff --git a/src/Gui/TextureMapping.cpp b/src/Gui/TextureMapping.cpp index 2d73f13d0150..4a928801ba1a 100644 --- a/src/Gui/TextureMapping.cpp +++ b/src/Gui/TextureMapping.cpp @@ -155,7 +155,7 @@ void TextureMapping::onFileChooserFileNameSelected(const QString& s) } if (!this->grp) { - QMessageBox::warning(this, tr("No 3d view"), tr("No active 3d view found.")); + QMessageBox::warning(this, tr("No 3D view"), tr("No active 3D view found.")); return; } diff --git a/src/Gui/Tools/color_traits.h b/src/Gui/Tools/color_traits.h new file mode 100644 index 000000000000..6c468011658c --- /dev/null +++ b/src/Gui/Tools/color_traits.h @@ -0,0 +1,373 @@ +// 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 GUI_COLORTRAITS_H +#define GUI_COLORTRAITS_H + +#include +#include +#include +#include + +namespace App +{ +// Specialization for SbColor +template<> +struct color_traits +{ + using color_type = SbColor; + color_traits() = default; + explicit color_traits(const color_type& ct) + : ct(ct) + {} + float redF() const + { + return ct[0]; + } + float greenF() const + { + return ct[1]; + } + float blueF() const + { + return ct[2]; + } + float alphaF() const + { + return 1.0F; + } + void setRedF(float red) + { + ct[0] = red; + } + void setGreenF(float green) + { + ct[1] = green; + } + void setBlueF(float blue) + { + ct[2] = blue; + } + void setAlphaF(float alpha) + { + (void)alpha; + } + int red() const + { + return int(std::lround(ct[0] * 255.0F)); + } + int green() const + { + return int(std::lround(ct[1] * 255.0F)); + } + int blue() const + { + return int(std::lround(ct[2] * 255.0F)); + } + int alpha() const + { + return 255; + } + void setRed(int red) + { + ct[0] = static_cast(red) / 255.0F; + } + void setGreen(int green) + { + ct[1] = static_cast(green) / 255.0F; + } + void setBlue(int blue) + { + ct[2] = static_cast(blue) / 255.0F; + } + void setAlpha(int alpha) + { + (void)alpha; + } + static color_type makeColor(int red, int green, int blue, int alpha = 255) + { + (void)alpha; + return color_type{static_cast(red) / 255.0F, + static_cast(green) / 255.0F, + static_cast(blue) / 255.0F}; + } + +private: + color_type ct; +}; + +// Specialization for SbColor4f +template<> +struct color_traits +{ + using color_type = SbColor4f; + color_traits() = default; + explicit color_traits(const color_type& ct) + : ct(ct) + {} + float redF() const + { + return ct[0]; + } + float greenF() const + { + return ct[1]; + } + float blueF() const + { + return ct[2]; + } + float alphaF() const + { + return ct[3]; + } + void setRedF(float red) + { + ct[0] = red; + } + void setGreenF(float green) + { + ct[1] = green; + } + void setBlueF(float blue) + { + ct[2] = blue; + } + void setAlphaF(float alpha) + { + ct[3] = alpha; + } + int red() const + { + return int(std::lround(ct[0] * 255.0F)); + } + int green() const + { + return int(std::lround(ct[1] * 255.0F)); + } + int blue() const + { + return int(std::lround(ct[2] * 255.0F)); + } + int alpha() const + { + return int(std::lround(ct[3] * 255.0F)); + } + void setRed(int red) + { + ct[0] = static_cast(red) / 255.0F; + } + void setGreen(int green) + { + ct[1] = static_cast(green) / 255.0F; + } + void setBlue(int blue) + { + ct[2] = static_cast(blue) / 255.0F; + } + void setAlpha(int alpha) + { + ct[3] = static_cast(alpha) / 255.0F; + } + static color_type makeColor(int red, int green, int blue, int alpha = 255) + { + return color_type{static_cast(red) / 255.0F, + static_cast(green) / 255.0F, + static_cast(blue) / 255.0F, + static_cast(alpha) / 255.0F}; + } + +private: + color_type ct; +}; + +// Specialization for Color +template<> +struct color_traits +{ + using color_type = App::Color; + color_traits() = default; + explicit color_traits(const color_type& ct) + : ct(ct) + {} + float redF() const + { + return ct.r; + } + float greenF() const + { + return ct.g; + } + float blueF() const + { + return ct.b; + } + float alphaF() const + { + return ct.a; + } + void setRedF(float red) + { + ct.r = red; + } + void setGreenF(float green) + { + ct.g = green; + } + void setBlueF(float blue) + { + ct.b = blue; + } + void setAlphaF(float alpha) + { + ct.a = alpha; + } + int red() const + { + return int(std::lround(ct.r * 255.0F)); + } + int green() const + { + return int(std::lround(ct.g * 255.0F)); + } + int blue() const + { + return int(std::lround(ct.b * 255.0F)); + } + int alpha() const + { + return int(std::lround(ct.a * 255.0F)); + } + void setRed(int red) + { + ct.r = static_cast(red) / 255.0F; + } + void setGreen(int green) + { + ct.g = static_cast(green) / 255.0F; + } + void setBlue(int blue) + { + ct.b = static_cast(blue) / 255.0F; + } + void setAlpha(int alpha) + { + ct.a = static_cast(alpha) / 255.0F; + } + static color_type makeColor(int red, int green, int blue, int alpha = 255) + { + return color_type{static_cast(red) / 255.0F, + static_cast(green) / 255.0F, + static_cast(blue) / 255.0F, + static_cast(alpha) / 255.0F}; + } + +private: + color_type ct; +}; + +// Specialization for QColor +template<> +struct color_traits +{ + using color_type = QColor; + color_traits() = default; + explicit color_traits(const color_type& ct) + : ct(ct) + {} + float redF() const + { + return static_cast(ct.redF()); + } + float greenF() const + { + return static_cast(ct.greenF()); + } + float blueF() const + { + return static_cast(ct.blueF()); + } + float alphaF() const + { + return static_cast(ct.alphaF()); + } + void setRedF(float red) + { + ct.setRedF(red); + } + void setGreenF(float green) + { + ct.setGreenF(green); + } + void setBlueF(float blue) + { + ct.setBlueF(blue); + } + void setAlphaF(float alpha) + { + ct.setAlphaF(alpha); + } + int red() const + { + return ct.red(); + } + int green() const + { + return ct.green(); + } + int blue() const + { + return ct.blue(); + } + int alpha() const + { + return ct.alpha(); + } + void setRed(int red) + { + ct.setRed(red); + } + void setGreen(int green) + { + ct.setGreen(green); + } + void setBlue(int blue) + { + ct.setBlue(blue); + } + void setAlpha(int alpha) + { + ct.setAlpha(alpha); + } + static color_type makeColor(int red, int green, int blue, int alpha = 255) + { + return color_type{red, green, blue, alpha}; + } + +private: + color_type ct; +}; + +} // namespace App + +#endif // GUI_COLORTRAITS_H diff --git a/src/Gui/View3DInventorViewer.cpp b/src/Gui/View3DInventorViewer.cpp index 00df0859f9c5..694f83458365 100644 --- a/src/Gui/View3DInventorViewer.cpp +++ b/src/Gui/View3DInventorViewer.cpp @@ -2657,14 +2657,14 @@ SbVec2f View3DInventorViewer::getNormalizedPosition(const SbVec2s& pnt) const return {pX, pY}; } -SbVec3f View3DInventorViewer::getPointOnXYPlaneOfPlacement(const SbVec2s& pnt, Base::Placement& plc) const +SbVec3f View3DInventorViewer::getPointOnXYPlaneOfPlacement(const SbVec2s& pnt, + const Base::Placement& plc) const { SbVec2f pnt2d = getNormalizedPosition(pnt); SoCamera* pCam = this->getSoRenderManager()->getCamera(); if (!pCam) { - // return invalid point - return {}; + throw Base::RuntimeError("No camera node found"); } SbViewVolume vol = pCam->getViewVolume(); @@ -2674,23 +2674,19 @@ SbVec3f View3DInventorViewer::getPointOnXYPlaneOfPlacement(const SbVec2s& pnt, B // Calculate the plane using plc Base::Rotation rot = plc.getRotation(); Base::Vector3d normalVector = rot.multVec(Base::Vector3d(0, 0, 1)); - SbVec3f planeNormal(normalVector.x, normalVector.y, normalVector.z); + SbVec3f planeNormal = Base::convertTo(normalVector); // Get the position and convert Base::Vector3d to SbVec3f Base::Vector3d pos = plc.getPosition(); - SbVec3f planePosition(pos.x, pos.y, pos.z); + SbVec3f planePosition = Base::convertTo(pos); SbPlane xyPlane(planeNormal, planePosition); SbVec3f pt; if (xyPlane.intersect(line, pt)) { return pt; // Intersection point on the XY plane } - else { - // No intersection found - return {}; - } - return pt; + throw Base::RuntimeError("No intersection found"); } SbVec3f projectPointOntoPlane(const SbVec3f& point, const SbPlane& plane) { diff --git a/src/Gui/View3DInventorViewer.h b/src/Gui/View3DInventorViewer.h index 3e581c73f3af..dfa91ca3de06 100644 --- a/src/Gui/View3DInventorViewer.h +++ b/src/Gui/View3DInventorViewer.h @@ -309,7 +309,7 @@ class GuiExport View3DInventorViewer : public Quarter::SoQTQuarterAdaptor, publi SbVec3f getPointOnLine(const SbVec2s&, const SbVec3f& axisCenter, const SbVec3f& axis) const; /** Returns the 3d point on the XY plane of a placement to the given 2d point. */ - SbVec3f getPointOnXYPlaneOfPlacement(const SbVec2s&, Base::Placement&) const; + SbVec3f getPointOnXYPlaneOfPlacement(const SbVec2s&, const Base::Placement&) const; /** Returns the 2d coordinates on the viewport to the given 3d point. */ SbVec2s getPointOnViewport(const SbVec3f&) const; diff --git a/src/Gui/Widgets.cpp b/src/Gui/Widgets.cpp index e3b618a0c663..16f710d057e4 100644 --- a/src/Gui/Widgets.cpp +++ b/src/Gui/Widgets.cpp @@ -1634,7 +1634,7 @@ void ExpLineEdit::resizeEvent(QResizeEvent * event) int frameWidth = style()->pixelMetric(QStyle::PM_SpinBoxFrameWidth); QSize sz = iconLabel->sizeHint(); - iconLabel->move(rect().right() - frameWidth - sz.width(), 0); + iconLabel->move(rect().right() - frameWidth - sz.width(), rect().center().y() - sz.height() / 2); try { if (isBound() && getExpression()) { diff --git a/src/Gui/Workbench.cpp b/src/Gui/Workbench.cpp index f5306db0a210..32dc48f98b98 100644 --- a/src/Gui/Workbench.cpp +++ b/src/Gui/Workbench.cpp @@ -758,11 +758,12 @@ MenuItem* StdWorkbench::setupMenuBar() const // Help auto help = new MenuItem( menuBar ); help->setCommand("&Help"); - *help << "Std_OnlineHelp" << "Std_FreeCADWebsite" << "Std_FreeCADDonation" - << "Std_FreeCADUserHub" << "Std_FreeCADPowerUserHub" - << "Std_PythonHelp" << "Std_FreeCADForum" << "Std_FreeCADFAQ" - << "Std_ReportBug" << "Std_About" << "Std_WhatsThis" - << "Std_RestartInSafeMode"; + *help << "Std_OnlineHelp" << "Std_WhatsThis" << "Separator" + // Start page and additional separator are dynamically inserted here + << "Std_FreeCADUserHub" << "Std_FreeCADForum" << "Std_FreeCADFAQ" << "Std_ReportBug" << "Separator" + << "Std_RestartInSafeMode" << "Separator" + << "Std_FreeCADPowerUserHub" << "Std_PythonHelp" << "Separator" + << "Std_FreeCADWebsite" << "Std_FreeCADDonation" << "Std_About"; return menuBar; } diff --git a/src/Mod/AddonManager/AddonManagerOptions.ui b/src/Mod/AddonManager/AddonManagerOptions.ui index 2697c9980b4c..8c9869e5e393 100644 --- a/src/Mod/AddonManager/AddonManagerOptions.ui +++ b/src/Mod/AddonManager/AddonManagerOptions.ui @@ -24,7 +24,7 @@ installed addons will be checked for available updates
- Automatically check for updates at start (requires git) + Automatically check for updates at start (requires Git) false @@ -366,7 +366,7 @@ installed addons will be checked for available updates - The path to the git executable. Autodetected if needed and not specified. + The path to the Git executable. Autodetected if needed and not specified. GitExecutable @@ -393,7 +393,7 @@ installed addons will be checked for available updates - Show option to change branches (requires git) + Show option to change branches (requires Git) ShowBranchSwitcher @@ -406,7 +406,7 @@ installed addons will be checked for available updates - Disable git (fall back to ZIP downloads only) + Disable Git (fall back to ZIP downloads only) disableGit diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager.ts b/src/Mod/AddonManager/Resources/translations/AddonManager.ts index 50d1e28aa184..7684c778a0d3 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager.ts @@ -273,47 +273,22 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore - Welcome to the Addon Manager + Add-on Manager: Warning! - - The addons that can be installed here are not officially part of FreeCAD, and are not reviewed by the FreeCAD team. Make sure you know what you are installing! + + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. - - Download Settings + + Continue - - Automatically check installed Addons for updates - - - - - Download Macro metadata (approximately 10MB) - - - - - No proxy - - - - - System proxy - - - - - User-defined proxy: - - - - - These and other settings are available in the FreeCAD Preferences window. + + Cancel diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_be.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_be.qm index 5398f0b33a71..9ef7a5afa911 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 894712a975c1..11b0f5c50d02 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_be.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_be.ts @@ -275,48 +275,23 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore - Welcome to the Addon Manager - Вітаем у Кіраванні дадаткамі + Add-on Manager: Warning! + Add-on Manager: Warning! - - The addons that can be installed here are not officially part of FreeCAD, and are not reviewed by the FreeCAD team. Make sure you know what you are installing! - Дадаткі, якія можна ўсталяваць тут, афіцыйна не з'яўляюцца часткай FreeCAD і не правяраюцца камандай FreeCAD. Пераканайцеся, што вы ведаеце, што вы ўсталёўваеце! + + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. - - Download Settings - Налады спампоўкі + + Continue + Працягнуць - - Automatically check installed Addons for updates - Аўтаматычна правяраць усталяваныя Дадаткі на наяўнасць абнаўленняў - - - - Download Macro metadata (approximately 10MB) - Спампаваць метададзеныя макрасаў (прыкладна 10 Мб) - - - - No proxy - Без проксі - - - - System proxy - Сістэмны проксі - - - - User-defined proxy: - Карыстальніцкі проксі: - - - - These and other settings are available in the FreeCAD Preferences window. - Гэтыя і іншыя налады даступныя ў акне пераваг FreeCAD. + + Cancel + Скасаваць diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_ca.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_ca.qm index bc207c1ba659..8fd8813020e1 100644 Binary files a/src/Mod/AddonManager/Resources/translations/AddonManager_ca.qm and b/src/Mod/AddonManager/Resources/translations/AddonManager_ca.qm differ diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_ca.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_ca.ts index c18421313caa..97b8dd39ea15 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_ca.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_ca.ts @@ -275,48 +275,23 @@ Voleu que el gestor de complements les instal·li automàticament? Trieu "I - Welcome to the Addon Manager - Us donem la benvinguda al gestor de complements + Add-on Manager: Warning! + Add-on Manager: Warning! - - The addons that can be installed here are not officially part of FreeCAD, and are not reviewed by the FreeCAD team. Make sure you know what you are installing! - Els complements que es poden instal·lar des d'aquí no formen part del FreeCAD oficial, i no estan revisats per l'equip de FreeCAD. Assegura't que saps el que estàs instal·lant! + + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. - - Download Settings - Configuració de les descàrregues + + Continue + Continua - - Automatically check installed Addons for updates - Comprova automàticament si hi ha actualitzacions dels complements instal·lats - - - - Download Macro metadata (approximately 10MB) - Descarrega les metadades de la Macro (aproximadament 10MB) - - - - No proxy - Sense servidor intermediari - - - - System proxy - Servidor intermediari del sistema - - - - User-defined proxy: - Servidor intermediari definit per l'usuari: - - - - These and other settings are available in the FreeCAD Preferences window. - Aquestes i altres configuracions estan disponibles a la finestra de Preferències de FreeCAD. + + Cancel + Cancel·la diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_cs.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_cs.qm index b127ef7b7437..75871e790d7f 100644 Binary files a/src/Mod/AddonManager/Resources/translations/AddonManager_cs.qm and b/src/Mod/AddonManager/Resources/translations/AddonManager_cs.qm differ diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_cs.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_cs.ts index edf8c53c8e1c..d15050920773 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_cs.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_cs.ts @@ -275,48 +275,23 @@ Přejete si, aby je správce doplňků automaticky nainstaloval? Vyberte "I - Welcome to the Addon Manager - Vítejte ve správci doplňků + Add-on Manager: Warning! + Add-on Manager: Warning! - - The addons that can be installed here are not officially part of FreeCAD, and are not reviewed by the FreeCAD team. Make sure you know what you are installing! - Doplňky, které zde lze nainstalovat, nejsou oficiální součástí programu FreeCAD a nejsou ověřeny týmem FreeCAD. Ujistěte se, že víte, co instalujete! + + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. - - Download Settings - Nastavení stahování + + Continue + Pokračovat - - Automatically check installed Addons for updates - Automaticky kontrolovat aktualizace nainstalovaných doplňků - - - - Download Macro metadata (approximately 10MB) - Stáhnout metadata pro makra (přibližně 10MB) - - - - No proxy - Nepoužívat proxy - - - - System proxy - Systémový proxy server - - - - User-defined proxy: - Uživatelem definované proxy: - - - - These and other settings are available in the FreeCAD Preferences window. - Tato a další nastavení jsou k dispozici v okně Nastavení FreeCADu. + + Cancel + Zrušit diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_da.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_da.qm index d80ac8d2e43b..dfe872fd90ed 100644 Binary files a/src/Mod/AddonManager/Resources/translations/AddonManager_da.qm and b/src/Mod/AddonManager/Resources/translations/AddonManager_da.qm differ diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_da.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_da.ts index 35c69e95bc13..2ac3b54a2437 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_da.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_da.ts @@ -275,48 +275,23 @@ Skal Tilføjelseshåndtering installere dem automatisk? Vælg "Ignorér&quo - Welcome to the Addon Manager - Velkommen til Tilføjelseshåndtering + Add-on Manager: Warning! + Add-on Manager: Warning! - - The addons that can be installed here are not officially part of FreeCAD, and are not reviewed by the FreeCAD team. Make sure you know what you are installing! - De tilføjelser, som kan installeres her, er ikke officielt en del af FreeCAD og er ikke gennemgået af FreeCAD-teamet. Sørg for at vide, hvad der installeres! + + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. - - Download Settings - Downloadindstillinger + + Continue + Continue - - Automatically check installed Addons for updates - Kontrollér automatisk installerede tilføjelser for opdateringer - - - - Download Macro metadata (approximately 10MB) - Download Makro-metadata (ca. 10MB) - - - - No proxy - Ingen proxy - - - - System proxy - Systemproxy - - - - User-defined proxy: - Brugerdefineret proxy: - - - - These and other settings are available in the FreeCAD Preferences window. - Disse og andre indstillinger er tilgængelige i FreeCAD Præferencer-vinduet. + + Cancel + Annuller diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_de.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_de.qm index 520e2f5859bf..e79432f7787d 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 8154458a52c4..140c252155e4 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_de.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_de.ts @@ -275,48 +275,23 @@ Soll der Addon-Manager sie automatisch installieren? "Ignorieren" wäh - Welcome to the Addon Manager - Willkommen im Addon-Manager + Add-on Manager: Warning! + Add-on Manager: Warning! - - The addons that can be installed here are not officially part of FreeCAD, and are not reviewed by the FreeCAD team. Make sure you know what you are installing! - Die Addons, die hier installiert werden können, sind nicht offiziell Teil von FreeCAD und werden nicht vom FreeCAD-Team überprüft. Man sollte sich sicher sein, dass man weiß, was man installiert! + + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. - - Download Settings - Einstellungen fürs Herunterladen + + Continue + Fortsetzen - - Automatically check installed Addons for updates - Automatisch nach Updates für installierte Addons suchen - - - - Download Macro metadata (approximately 10MB) - Makro-Metadaten herunterladen (ca. 10 MB) - - - - No proxy - Kein Proxy - - - - System proxy - System-Proxy - - - - User-defined proxy: - Benutzerdefinierter Proxy: - - - - These and other settings are available in the FreeCAD Preferences window. - Diese und andere Einstellungen sind im FreeCAD Einstellungsfenster verfügbar. + + Cancel + Abbrechen diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_el.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_el.qm index f67eb394b7f8..7b74cf8b5581 100644 Binary files a/src/Mod/AddonManager/Resources/translations/AddonManager_el.qm and b/src/Mod/AddonManager/Resources/translations/AddonManager_el.qm differ diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_el.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_el.ts index 909931b86d8c..1c6200832369 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_el.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_el.ts @@ -276,48 +276,23 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore - Welcome to the Addon Manager - Καλώς ήλθατε στο Διαχειριστή Προσθέτων + Add-on Manager: Warning! + Add-on Manager: Warning! - - The addons that can be installed here are not officially part of FreeCAD, and are not reviewed by the FreeCAD team. Make sure you know what you are installing! - Τα πρόσθετα που μπορούν να εγκατασταθούν εδώ δεν αποτελούν επίσημα μέρος του FreeCAD και δεν ελέγχονται από την ομάδα του FreeCAD. Βεβαιωθείτε ότι γνωρίζετε τι εγκαθιστάτε! + + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. - - Download Settings - Ρυθμίσεις Λήψης + + Continue + Συνεχίστε - - Automatically check installed Addons for updates - Αυτόματος έλεγχος των εγκατεστημένων προσθέτων για ενημερώσεις - - - - Download Macro metadata (approximately 10MB) - Λήψη μεταδεδομένων μακροεντολών (περίπου 10MB) - - - - No proxy - Χωρίς διακομιστή - - - - System proxy - Σύστημα Διακομιστή - - - - User-defined proxy: - Διακομιστή ορισμένου Χρήστη: - - - - These and other settings are available in the FreeCAD Preferences window. - Αυτές και άλλες ρυθμίσεις είναι διαθέσιμες στο παράθυρο Προτιμήσεις FreeCAD. + + Cancel + Ακύρωση diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_es-AR.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_es-AR.qm index f2ec73875598..6a46fbb89a9f 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 6b3df370499f..e9a994c71da8 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_es-AR.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_es-AR.ts @@ -275,48 +275,23 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore - Welcome to the Addon Manager - Bienvenido al Administrador de Complementos + Add-on Manager: Warning! + Add-on Manager: Warning! - - The addons that can be installed here are not officially part of FreeCAD, and are not reviewed by the FreeCAD team. Make sure you know what you are installing! - Los complementos que se pueden instalar aquí no son oficialmente parte de FreeCAD, y no son revisados por el equipo de FreeCAD. ¡Asegúrate de saber lo que estás instalando! + + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. - - Download Settings - Configurar descargas + + Continue + Continuo - - Automatically check installed Addons for updates - Comprobar automáticamente los complementos instalados para actualizaciones - - - - Download Macro metadata (approximately 10MB) - Descargar metadatos de macros (aproximadamente 10MB) - - - - No proxy - Sin proxy - - - - System proxy - Proxy del sistema - - - - User-defined proxy: - Proxy definido por el usuario: - - - - These and other settings are available in the FreeCAD Preferences window. - Estos y otros ajustes están disponibles en la ventana de Preferencias de FreeCAD. + + Cancel + Cancelar diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_es-ES.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_es-ES.qm index a4dd0dc98b2d..366fe5fe17a9 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 759ec43ae22d..524c04168dcc 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_es-ES.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_es-ES.ts @@ -275,48 +275,23 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore - Welcome to the Addon Manager - Bienvenido al administrador de complementos + Add-on Manager: Warning! + Add-on Manager: Warning! - - The addons that can be installed here are not officially part of FreeCAD, and are not reviewed by the FreeCAD team. Make sure you know what you are installing! - Los complementos que se pueden instalar aquí no son oficialmente parte de FreeCAD, y no son revisados por el equipo de FreeCAD. ¡Asegúrate de saber lo que estás instalando! + + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. - - Download Settings - Configurar descargas + + Continue + Continuar - - Automatically check installed Addons for updates - Comprobar automáticamente actualizaciones de los complementos instalados - - - - Download Macro metadata (approximately 10MB) - Descargar metadatos de macro (aproximadamente 10MB) - - - - No proxy - Sin proxy - - - - System proxy - Proxy del sistema - - - - User-defined proxy: - Proxy definido por el usuario: - - - - These and other settings are available in the FreeCAD Preferences window. - Estos y otros ajustes están disponibles en la ventana de Preferencias de FreeCAD. + + Cancel + Cancelar diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_eu.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_eu.qm index e02528ea2867..35c0ce05b388 100644 Binary files a/src/Mod/AddonManager/Resources/translations/AddonManager_eu.qm and b/src/Mod/AddonManager/Resources/translations/AddonManager_eu.qm differ diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_eu.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_eu.ts index e379aec6b772..167aa9f07f9e 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_eu.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_eu.ts @@ -275,48 +275,23 @@ Gehigarrien kudeatzaileak automatikoki instalatu ditzan nahi al duzu? Aukeratu & - Welcome to the Addon Manager - Ongi etorri gehigarri-kudeatzailera + Add-on Manager: Warning! + Add-on Manager: Warning! - - The addons that can be installed here are not officially part of FreeCAD, and are not reviewed by the FreeCAD team. Make sure you know what you are installing! - Hemen instalatu daitezkeen gehigarriak ez dira FreeCADen gehigarri ofizialak eta FreeCAD taldeak ez ditu gainbegiratzen. Ziurtatu badakizula zer ari zaren instalatzen! + + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. - - Download Settings - Deskaga-ezarpenak + + Continue + Jarraitu - - Automatically check installed Addons for updates - Egiaztatu automatikoki instalatutako gehigarriek eguneraketak dituzten - - - - Download Macro metadata (approximately 10MB) - Deskargatu makroen metadatuak (10MB inguru) - - - - No proxy - Proxyrik ez - - - - System proxy - Sistemaren proxya - - - - User-defined proxy: - Erabilitzaileak definitutako proxya: - - - - These and other settings are available in the FreeCAD Preferences window. - FreeCADen hobespen-leihoan ezarpen hauek eta beste batzuk daude erabilgarri. + + Cancel + Utzi diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_fi.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_fi.qm index f76e6c8df972..6164549bd81a 100644 Binary files a/src/Mod/AddonManager/Resources/translations/AddonManager_fi.qm and b/src/Mod/AddonManager/Resources/translations/AddonManager_fi.qm differ diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_fi.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_fi.ts index 6edba58ede07..0d586b86ed93 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_fi.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_fi.ts @@ -117,7 +117,7 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore Addon Developer Tools - Addon Developer Tools + Lisäosien Kehitystyökalut @@ -133,7 +133,7 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore Metadata - Metadata + Metatiedot @@ -154,7 +154,7 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore Discussion URL - Discussion URL + Keskustelun URL @@ -164,7 +164,7 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore Bugtracker URL - Bugtracker URL + Virheiden seurannan URL @@ -275,48 +275,23 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore - Welcome to the Addon Manager - Tervetuloa lisäosien hallintaan + Add-on Manager: Warning! + Add-on Manager: Warning! - - The addons that can be installed here are not officially part of FreeCAD, and are not reviewed by the FreeCAD team. Make sure you know what you are installing! - The addons that can be installed here are not officially part of FreeCAD, and are not reviewed by the FreeCAD team. Make sure you know what you are installing! + + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. - - Download Settings - Latausasetukset + + Continue + Jatka - - Automatically check installed Addons for updates - Automatically check installed Addons for updates - - - - Download Macro metadata (approximately 10MB) - Lataa Makrojen metatiedot (noin 10MB) - - - - No proxy - Ei välityspalvelinta - - - - System proxy - System proxy - - - - User-defined proxy: - User-defined proxy: - - - - These and other settings are available in the FreeCAD Preferences window. - These and other settings are available in the FreeCAD Preferences window. + + Cancel + Peruuta @@ -598,7 +573,7 @@ installed addons will be checked for available updates User-defined proxy: - User-defined proxy: + Käyttäjän määrittelemä välityspalvelin: diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_fr.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_fr.qm index ba48426880de..98022d1fadc3 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 97cb7960dae4..3997b2c8b53b 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_fr.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_fr.ts @@ -275,49 +275,23 @@ Voulez-vous que le gestionnaire des extensions les installe automatiquement ? Ch - Welcome to the Addon Manager - Bienvenue dans le gestionnaire des extensions + Add-on Manager: Warning! + Add-on Manager: Warning! - - The addons that can be installed here are not officially part of FreeCAD, and are not reviewed by the FreeCAD team. Make sure you know what you are installing! - Les extensions qui peuvent être installées ici ne font pas officiellement partie de FreeCAD. Elles ne sont pas vérifiées par l'équipe de FreeCAD. -Assurez-vous de savoir ce que vous installez ! + + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. - - Download Settings - Paramètres de téléchargement + + Continue + Continuer - - Automatically check installed Addons for updates - Vérifier automatiquement les mises à jour des extensions installées - - - - Download Macro metadata (approximately 10MB) - Télécharger les métadonnées des macros (environ 10 Mo) - - - - No proxy - Pas de proxy - - - - System proxy - Proxy du système - - - - User-defined proxy: - Proxy défini par l'utilisateur : - - - - These and other settings are available in the FreeCAD Preferences window. - Ces paramètres et d'autres sont disponibles dans la fenêtre Préférences de FreeCAD. + + Cancel + Annuler diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_hr.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_hr.qm index 17e705c53e5d..6152798456a0 100644 Binary files a/src/Mod/AddonManager/Resources/translations/AddonManager_hr.qm and b/src/Mod/AddonManager/Resources/translations/AddonManager_hr.qm differ diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_hr.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_hr.ts index 4195292ae1f9..6cfba04b7fa7 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_hr.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_hr.ts @@ -275,48 +275,23 @@ Da li želite da Upravitelj dodacima ih instalira automatski? Odaberi "Igno - Welcome to the Addon Manager - Dobro došli u Upravitelja dodataka + Add-on Manager: Warning! + Add-on Manager: Warning! - - The addons that can be installed here are not officially part of FreeCAD, and are not reviewed by the FreeCAD team. Make sure you know what you are installing! - Dodaci koji se ovdje mogu instalirati nisu službeni dio FreeCAD programa, i nisu ispitani od FreeCAD tima. Budite sigurni da znate što će se instalirati! + + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. - - Download Settings - Postavke preuzimanja + + Continue + Nastavi - - Automatically check installed Addons for updates - Automatski provjeravaj ažuriranja instaliranih dodataka - - - - Download Macro metadata (approximately 10MB) - Preuzmi meta podatke makro naredbe (otprilike 10MB) - - - - No proxy - No proxy - - - - System proxy - System proxy - - - - User-defined proxy: - Korisnički definiran proxy: - - - - These and other settings are available in the FreeCAD Preferences window. - Ove i druge postavke dostupne su u prozoru Postavki FreeCAD-a. + + Cancel + Otkazati diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_hu.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_hu.qm index 6a46ad55c8ba..af100d2a69ee 100644 Binary files a/src/Mod/AddonManager/Resources/translations/AddonManager_hu.qm and b/src/Mod/AddonManager/Resources/translations/AddonManager_hu.qm differ diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_hu.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_hu.ts index 074dd26f1cff..7bea1f3cecc5 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_hu.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_hu.ts @@ -275,48 +275,23 @@ A bővítmény kezelő automatikusan telepítse őket? Válassza a "Elvet&q - Welcome to the Addon Manager - Köszöntünk a Bővítmény kezelőjében + Add-on Manager: Warning! + Add-on Manager: Warning! - - The addons that can be installed here are not officially part of FreeCAD, and are not reviewed by the FreeCAD team. Make sure you know what you are installing! - Az itt telepíthető bővítmények hivatalosan nem részei a FreeCAD-nek, és azokat nem vizsgálja felül a FreeCAD csapata. Győződjön meg róla, hogy ismeri, amit telepíteni akar! + + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. - - Download Settings - Letöltés beállításai + + Continue + Tovább - - Automatically check installed Addons for updates - Automatikusan ellenőrzi a telepített bővítmények frissítéseit - - - - Download Macro metadata (approximately 10MB) - Makró metaadatok letöltése (kb. 10 MB) - - - - No proxy - Nincs proxy - - - - System proxy - Rendszer proxy - - - - User-defined proxy: - Felhasználó által meghatározott proxy: - - - - These and other settings are available in the FreeCAD Preferences window. - Ezek és más beállítások a FreeCAD beállítások ablakában érhetők el. + + Cancel + Mégse diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_it.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_it.qm index 2055d745503d..bb344db9752d 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 37d73f04b192..337b20ad7612 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_it.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_it.ts @@ -275,48 +275,23 @@ Vuoi che Addon Manager le installi automaticamente? Scegli "Ignora" pe - Welcome to the Addon Manager - Benvenuto nel gestore di Addon + Add-on Manager: Warning! + Add-on Manager: Warning! - - The addons that can be installed here are not officially part of FreeCAD, and are not reviewed by the FreeCAD team. Make sure you know what you are installing! - Gli addons che possono essere installati qui non fanno ufficialmente parte di FreeCAD, e non sono esaminati dal team di FreeCAD. Assicurati di sapere cosa stai installando! + + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. - - Download Settings - Impostazioni di download + + Continue + Continua - - Automatically check installed Addons for updates - Controlla automaticamente gli aggiornamenti degli Addons installati - - - - Download Macro metadata (approximately 10MB) - Scarica Macro metadati (circa 10MB) - - - - No proxy - No proxy - - - - System proxy - Proxy di Sistema - - - - User-defined proxy: - Proxy definito dall'utente: - - - - These and other settings are available in the FreeCAD Preferences window. - Queste e altre impostazioni sono disponibili nella finestra Preferenze di FreeCAD. + + Cancel + Annulla @@ -349,7 +324,7 @@ Vuoi che Addon Manager le installi automaticamente? Scegli "Ignora" pe 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. - Se questa è una dipendenza opzionale, Addon Manager offrirà di installarla (quando possibile), ma non bloccherà l'installazione se l'utente sceglie di non installare, o non poter installare il pacchetto. + Se questa è una dipendenza opzionale, Addon Manager offrirà d'installarla (quando possibile), ma non bloccherà l'installazione se l'utente sceglie di non installare, o non poter installare il pacchetto. diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_ja.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_ja.qm index 20514e5893c0..ec940de1503b 100644 Binary files a/src/Mod/AddonManager/Resources/translations/AddonManager_ja.qm and b/src/Mod/AddonManager/Resources/translations/AddonManager_ja.qm differ diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_ja.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_ja.ts index b960d3497945..5abe3083fc39 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_ja.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_ja.ts @@ -257,7 +257,7 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore Addon Manager - 拡張機能の管理 + アドオン・マネージャー @@ -276,48 +276,23 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore - Welcome to the Addon Manager - 拡張機能の管理へようこそ + Add-on Manager: Warning! + Add-on Manager: Warning! - - The addons that can be installed here are not officially part of FreeCAD, and are not reviewed by the FreeCAD team. Make sure you know what you are installing! - 拡張機能はFreeCAD開発チームの精査を受けていません。気をつけてインストールしてください。 + + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. - - Download Settings - ダウンロード設定 + + Continue + 続行 - - Automatically check installed Addons for updates - インストールした拡張機能の更新を自動的に確認 - - - - Download Macro metadata (approximately 10MB) - マクロのメタデータ(約10MB)をダウンロード - - - - No proxy - プロキシを使用しない - - - - System proxy - システムのプロキシ - - - - User-defined proxy: - ユーザー定義プロキシ: - - - - These and other settings are available in the FreeCAD Preferences window. - これらは「設定」で設定できます。 + + Cancel + キャンセル @@ -1144,7 +1119,7 @@ installed addons will be checked for available updates Addon manager - 拡張機能の管理 + アドオン・マネージャー @@ -1588,7 +1563,7 @@ installed addons will be checked for available updates Addon - 拡張機能 + アドオン @@ -2510,7 +2485,7 @@ installed addons will be checked for available updates Addon Manager - 拡張機能の管理 + アドオン・マネージャー diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_ka.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_ka.qm index eb71cfe86a2c..fc746b31186a 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 19e5ceb20c5b..fed145d6d301 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_ka.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_ka.ts @@ -275,48 +275,23 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore - Welcome to the Addon Manager - მოგესალმებათ დამატებების მმართველი + Add-on Manager: Warning! + Add-on Manager: Warning! - - The addons that can be installed here are not officially part of FreeCAD, and are not reviewed by the FreeCAD team. Make sure you know what you are installing! - დამატებები, რომლებიც შეიძლება დააყენოთ, ოფიციალურად FreeCAD-ის ნაწილი არ არის და არ მოწმდება FreeCAD გუნდის მიერ. დარწმუნდით, რომ იცით რას აყენებთ! + + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. - - Download Settings - გადმოწერის პატარამეტრები + + Continue + გაგრძელება - - Automatically check installed Addons for updates - დაყენებული დამატებების განახლებების ავტომატური შემოწმება - - - - Download Macro metadata (approximately 10MB) - მაკროს მეტამონაცემების გადმოწერა (დაახლ. 10მბ) - - - - No proxy - პროქსის გარეშე - - - - System proxy - სისტემური პროქსი - - - - User-defined proxy: - მომხმარებლის მითითებული პროქსი: - - - - These and other settings are available in the FreeCAD Preferences window. - ეს და სხვა პარამეტრები ხელმისაწვდომია FreeCAD-ის მორგების ფანჯრიდან. + + Cancel + გაუქმება diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_ko.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_ko.qm index 668ec2bffb00..448fcddf34b9 100644 Binary files a/src/Mod/AddonManager/Resources/translations/AddonManager_ko.qm and b/src/Mod/AddonManager/Resources/translations/AddonManager_ko.qm differ diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_ko.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_ko.ts index 6af09fa78d0d..07db8e4e185d 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_ko.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_ko.ts @@ -275,48 +275,23 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore - Welcome to the Addon Manager - Welcome to the Addon Manager + Add-on Manager: Warning! + Add-on Manager: Warning! - - The addons that can be installed here are not officially part of FreeCAD, and are not reviewed by the FreeCAD team. Make sure you know what you are installing! - The addons that can be installed here are not officially part of FreeCAD, and are not reviewed by the FreeCAD team. Make sure you know what you are installing! + + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. - - Download Settings - 다운로드 설정 + + Continue + 계속 - - Automatically check installed Addons for updates - 설치된 애드온의 업데이트를 자동으로 확인 - - - - Download Macro metadata (approximately 10MB) - 매크로 메타데이터 다운로드 (약 10MB) - - - - No proxy - No proxy - - - - System proxy - System proxy - - - - User-defined proxy: - User-defined proxy: - - - - These and other settings are available in the FreeCAD Preferences window. - These and other settings are available in the FreeCAD Preferences window. + + Cancel + 취소하기 diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_lt.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_lt.qm index 42fac230e10a..3c168a48bdc3 100644 Binary files a/src/Mod/AddonManager/Resources/translations/AddonManager_lt.qm and b/src/Mod/AddonManager/Resources/translations/AddonManager_lt.qm differ diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_lt.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_lt.ts index 1b1d819be817..fd953e3f2337 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_lt.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_lt.ts @@ -275,48 +275,23 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore - Welcome to the Addon Manager - Welcome to the Addon Manager + Add-on Manager: Warning! + Add-on Manager: Warning! - - The addons that can be installed here are not officially part of FreeCAD, and are not reviewed by the FreeCAD team. Make sure you know what you are installing! - The addons that can be installed here are not officially part of FreeCAD, and are not reviewed by the FreeCAD team. Make sure you know what you are installing! + + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. - - Download Settings - Download Settings + + Continue + Tęsti - - Automatically check installed Addons for updates - Automatically check installed Addons for updates - - - - Download Macro metadata (approximately 10MB) - Download Macro metadata (approximately 10MB) - - - - No proxy - No proxy - - - - System proxy - System proxy - - - - User-defined proxy: - User-defined proxy: - - - - These and other settings are available in the FreeCAD Preferences window. - These and other settings are available in the FreeCAD Preferences window. + + Cancel + Atšaukti diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_nl.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_nl.qm index 94d231547062..10c7e6bcdf24 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 60b9d2101c28..580374fa922c 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_nl.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_nl.ts @@ -275,48 +275,23 @@ Wilt u dat de Uitbreidingsmanager deze automatisch installeert? Kies "Neger - Welcome to the Addon Manager - Welkom bij de Uitbreidingsmanager + Add-on Manager: Warning! + Add-on Manager: Warning! - - The addons that can be installed here are not officially part of FreeCAD, and are not reviewed by the FreeCAD team. Make sure you know what you are installing! - De uitbreidingen die hier geïnstalleerd kunnen worden maken niet officieel onderdeel uit van FreeCAD en zijn niet gereviewd door het FreeCad team. Zorg ervoor dat je weet wat je installeert! + + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. - - Download Settings - Instellingen downloaden + + Continue + Doorgaan - - Automatically check installed Addons for updates - Controleer automatisch op updates van geïnstalleerde uitbreidingen - - - - Download Macro metadata (approximately 10MB) - Download Macro-metadata (ongeveer 10MB) - - - - No proxy - Geen proxy - - - - System proxy - Systeem Proxy - - - - User-defined proxy: - Proxy gedefinieerd door gebruiker: - - - - These and other settings are available in the FreeCAD Preferences window. - Deze en andere instellingen zijn beschikbaar in het venster FreeCAD Voorkeuren. + + Cancel + Annuleren diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_pl.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_pl.qm index 9a62593dc480..34b2c2803833 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 4a826728b8a5..93f6d0a17f29 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_pl.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_pl.ts @@ -275,50 +275,23 @@ Czy chcesz, aby Menadżer dodatków zainstalował je automatycznie? Wybierz "Zig - Welcome to the Addon Manager - Witaj w Menedżerze dodatków + Add-on Manager: Warning! + Add-on Manager: Warning! - - The addons that can be installed here are not officially part of FreeCAD, and are not reviewed by the FreeCAD team. Make sure you know what you are installing! - Dodatki, które mogą być zainstalowane, nie są oficjalnie częścią FreeCAD, -i nie są sprawdzane przez zespół FreeCAD. -Upewnij się, że wiesz, co instalujesz! + + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. - - Download Settings - Ustawienia pobierania + + Continue + Kontynuuj - - Automatically check installed Addons for updates - Automatycznie sprawdzaj zainstalowane dodatki w poszukiwaniu aktualizacji - - - - Download Macro metadata (approximately 10MB) - Pobierz metadane makrodefinicji (około 10 MB) - - - - No proxy - Bez serwera pośredniczącego - - - - System proxy - Systemowy serwer pośredniczący - - - - User-defined proxy: - Serwer pośredniczący użytkownika: - - - - These and other settings are available in the FreeCAD Preferences window. - Te i inne ustawienia są dostępne w oknie Preferencji FreeCAD. + + Cancel + Anuluj diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_pt-BR.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_pt-BR.qm index 5596c6662976..88e88fb3ad95 100644 Binary files a/src/Mod/AddonManager/Resources/translations/AddonManager_pt-BR.qm and b/src/Mod/AddonManager/Resources/translations/AddonManager_pt-BR.qm differ diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_pt-BR.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_pt-BR.ts index 30b731f61922..fb9735b5c106 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_pt-BR.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_pt-BR.ts @@ -275,48 +275,23 @@ Você quer que o Gerenciador de Complementos os instale automaticamente? Escolha - Welcome to the Addon Manager - Bem-vindo ao Addon Manager + Add-on Manager: Warning! + Add-on Manager: Warning! - - The addons that can be installed here are not officially part of FreeCAD, and are not reviewed by the FreeCAD team. Make sure you know what you are installing! - As extensões que podem ser instaladas aqui não são, oficialmente, parte do FreeCAD e não foram revisados pelo time FreeCAD. Verifique o que você esta instalando! + + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. - - Download Settings - Configurações de Download + + Continue + Continuar - - Automatically check installed Addons for updates - Verificar automaticamente atualizações de Addons instalados - - - - Download Macro metadata (approximately 10MB) - Baixar metadados de macro (aproximadamente 10MB) - - - - No proxy - Sem proxy - - - - System proxy - Proxy do sistema - - - - User-defined proxy: - Proxy definido pelo usuário: - - - - These and other settings are available in the FreeCAD Preferences window. - Estas e outras configurações estão disponíveis na janela de Preferências do FreeCAD. + + Cancel + Cancelar diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_pt-PT.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_pt-PT.qm index 961315885bd2..a65a9852e462 100644 Binary files a/src/Mod/AddonManager/Resources/translations/AddonManager_pt-PT.qm and b/src/Mod/AddonManager/Resources/translations/AddonManager_pt-PT.qm differ diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_pt-PT.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_pt-PT.ts index be4c8aff97f9..74170b966a80 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_pt-PT.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_pt-PT.ts @@ -48,7 +48,7 @@ Update Available - Atualização disponível + Atualização Disponível @@ -92,19 +92,19 @@ This Addon has the following required and optional dependencies. You must install them before this Addon can be used. Do you want the Addon Manager to install them automatically? Choose "Ignore" to install the Addon without installing the dependencies. - This Addon has the following required and optional dependencies. You must install them before this Addon can be used. + Este Suplemento tem as seguintes dependências obrigatórias e opcionais. Tem de instalá-las para ser possível utilizar este Suplemento. -Do you want the Addon Manager to install them automatically? Choose "Ignore" to install the Addon without installing the dependencies. +Pretende que o Gestor de Suplementos as instale automaticamente? Escolha "Ignorar" para instalar o Suplemento sem instalar as dependências. FreeCAD Addons - FreeCAD Addons + Suplementos FreeCAD Required Python modules - Módulos Python necessários + Módulos Python obrigatórios @@ -117,12 +117,12 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore Addon Developer Tools - Ferramentas do Desenvolvedor Addon + Ferramentas do Programador de Suplementos Path to Addon - Caminho para o Addon + Caminho para o Suplemento @@ -133,7 +133,7 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore Metadata - Metadata + Metadados @@ -144,7 +144,7 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore Explanation of what this Addon provides. Displayed in the Addon Manager. It is not necessary for this to state that this is a FreeCAD Addon. - Explicação do que este Addon fornece. Exibido no Gerenciador de Addons. Não é necessário que isso declare que este é um Addon do FreeCAD. + Explicação do que este Suplemento fornece. Exibido no Gestor de Suplementos. Não é necessário especificar que este é um Suplemento do FreeCAD. @@ -154,7 +154,7 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore Discussion URL - Discussion URL + URL de Discussão @@ -164,17 +164,17 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore Bugtracker URL - Bugtracker URL + URL do Seguidor de Erros Semantic (1.2.3-beta) or CalVer (2022.08.30) styles supported - Semantic (1.2.3-beta) or CalVer (2022.08.30) styles supported + Suportados os estilos Semantic (1.2.3-beta) ou CalVer (2022.08.30) Set to today (CalVer style) - Set to today (CalVer style) + Definir para hoje (estilo CalVer) @@ -182,23 +182,23 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore (Optional) - (Optional) + (Opcional) Displayed in the Addon Manager's list of Addons. Should not include the word "FreeCAD", and must be a valid directory name on all support operating systems. - Exibido na lista de Addon Manager's de Complementos. Não deve incluir a palavra "FreeCAD", e deve ser um nome de diretório válido em todos os sistemas operacionais de suporte. + Exibido na lista Suplementos do Gestor de Suplementos. Não deve incluir a palavra "FreeCAD", e tem de ser um nome de diretório válido em todos os sistemas operativos suportados. README URL - README URL + URL do README TIP: Since this is displayed within FreeCAD, in the Addon Manager, it is not necessary to take up space saying things like "This is a FreeCAD Addon..." -- just say what it does. - DICA: Como isso é exibido no FreeCAD, no Gerenciador de Addon, não é necessário ocupar espaço dizendo coisas como "Este é um Addon do FreeCAD. ." -- apenas diga o que faz. + DICA: Como isto é exibido no FreeCAD, no Gestor de Suplementos, não é necessário escrever coisas como "This is a FreeCAD Addon..." — descreva apenas o que faz. @@ -208,17 +208,17 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore Website URL - Website URL + URL do Website Documentation URL - Documentation URL + URL da Documentação Addon Name - Addon Name + Nome do Suplemento @@ -228,27 +228,27 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore (Recommended) - (Recommended) + (Recomendado) Minimum Python - Minimum Python + Python mínimo (Optional, only 3.x version supported) - (Optional, only 3.x version supported) + (Opcional, apenas é suportada a versão 3.x) Detect... - Detectar... + Detetar... Addon Contents - Conteúdo adicional + Conteúdo do Suplemento @@ -256,67 +256,42 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore Addon Manager - Gestor de Add-ons + Gestor de Suplementos Edit Tags - Edit Tags + Editar Etiquetas Comma-separated list of tags describing this item: - Comma-separated list of tags describing this item: + Lista de etiquetas separadas por vírgulas que descrevem este item: HINT: Common tags include "Assembly", "FEM", "Mesh", "NURBS", etc. - DICA: Tags comuns incluem "Assembly", "FEM", "Mesh", "NURBS", etc. + DICA: São etiquetas comuns "Assembly", "FEM", "Mesh", "NURBS", etc. - Welcome to the Addon Manager - Welcome to the Addon Manager - - - - The addons that can be installed here are not officially part of FreeCAD, and are not reviewed by the FreeCAD team. Make sure you know what you are installing! - Os complementos que podem ser instalados aqui não fazem oficialmente parte do FreeCAD e não são revistos pela equipe do FreeCAD. Certifique-se que conhece o que está a instalar! - - - - Download Settings - Download Settings - - - - Automatically check installed Addons for updates - Verificar automaticamente atualizações de Addons instalados - - - - Download Macro metadata (approximately 10MB) - Download Macro metadata (approximately 10MB) - - - - No proxy - Nenhum proxy + Add-on Manager: Warning! + Add-on Manager: Warning! - - System proxy - System proxy + + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. - - User-defined proxy: - User-defined proxy: + + Continue + Continuar - - These and other settings are available in the FreeCAD Preferences window. - Estas e outras configurações estão disponíveis na janela de Preferências do FreeCAD. + + Cancel + Cancelar @@ -324,7 +299,7 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore Edit Dependency - Edit Dependency + Editar Dependência @@ -334,22 +309,22 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore Dependency - Dependency + Dependência Package name, if "Other..." - Package name, if "Other..." + Nome do Pacote, se "Outro..." NOTE: If "Other..." is selected, the package is not in the ALLOWED_PYTHON_PACKAGES.txt file, and will not be automatically installed by the Addon Manager. Submit a PR at <a href="https://github.com/FreeCAD/FreeCAD-addons">https://github.com/FreeCAD/FreeCAD-addons</a> to request addition of a package. - NOTE: If "Other..." is selected, the package is not in the ALLOWED_PYTHON_PACKAGES.txt file, and will not be automatically installed by the Addon Manager. Submit a PR at <a href="https://github.com/FreeCAD/FreeCAD-addons">https://github.com/FreeCAD/FreeCAD-addons</a> to request addition of a package. + NOTA: Se "Outro..." estiver selecionado, o pacote não está no ficheiro ALLOWED_PYTHON_PACKAGES.txt, e não será automaticamente instalado pelo Gestor de Suplementos. Envie um PR em <a href="https://github.com/FreeCAD/FreeCAD-addons">https://github.com/FreeCAD/FreeCAD-addons</a> para pedir que um pacote seja adicionado. 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. - Se esta for uma dependência opcional, o Gerenciador de Addon oferecerá para instalar (quando possível), mas não irá bloquear a instalação se o usuário escolher não como, ou não pode, instalar o pacote. + Se esta for uma dependência opcional, o Gestor de Suplementos vai propor a sua instalação (quando possível), mas não irá impedir a instalação se o utilizador optar por não o fazer, ou não possa, instalar o pacote. @@ -369,7 +344,7 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore <h1>Package Name</h1> - <h1>Package Name</h1> + <h1>Nome do Pacote</h1> @@ -381,7 +356,7 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore (tags) - (tags) + (etiquetas) @@ -403,7 +378,7 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore labelSort - labelSort + labelSort @@ -426,7 +401,7 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore License file - Arquivo de licença + Ficheiro da licença @@ -446,7 +421,7 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore Email - E-mail + Correio eletrónico @@ -459,7 +434,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.) - Versões futuras do Gerenciador de Addon FreeCAD suportará desenvolvedores' definindo um branch ou tag específico para uso com uma versão específica do FreeCAD (ex: definir uma tag específica como a última versão do Addon para suportar v0.19, etc.) + Versões futuras do Gestor de Suplementos FreeCAD vão permitir que os programadores definam um ramo específico ou etiqueta para uso com uma versão específica do FreeCAD (e.g. definir uma etiqueta específica que indique que a última versão do seu Suplemento suporta v0.19, etc.) @@ -469,7 +444,7 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore Best-available branch, tag, or commit - Best-available branch, tag, or commit + Melhor ramo, etiqueta ou confirmação (commit) disponível @@ -498,7 +473,7 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore Advanced version mapping... - Mapeamento Avançado de Versão... + Mapeamento avançado de versão... @@ -506,49 +481,49 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore Addon manager options - Addon manager options + Opções do Gestor de Suplementos If this option is selected, when launching the Addon Manager, installed addons will be checked for available updates - Se esta opção for selecionada, ao iniciar o Addon Manager, -addons instalados serão verificados se há atualizações disponíveis + Se esta opção estiver selecionada, ao iniciar o Gestor de Suplementos, +será verificado se existem atualizações disponíveis para os suplementos instalados Automatically check for updates at start (requires git) - Verificar automaticamente se há atualizações no arranque (requer GitPython) + Verificar automaticamente se há atualizações no arranque (requer git) Download Macro metadata (approximately 10MB) - Download Macro metadata (approximately 10MB) + Transferir metadados da Macro (cerca de 10 MB) Cache update frequency - Frequência de atualização do cachê + Frequência de atualização da Cache Manual (no automatic updates) - Manual (no automatic updates) + Manual (sem atualizações automáticas) Daily - Diário + Diariamente Weekly - Semanal + Semanalmente Hide Addons without a license - Ocultar Complementos sem licença + Ocultar Suplementos sem licença @@ -573,7 +548,7 @@ addons instalados serão verificados se há atualizações disponíveis Hide Addons that require a newer version of FreeCAD - Hide Addons that require a newer version of FreeCAD + Ocultar Suplementos que requerem uma versão mais recente do FreeCAD @@ -588,17 +563,17 @@ addons instalados serão verificados se há atualizações disponíveis No proxy - Nenhum proxy + Sem proxy User system proxy - User system proxy + Proxy do sistema do utilizador User-defined proxy: - Proxy definido pelo usuário: + Proxy definido pelo utilizador: @@ -618,7 +593,7 @@ addons instalados serão verificados se há atualizações disponíveis The path to the git executable. Autodetected if needed and not specified. - O caminho para o git executável. Detectado automaticamente se necessário e não especificado. + O caminho para o git executável. Detetado automaticamente se necessário e não especificado. @@ -628,7 +603,7 @@ addons instalados serão verificados se há atualizações disponíveis Show option to change branches (requires git) - Exibir opção para alterar branches (requer git) + Mostrar opção para alterar ramos (requer git) @@ -638,7 +613,7 @@ addons instalados serão verificados se há atualizações disponíveis Activate Addon Manager options intended for developers of new Addons. - Ativar opções de Gerenciador de Addon destinadas aos desenvolvedores de novos Addons. + Ativar opções do Gestor de Suplementos destinadas aos programadores de novos Suplementos. @@ -656,7 +631,7 @@ addons instalados serão verificados se há atualizações disponíveis Install - instalar + Instalar @@ -671,12 +646,12 @@ addons instalados serão verificados se há atualizações disponíveis Run Macro - Run Macro + Executar Macro Change branch - Alterar ramo + Mudar ramo @@ -689,7 +664,7 @@ addons instalados serão verificados se há atualizações disponíveis The following Python packages have been installed locally by the Addon Manager to satisfy Addon dependencies. Installation location: - Os seguintes pacotes do Python foram instalados localmente pelo Addon Manager para satisfazer as dependências do Addon. Localização da instalação: + Os seguintes pacotes do Python foram instalados localmente pelo Gestor de Suplementos para satisfazer as dependências do Suplemento. Localização da instalação: @@ -699,17 +674,17 @@ addons instalados serão verificados se há atualizações disponíveis Installed version - Versão instalada: + Versão instalada Available version - Versão disponível: + Versão disponível Used by - Used by + Usado por @@ -719,7 +694,7 @@ addons instalados serão verificados se há atualizações disponíveis Update all available - Update all available + Atualizar todos os disponíveis @@ -727,7 +702,7 @@ addons instalados serão verificados se há atualizações disponíveis Dialog - Janela + Caixa de diálogo @@ -740,7 +715,7 @@ addons instalados serão verificados se há atualizações disponíveis Updating Addons - Updating Addons + A atualizar os Suplementos @@ -753,12 +728,12 @@ addons instalados serão verificados se há atualizações disponíveis Content Item - Content Item + Item de Conteúdo Content type: - Content type: + Tipo de conteúdo: @@ -768,7 +743,7 @@ addons instalados serão verificados se há atualizações disponíveis Preference Pack - Preference Pack + Pacote de Preferências @@ -800,12 +775,12 @@ addons instalados serão verificados se há atualizações disponíveis Browse... - Navegar... + Explorar... Preference Pack Name - Preferência do Pacote + Nome do Pacote de Preferências @@ -840,22 +815,22 @@ addons instalados serão verificados se há atualizações disponíveis Tags... - Tags... + Etiquetas... Dependencies... - Dependencies... + Dependências... FreeCAD Versions... - FreeCAD Versions... + Versões do FreeCAD... Other Metadata - Other Metadata + Outros Metadados @@ -875,17 +850,17 @@ addons instalados serão verificados se há atualizações disponíveis Semantic (1.2.3-beta) or CalVer (2022.08.30) styles supported - Semantic (1.2.3-beta) or CalVer (2022.08.30) styles supported + Suportados os estilos Semantic (1.2.3-beta) ou CalVer (2022.08.30) Set to today (CalVer style) - Set to today (CalVer style) + Definir para hoje (estilo CalVer) Display Name - Display Name + Nome a exibir @@ -898,27 +873,27 @@ addons instalados serão verificados se há atualizações disponíveis Add button? - Add button? + Adicionar botão? Add a toolbar button for this macro? - Add a toolbar button for this macro? + Adicionar um botão na barra de ferramentas para esta macro? Yes - Yes + Sim No - No + Não Never - Never + Nunca @@ -926,12 +901,12 @@ addons instalados serão verificados se há atualizações disponíveis Change Branch - Change Branch + Mudar Ramo Change to branch: - Change to branch: + Mudar para o ramo: @@ -939,17 +914,17 @@ addons instalados serão verificados se há atualizações disponíveis Copyright Information - Copyright Information + Informação de Direitos de Autor Copyright holder: - Copyright holder: + Detentor dos Direitos de Autor: Copyright year: - Copyright year: + Ano dos Direitos de Autor: @@ -957,12 +932,12 @@ addons instalados serão verificados se há atualizações disponíveis Add Person - Add Person + Adicionar Pessoa A maintainer is someone with current commit access on this project. An author is anyone else you'd like to give credit to. - A maintainer is someone with current commit access on this project. An author is anyone else you'd like to give credit to. + Uma pessoa que mantém é alguém que possui atualmente acesso de confirmação (commit) neste projeto. Um autor é qualquer pessoa a quem deseja dar crédito. @@ -972,12 +947,12 @@ addons instalados serão verificados se há atualizações disponíveis Email: - Email: + Correio eletrónico: Email is required for maintainers, and optional for authors. - Email is required for maintainers, and optional for authors. + O correio eletrónico é obrigatório para mentenedores, e opcional para autores. @@ -985,17 +960,17 @@ addons instalados serão verificados se há atualizações disponíveis Proxy login required - Proxy login required + É necessário o início de sessão do proxy Proxy requires authentication - Proxy requires authentication + O proxy exige autenticação Proxy: - Proxy: + Proxy: @@ -1015,12 +990,12 @@ addons instalados serão verificados se há atualizações disponíveis Username - Username + Nome de utilizador Password - Password + Palavra-passe @@ -1028,27 +1003,27 @@ addons instalados serão verificados se há atualizações disponíveis Select a license - Select a license + Escolha uma licença About... - About... + Acerca de... License name: - License name: + Nome da Licença: Path to license file: - Path to license file: + Caminho para o ficheiro da licença: (if required by license) - (if required by license) + (se exigido pela licença) @@ -1058,7 +1033,7 @@ addons instalados serão verificados se há atualizações disponíveis Create... - Create... + Criar... @@ -1069,7 +1044,7 @@ addons instalados serão verificados se há atualizações disponíveis Select Toolbar - Select Toolbar + Selecionar Barra de Ferramentas @@ -1079,7 +1054,7 @@ addons instalados serão verificados se há atualizações disponíveis Ask every time - Perguntar todas as vezes + Perguntar sempre @@ -1116,17 +1091,17 @@ addons instalados serão verificados se há atualizações disponíveis Starting up... - Iniciando.... + A iniciar... Loading addon information - Carregando informações de addon + A carregar a informação do suplemento Worker process {} is taking a long time to stop... - Processo de trabalhador {} está demorando muito para parar... + O processo Trabalhador {} está a demorar muito tempo a parar... @@ -1145,12 +1120,12 @@ addons instalados serão verificados se há atualizações disponíveis Addon manager - Addon manager + Gestor de Suplementos You must restart FreeCAD for changes to take effect. - Você deve reiniciar o FreeCAD para que as alterações tenham efeito. + Tem de reiniciar o FreeCAD para que as alterações surtam efeito. @@ -1193,7 +1168,7 @@ addons instalados serão verificados se há atualizações disponíveis Update all addons - Update all addons + Atualizar todos os suplementos @@ -1203,17 +1178,17 @@ addons instalados serão verificados se há atualizações disponíveis Python dependencies... - Python dependencies... + Dependências do Python... Developer tools... - Ferramentas do Desenvolvedor Addon... + Ferramentas do Programador... Apply %n available update(s) - Aplicar atualizações do %n disponíveis + Aplicar atualizações disponíveis: %n @@ -1246,17 +1221,17 @@ addons instalados serão verificados se há atualizações disponíveis New Python Version Detected - Nova versão do Python detectada + Nova Versão do Python Detetada This appears to be the first time this version of Python has been used with the Addon Manager. Would you like to install the same auto-installed dependencies for it? - Parece ser a primeira vez que esta versão do Python é usada no Addon Manager. Você gostaria de instalar as mesmas dependências instaladas automaticamente para ele? + Parece ser a primeira vez que esta versão do Python foi usada no Gestor de Suplementos. Pretende instalar as mesmas dependências automaticamente instaladas, para esta versão? Processing, please wait... - Processando. Por favor, aguarde... + A processar. Por favor aguarde... @@ -1267,12 +1242,12 @@ addons instalados serão verificados se há atualizações disponíveis Updating... - Atualizando... + A atualizar... Could not import QtNetwork -- it does not appear to be installed on your system. Your provider may have a package for this dependency (often called "python3-pyside2.qtnetwork") - Não foi possível importar QtNetwork -- parece que não está instalado no seu sistema. Seu provedor pode ter um pacote para essa dependência (muitas vezes chamado "python3-pyside2.qtnetwork") + Não foi possível importar o QtNetwork — parece não estar instalado no seu sistema. O seu fornecedor pode ter um pacote para esta dependência (muitas vezes chamada "python3-pyside2.qtnetwork") @@ -1282,73 +1257,73 @@ addons instalados serão verificados se há atualizações disponíveis Parameter error: mutually exclusive proxy options set. Resetting to default. - Erro de parâmetro: conjunto de opções de proxy mutuamente exclusivas. Redefinindo para o padrão. + Erro de parâmetro: definidas opções de proxy mutuamente exclusivas. Vai ser redefinido o valor padrão. Parameter error: user proxy indicated, but no proxy provided. Resetting to default. - Erro de parâmetro: o proxy do usuário indicou, mas nenhum proxy foi fornecido. Redefinindo para o padrão. + Erro de parâmetro: indicado um proxy do utilizador, mas nenhum proxy foi fornecido. Vai ser redefinido o valor padrão. Addon Manager: Unexpected {} response from server - Addon Manager: Unexpected {} response from server + Gestor de Suplementos: Resposta inesperada {} do servidor Error with encrypted connection - Error with encrypted connection + Erro com a ligação encriptada Confirm remove - Confirm remove + Confirme a remoção Are you sure you want to uninstall {}? - Are you sure you want to uninstall {}? + Tem a certeza que quer desinstalar {}? Removing Addon - Removing Addon + A remover o Suplemento Removing {} - Removing {} + A remover {} Uninstall complete - Uninstall complete + Desinstalação concluída Uninstall failed - Uninstall failed + Falha ao desinstalar Version {version} installed on {date} - Version {version} installed on {date} + Versão {version} instalada a {date} Version {version} installed - Version {version} installed + Versão {version} instalada Installed on {date} - Installed on {date} + Instalado a {date} @@ -1356,7 +1331,7 @@ addons instalados serão verificados se há atualizações disponíveis Installed - Installed + Instalado @@ -1371,12 +1346,12 @@ addons instalados serão verificados se há atualizações disponíveis Update check in progress - Update check in progress + Verificação de atualização em curso Installation location - Installation location + Local de instalação @@ -1391,7 +1366,7 @@ addons instalados serão verificados se há atualizações disponíveis Disabled - Disabled + Desativado @@ -1421,7 +1396,7 @@ addons instalados serão verificados se há atualizações disponíveis WARNING: This addon requires FreeCAD {} - WARNING: This addon requires FreeCAD {} + AVISO: Este suplemento requer o FreeCAD {} @@ -1443,7 +1418,7 @@ addons instalados serão verificados se há atualizações disponíveis Success - Success + Sucesso @@ -1453,7 +1428,7 @@ addons instalados serão verificados se há atualizações disponíveis Install - instalar + Instalar @@ -1474,27 +1449,27 @@ addons instalados serão verificados se há atualizações disponíveis Check for update - Check for update + Verificar atualização Run - correr + Executar Change branch... - Change branch... + Mudar ramo... Return to package list - Return to package list + Voltar à lista de pacotes Checking connection - Checking connection + A verificar a ligação @@ -1504,12 +1479,12 @@ addons instalados serão verificados se há atualizações disponíveis Connection failed - Connection failed + A ligação falhou Missing dependency - Missing dependency + Dependência em falta @@ -1520,7 +1495,7 @@ addons instalados serão verificados se há atualizações disponíveis Other... For providing a license other than one listed - Other... + Outra... @@ -1540,7 +1515,7 @@ addons instalados serão verificados se há atualizações disponíveis Failed to install macro {} - Failed to install macro {} + Falha ao instalar a macro {} @@ -1590,17 +1565,17 @@ addons instalados serão verificados se há atualizações disponíveis Addon - Addon + Suplemento Python - Python + Python Yes - Yes + Sim @@ -1615,13 +1590,13 @@ addons instalados serão verificados se há atualizações disponíveis Python Package - Python Package + Pacote Python Other... - Other... + Outra... @@ -1636,22 +1611,22 @@ addons instalados serão verificados se há atualizações disponíveis Missing Requirement - Missing Requirement + Requisito em Falta Addon '{}' requires '{}', which is not available in your copy of FreeCAD. - Addon '{}' requires '{}', which is not available in your copy of FreeCAD. + O suplemento '{}' requer '{}', que não está disponível no seu FreeCAD. Addon '{}' requires the following workbenches, which are not available in your copy of FreeCAD: - Addon '{}' requires the following workbenches, which are not available in your copy of FreeCAD: + O suplemento '{}' requer as seguintes bancadas de trabalho, que não estão disponíveis no seu FreeCAD: Press OK to install anyway. - Press OK to install anyway. + Pressione OK para instalar mesmo assim. @@ -1662,12 +1637,12 @@ addons instalados serão verificados se há atualizações disponíveis This addon requires Python packages that are not installed, and cannot be installed automatically. To use this addon you must install the following Python packages manually: - This addon requires Python packages that are not installed, and cannot be installed automatically. To use this addon you must install the following Python packages manually: + Este suplemento requer pacotes Python que não estão instalados e não podem ser instalados automaticamente. Para usar este suplemento, tem de instalar os seguintes pacotes Python manualmente: This Addon (or one of its dependencies) requires Python {}.{}, and your system is running {}.{}. Installation cancelled. - This Addon (or one of its dependencies) requires Python {}.{}, and your system is running {}.{}. Installation cancelled. + Este Suplemento (ou uma das suas dependências) requer Python {}.{}, e o seu sistema possui Python {}.{}. A instalação foi cancelada. @@ -1678,13 +1653,13 @@ addons instalados serão verificados se há atualizações disponíveis Installing dependencies - Installing dependencies + A instalar dependências Cannot execute Python - Cannot execute Python + Não é possível executar o Python @@ -1700,7 +1675,7 @@ addons instalados serão verificados se há atualizações disponíveis Cannot execute pip - Cannot execute pip + Não é possível executar o pip @@ -1717,7 +1692,7 @@ addons instalados serão verificados se há atualizações disponíveis Package installation failed - Package installation failed + Instalação do pacote falhou @@ -1737,7 +1712,7 @@ addons instalados serão verificados se há atualizações disponíveis Cancelling - Cancelling + A cancelar @@ -1777,7 +1752,7 @@ addons instalados serão verificados se há atualizações disponíveis Run Indicates a macro that can be 'run' - correr + Executar @@ -1848,7 +1823,7 @@ addons instalados serão verificados se há atualizações disponíveis Vermin auto-detected a required version of Python 3.{} - Vermin auto-detected a required version of Python 3.{} + O Vermin detetou automaticamente uma versão requerida do Python 3.{} @@ -1858,7 +1833,7 @@ addons instalados serão verificados se há atualizações disponíveis Auto-detecting the required version of Python for this Addon requires Vermin (https://pypi.org/project/vermin/). OK to install? - Auto-detecting the required version of Python for this Addon requires Vermin (https://pypi.org/project/vermin/). OK to install? + A deteção automática da versão do Python exigida para este Suplemento requer Vermin (https://pypi.org/project/vermin/). OK para instalar? @@ -1891,12 +1866,12 @@ addons instalados serão verificados se há atualizações disponíveis Filter is valid - Filter is valid + O filtro é válido Filter regular expression is invalid - Filter regular expression is invalid + A expressão regular do filtro não é válida @@ -1906,58 +1881,58 @@ addons instalados serão verificados se há atualizações disponíveis Click for details about package {} - Click for details about package {} + Clique para detalhes acerca do pacote {} Click for details about workbench {} - Click for details about workbench {} + Clique para detalhes acerca da bancada de trabalho {} Click for details about macro {} - Click for details about macro {} + Clique para detalhes acerca da macro {} Maintainers: - Maintainers: + Mantido por: Tags - Tags + Etiquetas {} ★ on GitHub - {} ★ on GitHub + {} ★ no GitHub No ★, or not on GitHub - No ★, or not on GitHub + Sem ★, ou não no GitHub Created - Created + Criado Updated - Updated + Atualizado Score: - Score: + Pontuação: Up-to-date - Up-to-date + Atualizado @@ -1966,49 +1941,49 @@ addons instalados serão verificados se há atualizações disponíveis Update available - Update available + Atualização disponível Pending restart - Pending restart + Reinício pendente DISABLED - DISABLED + DESATIVADO Installed version - Versão instalada: + Versão instalada Unknown version - Unknown version + Versão desconhecida Installed on - Installed on + Instalado a Available version - Versão disponível: + Versão disponível Filter by... - Filter by... + Filtrar por... Addon Type - Addon Type + Tipo de Suplemento @@ -2024,17 +1999,17 @@ addons instalados serão verificados se há atualizações disponíveis Preference Pack - Preference Pack + Pacote de Preferências Installation Status - Installation Status + Estado da Instalação Not installed - Not installed + Não instalado @@ -2044,28 +2019,28 @@ addons instalados serão verificados se há atualizações disponíveis DANGER: Developer feature - DANGER: Developer feature + PERIGO: Recurso de programador DANGER: Switching branches is intended for developers and beta testers, and may result in broken, non-backwards compatible documents, instability, crashes, and/or the premature heat death of the universe. Are you sure you want to continue? - DANGER: Switching branches is intended for developers and beta testers, and may result in broken, non-backwards compatible documents, instability, crashes, and/or the premature heat death of the universe. Are you sure you want to continue? + PERIGO: A troca de ramos é destinada a programadores e testadores beta, e pode resultar em documentos danificados e não retrocompatíveis, instabilidade, o programa deixar de funcionar e/ou ao fim prematuro do universo. Tem certeza que quer continuar? There are local changes - There are local changes + Existem alterações locais WARNING: This repo has uncommitted local changes. Are you sure you want to change branches (bringing the changes with you)? - WARNING: This repo has uncommitted local changes. Are you sure you want to change branches (bringing the changes with you)? + AVISO: Este repositório tem alterações locais não confirmadas (uncommited). Tem certeza que deseja mudar de ramos (trazendo as alterações consigo)? Local Table header for local git ref name - Local + Local @@ -2077,22 +2052,22 @@ addons instalados serão verificados se há atualizações disponíveis Last Updated Table header for git update date - Last Updated + Última Atualização Installation of Python package {} failed - Installation of Python package {} failed + Falha na instalação do pacote Python {} Installation of optional package failed - Installation of optional package failed + Falha na instalação do pacote opcional Installing required dependency {} - Installing required dependency {} + A instalar a dependência necessária {} @@ -2117,17 +2092,17 @@ addons instalados serão verificados se há atualizações disponíveis Downloaded metadata.txt for {} - Downloaded metadata.txt for {} + Transferido metadata.txt para {} Downloaded requirements.txt for {} - Downloaded requirements.txt for {} + Transferido requirements.txt para {} Downloaded icon for {} - Downloaded icon for {} + Transferido ícone para {} @@ -2178,17 +2153,17 @@ addons instalados serão verificados se há atualizações disponíveis Got an error when trying to import {} - Got an error when trying to import {} + Erro ao tentar importar {} An unknown error occurred - An unknown error occurred + Ocorreu um erro desconhecido Could not find addon {} to remove it. - Could not find addon {} to remove it. + Não foi possível encontrar o suplemento {} para removê-lo. @@ -2218,17 +2193,17 @@ addons instalados serão verificados se há atualizações disponíveis WARNING: Duplicate addon {} ignored - WARNING: Duplicate addon {} ignored + AVISO: Suplemento duplicado {} foi ignorado Workbenches list was updated. - Workbenches list was updated. + A lista de bancadas de trabalho foi atualizada. Git is disabled, skipping git macros - Git is disabled, skipping git macros + O Git está desativado. Macros do git serão ignoradas @@ -2270,82 +2245,82 @@ addons instalados serão verificados se há atualizações disponíveis git status failed for {} - git status failed for {} + Estado git falhou para {} Failed to read metadata from {name} - Failed to read metadata from {name} + Falha ao ler metadados de {name} Failed to fetch code for macro '{name}' - Failed to fetch code for macro '{name}' + Falha ao obter código para a macro '{name}' Caching macro code... - Caching macro code... + A colocar o código da macro em cache... Addon Manager: a worker process failed to complete while fetching {name} - Addon Manager: a worker process failed to complete while fetching {name} + Gestor de Suplementos: um processo trabalhador não completou a tarefa ao obter {name} Out of {num_macros} macros, {num_failed} timed out while processing - Out of {num_macros} macros, {num_failed} timed out while processing + Das {num_macros} macros, {num_failed} excederam o tempo limite durante o processamento Addon Manager: a worker process failed to halt ({name}) - Addon Manager: a worker process failed to halt ({name}) + Gestor de Suplementos: um processo trabalhador falhou a parar ({name}) Getting metadata from macro {} - Getting metadata from macro {} + A obter metadados da macro {} Timeout while fetching metadata for macro {} - Timeout while fetching metadata for macro {} + Tempo limite excedido ao obter metadados para a macro {} Failed to kill process for macro {}! - Failed to kill process for macro {}! + Falha ao terminar o processo para a macro {}! Retrieving macro description... - Retrieving macro description... + A obter a descrição da macro... Retrieving info from git - Retrieving info from git + A obter informação do git Retrieving info from wiki - Retrieving info from wiki + A obter informação da wiki Failed to get Addon statistics from {} -- only sorting alphabetically will be accurate - Failed to get Addon statistics from {} -- only sorting alphabetically will be accurate + Falha ao obter estatísticas do Suplemento de {} — apenas a ordenação alfabética estará correta Failed to get Addon score from '{}' -- sorting by score will fail - Failed to get Addon score from '{}' -- sorting by score will fail + Falha ao obter a pontuação do Suplemento de '{}' — ordenar por pontuação vai falhar @@ -2358,112 +2333,112 @@ addons instalados serão verificados se há atualizações disponíveis Branch name Preferences header for custom repositories - Branch name + Nome do ramo Basic git update failed with the following message: - Basic git update failed with the following message: + A atualização básica do git falhou com a seguinte mensagem: Backing up the original directory and re-cloning - Backing up the original directory and re-cloning + A fazer cópia de segurança do diretório original e a reclonar Failed to clone {} into {} using git - Failed to clone {} into {} using git + Falha ao clonar {} em {} usando o git Git branch rename failed with the following message: - Git branch rename failed with the following message: + A renomeação do ramo do Git falhou com a seguinte mensagem: Installing - Installing + A instalar Succeeded - Succeeded + Sucesso Failed - Failed + Falha Update was cancelled - Update was cancelled + A atualização foi cancelada some addons may have been updated - some addons may have been updated + alguns suplementos podem ter sido atualizados Loading info for {} from the FreeCAD Macro Recipes wiki... - Loading info for {} from the FreeCAD Macro Recipes wiki... + A carregar a informação para {} da wiki de Receitas de Macros FreeCAD... Loading page for {} from {}... - Loading page for {} from {}... + A carregar a página para {} de {}... Failed to download data from {} -- received response code {}. - Failed to download data from {} -- received response code {}. + Falha ao transferir dados a partir de {} — recebido o código de resposta {}. Composite view - Composite view + Vista composta Expanded view - Expanded view + Vista expandida Compact view - Compact view + Vista compacta Alphabetical Sort order - Alphabetical + Alfabeticamente Last Updated Sort order - Last Updated + Última Atualização Date Created Sort order - Date Created + Data de Criação GitHub Stars Sort order - GitHub Stars + Estrelas do GitHub Score Sort order - Score + Pontuação @@ -2471,12 +2446,12 @@ addons instalados serão verificados se há atualizações disponíveis &Addon manager - &Addon manager + &Gestor de suplementos Manage external workbenches, macros, and preference packs - Manage external workbenches, macros, and preference packs + Gerir bancadas de trabalho, macros, e pacote de preferências externas @@ -2484,12 +2459,12 @@ addons instalados serão verificados se há atualizações disponíveis Finished removing {} - Finished removing {} + Remoção concluída de {} Failed to remove some files - Failed to remove some files + Falha ao remover alguns ficheiros @@ -2497,7 +2472,7 @@ addons instalados serão verificados se há atualizações disponíveis Finished updating the following addons - Finished updating the following addons + Atualização concluída para os seguintes suplementos @@ -2505,7 +2480,7 @@ addons instalados serão verificados se há atualizações disponíveis Auto-Created Macro Toolbar - Auto-Created Macro Toolbar + Barra de ferramentas de Macros criada automaticamente @@ -2513,7 +2488,7 @@ addons instalados serão verificados se há atualizações disponíveis Addon Manager - Gestor de Add-ons + Gestor de Suplementos diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_ro.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_ro.qm index 5af7ed3751b1..e14e8ff2098b 100644 Binary files a/src/Mod/AddonManager/Resources/translations/AddonManager_ro.qm and b/src/Mod/AddonManager/Resources/translations/AddonManager_ro.qm differ diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_ro.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_ro.ts index 7a370223b35f..d89aab8ac7a4 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_ro.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_ro.ts @@ -275,48 +275,23 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore - Welcome to the Addon Manager - Welcome to the Addon Manager + Add-on Manager: Warning! + Add-on Manager: Warning! - - The addons that can be installed here are not officially part of FreeCAD, and are not reviewed by the FreeCAD team. Make sure you know what you are installing! - The addons that can be installed here are not officially part of FreeCAD, and are not reviewed by the FreeCAD team. Make sure you know what you are installing! + + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. - - Download Settings - Download Settings + + Continue + Continua - - Automatically check installed Addons for updates - Automatically check installed Addons for updates - - - - Download Macro metadata (approximately 10MB) - Download Macro metadata (approximately 10MB) - - - - No proxy - Fără proxy - - - - System proxy - System proxy - - - - User-defined proxy: - User-defined proxy: - - - - These and other settings are available in the FreeCAD Preferences window. - These and other settings are available in the FreeCAD Preferences window. + + Cancel + Renunţă diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_ru.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_ru.qm index 028280a59e18..887022601d5c 100644 Binary files a/src/Mod/AddonManager/Resources/translations/AddonManager_ru.qm and b/src/Mod/AddonManager/Resources/translations/AddonManager_ru.qm differ diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_ru.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_ru.ts index c8039b11895a..a53eb2cd6795 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_ru.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_ru.ts @@ -275,48 +275,23 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore - Welcome to the Addon Manager - Добро пожаловать в Менеджер Дополнений + Add-on Manager: Warning! + Add-on Manager: Warning! - - The addons that can be installed here are not officially part of FreeCAD, and are not reviewed by the FreeCAD team. Make sure you know what you are installing! - Дополнения, которые могут быть установлены отсюда, официально не являются частью FreeCAD и не проверяются командой FreeCAD. Убедитесь, что Вы знаете, что устанавливаете! + + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. - - Download Settings - Настройки загрузки + + Continue + Продолжить - - Automatically check installed Addons for updates - Автоматически проверять установленные дополнения на наличие обновлений - - - - Download Macro metadata (approximately 10MB) - Скачать метаданные макроса (примерно 10 МБ) - - - - No proxy - Нет прокси - - - - System proxy - Системный прокси - - - - User-defined proxy: - Заданный пользователем прокси: - - - - These and other settings are available in the FreeCAD Preferences window. - Эти и другие настройки доступны в окне Настройки FreeCAD. + + Cancel + Отмена diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_sl.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_sl.qm index 49bcfaafba5d..7bc9aeda7b92 100644 Binary files a/src/Mod/AddonManager/Resources/translations/AddonManager_sl.qm and b/src/Mod/AddonManager/Resources/translations/AddonManager_sl.qm differ diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_sl.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_sl.ts index 3eabb938d310..7ba4ba1c5253 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_sl.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_sl.ts @@ -275,48 +275,23 @@ Ali želite, da jih upravljalinik dodatkov namesti samodejno? Izberite "Pre - Welcome to the Addon Manager - Dobrodošli v upravitelju dodatkov + Add-on Manager: Warning! + Add-on Manager: Warning! - - The addons that can be installed here are not officially part of FreeCAD, and are not reviewed by the FreeCAD team. Make sure you know what you are installing! - Dodatki, ki jih lahko namestite tukaj, niso uradni del programa FreeCAD in jih ekipa programa FreeCAD ne pregleduje. Prepričajte se, da veste, kaj nameščate! + + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. - - Download Settings - Nastavitve prenosa + + Continue + Nadaljuj - - Automatically check installed Addons for updates - Samodejno preverjanje nameščenih dodatkov za posodobitve - - - - Download Macro metadata (approximately 10MB) - Prenesite samopodatke o makrih (približno 10 MB) - - - - No proxy - Ni posredniškega strežnika - - - - System proxy - Sistemski posredniški strežnik - - - - User-defined proxy: - Posredniški strežnik, ki ga določi uporabnik: - - - - These and other settings are available in the FreeCAD Preferences window. - Te in druge nastavitve so na voljo v splošnih FreeCAD nastavitvah. + + Cancel + Prekliči diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_sr-CS.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_sr-CS.qm index 207240ca6597..748b33ed6698 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 2d69d3087d07..9036040f00bf 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_sr-CS.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_sr-CS.ts @@ -275,48 +275,23 @@ Da li želiš da ih Menadžer dodataka automatski instalira? Izaberi "Zanem - Welcome to the Addon Manager - Dobrodošli u Menadžer dodataka + Add-on Manager: Warning! + Add-on Manager: Warning! - - The addons that can be installed here are not officially part of FreeCAD, and are not reviewed by the FreeCAD team. Make sure you know what you are installing! - Dodaci koji se mogu instalirati ovde nisu zvanično deo FreeCAD-a i FreeCAD tim ih ne pregleda. Budi siguran u to šta instaliraš! + + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. - - Download Settings - Podešavanja preuzimanja + + Continue + Nastavi - - Automatically check installed Addons for updates - Automatski proveri instalirane Dodatke da li imaju ažuriranja - - - - Download Macro metadata (approximately 10MB) - Preuzmi makro metapodatke (približno 10MB) - - - - No proxy - Bez proksi - - - - System proxy - Sistemski proksi - - - - User-defined proxy: - Korisnički proksi: - - - - These and other settings are available in the FreeCAD Preferences window. - Ova i druga podešavanja su dostupna u prozoru Podešavanja FreeCAD-a. + + Cancel + Otkaži diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_sr.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_sr.qm index eb74bb41c838..c46626c0e2b4 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 1b2e8e0faaba..13bdea712739 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_sr.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_sr.ts @@ -275,48 +275,23 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore - Welcome to the Addon Manager - Добродошли у Менаџер додатака + Add-on Manager: Warning! + Add-on Manager: Warning! - - The addons that can be installed here are not officially part of FreeCAD, and are not reviewed by the FreeCAD team. Make sure you know what you are installing! - Додаци који се могу инсталирати овде нису званично део FreeCAD-а и FreeCAD тим их не прегледа. Буди сигуран у то шта инсталираш! + + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. - - Download Settings - Подешавања преузимања + + Continue + Настави - - Automatically check installed Addons for updates - Аутоматски провери инсталиране Додатке да ли имају ажурирања - - - - Download Macro metadata (approximately 10MB) - Преузми макро метаподатке (приближно 10MB) - - - - No proxy - Без прокси - - - - System proxy - Системски прокси - - - - User-defined proxy: - Кориснички прокси: - - - - These and other settings are available in the FreeCAD Preferences window. - Ова и друга подешавања су доступна у прозору Подешавања FreeCAD-а. + + Cancel + Откажи diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_sv-SE.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_sv-SE.qm index 1ac1aa74570d..446489c35333 100644 Binary files a/src/Mod/AddonManager/Resources/translations/AddonManager_sv-SE.qm and b/src/Mod/AddonManager/Resources/translations/AddonManager_sv-SE.qm differ diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_sv-SE.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_sv-SE.ts index ddbfd7a0c192..486673598a69 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_sv-SE.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_sv-SE.ts @@ -275,48 +275,23 @@ Vill du att TIlläggshanteraren ska installera dem automatiskt? Välj "Igno - Welcome to the Addon Manager - Välkommen till Tilläggshanteraren + Add-on Manager: Warning! + Add-on Manager: Warning! - - The addons that can be installed here are not officially part of FreeCAD, and are not reviewed by the FreeCAD team. Make sure you know what you are installing! - De tillägg som kan installeras här är inte officiellt en del av FreeCAD, och granskas inte av FreeCAD-teamet. Var säker på att du vet vad du installerar! + + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. - - Download Settings - Nedladdningsinställningar + + Continue + Fortsätt - - Automatically check installed Addons for updates - Sök automatiskt för uppdateringar av installerade Tillägg - - - - Download Macro metadata (approximately 10MB) - Hämta metadata för makron (cirka 10 MB) - - - - No proxy - Ingen proxy - - - - System proxy - Systemproxy - - - - User-defined proxy: - Användardefinierad proxy: - - - - These and other settings are available in the FreeCAD Preferences window. - These and other settings are available in the FreeCAD Preferences window. + + Cancel + Avbryt diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_tr.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_tr.qm index 44284822583d..0f1c23a84d74 100644 Binary files a/src/Mod/AddonManager/Resources/translations/AddonManager_tr.qm and b/src/Mod/AddonManager/Resources/translations/AddonManager_tr.qm differ diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_tr.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_tr.ts index 08ebf6f9221f..4f19db5612a7 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_tr.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_tr.ts @@ -275,48 +275,23 @@ Eklenti Yöneticisinin bunları otomatik olarak kurmasını istiyor musunuz? Ekl - Welcome to the Addon Manager - Eklenti Yöneticisine Hoş Geldiniz + Add-on Manager: Warning! + Add-on Manager: Warning! - - The addons that can be installed here are not officially part of FreeCAD, and are not reviewed by the FreeCAD team. Make sure you know what you are installing! - Buraya kurulabilen eklentiler resmi olarak FreeCAD'in bir parçası değildir ve FreeCAD ekibi tarafından incelenmez. Ne yüklediğinizi bildiğinizden emin olun! + + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. - - Download Settings - İndirme Ayarları + + Continue + Devam - - Automatically check installed Addons for updates - Güncellemeler için yüklü Eklentileri otomatik olarak kontrol edin - - - - Download Macro metadata (approximately 10MB) - Makro MetaVerilerini indirin (yaklaşık 10MB) - - - - No proxy - Vekil sunucu yok - - - - System proxy - Sistem vekil sunucusu - - - - User-defined proxy: - Kullanıcı tanımlı vekil sunucu: - - - - These and other settings are available in the FreeCAD Preferences window. - Bu ve diğer ayarlar FreeCAD Tercihler penceresinde mevcuttur. + + Cancel + İptal diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_uk.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_uk.qm index c95dac73a31b..e31a075fdd6f 100644 Binary files a/src/Mod/AddonManager/Resources/translations/AddonManager_uk.qm and b/src/Mod/AddonManager/Resources/translations/AddonManager_uk.qm differ diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_uk.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_uk.ts index 72f56e1ca0ca..0fc5bdd52b40 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_uk.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_uk.ts @@ -275,48 +275,23 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore - Welcome to the Addon Manager - Ласкаво просимо до менеджера додатків + Add-on Manager: Warning! + Add-on Manager: Warning! - - The addons that can be installed here are not officially part of FreeCAD, and are not reviewed by the FreeCAD team. Make sure you know what you are installing! - Наведені тут Додатки офіційно не є частиною FreeCAD та не перевіряються командою FreeCAD. Переконайтеся, що ви знаєте, що ви встановлюєте! + + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. - - Download Settings - Параметри Завантаження + + Continue + Продовжити - - Automatically check installed Addons for updates - Автоматично перевіряти оновлення для встановлених Додатків - - - - Download Macro metadata (approximately 10MB) - Завантажити метадані Макросів (приблизно 10 Мб) - - - - No proxy - Без проксі-сервера - - - - System proxy - Системний проксі-сервер - - - - User-defined proxy: - Заданий користувачем: - - - - These and other settings are available in the FreeCAD Preferences window. - Ці та інші параметри доступні у вікні Налаштування FreeCAD. + + Cancel + Скасувати diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_val-ES.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_val-ES.qm index c54c0dad1448..dea7cac0a918 100644 Binary files a/src/Mod/AddonManager/Resources/translations/AddonManager_val-ES.qm and b/src/Mod/AddonManager/Resources/translations/AddonManager_val-ES.qm differ diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_val-ES.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_val-ES.ts index f11c504faa01..7d186889d519 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_val-ES.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_val-ES.ts @@ -275,48 +275,23 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore - Welcome to the Addon Manager - Welcome to the Addon Manager + Add-on Manager: Warning! + Add-on Manager: Warning! - - The addons that can be installed here are not officially part of FreeCAD, and are not reviewed by the FreeCAD team. Make sure you know what you are installing! - The addons that can be installed here are not officially part of FreeCAD, and are not reviewed by the FreeCAD team. Make sure you know what you are installing! + + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. - - Download Settings - Download Settings + + Continue + Continua - - Automatically check installed Addons for updates - Automatically check installed Addons for updates - - - - Download Macro metadata (approximately 10MB) - Download Macro metadata (approximately 10MB) - - - - No proxy - Sense servidor intermediari - - - - System proxy - System proxy - - - - User-defined proxy: - User-defined proxy: - - - - These and other settings are available in the FreeCAD Preferences window. - These and other settings are available in the FreeCAD Preferences window. + + Cancel + Cancel·la diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_zh-CN.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_zh-CN.qm index be7c7e011087..783694e71599 100644 Binary files a/src/Mod/AddonManager/Resources/translations/AddonManager_zh-CN.qm and b/src/Mod/AddonManager/Resources/translations/AddonManager_zh-CN.qm differ diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_zh-CN.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_zh-CN.ts index e62dbf475431..0042164c15fe 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_zh-CN.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_zh-CN.ts @@ -275,48 +275,23 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore - Welcome to the Addon Manager - 欢迎来到插件管理器! + Add-on Manager: Warning! + Add-on Manager: Warning! - - The addons that can be installed here are not officially part of FreeCAD, and are not reviewed by the FreeCAD team. Make sure you know what you are installing! - 可以在此处安装的插件不是 FreeCAD 的正式组成部分,并且未经 FreeCAD 团队审查。 确认你知道你在安装什么! + + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. - - Download Settings - 下载设置 + + Continue + 继续 - - Automatically check installed Addons for updates - 自动检查已安装的插件是否有更新 - - - - Download Macro metadata (approximately 10MB) - 下载宏元数据(大约10MB) - - - - No proxy - 无代理 - - - - System proxy - 系统代理 - - - - User-defined proxy: - 使用默认代理: - - - - These and other settings are available in the FreeCAD Preferences window. - 这些和其他设置可在 FreeCAD 首选项窗口中获得。 + + Cancel + 取消 diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_zh-TW.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_zh-TW.qm index b47ef381942b..f5a702569c7e 100644 Binary files a/src/Mod/AddonManager/Resources/translations/AddonManager_zh-TW.qm and b/src/Mod/AddonManager/Resources/translations/AddonManager_zh-TW.qm differ diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_zh-TW.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_zh-TW.ts index 92e8cc5e8575..61a1240b7e30 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_zh-TW.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_zh-TW.ts @@ -275,48 +275,23 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore - Welcome to the Addon Manager - 觀迎光臨附加元件管理員 + Add-on Manager: Warning! + Add-on Manager: Warning! - - The addons that can be installed here are not officially part of FreeCAD, and are not reviewed by the FreeCAD team. Make sure you know what you are installing! - 這裡可以安裝的附加元件並不是 FreeCAD 官方的一部分,也未經 FreeCAD 團隊審查。請確保您知道您正在安裝什麼! + + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. + The Add-on Manager provides access to an extensive library of useful third-party FreeCAD extensions. No guarantees can be made regarding their safety or functionality. - - Download Settings - 下載設定 + + Continue + 繼續 - - Automatically check installed Addons for updates - 自動檢查已安裝的附加元件是否有更新 - - - - Download Macro metadata (approximately 10MB) - 下載巨集後設資料(約 10 MB) - - - - No proxy - 不使用代理伺服器 - - - - System proxy - 系統的代理伺服器 - - - - User-defined proxy: - 使用者定義的代理伺服器: - - - - These and other settings are available in the FreeCAD Preferences window. - 這些和其他設定可以在 FreeCAD 偏好設定視窗中找到。 + + Cancel + 取消 diff --git a/src/Mod/AddonManager/addonmanager_git.py b/src/Mod/AddonManager/addonmanager_git.py index e25228349340..0cce480db889 100644 --- a/src/Mod/AddonManager/addonmanager_git.py +++ b/src/Mod/AddonManager/addonmanager_git.py @@ -21,7 +21,7 @@ # * * # *************************************************************************** -""" Wrapper around git executable to simplify calling git commands from Python. """ +"""Wrapper around git executable to simplify calling git commands from Python.""" # pylint: disable=too-few-public-methods @@ -148,7 +148,7 @@ def update(self, local_path): fci.Console.PrintWarning( translate( "AddonsInstaller", - "Basic git update failed with the following message:", + "Basic Git update failed with the following message:", ) + str(e) + "\n" @@ -263,7 +263,7 @@ def repair(self, remote, local_path): self.clone(remote, local_path) except GitFailed as e: fci.Console.PrintError( - translate("AddonsInstaller", "Failed to clone {} into {} using git").format( + translate("AddonsInstaller", "Failed to clone {} into {} using Git").format( remote, local_path ) ) diff --git a/src/Mod/AddonManager/addonmanager_workers_startup.py b/src/Mod/AddonManager/addonmanager_workers_startup.py index 6fd6fee5ae3a..3681cbc9de66 100644 --- a/src/Mod/AddonManager/addonmanager_workers_startup.py +++ b/src/Mod/AddonManager/addonmanager_workers_startup.py @@ -279,7 +279,7 @@ def _retrieve_macros_from_git(self): if not self.git_manager: message = translate( "AddonsInstaller", - "Git is disabled, skipping git macros", + "Git is disabled, skipping Git macros", ) self.status_message.emit(message) FreeCAD.Console.PrintWarning(message + "\n") @@ -327,7 +327,7 @@ def _update_local_git_repo(self) -> bool: FreeCAD.Console.PrintWarning( translate( "AddonsInstaller", - "Attempting to change non-git Macro setup to use git\n", + "Attempting to change non-Git Macro setup to use Git\n", ) ) self.git_manager.repair( @@ -603,7 +603,7 @@ def check_workbench(self, wb): "AddonManager: " + translate( "AddonsInstaller", - "Unable to fetch git updates for workbench {}", + "Unable to fetch Git updates for workbench {}", ).format(wb.name) + "\n" ) @@ -617,7 +617,7 @@ def check_workbench(self, wb): wb.set_status(Addon.Status.NO_UPDATE_AVAILABLE) except GitFailed: FreeCAD.Console.PrintWarning( - translate("AddonsInstaller", "git status failed for {}").format(wb.name) + translate("AddonsInstaller", "Git status failed for {}").format(wb.name) + "\n" ) wb.set_status(Addon.Status.CANNOT_CHECK) @@ -909,7 +909,7 @@ def run(self): self.status_message.emit(translate("AddonsInstaller", "Retrieving macro description...")) if not self.macro.parsed and self.macro.on_git: - self.status_message.emit(translate("AddonsInstaller", "Retrieving info from git")) + self.status_message.emit(translate("AddonsInstaller", "Retrieving info from Git")) self.macro.fill_details_from_file(self.macro.src_filename) if not self.macro.parsed and self.macro.on_wiki: self.status_message.emit(translate("AddonsInstaller", "Retrieving info from wiki")) diff --git a/src/Mod/AddonManager/package_list.py b/src/Mod/AddonManager/package_list.py index 573899326f16..c9c2a92558fa 100644 --- a/src/Mod/AddonManager/package_list.py +++ b/src/Mod/AddonManager/package_list.py @@ -306,7 +306,7 @@ def update_content(self, index): self.widget = self.compact self._setup_compact_view(repo) elif self.displayStyle == AddonManagerDisplayStyle.COMPOSITE: - self.widget = self.compact # For now re-use the compact list + self.widget = self.compact # For now reuse the compact list self._setup_composite_view(repo) self.widget.adjustSize() diff --git a/src/Mod/Assembly/CommandCreateView.py b/src/Mod/Assembly/CommandCreateView.py index b0343312bdcd..1712cba89a94 100644 --- a/src/Mod/Assembly/CommandCreateView.py +++ b/src/Mod/Assembly/CommandCreateView.py @@ -526,9 +526,9 @@ def accept(self): UtilsAssembly.restoreAssemblyPartsPlacements(self.assembly, self.initialPlcs) for move in self.viewObj.Moves: move.Visibility = False - commands = f'obj = App.ActiveDocument.getObject("{self.viewObj.Name}")\n' + commands = "" for move in self.viewObj.Moves: - more = UtilsAssembly.generatePropertySettings("obj.Moves[0]", move) + more = UtilsAssembly.generatePropertySettings(move) commands = commands + more Gui.doCommand(commands[:-1]) # Don't use the last \n App.closeActiveTransaction() diff --git a/src/Mod/Assembly/CommandExportASMT.py b/src/Mod/Assembly/CommandExportASMT.py index 88ccf32ef6bc..0ca7d9372a90 100644 --- a/src/Mod/Assembly/CommandExportASMT.py +++ b/src/Mod/Assembly/CommandExportASMT.py @@ -53,7 +53,7 @@ def GetResources(self): } def IsActive(self): - return UtilsAssembly.isAssemblyCommandActive() and UtilsAssembly.isAssemblyGrounded() + return UtilsAssembly.isAssemblyCommandActive() def Activated(self): document = App.ActiveDocument diff --git a/src/Mod/Assembly/CommandSolveAssembly.py b/src/Mod/Assembly/CommandSolveAssembly.py index f1eba695cd43..37d7c60aaae3 100644 --- a/src/Mod/Assembly/CommandSolveAssembly.py +++ b/src/Mod/Assembly/CommandSolveAssembly.py @@ -60,7 +60,7 @@ def GetResources(self): } def IsActive(self): - return UtilsAssembly.isAssemblyCommandActive() and UtilsAssembly.isAssemblyGrounded() + return UtilsAssembly.isAssemblyCommandActive() def Activated(self): assembly = UtilsAssembly.activeAssembly() diff --git a/src/Mod/Assembly/Gui/Resources/panels/TaskAssemblyCreateJoint.ui b/src/Mod/Assembly/Gui/Resources/panels/TaskAssemblyCreateJoint.ui index 2f60f15fb18f..596f540aae89 100644 --- a/src/Mod/Assembly/Gui/Resources/panels/TaskAssemblyCreateJoint.ui +++ b/src/Mod/Assembly/Gui/Resources/panels/TaskAssemblyCreateJoint.ui @@ -82,123 +82,106 @@ - - - Attachement offsets + + + + + Offset + + + + + + + + 0 + 0 + + + + mm + + + + + + + + + + + Rotation + + + + + + + + 0 + 0 + + + + deg + + + + + + + + + + + Offset1 + + + + + + + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + + + + + + + + + + + + + + Offset2 + + + + + + + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + + + + + + + + + + + + Show advanced offsets + + + false - - - - - - Simple - - - - - - - - Offset - - - - - - - - 0 - 0 - - - - mm - - - - - - - - - - - Rotation - - - - - - - - 0 - 0 - - - - deg - - - - - - - - - - Advanced - - - - - - - - Offset1 - - - - - - - By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. - - - - - - - - - - - - - - Offset2 - - - - - - - By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. - - - - - - - - - - - - - - + @@ -218,7 +201,7 @@ - + Limits @@ -331,7 +314,7 @@ - + Reverse rotation diff --git a/src/Mod/Assembly/Gui/Resources/translations/Assembly.ts b/src/Mod/Assembly/Gui/Resources/translations/Assembly.ts index 7c80eea98340..f1533edacf91 100644 --- a/src/Mod/Assembly/Gui/Resources/translations/Assembly.ts +++ b/src/Mod/Assembly/Gui/Resources/translations/Assembly.ts @@ -176,6 +176,31 @@ Assembly + + + Active object + + + + + Turn flexible + + + + + Your sub-assembly is currently rigid. This will make it flexible instead. + + + + + Turn rigid + + + + + Your sub-assembly is currently flexible. This will make it rigid instead. + + Workbench @@ -198,84 +223,84 @@ Assembly - + Fixed - + Revolute - + Cylindrical - + Slider - + Ball - - + + Distance - + Parallel - + Perpendicular - - + + Angle - + RackPinion - + Screw - + Gears - + Belt - + You need to select 2 elements from 2 separate parts. - + Radius 1 - + Pitch radius @@ -378,126 +403,126 @@ App::Property - + The type of the joint - - + + The first reference of the joint - + This is the local coordinate system within Reference1's object that will be used for the joint. - - + + This is the attachment offset of the first connector of the joint. - - + + The second reference of the joint - + This is the local coordinate system within Reference2's object that will be used for the joint. - - + + This is the attachment offset of the second connector of the joint. - + The first object of the joint - + This prevents Placement1 from recomputing, enabling custom positioning of the placement. - + The second object of the joint - + This prevents Placement2 from recomputing, enabling custom positioning of the placement. - + This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) - + This is the second distance of the joint. It is used only by the gear joint to store the second radius. - + This indicates if the joint is active. - + Enable the minimum length limit of the joint. - + Enable the maximum length limit of the joint. - + Enable the minimum angle limit of the joint. - + Enable the minimum length of the joint. - + This is the minimum limit for the length between both coordinate systems (along their Z axis). - + This is the maximum limit for the length between both coordinate systems (along their Z axis). - + This is the minimum limit for the angle between both coordinate systems (between their X axis). - + This is the maximum limit for the angle between both coordinate systems (between their X axis). - + The object to ground - + This is where the part is grounded. @@ -536,52 +561,87 @@ - + + Attachement offsets + + + + + Simple + + + + Offset - + Rotation - + + Advanced + + + + + Offset1 + + + + + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + + + + + Offset2 + + + + + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + + + + Reverse the direction of the joint. - + Reverse - + Limits - + Min length - + Max length - + Min angle - + Max angle - + Reverse rotation @@ -618,6 +678,19 @@ Show only parts + + + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + + + + + Rigid sub-assemblies + + AssemblyGui::DlgSettingsAssembly @@ -661,17 +734,17 @@ The files are named "runPreDrag.asmt" and "dragging.log" and AssemblyGui::ViewProviderAssembly - + The object is associated to one or more joints. - + Do you want to move the object and delete associated joints? - + Move part @@ -927,4 +1000,20 @@ Press ESC to cancel. + + Assembly::AssemblyLink + + + Joints + + + + + Command + + + Toggle Rigid + + + diff --git a/src/Mod/Assembly/Gui/Resources/translations/Assembly_be.ts b/src/Mod/Assembly/Gui/Resources/translations/Assembly_be.ts index 4ae6ef10f699..66d0752ce76e 100644 --- a/src/Mod/Assembly/Gui/Resources/translations/Assembly_be.ts +++ b/src/Mod/Assembly/Gui/Resources/translations/Assembly_be.ts @@ -182,6 +182,31 @@ Assembly Assembly + + + Active object + Бягучы аб'ект + + + + Turn flexible + Turn flexible + + + + Your sub-assembly is currently rigid. This will make it flexible instead. + Your sub-assembly is currently rigid. This will make it flexible instead. + + + + Turn rigid + Turn rigid + + + + Your sub-assembly is currently flexible. This will make it rigid instead. + Your sub-assembly is currently flexible. This will make it rigid instead. + Workbench @@ -204,84 +229,84 @@ Assembly - + Fixed Зафіксаваны - + Revolute Вярчэнне - + Cylindrical Цыліндрычны - + Slider Слізганны - + Ball Шаравы - - + + Distance Адлегласць - + Parallel Паралельна - + Perpendicular Перпендыкуляр - - + + Angle Вугал - + RackPinion Рэечная шасцярня - + Screw Шруба - + Gears Шасцярні - + Belt Рэмень - + You need to select 2 elements from 2 separate parts. Вам трэба абраць два элемента з дзвюх асобных частак. - + Radius 1 Радыус 1 - + Pitch radius Радыус падачы @@ -389,128 +414,128 @@ App::Property - + The type of the joint Тып злучэння - - + + The first reference of the joint Першы спасылак злучэння - + This is the local coordinate system within Reference1's object that will be used for the joint. Лакальная сістэма каардынат у аб'екце Reference1, які будзе ўжывацца для злучэння. - - + + This is the attachment offset of the first connector of the joint. Зрушэнне мацавання першага злучніка злучэння. - - + + The second reference of the joint Другі спасылак злучэння - + This is the local coordinate system within Reference2's object that will be used for the joint. Лакальная сістэма каардынат у аб'екце Reference2, які будзе ўжывацца для злучэння. - - + + This is the attachment offset of the second connector of the joint. Зрушэнне мацавання другога злучніка злучэння. - + The first object of the joint Першы аб'ект злучэння - + This prevents Placement1 from recomputing, enabling custom positioning of the placement. Прадухіляе паўторнае вылічэнне першага месца размяшчэння (Placement1), якое дазваляе наладжваць месцазнаходжанне месца размяшчэння па сваім меркаванні. - + The second object of the joint Другі аб'ект злучэння - + This prevents Placement2 from recomputing, enabling custom positioning of the placement. Прадухіляе паўторнае вылічэнне другога месца размяшчэння (Placement2), якое дазваляе наладжваць месцазнаходжанне месца размяшчэння па сваім меркаванні. - + This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) Адлегласць паміж шарнірамі. Ужываецца толькі ў дыстанцыйным злучэнні, і ў рэечнай шасцярні (радыус падачы), шрубе, шасцярнях і рамяні (радыус1) - + This is the second distance of the joint. It is used only by the gear joint to store the second radius. Другая адлегласць злучэння. Ужываецца толькі ў зубчастым злучэнні для захавання другога радыусу. - + This indicates if the joint is active. Паказвае, што злучэнне актыўнае. - + Enable the minimum length limit of the joint. Дазволіць абмежаванне па найменшай даўжыні злучэння. - + Enable the maximum length limit of the joint. Дазволіць абмежаванне па найбольшай даўжыні злучэння. - + Enable the minimum angle limit of the joint. Дазволіць абмежаванне па найменшым вуглу злучэння. - + Enable the minimum length of the joint. Дазволіць найменшую даўжыню злучэння. - + This is the minimum limit for the length between both coordinate systems (along their Z axis). Найменшая мяжа адлегласці паміж абедзвюма сістэмамі каардынат (наўздоўж іх восі Z). - + This is the maximum limit for the length between both coordinate systems (along their Z axis). Найбольшая мяжа адлегласці паміж абедзвюма сістэмамі каардынат (наўздоўж іх восі Z). - + This is the minimum limit for the angle between both coordinate systems (between their X axis). Найменшае абмежаванне вугла паміж абедзвюма сістэмамі каардынат (паміж іх воссю X). - + This is the maximum limit for the angle between both coordinate systems (between their X axis). Найбольшае абмежаванне вугла паміж абедзвюма сістэмамі каардынат (паміж іх воссю X). - + The object to ground Аб'ект для замацавання - + This is where the part is grounded. Менавіта тут дэталь замацаваная. @@ -550,52 +575,87 @@ Радыус 2 - + + Attachement offsets + Attachement offsets + + + + Simple + Просты + + + Offset Зрушэнне - + Rotation Вярчэнне - + + Advanced + Дадаткова + + + + Offset1 + Offset1 + + + + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + + + + Offset2 + Offset2 + + + + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + + + Reverse the direction of the joint. Зменіць напрамак злучэння на супрацьлеглае. - + Reverse Перавярнуць - + Limits Абмежаванні - + Min length Найменшая даўжыня - + Max length Найбольшая даўжыня - + Min angle Найменшы вугал - + Max angle Найбольшы вугал - + Reverse rotation Развярнуць напрамак @@ -632,6 +692,22 @@ Show only parts Адлюстраваць толькі дэталі + + + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + + + + Rigid sub-assemblies + Rigid sub-assemblies + AssemblyGui::DlgSettingsAssembly @@ -677,17 +753,17 @@ The files are named "runPreDrag.asmt" and "dragging.log" and are located in the AssemblyGui::ViewProviderAssembly - + The object is associated to one or more joints. Аб'ект, які звязаны з адным ці некалькімі злучэннямі. - + Do you want to move the object and delete associated joints? Ці жадаеце вы перамясціць аб'ект і выдаліць звязаныя з ім злучэнні? - + Move part Рухаць дэталь @@ -954,4 +1030,20 @@ Press ESC to cancel. Слупок 'Апісанне' і карыстальніцкія слупкі не перазапісваюцца. + + Assembly::AssemblyLink + + + Joints + Joints + + + + Command + + + Toggle Rigid + Toggle Rigid + + diff --git a/src/Mod/Assembly/Gui/Resources/translations/Assembly_ca.ts b/src/Mod/Assembly/Gui/Resources/translations/Assembly_ca.ts index 37e83d4858f3..d693247a4705 100644 --- a/src/Mod/Assembly/Gui/Resources/translations/Assembly_ca.ts +++ b/src/Mod/Assembly/Gui/Resources/translations/Assembly_ca.ts @@ -176,6 +176,31 @@ Assembly Assembly + + + Active object + Objecte actiu + + + + Turn flexible + Turn flexible + + + + Your sub-assembly is currently rigid. This will make it flexible instead. + Your sub-assembly is currently rigid. This will make it flexible instead. + + + + Turn rigid + Turn rigid + + + + Your sub-assembly is currently flexible. This will make it rigid instead. + Your sub-assembly is currently flexible. This will make it rigid instead. + Workbench @@ -198,84 +223,84 @@ Assembly - + Fixed Fix - + Revolute Revolució - + Cylindrical Cilíndrica - + Slider Lliscant - + Ball Bola - - + + Distance Distància - + Parallel Paral·lel - + Perpendicular Perpendicular - - + + Angle Angle - + RackPinion Pinyó-Cremallera - + Screw Cargol - + Gears Engranatges - + Belt Corretja - + You need to select 2 elements from 2 separate parts. Necessites seleccionar 2 elements de 2 peces separades. - + Radius 1 Radi 1 - + Pitch radius Radi de pas @@ -378,126 +403,126 @@ App::Property - + The type of the joint El tipus de juntura - - + + The first reference of the joint La primera referència de la juntura - + This is the local coordinate system within Reference1's object that will be used for the joint. Aquest és el sistema de coordenades local de la referència 1 de l'objecte, que s'utilitzarà per a la juntura. - - + + This is the attachment offset of the first connector of the joint. Aquesta és l'equidistància adjunta al primer connector de la juntura. - - + + The second reference of the joint La segona referència de la juntura - + This is the local coordinate system within Reference2's object that will be used for the joint. Aquest és el sistema de coordenades local de la referència 2 de l'objecte, que s'utilitzarà per a la juntura. - - + + This is the attachment offset of the second connector of the joint. Aquesta és l'equidistància adjunta al segon connector de la juntura. - + The first object of the joint El primer objecte de la juntura - + This prevents Placement1 from recomputing, enabling custom positioning of the placement. Això impedeix recalcular Placement1, permetent el posicionament personalitzat de la ubicació. - + The second object of the joint El segon objecte de la juntura - + This prevents Placement2 from recomputing, enabling custom positioning of the placement. Això impedeix recalcular Placement2, permetent el posicionament personalitzat de la ubicació. - + This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) Aquest és la distància de la juntura. Només és utilitzada per la juntura de Distància, de Pinyó-Cremallera (radi de pas), de Cargol, d'Engranatges i de Corretja (radi 1) - + This is the second distance of the joint. It is used only by the gear joint to store the second radius. Aquesta és la segona distància de la juntura. Només és utilitzada per la juntura d'Engranatge per a desar el segon radi. - + This indicates if the joint is active. Això indica si la juntura és activa. - + Enable the minimum length limit of the joint. Habilita el límit de longitud mínima de la juntura. - + Enable the maximum length limit of the joint. Habilita el límit de longitud màxima de la juntura. - + Enable the minimum angle limit of the joint. Habilita el límit de l'angle mínim de la juntura. - + Enable the minimum length of the joint. Habilita el límit de l'angle màxim de la juntura. - + This is the minimum limit for the length between both coordinate systems (along their Z axis). Aquest és el límit mínim de la longitud entre els dos sistemes de coordenades (al llarg de l'eix Z). - + This is the maximum limit for the length between both coordinate systems (along their Z axis). Aquest és el límit màxim de la longitud entre els dos sistemes de coordenades (al llarg de l'eix Z). - + This is the minimum limit for the angle between both coordinate systems (between their X axis). Aquest és el límit mínim de l'angle entre els dos sistemes de coordenades (entre el seu eix X). - + This is the maximum limit for the angle between both coordinate systems (between their X axis). Aquest és el límit màxim de l'angle entre els dos sistemes de coordenades (entre el seu eix X). - + The object to ground L'objecte a bloquejar - + This is where the part is grounded. Aquest és on la peça és bloquejada. @@ -536,52 +561,87 @@ Radi 2 - + + Attachement offsets + Attachement offsets + + + + Simple + Simple + + + Offset Equidistància - + Rotation Rotació - + + Advanced + Avançat + + + + Offset1 + Offset1 + + + + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + + + + Offset2 + Offset2 + + + + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + + + Reverse the direction of the joint. Inverteix la direcció de la juntura. - + Reverse Revers - + Limits Límits - + Min length Longitud mínima - + Max length Longitud màxima - + Min angle Angle mínim - + Max angle Angle màxim - + Reverse rotation Inverteix la rotació @@ -618,6 +678,22 @@ Show only parts Només mostra peces + + + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + + + + Rigid sub-assemblies + Rigid sub-assemblies + AssemblyGui::DlgSettingsAssembly @@ -662,17 +738,17 @@ Els fitxers s'anomenen "runPreDrag.asmt" i "dragging.log" i es troben al directo AssemblyGui::ViewProviderAssembly - + The object is associated to one or more joints. L'objecte està associat a una o més juntures. - + Do you want to move the object and delete associated joints? Vols moure l'objecte i eliminar les juntures associades? - + Move part Moure peça @@ -930,4 +1006,20 @@ Perm ESC per a cancel·lar. Les columnes 'Índex', 'Nom', 'Nom de Fitxer' i 'Quantitat' són generades automàticament en recalcular. La 'Descripció' i les columnes personalitzades no se sobreescriuen. + + Assembly::AssemblyLink + + + Joints + Joints + + + + Command + + + Toggle Rigid + Toggle Rigid + + diff --git a/src/Mod/Assembly/Gui/Resources/translations/Assembly_cs.ts b/src/Mod/Assembly/Gui/Resources/translations/Assembly_cs.ts index 018a15ce7908..2db47b00a060 100644 --- a/src/Mod/Assembly/Gui/Resources/translations/Assembly_cs.ts +++ b/src/Mod/Assembly/Gui/Resources/translations/Assembly_cs.ts @@ -176,6 +176,31 @@ Assembly Sestava + + + Active object + Aktivní objekt + + + + Turn flexible + Turn flexible + + + + Your sub-assembly is currently rigid. This will make it flexible instead. + Your sub-assembly is currently rigid. This will make it flexible instead. + + + + Turn rigid + Turn rigid + + + + Your sub-assembly is currently flexible. This will make it rigid instead. + Your sub-assembly is currently flexible. This will make it rigid instead. + Workbench @@ -198,84 +223,84 @@ Assembly - + Fixed Pevné - + Revolute Otáčení - + Cylindrical Válcový - + Slider Posuvný jezdec - + Ball Koule - - + + Distance Vzdálenost - + Parallel Rovnoběžně - + Perpendicular Kolmý - - + + Angle Úhel - + RackPinion HřebenPastorek - + Screw Šroub - + Gears Ozubená kola - + Belt Řemen - + You need to select 2 elements from 2 separate parts. Musíte vybrat 2 prvky ze 2 samostatných dílů. - + Radius 1 Poloměr 1 - + Pitch radius Poloměr rozteče @@ -378,126 +403,126 @@ App::Property - + The type of the joint Druh kloubu - - + + The first reference of the joint První reference spoje - + This is the local coordinate system within Reference1's object that will be used for the joint. Jedná se o lokální souřadnicový systém v rámci objektu Reference1, který bude použit pro spojení. - - + + This is the attachment offset of the first connector of the joint. Jedná se o odsazení připojení prvního konektoru spoje. - - + + The second reference of the joint Druhá reference spoje - + This is the local coordinate system within Reference2's object that will be used for the joint. Jedná se o lokální souřadnicový systém v rámci objektu Reference2, který bude použit pro spojení. - - + + This is the attachment offset of the second connector of the joint. Jedná se o odsazení připojení druhého konektoru spoje. - + The first object of the joint Prvním předmětem společného - + This prevents Placement1 from recomputing, enabling custom positioning of the placement. Tím se zabrání přepočítávání umístění1 a umožní se vlastní umístění. - + The second object of the joint Druhý předmět společného - + This prevents Placement2 from recomputing, enabling custom positioning of the placement. Tím se zabrání přepočítávání umístění2 a umožní se vlastní umístění. - + This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) Toto je vzdálenost spoje. Používá ji pouze spoj distanční, hřebenu a pastorku (poloměr rozteče), šroubový, ozubených kol a řemenu (poloměr1) - + This is the second distance of the joint. It is used only by the gear joint to store the second radius. Toto je druhá vzdálenost spoje. Používá ji pouze spoje ozubených kol pro uložení druhého poloměru. - + This indicates if the joint is active. Ukazuje, zda je spoj aktivní. - + Enable the minimum length limit of the joint. Povolit limit pro minimální délku spoje. - + Enable the maximum length limit of the joint. Povolit limit pro maximální délku spoje. - + Enable the minimum angle limit of the joint. Povolit limit pro minimální úhel spoje. - + Enable the minimum length of the joint. Povolit minimální délku spoje. - + This is the minimum limit for the length between both coordinate systems (along their Z axis). Toto je minimální mez délky mezi oběma souřadnicovými systémy (podél jejich osy Z). - + This is the maximum limit for the length between both coordinate systems (along their Z axis). Toto je maximální mez délky mezi oběma souřadnicovými systémy (podél jejich osy Z). - + This is the minimum limit for the angle between both coordinate systems (between their X axis). Toto je minimální mez úhlu mezi oběma souřadnicovými systémy (mezi jejich osami X). - + This is the maximum limit for the angle between both coordinate systems (between their X axis). Toto je maximální mez úhlu mezi oběma souřadnicovými systémy (mezi jejich osami X). - + The object to ground Objekt k uzemnění - + This is where the part is grounded. Zde je součást uzemněna. @@ -536,52 +561,87 @@ Poloměr 2 - + + Attachement offsets + Attachement offsets + + + + Simple + Jednoduchý + + + Offset Odsazení - + Rotation Rotace - + + Advanced + Pokročilé + + + + Offset1 + Offset1 + + + + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + + + + Offset2 + Offset2 + + + + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + + + Reverse the direction of the joint. Obrátit směr spoje. - + Reverse Obrátit - + Limits Omezení - + Min length Min. délka - + Max length Max. délka - + Min angle Min. úhel - + Max angle Max. úhel - + Reverse rotation Obrátit rotaci @@ -618,6 +678,22 @@ Show only parts Zobrazit pouze díly + + + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + + + + Rigid sub-assemblies + Rigid sub-assemblies + AssemblyGui::DlgSettingsAssembly @@ -662,17 +738,17 @@ Soubory jsou pojmenovány "runPreDrag.asmt" a "dragging.log" a jsou umístěny v AssemblyGui::ViewProviderAssembly - + The object is associated to one or more joints. Objekt je přiřazen k jednomu nebo více spojům. - + Do you want to move the object and delete associated joints? Chcete objekt přesunout a odstranit související spoje? - + Move part Přesunout díl @@ -930,4 +1006,20 @@ Stiskněte ESC pro zrušení. Sloupce 'Index', 'Název', 'Název souboru' a 'Množství' jsou automaticky generovány při přepočítání. 'Popis' a vlastní sloupce nejsou přepsány. + + Assembly::AssemblyLink + + + Joints + Joints + + + + Command + + + Toggle Rigid + Toggle Rigid + + diff --git a/src/Mod/Assembly/Gui/Resources/translations/Assembly_da.ts b/src/Mod/Assembly/Gui/Resources/translations/Assembly_da.ts index 7e5dd63abf70..88e605e5e07a 100644 --- a/src/Mod/Assembly/Gui/Resources/translations/Assembly_da.ts +++ b/src/Mod/Assembly/Gui/Resources/translations/Assembly_da.ts @@ -176,6 +176,31 @@ Assembly Assembly + + + Active object + Aktivt objekt + + + + Turn flexible + Turn flexible + + + + Your sub-assembly is currently rigid. This will make it flexible instead. + Your sub-assembly is currently rigid. This will make it flexible instead. + + + + Turn rigid + Turn rigid + + + + Your sub-assembly is currently flexible. This will make it rigid instead. + Your sub-assembly is currently flexible. This will make it rigid instead. + Workbench @@ -198,84 +223,84 @@ Assembly - + Fixed Fastgjort - + Revolute Revolute - + Cylindrical Cylindrical - + Slider Slider - + Ball Ball - - + + Distance Distance - + Parallel Parallel - + Perpendicular Perpendicular - - + + Angle Vinkel - + RackPinion RackPinion - + Screw Screw - + Gears Gears - + Belt Belt - + You need to select 2 elements from 2 separate parts. You need to select 2 elements from 2 separate parts. - + Radius 1 Radius 1 - + Pitch radius Pitch radius @@ -378,126 +403,126 @@ App::Property - + The type of the joint The type of the joint - - + + The first reference of the joint The first reference of the joint - + This is the local coordinate system within Reference1's object that will be used for the joint. This is the local coordinate system within Reference1's object that will be used for the joint. - - + + This is the attachment offset of the first connector of the joint. This is the attachment offset of the first connector of the joint. - - + + The second reference of the joint The second reference of the joint - + This is the local coordinate system within Reference2's object that will be used for the joint. This is the local coordinate system within Reference2's object that will be used for the joint. - - + + This is the attachment offset of the second connector of the joint. This is the attachment offset of the second connector of the joint. - + The first object of the joint The first object of the joint - + This prevents Placement1 from recomputing, enabling custom positioning of the placement. This prevents Placement1 from recomputing, enabling custom positioning of the placement. - + The second object of the joint The second object of the joint - + This prevents Placement2 from recomputing, enabling custom positioning of the placement. This prevents Placement2 from recomputing, enabling custom positioning of the placement. - + This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) - + This is the second distance of the joint. It is used only by the gear joint to store the second radius. This is the second distance of the joint. It is used only by the gear joint to store the second radius. - + This indicates if the joint is active. This indicates if the joint is active. - + Enable the minimum length limit of the joint. Enable the minimum length limit of the joint. - + Enable the maximum length limit of the joint. Enable the maximum length limit of the joint. - + Enable the minimum angle limit of the joint. Enable the minimum angle limit of the joint. - + Enable the minimum length of the joint. Enable the minimum length of the joint. - + This is the minimum limit for the length between both coordinate systems (along their Z axis). This is the minimum limit for the length between both coordinate systems (along their Z axis). - + This is the maximum limit for the length between both coordinate systems (along their Z axis). This is the maximum limit for the length between both coordinate systems (along their Z axis). - + This is the minimum limit for the angle between both coordinate systems (between their X axis). This is the minimum limit for the angle between both coordinate systems (between their X axis). - + This is the maximum limit for the angle between both coordinate systems (between their X axis). This is the maximum limit for the angle between both coordinate systems (between their X axis). - + The object to ground The object to ground - + This is where the part is grounded. This is where the part is grounded. @@ -536,52 +561,87 @@ Radius 2 - + + Attachement offsets + Attachement offsets + + + + Simple + Simple + + + Offset Forskydning - + Rotation Rotation - + + Advanced + Avanceret + + + + Offset1 + Offset1 + + + + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + + + + Offset2 + Offset2 + + + + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + + + Reverse the direction of the joint. Reverse the direction of the joint. - + Reverse Omvendt - + Limits Limits - + Min length Min length - + Max length Max length - + Min angle Min angle - + Max angle Max angle - + Reverse rotation Reverse rotation @@ -618,6 +678,22 @@ Show only parts Show only parts + + + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + + + + Rigid sub-assemblies + Rigid sub-assemblies + AssemblyGui::DlgSettingsAssembly @@ -662,17 +738,17 @@ The files are named "runPreDrag.asmt" and "dragging.log" and are located in the AssemblyGui::ViewProviderAssembly - + The object is associated to one or more joints. The object is associated to one or more joints. - + Do you want to move the object and delete associated joints? Do you want to move the object and delete associated joints? - + Move part Move part @@ -930,4 +1006,20 @@ Press ESC to cancel. The columns 'Index', 'Name', 'File Name' and 'Quantity' are automatically generated on recompute. The 'Description' and custom columns are not overwritten. + + Assembly::AssemblyLink + + + Joints + Joints + + + + Command + + + Toggle Rigid + Toggle Rigid + + diff --git a/src/Mod/Assembly/Gui/Resources/translations/Assembly_de.ts b/src/Mod/Assembly/Gui/Resources/translations/Assembly_de.ts index 44d68ad9e527..7b4d917d7da2 100644 --- a/src/Mod/Assembly/Gui/Resources/translations/Assembly_de.ts +++ b/src/Mod/Assembly/Gui/Resources/translations/Assembly_de.ts @@ -176,6 +176,31 @@ Assembly Assembly + + + Active object + Aktives Objekt + + + + Turn flexible + Turn flexible + + + + Your sub-assembly is currently rigid. This will make it flexible instead. + Your sub-assembly is currently rigid. This will make it flexible instead. + + + + Turn rigid + Turn rigid + + + + Your sub-assembly is currently flexible. This will make it rigid instead. + Your sub-assembly is currently flexible. This will make it rigid instead. + Workbench @@ -198,84 +223,84 @@ Assembly - + Fixed StarrerVerbund - + Revolute Drehverbindung - + Cylindrical Zylindrische Verbindung - + Slider Gleitverbindung - + Ball Kugelverbindung - - + + Distance Abstand - + Parallel Parallel - + Perpendicular Rechtwinklig - - + + Angle Winkel - + RackPinion Zahnstange-Ritzel - + Screw Spindel - + Gears Zahnräder - + Belt Riemen - + You need to select 2 elements from 2 separate parts. Es müssen 2 Elemente von 2 separaten Bauteilen ausgewählt werden. - + Radius 1 Radius 1 - + Pitch radius Steigungsradius @@ -378,126 +403,126 @@ App::Property - + The type of the joint Die Art der Verbindung - - + + The first reference of the joint Die erste Referenz der Verbindung - + This is the local coordinate system within Reference1's object that will be used for the joint. Dies ist das lokale Koordinatensystem im Objekt der ersten Referenz, welches für die Verbindung verwendet wird. - - + + This is the attachment offset of the first connector of the joint. Dies ist der Befestigungsversatz des ersten Gelenks der Verbindung. - - + + The second reference of the joint Die zweite Referenz der Verbindung - + This is the local coordinate system within Reference2's object that will be used for the joint. Dies ist das lokale Koordinatensystem im Objekt der zweiten Referenz, welches für die Verbindung verwendet wird. - - + + This is the attachment offset of the second connector of the joint. Dies ist der Befestigungsversatz des zweiten Gelenks der Verbindung. - + The first object of the joint Das erste Objekt der Verbindung - + This prevents Placement1 from recomputing, enabling custom positioning of the placement. Dies verhindert die Neuberechnung der ersten Platzierung, wodurch eine benuzerdefinierte Platzierung ermöglicht wird. - + The second object of the joint Das zweite Objekt der Verbindung - + This prevents Placement2 from recomputing, enabling custom positioning of the placement. Dies verhindert die Neuberechnung der zweiten Platzierung, wodurch eine benuzerdefinierte Platzierung ermöglicht wird. - + This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) Dies ist der Abstand der Verbindung. Dieser wird nur von der Abstandsverbindung, der Zahnstange-Ritzel-Verbindung und der Spindelverbindung (als Steigungsradius), sowie der Zahnrad- und der Riemenverbindung (als Radius 1) verwendet - + This is the second distance of the joint. It is used only by the gear joint to store the second radius. Dies ist der zweite Abstand der Verbindung. Er wird nur von der Zahnrad- und der Riemenverbindung für den zweiten Radius verwendet. - + This indicates if the joint is active. Dies zeigt an, ob die Verbindung aktiv ist. - + Enable the minimum length limit of the joint. Aktiviere die minimale Längenbegrenzung der Verbindung. - + Enable the maximum length limit of the joint. Aktiviere die maximale Längenbegrenzung der Verbindung. - + Enable the minimum angle limit of the joint. Aktiviere die minimale Winkelbegrenzung der Verbindung. - + Enable the minimum length of the joint. Aktiviere die maximale Länge der Verbindung. - + This is the minimum limit for the length between both coordinate systems (along their Z axis). Dies ist der minimale Grenzwert für den Abstand zwischen beiden Koordinatensystemen (entlang ihrer Z-Achse). - + This is the maximum limit for the length between both coordinate systems (along their Z axis). Dies ist der maximale Grenzwert für den Abstand zwischen beiden Koordinatensystemen (entlang ihrer Z-Achse). - + This is the minimum limit for the angle between both coordinate systems (between their X axis). Dies ist der minimale Grenzwert für den Winkel zwischen beiden Koordinatensystemen (zwischen ihrer X-Achse). - + This is the maximum limit for the angle between both coordinate systems (between their X axis). Dies ist der maximale Grenzwert für den Winkel zwischen beiden Koordinatensystemen (zwischen ihrer X-Achse). - + The object to ground Das festzusetzende Objekt - + This is where the part is grounded. Dies ist die Position, an der das Objekt festgesetzt wird. @@ -536,52 +561,87 @@ Radius 2 - + + Attachement offsets + Attachement offsets + + + + Simple + Einfach + + + Offset Versatz - + Rotation Drehwinkel - + + Advanced + Erweitert + + + + Offset1 + Offset1 + + + + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + + + + Offset2 + Offset2 + + + + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + + + Reverse the direction of the joint. Die Richtung der Verbindung umkehren. - + Reverse Umkehren - + Limits Grenzwerte - + Min length Minimale Länge - + Max length Maximale Länge - + Min angle Minimaler Winkel - + Max angle Maximaler Winkel - + Reverse rotation Drehrichtung umkehren @@ -618,6 +678,22 @@ Show only parts Nur Part-Objekte anzeigen + + + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + + + + Rigid sub-assemblies + Rigid sub-assemblies + AssemblyGui::DlgSettingsAssembly @@ -662,17 +738,17 @@ Die Dateien heißen "runPreDrag.asmt" und "dragging.log" und befinden sich im St AssemblyGui::ViewProviderAssembly - + The object is associated to one or more joints. Das Objekt gehört zu einer oder mehreren Verbindungen. - + Do you want to move the object and delete associated joints? Soll das Objekt bewegt und zugehörige Verbindungen gelöscht werden? - + Move part Bauteil verschieben @@ -930,4 +1006,20 @@ ESC zum abbrechen. Die Spalten 'Index', 'Name', 'Dateiname' und 'Menge' werden automatisch beim Neuberechnen generiert. Die 'Beschreibung' und benutzerdefinierte Spalten werden nicht überschrieben. + + Assembly::AssemblyLink + + + Joints + Joints + + + + Command + + + Toggle Rigid + Toggle Rigid + + diff --git a/src/Mod/Assembly/Gui/Resources/translations/Assembly_el.ts b/src/Mod/Assembly/Gui/Resources/translations/Assembly_el.ts index d6b2fe5251fa..b2d05bb804c8 100644 --- a/src/Mod/Assembly/Gui/Resources/translations/Assembly_el.ts +++ b/src/Mod/Assembly/Gui/Resources/translations/Assembly_el.ts @@ -176,6 +176,31 @@ Assembly Assembly + + + Active object + Active object + + + + Turn flexible + Turn flexible + + + + Your sub-assembly is currently rigid. This will make it flexible instead. + Your sub-assembly is currently rigid. This will make it flexible instead. + + + + Turn rigid + Turn rigid + + + + Your sub-assembly is currently flexible. This will make it rigid instead. + Your sub-assembly is currently flexible. This will make it rigid instead. + Workbench @@ -198,84 +223,84 @@ Assembly - + Fixed Σταθερό - + Revolute Περιστροφή - + Cylindrical Κυλινδρικό - + Slider Slider - + Ball Μπάλα - - + + Distance Απόσταση - + Parallel Παράλληλο - + Perpendicular Κάθετο - - + + Angle Γωνία - + RackPinion RackPinion - + Screw Screw - + Gears Gears - + Belt Belt - + You need to select 2 elements from 2 separate parts. You need to select 2 elements from 2 separate parts. - + Radius 1 Radius 1 - + Pitch radius Pitch radius @@ -378,126 +403,126 @@ App::Property - + The type of the joint The type of the joint - - + + The first reference of the joint The first reference of the joint - + This is the local coordinate system within Reference1's object that will be used for the joint. This is the local coordinate system within Reference1's object that will be used for the joint. - - + + This is the attachment offset of the first connector of the joint. This is the attachment offset of the first connector of the joint. - - + + The second reference of the joint The second reference of the joint - + This is the local coordinate system within Reference2's object that will be used for the joint. This is the local coordinate system within Reference2's object that will be used for the joint. - - + + This is the attachment offset of the second connector of the joint. This is the attachment offset of the second connector of the joint. - + The first object of the joint The first object of the joint - + This prevents Placement1 from recomputing, enabling custom positioning of the placement. This prevents Placement1 from recomputing, enabling custom positioning of the placement. - + The second object of the joint The second object of the joint - + This prevents Placement2 from recomputing, enabling custom positioning of the placement. This prevents Placement2 from recomputing, enabling custom positioning of the placement. - + This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) - + This is the second distance of the joint. It is used only by the gear joint to store the second radius. This is the second distance of the joint. It is used only by the gear joint to store the second radius. - + This indicates if the joint is active. Αυτό υποδεικνύει εάν η άρθρωση είναι ενεργή. - + Enable the minimum length limit of the joint. Enable the minimum length limit of the joint. - + Enable the maximum length limit of the joint. Enable the maximum length limit of the joint. - + Enable the minimum angle limit of the joint. Enable the minimum angle limit of the joint. - + Enable the minimum length of the joint. Enable the minimum length of the joint. - + This is the minimum limit for the length between both coordinate systems (along their Z axis). This is the minimum limit for the length between both coordinate systems (along their Z axis). - + This is the maximum limit for the length between both coordinate systems (along their Z axis). This is the maximum limit for the length between both coordinate systems (along their Z axis). - + This is the minimum limit for the angle between both coordinate systems (between their X axis). This is the minimum limit for the angle between both coordinate systems (between their X axis). - + This is the maximum limit for the angle between both coordinate systems (between their X axis). This is the maximum limit for the angle between both coordinate systems (between their X axis). - + The object to ground Το αντικείμενο στο έδαφος - + This is where the part is grounded. Εδώ είναι όπου το εξάρτημα γειώνεται. @@ -536,52 +561,87 @@ Radius 2 - + + Attachement offsets + Attachement offsets + + + + Simple + Απλό + + + Offset Μετατοπίστε - + Rotation Περιστροφή - + + Advanced + Advanced + + + + Offset1 + Offset1 + + + + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + + + + Offset2 + Offset2 + + + + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + + + Reverse the direction of the joint. Αντίστροφη κατεύθυνση της άρθρωσης. - + Reverse Αντιστροφή - + Limits Limits - + Min length Min length - + Max length Max length - + Min angle Min angle - + Max angle Max angle - + Reverse rotation Reverse rotation @@ -618,6 +678,22 @@ Show only parts Show only parts + + + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + + + + Rigid sub-assemblies + Rigid sub-assemblies + AssemblyGui::DlgSettingsAssembly @@ -662,17 +738,17 @@ The files are named "runPreDrag.asmt" and "dragging.log" and are located in the AssemblyGui::ViewProviderAssembly - + The object is associated to one or more joints. The object is associated to one or more joints. - + Do you want to move the object and delete associated joints? Do you want to move the object and delete associated joints? - + Move part Μετακίνηση εξαρτήματος @@ -931,4 +1007,20 @@ Press ESC to cancel. The columns 'Index', 'Name', 'File Name' and 'Quantity' are automatically generated on recompute. The 'Description' and custom columns are not overwritten. + + Assembly::AssemblyLink + + + Joints + Joints + + + + Command + + + Toggle Rigid + Toggle Rigid + + diff --git a/src/Mod/Assembly/Gui/Resources/translations/Assembly_es-AR.ts b/src/Mod/Assembly/Gui/Resources/translations/Assembly_es-AR.ts index 7b2d9654d1bc..339cfb5937d6 100644 --- a/src/Mod/Assembly/Gui/Resources/translations/Assembly_es-AR.ts +++ b/src/Mod/Assembly/Gui/Resources/translations/Assembly_es-AR.ts @@ -176,6 +176,31 @@ Assembly Ensamblaje + + + Active object + Objeto activo + + + + Turn flexible + Turn flexible + + + + Your sub-assembly is currently rigid. This will make it flexible instead. + Your sub-assembly is currently rigid. This will make it flexible instead. + + + + Turn rigid + Turn rigid + + + + Your sub-assembly is currently flexible. This will make it rigid instead. + Your sub-assembly is currently flexible. This will make it rigid instead. + Workbench @@ -198,84 +223,84 @@ Assembly - + Fixed Fijo - + Revolute Revoluta - + Cylindrical Clíndrica - + Slider Deslizante - + Ball Esfera - - + + Distance Distancia - + Parallel Paralelo - + Perpendicular Perpendicular - - + + Angle Ángulo - + RackPinion PiñónCremallera - + Screw Helicoide - + Gears Engranajes - + Belt Correa - + You need to select 2 elements from 2 separate parts. Necesita seleccionar 2 elementos de 2 partes separadas. - + Radius 1 Radio 1 - + Pitch radius Radio de paso @@ -378,126 +403,126 @@ App::Property - + The type of the joint El tipo de unión - - + + The first reference of the joint La primer referencia de la unión - + This is the local coordinate system within Reference1's object that will be used for the joint. Este es el sistema de coordenadas local dentro del objeto de Referencia1 que se usará para la unión. - - + + This is the attachment offset of the first connector of the joint. Este es el desfase de la asociación del primer conector de la articulación. - - + + The second reference of the joint La segunda referencia de la unión - + This is the local coordinate system within Reference2's object that will be used for the joint. Este es el sistema de coordenadas local dentro del objeto de Referencia2 que se usará para la unión. - - + + This is the attachment offset of the second connector of the joint. Este es el desfase de la asociación del segundo conector de la articulación. - + The first object of the joint El primer objeto de la unión - + This prevents Placement1 from recomputing, enabling custom positioning of the placement. Esto evita que Placement1 recompile y habilita la posición personalizada de la ubicación. - + The second object of the joint El segundo objeto de la unión - + This prevents Placement2 from recomputing, enabling custom positioning of the placement. Esto evita que Placement2 recompile y habilita la posición personalizada de la ubicación. - + This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) Esta es la distancia de la unión. Se utiliza solo por las uniones Distancia, Cremallera, Piñón (radio de paso), Helicoide, Engranaje y Correa (radio1) - + This is the second distance of the joint. It is used only by the gear joint to store the second radius. Esta es la segunda distancia de la unión, que solo es utilizada por la unión de engranajes para almacenar el segundo radio. - + This indicates if the joint is active. Esto indica si la unión está activa. - + Enable the minimum length limit of the joint. Habilita el límite de longitud mínima de la unión. - + Enable the maximum length limit of the joint. Habilita el límite de longitud máxima de la unión. - + Enable the minimum angle limit of the joint. Habilita el límite de ángulo mínimo de la unión. - + Enable the minimum length of the joint. Habilita la longitud mínima de la unión. - + This is the minimum limit for the length between both coordinate systems (along their Z axis). Este es el límite mínimo para la longitud entre ambos sistemas de coordenadas (a lo largo de su eje Z). - + This is the maximum limit for the length between both coordinate systems (along their Z axis). Este es el límite máximo para la longitud entre ambos sistemas de coordenadas (a lo largo de su eje Z). - + This is the minimum limit for the angle between both coordinate systems (between their X axis). Este es el límite mínimo para el ángulo entre ambos sistemas de coordenadas (entre su eje X). - + This is the maximum limit for the angle between both coordinate systems (between their X axis). Este es el límite máximo para el ángulo entre ambos sistemas de coordenadas (entre su eje X). - + The object to ground El objeto a fijar - + This is where the part is grounded. Aquí es donde la parte es fijada. @@ -536,52 +561,87 @@ Radio 2 - + + Attachement offsets + Attachement offsets + + + + Simple + Simple + + + Offset Desfase - + Rotation Rotación - + + Advanced + Avanzado + + + + Offset1 + Offset1 + + + + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + + + + Offset2 + Offset2 + + + + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + + + Reverse the direction of the joint. Invertir la dirección de la unión. - + Reverse Invertir - + Limits Límites - + Min length Longitud mínima - + Max length Longitud máxima - + Min angle Ángulo mínimo - + Max angle Ángulo máximo - + Reverse rotation Invertir rotación @@ -618,6 +678,22 @@ Show only parts Mostrar solo partes + + + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + + + + Rigid sub-assemblies + Rigid sub-assemblies + AssemblyGui::DlgSettingsAssembly @@ -662,17 +738,17 @@ Los archivos se llaman "runPreDrag. smt" y "dragging.log" y están ubicados en e AssemblyGui::ViewProviderAssembly - + The object is associated to one or more joints. El objeto es asociado a una o más uniones. - + Do you want to move the object and delete associated joints? ¿Quiere mover el objeto y eliminar las uniones asociadas? - + Move part Mover parte @@ -922,7 +998,7 @@ Presione ESC para cancelar. The BOM object is a document object that stores the settings of your BOM. It is also a spreadsheet object so you can easily visualize the BOM. If you don't need the BOM object to be saved as a document object, you can simply export and cancel the task. - El objeto BOM es un objeto de documento que almacena la configuración de su BOM. También es un objeto de hoja de cálculo para que puedas visualizar fácilmente la BOM. Si no necesita que el objeto BOM se guarde como un objeto de documento, puede simplemente exportar y cancelar la tarea. + El objeto BOM es un objeto de documento que almacena la configuración de su BOM. También es un objeto de hoja de cálculo para que pueda visualizar fácilmente el BOM. Si no necesita que el objeto BOM se guarde como un objeto de documento, puede simplemente exportar y cancelar la tarea. @@ -930,4 +1006,20 @@ Presione ESC para cancelar. Las columnas 'Índice', 'Nombre', 'Nombre de archivo' y 'Cantidad' se generan automáticamente al volver a ejecutarse. Las columnas 'Descripción' y personalizadas no se sobrescriben. + + Assembly::AssemblyLink + + + Joints + Joints + + + + Command + + + Toggle Rigid + Toggle Rigid + + diff --git a/src/Mod/Assembly/Gui/Resources/translations/Assembly_es-ES.ts b/src/Mod/Assembly/Gui/Resources/translations/Assembly_es-ES.ts index 40b41e10ab20..6fc78c34938c 100644 --- a/src/Mod/Assembly/Gui/Resources/translations/Assembly_es-ES.ts +++ b/src/Mod/Assembly/Gui/Resources/translations/Assembly_es-ES.ts @@ -176,6 +176,31 @@ Assembly Ensamblaje + + + Active object + Objeto activo + + + + Turn flexible + Turn flexible + + + + Your sub-assembly is currently rigid. This will make it flexible instead. + Your sub-assembly is currently rigid. This will make it flexible instead. + + + + Turn rigid + Turn rigid + + + + Your sub-assembly is currently flexible. This will make it rigid instead. + Your sub-assembly is currently flexible. This will make it rigid instead. + Workbench @@ -198,84 +223,84 @@ Assembly - + Fixed Fijo - + Revolute Revoluta - + Cylindrical Clíndrica - + Slider Deslizante - + Ball Esfera - - + + Distance Distancia - + Parallel Paralelo - + Perpendicular Perpendicular - - + + Angle Ángulo - + RackPinion PiñonCremallera - + Screw Tornillo - + Gears Engranajes - + Belt Correa - + You need to select 2 elements from 2 separate parts. Necesita seleccionar 2 elementos de 2 partes separadas. - + Radius 1 Radio 1 - + Pitch radius Radio de paso @@ -378,126 +403,126 @@ App::Property - + The type of the joint El tipo de articulación - - + + The first reference of the joint La primer referencia de la articulación - + This is the local coordinate system within Reference1's object that will be used for the joint. Este es el sistema de coordenadas local dentro del objeto de Referencia1 que se usará para la articulación. - - + + This is the attachment offset of the first connector of the joint. Este es el desfase de la asociación del primer conector de la articulación. - - + + The second reference of the joint La segunda referencia de la articulación - + This is the local coordinate system within Reference2's object that will be used for the joint. Este es el sistema de coordenadas local dentro del objeto de Referencia2 que se usará para la articulación. - - + + This is the attachment offset of the second connector of the joint. Este es el desfase de la asociación del segundo conector de la articulación. - + The first object of the joint El primer objeto de la articulación - + This prevents Placement1 from recomputing, enabling custom positioning of the placement. Esto evita recalcular Placement1 habilitando el posicionamiento personalizado de la ubicación. - + The second object of the joint El segundo objeto de la articulación - + This prevents Placement2 from recomputing, enabling custom positioning of the placement. Esto evita recalcular Placement2 habilitando el posicionamiento personalizado de la ubicación. - + This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) Esta es la distancia de la articulación. Se utiliza sólo por la articulación Distancia y Piñon y cremallera (radio de paso), Tornillo y Engranaje y correa (radio1) - + This is the second distance of the joint. It is used only by the gear joint to store the second radius. Esta es la segunda distancia de la articulación, Sólo es utilizada por la articulación de engranajes para almacenar el segundo radio. - + This indicates if the joint is active. Esto indica si la articulación está activa. - + Enable the minimum length limit of the joint. Habilita el límite de longitud mínima de la articulación. - + Enable the maximum length limit of the joint. Habilita el límite de longitud máxima de la articulación. - + Enable the minimum angle limit of the joint. Habilita el límite de ángulo mínimo de la articulación. - + Enable the minimum length of the joint. Habilita la longitud mínima de la articulación. - + This is the minimum limit for the length between both coordinate systems (along their Z axis). Este es el límite mínimo para la longitud entre ambos sistemas de coordenadas (a lo largo de su eje Z). - + This is the maximum limit for the length between both coordinate systems (along their Z axis). Este es el límite máximo para la longitud entre ambos sistemas de coordenadas (a lo largo de su eje Z). - + This is the minimum limit for the angle between both coordinate systems (between their X axis). Este es el límite mínimo para el ángulo entre ambos sistemas de coordenadas (entre su eje X). - + This is the maximum limit for the angle between both coordinate systems (between their X axis). Este es el límite máximo para el ángulo entre ambos sistemas de coordenadas (entre su eje X). - + The object to ground El objeto a fijar - + This is where the part is grounded. Aquí es donde la parte es fijada. @@ -536,52 +561,87 @@ Radio 2 - + + Attachement offsets + Attachement offsets + + + + Simple + Simple + + + Offset Desfase - + Rotation Rotación - + + Advanced + Avanzado + + + + Offset1 + Offset1 + + + + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + + + + Offset2 + Offset2 + + + + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + + + Reverse the direction of the joint. Invertir la dirección de la articulación. - + Reverse Invertir - + Limits Límites - + Min length Longitud mínima - + Max length Longitud máxima - + Min angle Ángulo mínimo - + Max angle Ángulo máximo - + Reverse rotation Invertir rotación @@ -618,6 +678,22 @@ Show only parts Solo mostrar partes + + + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + + + + Rigid sub-assemblies + Rigid sub-assemblies + AssemblyGui::DlgSettingsAssembly @@ -662,17 +738,17 @@ Los archivos se llaman "runPreDrag. smt" y "dragging.log" y están ubicados en e AssemblyGui::ViewProviderAssembly - + The object is associated to one or more joints. El objeto es asociado a una o más articulaciones. - + Do you want to move the object and delete associated joints? ¿Quiere mover el objeto y eliminar las articulaciones asociadas? - + Move part Mover parte @@ -930,4 +1006,20 @@ Presione ESC para cancelar. Las columnas 'Índice', 'Nombre', 'Nombre de archivo' y 'Cantidad' se generan automáticamente al recalcular. Las columna 'Descripción' y columnas personalizadas no se sobrescriben. + + Assembly::AssemblyLink + + + Joints + Joints + + + + Command + + + Toggle Rigid + Toggle Rigid + + diff --git a/src/Mod/Assembly/Gui/Resources/translations/Assembly_eu.ts b/src/Mod/Assembly/Gui/Resources/translations/Assembly_eu.ts index 656045d58059..1294871d591a 100644 --- a/src/Mod/Assembly/Gui/Resources/translations/Assembly_eu.ts +++ b/src/Mod/Assembly/Gui/Resources/translations/Assembly_eu.ts @@ -176,6 +176,31 @@ Assembly Muntaketa + + + Active object + Objektu aktiboa + + + + Turn flexible + Turn flexible + + + + Your sub-assembly is currently rigid. This will make it flexible instead. + Your sub-assembly is currently rigid. This will make it flexible instead. + + + + Turn rigid + Turn rigid + + + + Your sub-assembly is currently flexible. This will make it rigid instead. + Your sub-assembly is currently flexible. This will make it rigid instead. + Workbench @@ -198,84 +223,84 @@ Assembly - + Fixed Finkoa - + Revolute Erreboluzioa - + Cylindrical Zilindrikoa - + Slider Slider - + Ball Bola - - + + Distance Distantzia - + Parallel Paraleloa - + Perpendicular Perpendikularra - - + + Angle Angelua - + RackPinion RackPinion - + Screw Torlojua - + Gears Engranajeak - + Belt Gerrikoa - + You need to select 2 elements from 2 separate parts. You need to select 2 elements from 2 separate parts. - + Radius 1 Radius 1 - + Pitch radius Pitch radius @@ -378,126 +403,126 @@ App::Property - + The type of the joint The type of the joint - - + + The first reference of the joint The first reference of the joint - + This is the local coordinate system within Reference1's object that will be used for the joint. This is the local coordinate system within Reference1's object that will be used for the joint. - - + + This is the attachment offset of the first connector of the joint. This is the attachment offset of the first connector of the joint. - - + + The second reference of the joint The second reference of the joint - + This is the local coordinate system within Reference2's object that will be used for the joint. This is the local coordinate system within Reference2's object that will be used for the joint. - - + + This is the attachment offset of the second connector of the joint. This is the attachment offset of the second connector of the joint. - + The first object of the joint The first object of the joint - + This prevents Placement1 from recomputing, enabling custom positioning of the placement. This prevents Placement1 from recomputing, enabling custom positioning of the placement. - + The second object of the joint The second object of the joint - + This prevents Placement2 from recomputing, enabling custom positioning of the placement. This prevents Placement2 from recomputing, enabling custom positioning of the placement. - + This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) - + This is the second distance of the joint. It is used only by the gear joint to store the second radius. This is the second distance of the joint. It is used only by the gear joint to store the second radius. - + This indicates if the joint is active. This indicates if the joint is active. - + Enable the minimum length limit of the joint. Enable the minimum length limit of the joint. - + Enable the maximum length limit of the joint. Enable the maximum length limit of the joint. - + Enable the minimum angle limit of the joint. Enable the minimum angle limit of the joint. - + Enable the minimum length of the joint. Enable the minimum length of the joint. - + This is the minimum limit for the length between both coordinate systems (along their Z axis). This is the minimum limit for the length between both coordinate systems (along their Z axis). - + This is the maximum limit for the length between both coordinate systems (along their Z axis). This is the maximum limit for the length between both coordinate systems (along their Z axis). - + This is the minimum limit for the angle between both coordinate systems (between their X axis). This is the minimum limit for the angle between both coordinate systems (between their X axis). - + This is the maximum limit for the angle between both coordinate systems (between their X axis). This is the maximum limit for the angle between both coordinate systems (between their X axis). - + The object to ground The object to ground - + This is where the part is grounded. This is where the part is grounded. @@ -536,52 +561,87 @@ 2. erradioa - + + Attachement offsets + Attachement offsets + + + + Simple + Sinplea + + + Offset Desplazamendua - + Rotation Biraketa - + + Advanced + Aurreratua + + + + Offset1 + Offset1 + + + + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + + + + Offset2 + Offset2 + + + + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + + + Reverse the direction of the joint. Reverse the direction of the joint. - + Reverse Alderantzizkatu - + Limits Limits - + Min length Min length - + Max length Max length - + Min angle Min angle - + Max angle Max angle - + Reverse rotation Reverse rotation @@ -618,6 +678,22 @@ Show only parts Show only parts + + + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + + + + Rigid sub-assemblies + Rigid sub-assemblies + AssemblyGui::DlgSettingsAssembly @@ -662,17 +738,17 @@ The files are named "runPreDrag.asmt" and "dragging.log" and are located in the AssemblyGui::ViewProviderAssembly - + The object is associated to one or more joints. The object is associated to one or more joints. - + Do you want to move the object and delete associated joints? Do you want to move the object and delete associated joints? - + Move part Move part @@ -930,4 +1006,20 @@ Press ESC to cancel. The columns 'Index', 'Name', 'File Name' and 'Quantity' are automatically generated on recompute. The 'Description' and custom columns are not overwritten. + + Assembly::AssemblyLink + + + Joints + Joints + + + + Command + + + Toggle Rigid + Toggle Rigid + + diff --git a/src/Mod/Assembly/Gui/Resources/translations/Assembly_fi.ts b/src/Mod/Assembly/Gui/Resources/translations/Assembly_fi.ts index eb52df2d525c..faac95994104 100644 --- a/src/Mod/Assembly/Gui/Resources/translations/Assembly_fi.ts +++ b/src/Mod/Assembly/Gui/Resources/translations/Assembly_fi.ts @@ -176,6 +176,31 @@ Assembly Kokoonpano + + + Active object + Active object + + + + Turn flexible + Turn flexible + + + + Your sub-assembly is currently rigid. This will make it flexible instead. + Your sub-assembly is currently rigid. This will make it flexible instead. + + + + Turn rigid + Turn rigid + + + + Your sub-assembly is currently flexible. This will make it rigid instead. + Your sub-assembly is currently flexible. This will make it rigid instead. + Workbench @@ -198,84 +223,84 @@ Assembly - + Fixed Kiinnitetty - + Revolute Revolute - + Cylindrical Cylindrical - + Slider Slider - + Ball Ball - - + + Distance Etäisyys - + Parallel Samansuuntainen - + Perpendicular Kohtisuora - - + + Angle Kulma - + RackPinion RackPinion - + Screw Screw - + Gears Gears - + Belt Belt - + You need to select 2 elements from 2 separate parts. You need to select 2 elements from 2 separate parts. - + Radius 1 Radius 1 - + Pitch radius Pitch radius @@ -378,126 +403,126 @@ App::Property - + The type of the joint The type of the joint - - + + The first reference of the joint The first reference of the joint - + This is the local coordinate system within Reference1's object that will be used for the joint. This is the local coordinate system within Reference1's object that will be used for the joint. - - + + This is the attachment offset of the first connector of the joint. This is the attachment offset of the first connector of the joint. - - + + The second reference of the joint The second reference of the joint - + This is the local coordinate system within Reference2's object that will be used for the joint. This is the local coordinate system within Reference2's object that will be used for the joint. - - + + This is the attachment offset of the second connector of the joint. This is the attachment offset of the second connector of the joint. - + The first object of the joint The first object of the joint - + This prevents Placement1 from recomputing, enabling custom positioning of the placement. This prevents Placement1 from recomputing, enabling custom positioning of the placement. - + The second object of the joint The second object of the joint - + This prevents Placement2 from recomputing, enabling custom positioning of the placement. This prevents Placement2 from recomputing, enabling custom positioning of the placement. - + This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) - + This is the second distance of the joint. It is used only by the gear joint to store the second radius. This is the second distance of the joint. It is used only by the gear joint to store the second radius. - + This indicates if the joint is active. This indicates if the joint is active. - + Enable the minimum length limit of the joint. Enable the minimum length limit of the joint. - + Enable the maximum length limit of the joint. Enable the maximum length limit of the joint. - + Enable the minimum angle limit of the joint. Enable the minimum angle limit of the joint. - + Enable the minimum length of the joint. Enable the minimum length of the joint. - + This is the minimum limit for the length between both coordinate systems (along their Z axis). This is the minimum limit for the length between both coordinate systems (along their Z axis). - + This is the maximum limit for the length between both coordinate systems (along their Z axis). This is the maximum limit for the length between both coordinate systems (along their Z axis). - + This is the minimum limit for the angle between both coordinate systems (between their X axis). This is the minimum limit for the angle between both coordinate systems (between their X axis). - + This is the maximum limit for the angle between both coordinate systems (between their X axis). This is the maximum limit for the angle between both coordinate systems (between their X axis). - + The object to ground The object to ground - + This is where the part is grounded. This is where the part is grounded. @@ -536,52 +561,87 @@ Radius 2 - + + Attachement offsets + Attachement offsets + + + + Simple + Yksinkertainen + + + Offset Siirtymä - + Rotation Kierto - + + Advanced + Lisäasetukset + + + + Offset1 + Offset1 + + + + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + + + + Offset2 + Offset2 + + + + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + + + Reverse the direction of the joint. Reverse the direction of the joint. - + Reverse Käänteinen - + Limits Limits - + Min length Min length - + Max length Max length - + Min angle Min angle - + Max angle Max angle - + Reverse rotation Reverse rotation @@ -618,6 +678,22 @@ Show only parts Show only parts + + + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + + + + Rigid sub-assemblies + Rigid sub-assemblies + AssemblyGui::DlgSettingsAssembly @@ -662,17 +738,17 @@ The files are named "runPreDrag.asmt" and "dragging.log" and are located in the AssemblyGui::ViewProviderAssembly - + The object is associated to one or more joints. The object is associated to one or more joints. - + Do you want to move the object and delete associated joints? Do you want to move the object and delete associated joints? - + Move part Move part @@ -930,4 +1006,20 @@ Press ESC to cancel. The columns 'Index', 'Name', 'File Name' and 'Quantity' are automatically generated on recompute. The 'Description' and custom columns are not overwritten. + + Assembly::AssemblyLink + + + Joints + Joints + + + + Command + + + Toggle Rigid + Toggle Rigid + + diff --git a/src/Mod/Assembly/Gui/Resources/translations/Assembly_fr.ts b/src/Mod/Assembly/Gui/Resources/translations/Assembly_fr.ts index 131159f30b89..b4a72cff32aa 100644 --- a/src/Mod/Assembly/Gui/Resources/translations/Assembly_fr.ts +++ b/src/Mod/Assembly/Gui/Resources/translations/Assembly_fr.ts @@ -176,6 +176,31 @@ Assembly Assemblage + + + Active object + L'objet actif + + + + Turn flexible + Turn flexible + + + + Your sub-assembly is currently rigid. This will make it flexible instead. + Your sub-assembly is currently rigid. This will make it flexible instead. + + + + Turn rigid + Turn rigid + + + + Your sub-assembly is currently flexible. This will make it rigid instead. + Your sub-assembly is currently flexible. This will make it rigid instead. + Workbench @@ -198,84 +223,84 @@ Assembly - + Fixed Fixe - + Revolute Pivot - + Cylindrical Pivot glissant - + Slider Glissière - + Ball Bille - - + + Distance Longueur - + Parallel Parallèle - + Perpendicular Perpendiculaire - - + + Angle Angle - + RackPinion Crémaillère - + Screw Hélicoïde - + Gears Engrenage - + Belt Courroie - + You need to select 2 elements from 2 separate parts. Vous devez sélectionner 2 éléments de 2 pièces séparées. - + Radius 1 Rayon 1 - + Pitch radius Rayon primitif @@ -378,126 +403,126 @@ App::Property - + The type of the joint Le type de liaison - - + + The first reference of the joint La première référence de la liaison - + This is the local coordinate system within Reference1's object that will be used for the joint. Il s'agit du système de coordonnées locales dans l'objet Reference1 qui sera utilisé pour la liaison. - - + + This is the attachment offset of the first connector of the joint. Décalage de la fixation du premier connecteur de la liaison. - - + + The second reference of the joint La deuxième référence de la liaison - + This is the local coordinate system within Reference2's object that will be used for the joint. Il s'agit du système de coordonnées locales dans l'objet Reference2 qui sera utilisé pour la liaison. - - + + This is the attachment offset of the second connector of the joint. Décalage de la fixation du second connecteur de la liaison. - + The first object of the joint Le premier objet de la liaison - + This prevents Placement1 from recomputing, enabling custom positioning of the placement. Ceci empêche Placement1 d'être recalculé, ce qui permet un positionnement personnalisé de l'emplacement. - + The second object of the joint Le deuxième objet de la liaison - + This prevents Placement2 from recomputing, enabling custom positioning of the placement. Ceci empêche Placement2 d'être recalculé, ce qui permet un positionnement personnalisé de l'emplacement. - + This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) Il s'agit de la distance de la liaison. Elle n'est utilisée que par la liaison de distance et la crémaillère (rayon de pas), la vis et les engrenages et la courroie (rayon1). - + This is the second distance of the joint. It is used only by the gear joint to store the second radius. Il s'agit de la deuxième distance de la liaison. Elle n'est utilisée que par la liaison engrenage pour enregistrer le deuxième rayon. - + This indicates if the joint is active. Ceci indique si la liaison est active. - + Enable the minimum length limit of the joint. Permet d'activer la limite de longueur minimale de la liaison. - + Enable the maximum length limit of the joint. Permet d'activer la limite de longueur maximale de la liaison. - + Enable the minimum angle limit of the joint. Permet d'activer la limite minimale de l'angle de la liaison. - + Enable the minimum length of the joint. Permet d'activer la longueur minimale de la liaison. - + This is the minimum limit for the length between both coordinate systems (along their Z axis). Il s'agit de la limite minimale de la longueur entre les deux systèmes de coordonnées (entre leur axe Z). - + This is the maximum limit for the length between both coordinate systems (along their Z axis). Il s'agit de la limite maximale de la longueur entre les deux systèmes de coordonnées (entre leur axe Z). - + This is the minimum limit for the angle between both coordinate systems (between their X axis). Il s'agit de la limite minimale de l'angle entre les deux systèmes de coordonnées (entre leurs axes X). - + This is the maximum limit for the angle between both coordinate systems (between their X axis). Il s'agit de la limite maximale de l'angle entre les deux systèmes de coordonnées (entre leurs axes X). - + The object to ground L'objet à bloquer - + This is where the part is grounded. C'est là que la pièce est bloquée. @@ -536,52 +561,87 @@ Rayon 2 - + + Attachement offsets + Attachement offsets + + + + Simple + Simple + + + Offset Décaler - + Rotation Rotation - + + Advanced + Avancé + + + + Offset1 + Offset1 + + + + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + + + + Offset2 + Offset2 + + + + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + + + Reverse the direction of the joint. Inverser la direction de la liaison - + Reverse Inverser - + Limits Limites - + Min length Longueur minimale - + Max length Longueur maximale - + Min angle Angle minimum - + Max angle Angle maximum - + Reverse rotation Rotation inversée @@ -618,6 +678,22 @@ Show only parts Afficher uniquement des pièces + + + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + + + + Rigid sub-assemblies + Rigid sub-assemblies + AssemblyGui::DlgSettingsAssembly @@ -662,17 +738,17 @@ Les fichiers se nomment "runPreDrag.asmt" et "dragging.log" et se trouvent dans AssemblyGui::ViewProviderAssembly - + The object is associated to one or more joints. L'objet est associé à une ou plusieurs liaisons. - + Do you want to move the object and delete associated joints? Voulez-vous déplacer l'objet et supprimer les liaisons associées ? - + Move part Déplacer une pièce @@ -930,4 +1006,20 @@ Press ESC to cancel. Les colonnes "Index", "Nom", "Nom de fichier" et "Quantité" sont automatiquement générées lors du recalcul. Les colonnes "Description" et personnalisées ne sont pas écrasées. + + Assembly::AssemblyLink + + + Joints + Joints + + + + Command + + + Toggle Rigid + Toggle Rigid + + diff --git a/src/Mod/Assembly/Gui/Resources/translations/Assembly_hr.ts b/src/Mod/Assembly/Gui/Resources/translations/Assembly_hr.ts index 1468ef927faf..41db88ce1f03 100644 --- a/src/Mod/Assembly/Gui/Resources/translations/Assembly_hr.ts +++ b/src/Mod/Assembly/Gui/Resources/translations/Assembly_hr.ts @@ -19,7 +19,7 @@ Create a Fixed Joint - Create a Fixed Joint + Stvori Učvršćeni spoj @@ -37,12 +37,12 @@ Create Revolute Joint - Create Revolute Joint + Stvori Okretni spoj Create a Revolute Joint: Allows rotation around a single axis between selected parts. - Create a Revolute Joint: Allows rotation around a single axis between selected parts. + Stvorite okretni spoj: Omogućuje rotaciju oko jedne osi između odabranih dijelova. @@ -50,12 +50,12 @@ Create Cylindrical Joint - Create Cylindrical Joint + Stvori Cilindričan spoj Create a Cylindrical Joint: Enables rotation along one axis while permitting movement along the same axis between assembled parts. - Create a Cylindrical Joint: Enables rotation along one axis while permitting movement along the same axis between assembled parts. + Stvaranje cilindričnog zgloba: Omogućuje rotaciju duž jedne osi dok dopušta kretanje duž iste osi između sklopljenih dijelova. @@ -63,12 +63,12 @@ Create Slider Joint - Create Slider Joint + Stvori Klizeči spoj Create a Slider Joint: Allows linear movement along a single axis but restricts rotation between selected parts. - Create a Slider Joint: Allows linear movement along a single axis but restricts rotation between selected parts. + Stvorite klizač: Omogućuje linearno kretanje duž jedne osi, ali ograničava rotaciju između odabranih dijelova. @@ -76,12 +76,12 @@ Create Ball Joint - Create Ball Joint + Stvori Kuglasti spoj Create a Ball Joint: Connects parts at a point, allowing unrestricted movement as long as the connection points remain in contact. - Create a Ball Joint: Connects parts at a point, allowing unrestricted movement as long as the connection points remain in contact. + Stvorite kuglasti zglob: spaja dijelove u jednoj točki, dopuštajući neograničeno kretanje sve dok spojne točke ostaju u kontaktu. @@ -89,17 +89,17 @@ Create Distance Joint - Create Distance Joint + Stvori Učvrščujući spoj Create a Distance Joint: Fix the distance between the selected objects. - Create a Distance Joint: Fix the distance between the selected objects. + Stvorite vezu udaljenosti: Učvršćuje udaljenost između odabranih objekata. Create one of several different joints based on the selection.For example, a distance of 0 between a plane and a cylinder creates a tangent joint. A distance of 0 between planes will make them co-planar. - Create one of several different joints based on the selection.For example, a distance of 0 between a plane and a cylinder creates a tangent joint. A distance of 0 between planes will make them co-planar. + Stvorite jedan od nekoliko različitih spojeva na temelju odabira. Na primjer, udaljenost od 0 između ravnine i valjka stvara tangentni spoj. Udaljenost od 0 između ravnina će ih učiniti koplanarnima. @@ -120,7 +120,7 @@ Export ASMT File - Export ASMT File + Izvoz ASMT datoteke @@ -133,7 +133,7 @@ Insert Component - Insert Component + Umetni Komponentu @@ -161,12 +161,12 @@ Solve Assembly - Solve Assembly + Riješi Sklop Solve the currently active assembly. - Solve the currently active assembly. + Riješite trenutno aktivni sklop. @@ -176,6 +176,31 @@ Assembly Montaža + + + Active object + Aktivni objekt + + + + Turn flexible + Turn flexible + + + + Your sub-assembly is currently rigid. This will make it flexible instead. + Your sub-assembly is currently rigid. This will make it flexible instead. + + + + Turn rigid + Turn rigid + + + + Your sub-assembly is currently flexible. This will make it rigid instead. + Your sub-assembly is currently flexible. This will make it rigid instead. + Workbench @@ -187,95 +212,95 @@ Assembly Joints - Assembly Joints + Spojevi sklopa &Assembly - &Assembly + &Sklapanje Assembly - + Fixed Fiksno - + Revolute - Revolute + Zakretni - + Cylindrical - Cylindrical + Cilindrični - + Slider - Slider + Klizni - + Ball - Ball + Kuglasti - - + + Distance Udaljenost - + Parallel Paralelno - + Perpendicular Okomito - - + + Angle Kut - + RackPinion - RackPinion + Zupčanik zupčanika - + Screw - Screw + Vreteno - + Gears Zupčanici - + Belt Remen - + You need to select 2 elements from 2 separate parts. - You need to select 2 elements from 2 separate parts. + Morate odabrati 2 elementa iz 2 odvojena dijela. - + Radius 1 Polumjer 1 - + Pitch radius Polumjer otklona @@ -297,12 +322,12 @@ Index (auto) - Index (auto) + Index (automatski) Name (auto) - Name (auto) + Ime (automatski) @@ -312,12 +337,12 @@ File Name (auto) - File Name (auto) + Ime datoteke (automatski) Quantity (auto) - Quantity (auto) + Količine (automatski) @@ -332,7 +357,7 @@ This name is already used. Please choose a different name. - This name is already used. Please choose a different name. + Ovo ime se već koristi. Odaberite drugo ime. @@ -378,126 +403,126 @@ App::Property - + The type of the joint - The type of the joint + Tip ove spojnice - - + + The first reference of the joint - The first reference of the joint + Prva referenca spojnice - + This is the local coordinate system within Reference1's object that will be used for the joint. This is the local coordinate system within Reference1's object that will be used for the joint. - - + + This is the attachment offset of the first connector of the joint. This is the attachment offset of the first connector of the joint. - - + + The second reference of the joint The second reference of the joint - + This is the local coordinate system within Reference2's object that will be used for the joint. This is the local coordinate system within Reference2's object that will be used for the joint. - - + + This is the attachment offset of the second connector of the joint. This is the attachment offset of the second connector of the joint. - + The first object of the joint - The first object of the joint + Prvi objekt spojnice - + This prevents Placement1 from recomputing, enabling custom positioning of the placement. - This prevents Placement1 from recomputing, enabling custom positioning of the placement. + Time se sprječava ponovno izračunavanje prve Postavke, omogućujući prilagođeno pozicioniranje položaja. - + The second object of the joint - The second object of the joint + Drugi objekt spojnice - + This prevents Placement2 from recomputing, enabling custom positioning of the placement. - This prevents Placement2 from recomputing, enabling custom positioning of the placement. + Time se sprječava ponovno izračunavanje druge Postavke, omogućujući prilagođeno pozicioniranje položaja. - + This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) - + This is the second distance of the joint. It is used only by the gear joint to store the second radius. This is the second distance of the joint. It is used only by the gear joint to store the second radius. - + This indicates if the joint is active. This indicates if the joint is active. - + Enable the minimum length limit of the joint. Enable the minimum length limit of the joint. - + Enable the maximum length limit of the joint. Enable the maximum length limit of the joint. - + Enable the minimum angle limit of the joint. Enable the minimum angle limit of the joint. - + Enable the minimum length of the joint. Enable the minimum length of the joint. - + This is the minimum limit for the length between both coordinate systems (along their Z axis). This is the minimum limit for the length between both coordinate systems (along their Z axis). - + This is the maximum limit for the length between both coordinate systems (along their Z axis). This is the maximum limit for the length between both coordinate systems (along their Z axis). - + This is the minimum limit for the angle between both coordinate systems (between their X axis). This is the minimum limit for the angle between both coordinate systems (between their X axis). - + This is the maximum limit for the angle between both coordinate systems (between their X axis). This is the maximum limit for the angle between both coordinate systems (between their X axis). - + The object to ground The object to ground - + This is where the part is grounded. This is where the part is grounded. @@ -523,7 +548,7 @@ Create Joint - Create Joint + Stvori Spojnicu @@ -533,57 +558,92 @@ Radius 2 - Radius 2 + Radijus 2 + + + + Attachement offsets + Attachement offsets - + + Simple + Jednostavno + + + Offset Pomak - + Rotation Rotacija - + + Advanced + Napredno + + + + Offset1 + Offset1 + + + + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + + + + Offset2 + Offset2 + + + + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + + + Reverse the direction of the joint. - Reverse the direction of the joint. + Obrnuti smjer spoja. - + Reverse Obrnuto - + Limits - Limits + Ograničenja - + Min length - Min length + Min duljina - + Max length - Max length + Max duljina - + Min angle - Min angle + Min kut - + Max angle - Max angle + Max kut - + Reverse rotation - Reverse rotation + Obrni rotaciju @@ -591,17 +651,17 @@ Insert Component - Insert Component + Umetni Komponentu Search parts... - Search parts... + Traži dijelove... Don't find your part? - Don't find your part? + Ne nalazite svoj dio? @@ -618,6 +678,22 @@ Show only parts Show only parts + + + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + + + + Rigid sub-assemblies + Rigid sub-assemblies + AssemblyGui::DlgSettingsAssembly @@ -629,12 +705,12 @@ Allow to leave edit mode when pressing Esc button - Allow to leave edit mode when pressing Esc button + Dopustite da se napusti način Uređivanja kada se pritisne Esc tipka Esc leaves edit mode - Esc leaves edit mode + Sa Esc napusti način uređivanja @@ -662,19 +738,19 @@ The files are named "runPreDrag.asmt" and "dragging.log" and are located in the AssemblyGui::ViewProviderAssembly - + The object is associated to one or more joints. The object is associated to one or more joints. - + Do you want to move the object and delete associated joints? Do you want to move the object and delete associated joints? - + Move part - Move part + Premjesti dio @@ -700,12 +776,12 @@ The files are named "runPreDrag.asmt" and "dragging.log" and are located in the Create Screw Joint - Create Screw Joint + Stvori Vretenasti spoj Create a Screw Joint: Links a part with a sliding joint with a part with a revolute joint. - Create a Screw Joint: Links a part with a sliding joint with a part with a revolute joint. + Stvorite vijčani spoj: povezuje dio s kliznim spojem s dijelom s okretnim spojem. @@ -724,12 +800,12 @@ The files are named "runPreDrag.asmt" and "dragging.log" and are located in the Create Gears Joint - Create Gears Joint + Stvori Zupčani spoj Create a Gears Joint: Links two rotating gears together. They will have inverse rotation direction. - Create a Gears Joint: Links two rotating gears together. They will have inverse rotation direction. + Stvorite Zupčani spoj: povezuje dva rotirajuća zupčanika. Oni će imati obrnuti smjer rotacije. @@ -737,12 +813,12 @@ The files are named "runPreDrag.asmt" and "dragging.log" and are located in the Create Belt Joint - Create Belt Joint + Stvori Remenasti spoj Create a Belt Joint: Links two rotating objects together. They will have the same rotation direction. - Create a Belt Joint: Links two rotating objects together. They will have the same rotation direction. + Stvorite remenasti zglob: povezuje dva rotirajuća objekta zajedno. Imat će isti smjer rotacije. @@ -750,12 +826,12 @@ The files are named "runPreDrag.asmt" and "dragging.log" and are located in the Create Gear/Belt Joint - Create Gear/Belt Joint + Stvori Zupčani/Remenasti spoj Create a Gears/Belt Joint: Links two rotating gears together. - Create a Gears/Belt Joint: Links two rotating gears together. + Stvorite spoj zupčanika/remena: povezuje dva rotirajuća zupčanika. @@ -791,7 +867,7 @@ The files are named "runPreDrag.asmt" and "dragging.log" and are located in the Parts as single solid - Parts as single solid + Dijelovi kao jedno tijelo @@ -930,4 +1006,20 @@ Press ESC to cancel. The columns 'Index', 'Name', 'File Name' and 'Quantity' are automatically generated on recompute. The 'Description' and custom columns are not overwritten. + + Assembly::AssemblyLink + + + Joints + Joints + + + + Command + + + Toggle Rigid + Toggle Rigid + + diff --git a/src/Mod/Assembly/Gui/Resources/translations/Assembly_hu.ts b/src/Mod/Assembly/Gui/Resources/translations/Assembly_hu.ts index 639690614156..9db168859ca6 100644 --- a/src/Mod/Assembly/Gui/Resources/translations/Assembly_hu.ts +++ b/src/Mod/Assembly/Gui/Resources/translations/Assembly_hu.ts @@ -178,6 +178,31 @@ Külső komponensek beszúrásához győződjön meg arról, hogy a fájl <b& Assembly Összeállítás + + + Active object + Aktív tárgy + + + + Turn flexible + Turn flexible + + + + Your sub-assembly is currently rigid. This will make it flexible instead. + Your sub-assembly is currently rigid. This will make it flexible instead. + + + + Turn rigid + Turn rigid + + + + Your sub-assembly is currently flexible. This will make it rigid instead. + Your sub-assembly is currently flexible. This will make it rigid instead. + Workbench @@ -200,84 +225,84 @@ Külső komponensek beszúrásához győződjön meg arról, hogy a fájl <b& Assembly - + Fixed Rögzített - + Revolute Kiforgat - + Cylindrical Hengeres - + Slider Csúszka - + Ball Gömbcsatlakozás - - + + Distance Távolság - + Parallel Párhuzamos - + Perpendicular Merőleges - - + + Angle Szög - + RackPinion Fogasléc és fogaskerék - + Screw Csavar - + Gears Fogaskerék - + Belt Szíj - + You need to select 2 elements from 2 separate parts. 2 elemet kell kiválasztania 2 különálló részből. - + Radius 1 Sugár 1 - + Pitch radius Sugár lejtése @@ -344,7 +369,7 @@ Külső komponensek beszúrásához győződjön meg arról, hogy a fájl <b& Sub-assemblies children : If checked, Sub assemblies children will be added to the bill of materials. - Al-összeállítások alpontjai : Ha bejelölt, az al-összeállítások alpontjai hozzáadódnak az anyagjegyzékhez. + Al-összeállítások alpontjai : Ha bejelölt, az alsóbbrendű-összeállítások alpontjai hozzáadódnak az anyagjegyzékhez. @@ -380,127 +405,127 @@ Külső komponensek beszúrásához győződjön meg arról, hogy a fájl <b& App::Property - + The type of the joint Csatlakozás típusa - - + + The first reference of the joint Csatlakozás első hivatkozási pontja - + This is the local coordinate system within Reference1's object that will be used for the joint. Ez a Referencia1 tárgyon belüli helyi koordináta-rendszer, amelyet a csatlakoztatáshoz használni fogunk. - - + + This is the attachment offset of the first connector of the joint. Ez az első közös csatlakozó rögzítésének eltolódása. - - + + The second reference of the joint Csatlakozás második referencia pontja - + This is the local coordinate system within Reference2's object that will be used for the joint. Ez a Referencia2 tárgyon belüli helyi koordináta-rendszer, amelyet a csatlakoztatáshoz használni fogunk. - - + + This is the attachment offset of the second connector of the joint. Ez a második közös csatlakozó rögzítésének eltolódása. - + The first object of the joint Csatlakozás első tárgya - + This prevents Placement1 from recomputing, enabling custom positioning of the placement. Ez megakadályozza a beillesztés1 újraszámítását, lehetővé téve az elhelyezés egyéni pozicionálását. - + The second object of the joint Csatlakozás második tárgya - + This prevents Placement2 from recomputing, enabling custom positioning of the placement. Ez megakadályozza a beillesztés2 újraszámítását, lehetővé téve az elhelyezés egyéni pozicionálását. - + This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) Ez a kapcsolási távolság. Csak a csatlakozási távolság, a fogaskerék (osztási sugár), a csigakerék, a fogaskerék és az ékszíj (1. sugár) használja - + This is the second distance of the joint. It is used only by the gear joint to store the second radius. Ez a második csatlakozási távolság. Ezt csak a fogaskerék csatlakozás használja a második sugár megtartására. - + This indicates if the joint is active. Ez jelzi, hogy a csatlakozás aktív-e. - + Enable the minimum length limit of the joint. Engedélyezi a csatlakozás minimális hosszhatárát. - + Enable the maximum length limit of the joint. Engedélyezi a csatlakozás maximális hosszhatárát. - + Enable the minimum angle limit of the joint. Engedélyezi a csatlakozás minimális szöghatárát. - + Enable the minimum length of the joint. Engedélyezi a csatlakozás minimális hosszát. - + This is the minimum limit for the length between both coordinate systems (along their Z axis). Ez a két koordinátarendszer közötti legkisebb hosszhatár (a Z tengelyük mentén). - + This is the maximum limit for the length between both coordinate systems (along their Z axis). Ez a két koordinátarendszer közötti legnagyobb hosszhatár (a Z tengelyük mentén). - + This is the minimum limit for the angle between both coordinate systems (between their X axis). Ez a két koordinátarendszer (X-tengelyük) közötti szög minimális határa. - + This is the maximum limit for the angle between both coordinate systems (between their X axis). Ez a két koordinátarendszer (X-tengelyük) közötti szög maximum határa. - + The object to ground A rögzitendő tárgy - + This is where the part is grounded. Itt van az alkatrész rögzítve. @@ -539,52 +564,87 @@ Ezt csak a fogaskerék csatlakozás használja a második sugár megtartására. Sugár 2 - + + Attachement offsets + Attachement offsets + + + + Simple + Egyszerű + + + Offset Eltolás - + Rotation Forgatás - + + Advanced + Haladó + + + + Offset1 + Offset1 + + + + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + + + + Offset2 + Offset2 + + + + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + + + Reverse the direction of the joint. Fordítsa meg a csatlakozás irányát. - + Reverse Fordított - + Limits Korlátok - + Min length Minimális hossz - + Max length Maximális hossz - + Min angle Minimális szög - + Max angle Szög max - + Reverse rotation Fordított forgatás @@ -621,6 +681,22 @@ Ezt csak a fogaskerék csatlakozás használja a második sugár megtartására. Show only parts Csak alkatrészek megjelenítése + + + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + + + + Rigid sub-assemblies + Rigid sub-assemblies + AssemblyGui::DlgSettingsAssembly @@ -665,17 +741,17 @@ A fájlok neve "runPreDrag.asmt" és "dragging.log", és az std::ofstream alapé AssemblyGui::ViewProviderAssembly - + The object is associated to one or more joints. A tárgy egy vagy több csatlakozással rendelkezik. - + Do you want to move the object and delete associated joints? El akarja mozgatni a tárgyat és törölni a hozzá tartozó csatlakozásokat? - + Move part Mozgassa a részt @@ -933,4 +1009,20 @@ Nyomja meg az ESC billentyűt a törléshez. Az "Index", "Név", "Fájlnév" és "Mennyiség" oszlopok automatikusan generálódnak az újraszámításkor. A "Leírás" és az egyéni oszlopok nem kerülnek felülírásra. + + Assembly::AssemblyLink + + + Joints + Joints + + + + Command + + + Toggle Rigid + Toggle Rigid + + diff --git a/src/Mod/Assembly/Gui/Resources/translations/Assembly_it.ts b/src/Mod/Assembly/Gui/Resources/translations/Assembly_it.ts index 4fde399c0a8c..5514a701f245 100644 --- a/src/Mod/Assembly/Gui/Resources/translations/Assembly_it.ts +++ b/src/Mod/Assembly/Gui/Resources/translations/Assembly_it.ts @@ -176,6 +176,31 @@ Assembly Assembly + + + Active object + Oggetto attivo + + + + Turn flexible + Turn flexible + + + + Your sub-assembly is currently rigid. This will make it flexible instead. + Your sub-assembly is currently rigid. This will make it flexible instead. + + + + Turn rigid + Turn rigid + + + + Your sub-assembly is currently flexible. This will make it rigid instead. + Your sub-assembly is currently flexible. This will make it rigid instead. + Workbench @@ -198,84 +223,84 @@ Assembly - + Fixed Fissa - + Revolute Di rotazione - + Cylindrical Cilindrico - + Slider Scorrimento - + Ball Sferico - - + + Distance Distanza - + Parallel Parallelo - + Perpendicular Perpendicolare - - + + Angle Angolo - + RackPinion Cremagliera-Pignone - + Screw Vite - + Gears Ingranaggio - + Belt Cinghia - + You need to select 2 elements from 2 separate parts. È necessario selezionare 2 elementi da 2 parti separate. - + Radius 1 Raggio 1 - + Pitch radius Pitch radius @@ -378,126 +403,126 @@ App::Property - + The type of the joint Il tipo di giunto - - + + The first reference of the joint Il primo riferimento del giunto - + This is the local coordinate system within Reference1's object that will be used for the joint. Questo è il sistema di coordinate locali all'interno del primo oggetto che sarà utilizzato per il giunto. - - + + This is the attachment offset of the first connector of the joint. Questo è lo spostamento del collegamento del primo connettore del giunto. - - + + The second reference of the joint Il primo riferimento del giunto - + This is the local coordinate system within Reference2's object that will be used for the joint. Questo è il sistema di coordinate locali all'interno del secondo oggetto di riferimento che verrà utilizzato per il giunto. - - + + This is the attachment offset of the second connector of the joint. Questo è lo spostamento del collegamento del secondo connettore del giunto. - + The first object of the joint Il primo oggetto del giunto - + This prevents Placement1 from recomputing, enabling custom positioning of the placement. Questo impedisce il ricalcolo di Placement1, consentendo il posizionamento personalizzato. - + The second object of the joint Il secondo oggetto del vincolo - + This prevents Placement2 from recomputing, enabling custom positioning of the placement. Questo impedisce il ricalcolo di Placement2, consentendo il posizionamento personalizzato. - + This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) Questa è la distanza del giunto. È usata solo dal vincolo di distanza e da Cremagliera-Pignone (raggio di passo), Vite e ingranaggi e cinghia (raggio1) - + This is the second distance of the joint. It is used only by the gear joint to store the second radius. Questa è la seconda distanza del vincolo. È usata solo dal vincolo per memorizzare il secondo raggio. - + This indicates if the joint is active. Questo indica se il vincolo è attivo. - + Enable the minimum length limit of the joint. Abilita il limite minimo di lunghezza del giunto. - + Enable the maximum length limit of the joint. Abilita il limite massimo di lunghezza del giunto. - + Enable the minimum angle limit of the joint. Abilita il limite minimo di angolo del giunto. - + Enable the minimum length of the joint. Abilita la lunghezza minima del giunto. - + This is the minimum limit for the length between both coordinate systems (along their Z axis). Questo è il limite minimo per la lunghezza tra i due sistemi di coordinate (lungo il loro asse Z). - + This is the maximum limit for the length between both coordinate systems (along their Z axis). Questo è il limite massimo per la lunghezza tra i due sistemi di coordinate (lungo il loro asse Z). - + This is the minimum limit for the angle between both coordinate systems (between their X axis). Questo è il limite minimo per l'angolo tra i due sistemi di coordinate (tra i loro assi X). - + This is the maximum limit for the angle between both coordinate systems (between their X axis). Questo è il limite massimo per l'angolo tra i due sistemi di coordinate (tra i loro assi X). - + The object to ground L'oggetto è fissato - + This is where the part is grounded. Questo è dove la parte è fissata. @@ -536,52 +561,87 @@ Raggio 2 - + + Attachement offsets + Attachement offsets + + + + Simple + Semplice + + + Offset Offset - + Rotation Rotazione - + + Advanced + Avanzato + + + + Offset1 + Offset1 + + + + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + + + + Offset2 + Offset2 + + + + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + + + Reverse the direction of the joint. Inverte la direzione del vincolo. - + Reverse Inverti - + Limits Limiti - + Min length Lunghezza minima - + Max length Lunghezza massima - + Min angle Angolo minimo - + Max angle Angolo massimo - + Reverse rotation Inverti rotazione @@ -618,6 +678,22 @@ Show only parts Mostra solo le parti + + + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + + + + Rigid sub-assemblies + Rigid sub-assemblies + AssemblyGui::DlgSettingsAssembly @@ -662,17 +738,17 @@ I file sono denominati "runPreDrag. asmt" e "dragging.log" e si trovano nella di AssemblyGui::ViewProviderAssembly - + The object is associated to one or more joints. L'oggetto è associato a uno o più vincoli. - + Do you want to move the object and delete associated joints? Si desidera spostare l'oggetto ed eliminare i vincoli associati? - + Move part Sposta parte @@ -930,4 +1006,20 @@ Premi ESC per annullare. Le colonne 'Indice', 'Nome', 'Nome File' e 'Quantità' vengono generate automaticamente al momento del calcolo. Le colonne 'Descrizione' e quelle personalizzate non vengono sovrascritte. + + Assembly::AssemblyLink + + + Joints + Joints + + + + Command + + + Toggle Rigid + Toggle Rigid + + diff --git a/src/Mod/Assembly/Gui/Resources/translations/Assembly_ja.ts b/src/Mod/Assembly/Gui/Resources/translations/Assembly_ja.ts index 36483de9cba6..cc8311203faa 100644 --- a/src/Mod/Assembly/Gui/Resources/translations/Assembly_ja.ts +++ b/src/Mod/Assembly/Gui/Resources/translations/Assembly_ja.ts @@ -176,6 +176,31 @@ Assembly アセンブリ + + + Active object + アクティブなオブジェクト + + + + Turn flexible + Turn flexible + + + + Your sub-assembly is currently rigid. This will make it flexible instead. + Your sub-assembly is currently rigid. This will make it flexible instead. + + + + Turn rigid + Turn rigid + + + + Your sub-assembly is currently flexible. This will make it rigid instead. + Your sub-assembly is currently flexible. This will make it rigid instead. + Workbench @@ -198,84 +223,84 @@ Assembly - + Fixed 固定 - + Revolute 回転 - + Cylindrical 円筒 - + Slider スライダー - + Ball ボール - - + + Distance 距離 - + Parallel 平行 - + Perpendicular 直角 - - + + Angle 角度 - + RackPinion ラックピニオン - + Screw スクリュー - + Gears ギア - + Belt ベルト - + You need to select 2 elements from 2 separate parts. 2つの別々の部品から2つの要素を選択する必要があります。 - + Radius 1 半径 1 - + Pitch radius ピッチ半径 @@ -378,126 +403,126 @@ App::Property - + The type of the joint ジョイントのタイプ - - + + The first reference of the joint ジョイントの1つ目の参照 - + This is the local coordinate system within Reference1's object that will be used for the joint. ジョイントに使用される Reference1 のオブジェクト内のローカル座標系です。 - - + + This is the attachment offset of the first connector of the joint. ジョイントの1番目のコネクターのアタッチメント・オフセットです。 - - + + The second reference of the joint ジョイントの2つ目の参照 - + This is the local coordinate system within Reference2's object that will be used for the joint. ジョイントに使用される Reference2 のオブジェクト内のローカル座標系です。 - - + + This is the attachment offset of the second connector of the joint. ジョイントの2番目のコネクターのアタッチメント・オフセットです。 - + The first object of the joint ジョイントの1つ目のオブジェクト - + This prevents Placement1 from recomputing, enabling custom positioning of the placement. Placement1 の再計算はされなくなり、カスタムでの位置設定が可能になります。 - + The second object of the joint ジョイントの2つ目のオブジェクト - + This prevents Placement2 from recomputing, enabling custom positioning of the placement. Placement2 の再計算はされなくなり、カスタムでの位置設定が可能になります。 - + This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) ジョイントの距離。距離ジョイント、ラックピニオン (ピッチ半径)、スクリューとギアとベルト (半径1) でだけ使用されます。 - + This is the second distance of the joint. It is used only by the gear joint to store the second radius. ジョイントの2つ目の距離。ギアジョイントでだけ2つ目の半径を格納するために使用されます。 - + This indicates if the joint is active. ジョイントがアクティブかどうか - + Enable the minimum length limit of the joint. ジョイントの最小長さ制限を有効にします。 - + Enable the maximum length limit of the joint. ジョイントの最大長さ制限を有効にします。 - + Enable the minimum angle limit of the joint. ジョイントの最小角度制限を有効にします。 - + Enable the minimum length of the joint. ジョイントの最小長さを有効にします。 - + This is the minimum limit for the length between both coordinate systems (along their Z axis). 両座標系の間の (Z軸に方向の) 長さの下限です。 - + This is the maximum limit for the length between both coordinate systems (along their Z axis). 両座標系の間の (Z軸に方向の) 長さの上限です。 - + This is the minimum limit for the angle between both coordinate systems (between their X axis). 両座標系の間の (X軸間の) 角度の下限です。 - + This is the maximum limit for the angle between both coordinate systems (between their X axis). 両座標系の間の (X軸間の) 角度の上限です。 - + The object to ground 接地オブジェクト - + This is where the part is grounded. これはパーツが接地される場所です。 @@ -536,52 +561,87 @@ 半径 2 - + + Attachement offsets + Attachement offsets + + + + Simple + シンプル + + + Offset オフセット - + Rotation 回転 - + + Advanced + 高度な設定 + + + + Offset1 + Offset1 + + + + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + + + + Offset2 + Offset2 + + + + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + + + Reverse the direction of the joint. ジョイントの方向を反転。 - + Reverse 反転 - + Limits 制限 - + Min length 最小長さ - + Max length 最大長さ - + Min angle 最小角度 - + Max angle 最大角度 - + Reverse rotation 回転を反転 @@ -618,6 +678,22 @@ Show only parts パーツのみ表示 + + + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + + + + Rigid sub-assemblies + Rigid sub-assemblies + AssemblyGui::DlgSettingsAssembly @@ -662,17 +738,17 @@ The files are named "runPreDrag.asmt" and "dragging.log" and are located in the AssemblyGui::ViewProviderAssembly - + The object is associated to one or more joints. オブジェクトは1つ以上のジョイントに関連付けられています。 - + Do you want to move the object and delete associated joints? オブジェクトを移動して関連付けられているジョイントを削除しますか? - + Move part パーツを移動 @@ -930,4 +1006,20 @@ Press ESC to cancel. 「インデックス」、「名前」、「ファイル名」、「数量」の列は、再計算時に自動生成されます。「説明」列とカスタム列は上書きされません。 + + Assembly::AssemblyLink + + + Joints + Joints + + + + Command + + + Toggle Rigid + Toggle Rigid + + diff --git a/src/Mod/Assembly/Gui/Resources/translations/Assembly_ka.ts b/src/Mod/Assembly/Gui/Resources/translations/Assembly_ka.ts index 1581e934efa1..300f85af3c56 100644 --- a/src/Mod/Assembly/Gui/Resources/translations/Assembly_ka.ts +++ b/src/Mod/Assembly/Gui/Resources/translations/Assembly_ka.ts @@ -176,6 +176,31 @@ Assembly Assembly + + + Active object + აქტიური ობიექტი + + + + Turn flexible + Turn flexible + + + + Your sub-assembly is currently rigid. This will make it flexible instead. + Your sub-assembly is currently rigid. This will make it flexible instead. + + + + Turn rigid + Turn rigid + + + + Your sub-assembly is currently flexible. This will make it rigid instead. + Your sub-assembly is currently flexible. This will make it rigid instead. + Workbench @@ -198,84 +223,84 @@ Assembly - + Fixed ფიქსირებული - + Revolute მბრუნავი სახსარი - + Cylindrical ცილინდრული - + Slider ჩოჩია - + Ball ბურთი - - + + Distance დაშორება - + Parallel პარალელურად - + Perpendicular პერპენდიკულარული - - + + Angle კუთხე - + RackPinion ლარტყული გადაცემის მექანიზმი - + Screw ხრახნი - + Gears კბილანები - + Belt ქამარი - + You need to select 2 elements from 2 separate parts. გჭირდებათ აირჩიოთ 2 ელემენტი 2 განსხვავებული ნაწილიდან. - + Radius 1 რადიუსი 1 - + Pitch radius ფერდობის რადიუსი @@ -378,126 +403,126 @@ App::Property - + The type of the joint სახსრის ტიპი - - + + The first reference of the joint შეერთების პირველი მიმართვა - + This is the local coordinate system within Reference1's object that will be used for the joint. ეს ლოკალური კოორდინატების სისტემაა მიმართვა1-ის ობიექტში, რომელიც შეერთებისთვის იქნება გამოყენებული. - - + + This is the attachment offset of the first connector of the joint. ეს მიიმაგრების წანაცვლებაა პირველი სახსრის დამკავშირებლისთვის. - - + + The second reference of the joint შეერთების მეორე მიმართვა - + This is the local coordinate system within Reference2's object that will be used for the joint. ეს ლოკალური კოორდინატების სისტემაა მიმართვა2-ის ობიექტში, რომელიც შეერთებისთვის იქნება გამოყენებული. - - + + This is the attachment offset of the second connector of the joint. ეს მიიმაგრების წანაცვლებაა მეორე სახსრის დამკავშირებლისთვის. - + The first object of the joint სახსრის პირველი ობიექტი - + This prevents Placement1 from recomputing, enabling custom positioning of the placement. This prevents Placement1 from recomputing, enabling custom positioning of the placement. - + The second object of the joint სახსრის მეორე ობიექტი - + This prevents Placement2 from recomputing, enabling custom positioning of the placement. This prevents Placement2 from recomputing, enabling custom positioning of the placement. - + This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) - + This is the second distance of the joint. It is used only by the gear joint to store the second radius. This is the second distance of the joint. It is used only by the gear joint to store the second radius. - + This indicates if the joint is active. ეს მიუთითებს, აქტიურია თუ არა სახსარი. - + Enable the minimum length limit of the joint. სახსრის მინიმალური სიგრძის ლიმიტის ჩართვა. - + Enable the maximum length limit of the joint. სახსრის მაქსიმალური სიგრძის ლიმიტის ჩართვა. - + Enable the minimum angle limit of the joint. სახსრის მინიმალური კუთხის ლიმიტის ჩართვა. - + Enable the minimum length of the joint. სახსრის მინიმალური სიგრძის ჩართვა. - + This is the minimum limit for the length between both coordinate systems (along their Z axis). This is the minimum limit for the length between both coordinate systems (along their Z axis). - + This is the maximum limit for the length between both coordinate systems (along their Z axis). This is the maximum limit for the length between both coordinate systems (along their Z axis). - + This is the minimum limit for the angle between both coordinate systems (between their X axis). This is the minimum limit for the angle between both coordinate systems (between their X axis). - + This is the maximum limit for the angle between both coordinate systems (between their X axis). This is the maximum limit for the angle between both coordinate systems (between their X axis). - + The object to ground ობიექტი დამაგრებამდე - + This is where the part is grounded. ეს ის ადგილია, სადაც ნაწილია დამაგრებული. @@ -536,52 +561,87 @@ რადიუსი 2 - + + Attachement offsets + Attachement offsets + + + + Simple + მარტივი + + + Offset წანაცვლება - + Rotation მობრუნება - + + Advanced + დამატებით + + + + Offset1 + Offset1 + + + + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + + + + Offset2 + Offset2 + + + + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + + + Reverse the direction of the joint. სახსრის მიმართულების რევერსი. - + Reverse რევერსი - + Limits ზღვრები - + Min length მინ სიგრძე - + Max length მაქს სიგრძე - + Min angle მინ კუთხე - + Max angle მაქს კუთხე - + Reverse rotation შებრუნების რევერსი @@ -618,6 +678,22 @@ Show only parts მხოლოდ ნაწილების ჩვენება + + + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + + + + Rigid sub-assemblies + Rigid sub-assemblies + AssemblyGui::DlgSettingsAssembly @@ -662,17 +738,17 @@ The files are named "runPreDrag.asmt" and "dragging.log" and are located in the AssemblyGui::ViewProviderAssembly - + The object is associated to one or more joints. ობიექტი ასოცირებულია ერთ ან მეტ სახსართან. - + Do you want to move the object and delete associated joints? გნებავთ გადაიტანოთ ობიექტი და წაშალოთ ასოცირებული სახსრები? - + Move part ნაწილის გადატანა @@ -930,4 +1006,20 @@ Esc გასაუქმებლად. The columns 'Index', 'Name', 'File Name' and 'Quantity' are automatically generated on recompute. The 'Description' and custom columns are not overwritten. + + Assembly::AssemblyLink + + + Joints + Joints + + + + Command + + + Toggle Rigid + Toggle Rigid + + diff --git a/src/Mod/Assembly/Gui/Resources/translations/Assembly_ko.ts b/src/Mod/Assembly/Gui/Resources/translations/Assembly_ko.ts index 4117569b1714..0a23d7a25b33 100644 --- a/src/Mod/Assembly/Gui/Resources/translations/Assembly_ko.ts +++ b/src/Mod/Assembly/Gui/Resources/translations/Assembly_ko.ts @@ -176,6 +176,31 @@ Assembly Assembly + + + Active object + Active object + + + + Turn flexible + Turn flexible + + + + Your sub-assembly is currently rigid. This will make it flexible instead. + Your sub-assembly is currently rigid. This will make it flexible instead. + + + + Turn rigid + Turn rigid + + + + Your sub-assembly is currently flexible. This will make it rigid instead. + Your sub-assembly is currently flexible. This will make it rigid instead. + Workbench @@ -198,84 +223,84 @@ Assembly - + Fixed 고정됨 - + Revolute Revolute - + Cylindrical Cylindrical - + Slider Slider - + Ball Ball - - + + Distance Distance - + Parallel 평행 - + Perpendicular 직교 - - + + Angle - + RackPinion RackPinion - + Screw Screw - + Gears Gears - + Belt Belt - + You need to select 2 elements from 2 separate parts. You need to select 2 elements from 2 separate parts. - + Radius 1 Radius 1 - + Pitch radius Pitch radius @@ -378,126 +403,126 @@ App::Property - + The type of the joint The type of the joint - - + + The first reference of the joint The first reference of the joint - + This is the local coordinate system within Reference1's object that will be used for the joint. This is the local coordinate system within Reference1's object that will be used for the joint. - - + + This is the attachment offset of the first connector of the joint. This is the attachment offset of the first connector of the joint. - - + + The second reference of the joint The second reference of the joint - + This is the local coordinate system within Reference2's object that will be used for the joint. This is the local coordinate system within Reference2's object that will be used for the joint. - - + + This is the attachment offset of the second connector of the joint. This is the attachment offset of the second connector of the joint. - + The first object of the joint The first object of the joint - + This prevents Placement1 from recomputing, enabling custom positioning of the placement. This prevents Placement1 from recomputing, enabling custom positioning of the placement. - + The second object of the joint The second object of the joint - + This prevents Placement2 from recomputing, enabling custom positioning of the placement. This prevents Placement2 from recomputing, enabling custom positioning of the placement. - + This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) - + This is the second distance of the joint. It is used only by the gear joint to store the second radius. This is the second distance of the joint. It is used only by the gear joint to store the second radius. - + This indicates if the joint is active. This indicates if the joint is active. - + Enable the minimum length limit of the joint. Enable the minimum length limit of the joint. - + Enable the maximum length limit of the joint. Enable the maximum length limit of the joint. - + Enable the minimum angle limit of the joint. Enable the minimum angle limit of the joint. - + Enable the minimum length of the joint. Enable the minimum length of the joint. - + This is the minimum limit for the length between both coordinate systems (along their Z axis). This is the minimum limit for the length between both coordinate systems (along their Z axis). - + This is the maximum limit for the length between both coordinate systems (along their Z axis). This is the maximum limit for the length between both coordinate systems (along their Z axis). - + This is the minimum limit for the angle between both coordinate systems (between their X axis). This is the minimum limit for the angle between both coordinate systems (between their X axis). - + This is the maximum limit for the angle between both coordinate systems (between their X axis). This is the maximum limit for the angle between both coordinate systems (between their X axis). - + The object to ground The object to ground - + This is where the part is grounded. This is where the part is grounded. @@ -536,52 +561,87 @@ Radius 2 - + + Attachement offsets + Attachement offsets + + + + Simple + Simple + + + Offset 편차 - + Rotation Rotation - + + Advanced + Advanced + + + + Offset1 + Offset1 + + + + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + + + + Offset2 + Offset2 + + + + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + + + Reverse the direction of the joint. Reverse the direction of the joint. - + Reverse 반대로 - + Limits Limits - + Min length Min length - + Max length Max length - + Min angle Min angle - + Max angle Max angle - + Reverse rotation Reverse rotation @@ -618,6 +678,22 @@ Show only parts Show only parts + + + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + + + + Rigid sub-assemblies + Rigid sub-assemblies + AssemblyGui::DlgSettingsAssembly @@ -662,17 +738,17 @@ The files are named "runPreDrag.asmt" and "dragging.log" and are located in the AssemblyGui::ViewProviderAssembly - + The object is associated to one or more joints. The object is associated to one or more joints. - + Do you want to move the object and delete associated joints? Do you want to move the object and delete associated joints? - + Move part Move part @@ -930,4 +1006,20 @@ Press ESC to cancel. The columns 'Index', 'Name', 'File Name' and 'Quantity' are automatically generated on recompute. The 'Description' and custom columns are not overwritten. + + Assembly::AssemblyLink + + + Joints + Joints + + + + Command + + + Toggle Rigid + Toggle Rigid + + diff --git a/src/Mod/Assembly/Gui/Resources/translations/Assembly_lt.ts b/src/Mod/Assembly/Gui/Resources/translations/Assembly_lt.ts index 289fcd54c031..960e524e9fbc 100644 --- a/src/Mod/Assembly/Gui/Resources/translations/Assembly_lt.ts +++ b/src/Mod/Assembly/Gui/Resources/translations/Assembly_lt.ts @@ -176,6 +176,31 @@ Assembly Assembly + + + Active object + Veikiamasis daiktas + + + + Turn flexible + Turn flexible + + + + Your sub-assembly is currently rigid. This will make it flexible instead. + Your sub-assembly is currently rigid. This will make it flexible instead. + + + + Turn rigid + Turn rigid + + + + Your sub-assembly is currently flexible. This will make it rigid instead. + Your sub-assembly is currently flexible. This will make it rigid instead. + Workbench @@ -198,84 +223,84 @@ Assembly - + Fixed Įtvirtintas - + Revolute Revolute - + Cylindrical Cylindrical - + Slider Slider - + Ball Ball - - + + Distance Distance - + Parallel Lygiagretus - + Perpendicular Perpendicular - - + + Angle Kampas - + RackPinion RackPinion - + Screw Screw - + Gears Gears - + Belt Belt - + You need to select 2 elements from 2 separate parts. You need to select 2 elements from 2 separate parts. - + Radius 1 Radius 1 - + Pitch radius Pitch radius @@ -378,126 +403,126 @@ App::Property - + The type of the joint The type of the joint - - + + The first reference of the joint The first reference of the joint - + This is the local coordinate system within Reference1's object that will be used for the joint. This is the local coordinate system within Reference1's object that will be used for the joint. - - + + This is the attachment offset of the first connector of the joint. This is the attachment offset of the first connector of the joint. - - + + The second reference of the joint The second reference of the joint - + This is the local coordinate system within Reference2's object that will be used for the joint. This is the local coordinate system within Reference2's object that will be used for the joint. - - + + This is the attachment offset of the second connector of the joint. This is the attachment offset of the second connector of the joint. - + The first object of the joint The first object of the joint - + This prevents Placement1 from recomputing, enabling custom positioning of the placement. This prevents Placement1 from recomputing, enabling custom positioning of the placement. - + The second object of the joint The second object of the joint - + This prevents Placement2 from recomputing, enabling custom positioning of the placement. This prevents Placement2 from recomputing, enabling custom positioning of the placement. - + This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) - + This is the second distance of the joint. It is used only by the gear joint to store the second radius. This is the second distance of the joint. It is used only by the gear joint to store the second radius. - + This indicates if the joint is active. This indicates if the joint is active. - + Enable the minimum length limit of the joint. Enable the minimum length limit of the joint. - + Enable the maximum length limit of the joint. Enable the maximum length limit of the joint. - + Enable the minimum angle limit of the joint. Enable the minimum angle limit of the joint. - + Enable the minimum length of the joint. Enable the minimum length of the joint. - + This is the minimum limit for the length between both coordinate systems (along their Z axis). This is the minimum limit for the length between both coordinate systems (along their Z axis). - + This is the maximum limit for the length between both coordinate systems (along their Z axis). This is the maximum limit for the length between both coordinate systems (along their Z axis). - + This is the minimum limit for the angle between both coordinate systems (between their X axis). This is the minimum limit for the angle between both coordinate systems (between their X axis). - + This is the maximum limit for the angle between both coordinate systems (between their X axis). This is the maximum limit for the angle between both coordinate systems (between their X axis). - + The object to ground The object to ground - + This is where the part is grounded. This is where the part is grounded. @@ -536,52 +561,87 @@ Radius 2 - + + Attachement offsets + Attachement offsets + + + + Simple + Paprastas + + + Offset Offset - + Rotation Rotation - + + Advanced + Advanced + + + + Offset1 + Offset1 + + + + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + + + + Offset2 + Offset2 + + + + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + + + Reverse the direction of the joint. Reverse the direction of the joint. - + Reverse Atbulai - + Limits Limits - + Min length Min length - + Max length Max length - + Min angle Min angle - + Max angle Max angle - + Reverse rotation Reverse rotation @@ -618,6 +678,22 @@ Show only parts Show only parts + + + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + + + + Rigid sub-assemblies + Rigid sub-assemblies + AssemblyGui::DlgSettingsAssembly @@ -662,17 +738,17 @@ The files are named "runPreDrag.asmt" and "dragging.log" and are located in the AssemblyGui::ViewProviderAssembly - + The object is associated to one or more joints. The object is associated to one or more joints. - + Do you want to move the object and delete associated joints? Do you want to move the object and delete associated joints? - + Move part Move part @@ -930,4 +1006,20 @@ Press ESC to cancel. The columns 'Index', 'Name', 'File Name' and 'Quantity' are automatically generated on recompute. The 'Description' and custom columns are not overwritten. + + Assembly::AssemblyLink + + + Joints + Joints + + + + Command + + + Toggle Rigid + Toggle Rigid + + diff --git a/src/Mod/Assembly/Gui/Resources/translations/Assembly_nl.ts b/src/Mod/Assembly/Gui/Resources/translations/Assembly_nl.ts index 5dff43e47104..9a804614d933 100644 --- a/src/Mod/Assembly/Gui/Resources/translations/Assembly_nl.ts +++ b/src/Mod/Assembly/Gui/Resources/translations/Assembly_nl.ts @@ -176,6 +176,31 @@ Assembly Samenstelling + + + Active object + Actief object + + + + Turn flexible + Turn flexible + + + + Your sub-assembly is currently rigid. This will make it flexible instead. + Your sub-assembly is currently rigid. This will make it flexible instead. + + + + Turn rigid + Turn rigid + + + + Your sub-assembly is currently flexible. This will make it rigid instead. + Your sub-assembly is currently flexible. This will make it rigid instead. + Workbench @@ -198,84 +223,84 @@ Assembly - + Fixed Vast - + Revolute Revolute - + Cylindrical Cylindrisch - + Slider Slider - + Ball Bal - - + + Distance Afstand - + Parallel Evenwijdig - + Perpendicular Loodrecht - - + + Angle Hoek - + RackPinion RackPinion - + Screw Screw - + Gears Gears - + Belt Belt - + You need to select 2 elements from 2 separate parts. You need to select 2 elements from 2 separate parts. - + Radius 1 Straal 1 - + Pitch radius Pitch radius @@ -378,126 +403,126 @@ App::Property - + The type of the joint The type of the joint - - + + The first reference of the joint The first reference of the joint - + This is the local coordinate system within Reference1's object that will be used for the joint. This is the local coordinate system within Reference1's object that will be used for the joint. - - + + This is the attachment offset of the first connector of the joint. This is the attachment offset of the first connector of the joint. - - + + The second reference of the joint The second reference of the joint - + This is the local coordinate system within Reference2's object that will be used for the joint. This is the local coordinate system within Reference2's object that will be used for the joint. - - + + This is the attachment offset of the second connector of the joint. This is the attachment offset of the second connector of the joint. - + The first object of the joint The first object of the joint - + This prevents Placement1 from recomputing, enabling custom positioning of the placement. This prevents Placement1 from recomputing, enabling custom positioning of the placement. - + The second object of the joint The second object of the joint - + This prevents Placement2 from recomputing, enabling custom positioning of the placement. This prevents Placement2 from recomputing, enabling custom positioning of the placement. - + This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) - + This is the second distance of the joint. It is used only by the gear joint to store the second radius. This is the second distance of the joint. It is used only by the gear joint to store the second radius. - + This indicates if the joint is active. This indicates if the joint is active. - + Enable the minimum length limit of the joint. Enable the minimum length limit of the joint. - + Enable the maximum length limit of the joint. Enable the maximum length limit of the joint. - + Enable the minimum angle limit of the joint. Enable the minimum angle limit of the joint. - + Enable the minimum length of the joint. Enable the minimum length of the joint. - + This is the minimum limit for the length between both coordinate systems (along their Z axis). This is the minimum limit for the length between both coordinate systems (along their Z axis). - + This is the maximum limit for the length between both coordinate systems (along their Z axis). This is the maximum limit for the length between both coordinate systems (along their Z axis). - + This is the minimum limit for the angle between both coordinate systems (between their X axis). This is the minimum limit for the angle between both coordinate systems (between their X axis). - + This is the maximum limit for the angle between both coordinate systems (between their X axis). This is the maximum limit for the angle between both coordinate systems (between their X axis). - + The object to ground The object to ground - + This is where the part is grounded. This is where the part is grounded. @@ -536,52 +561,87 @@ Radius 2 - + + Attachement offsets + Attachement offsets + + + + Simple + Eenvoudig + + + Offset Verschuiving - + Rotation Rotatie - + + Advanced + Geavanceerd + + + + Offset1 + Offset1 + + + + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + + + + Offset2 + Offset2 + + + + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + + + Reverse the direction of the joint. Reverse the direction of the joint. - + Reverse Omdraaien - + Limits Limits - + Min length Min. lengte - + Max length Max. lengte - + Min angle Min. hoek - + Max angle Max. hoek - + Reverse rotation Reverse rotation @@ -618,6 +678,22 @@ Show only parts Show only parts + + + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + + + + Rigid sub-assemblies + Rigid sub-assemblies + AssemblyGui::DlgSettingsAssembly @@ -662,17 +738,17 @@ The files are named "runPreDrag.asmt" and "dragging.log" and are located in the AssemblyGui::ViewProviderAssembly - + The object is associated to one or more joints. The object is associated to one or more joints. - + Do you want to move the object and delete associated joints? Do you want to move the object and delete associated joints? - + Move part Onderdeel verplaatsen @@ -930,4 +1006,20 @@ Press ESC to cancel. The columns 'Index', 'Name', 'File Name' and 'Quantity' are automatically generated on recompute. The 'Description' and custom columns are not overwritten. + + Assembly::AssemblyLink + + + Joints + Joints + + + + Command + + + Toggle Rigid + Toggle Rigid + + diff --git a/src/Mod/Assembly/Gui/Resources/translations/Assembly_pl.ts b/src/Mod/Assembly/Gui/Resources/translations/Assembly_pl.ts index bec267944008..199142e9eefd 100644 --- a/src/Mod/Assembly/Gui/Resources/translations/Assembly_pl.ts +++ b/src/Mod/Assembly/Gui/Resources/translations/Assembly_pl.ts @@ -194,6 +194,31 @@ Aby wstawić komponenty zewnętrzne, upewnij się, że plik jest otwarty w bież Assembly Złożenie + + + Active object + Aktywny obiekt + + + + Turn flexible + Turn flexible + + + + Your sub-assembly is currently rigid. This will make it flexible instead. + Your sub-assembly is currently rigid. This will make it flexible instead. + + + + Turn rigid + Turn rigid + + + + Your sub-assembly is currently flexible. This will make it rigid instead. + Your sub-assembly is currently flexible. This will make it rigid instead. + Workbench @@ -216,84 +241,84 @@ Aby wstawić komponenty zewnętrzne, upewnij się, że plik jest otwarty w bież Assembly - + Fixed Stały - + Revolute Utwórz połączenie obrotowe - + Cylindrical Połączenie cylindryczne - + Slider Połączenie przesuwne - + Ball Przegub kulowy - - + + Distance Odległość - + Parallel Równolegle - + Perpendicular Prostopadle - - + + Angle Kąt - + RackPinion Przekładnia zębatkowa - + Screw Śruba - + Gears Koła zębate - + Belt Pas - + You need to select 2 elements from 2 separate parts. Musisz wybrać dwa elementy z dwóch oddzielnych części. - + Radius 1 Promień 1 - + Pitch radius Promień nachylenia @@ -401,129 +426,129 @@ Nazwy tych kolumn można zmienić, klikając dwukrotnie lub naciskając klawisz App::Property - + The type of the joint Typ połączenia - - + + The first reference of the joint Pierwsze odniesienie do połączenia - + This is the local coordinate system within Reference1's object that will be used for the joint. Jest to lokalny układ współrzędnych w pierwszym obiekcie Odniesienie 1, który będzie używany dla połączenia. - - + + This is the attachment offset of the first connector of the joint. Jest to odsunięcie mocowania pierwszego złącza połączenia. - - + + The second reference of the joint Drugie odniesienie do połączenia - + This is the local coordinate system within Reference2's object that will be used for the joint. Jest to lokalny układ współrzędnych w pierwszym obiekcie Odniesienie 2, który będzie używany dla połączenia. - - + + This is the attachment offset of the second connector of the joint. Jest to odsunięcie mocowania drugiego złącza połączenia. - + The first object of the joint Pierwszy obiekt połączenia - + This prevents Placement1 from recomputing, enabling custom positioning of the placement. Zapobiega to przeliczaniu pierwszego umiejscowienia, umożliwiając niestandardowe pozycjonowanie umiejscowienia. - + The second object of the joint Drugi obiekt połączenia - + This prevents Placement2 from recomputing, enabling custom positioning of the placement. Zapobiega to przeliczaniu drugiego umiejscowienia, umożliwiając niestandardowe pozycjonowanie umiejscowienia. - + This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) To jest odległość połączenia. Jest używana tylko przez połączenie dystansowe, przekładni zębatkowej (promień skoku), śrubowej, zębatej oraz pasowej (promień 1) - + This is the second distance of the joint. It is used only by the gear joint to store the second radius. Jest to druga odległość połączenia. Jest on używany tylko przez połączenie zębate do przechowywania drugiego promienia. - + This indicates if the joint is active. Wskazuje to, czy połączenie jest aktywne. - + Enable the minimum length limit of the joint. Włącz limit minimalnej długości połączenia. - + Enable the maximum length limit of the joint. Włącz limit maksymalnej długości połączenia. - + Enable the minimum angle limit of the joint. Włącz limit minimalny kąta połączenia. - + Enable the minimum length of the joint. Włącz minimalną długość połączenia. - + This is the minimum limit for the length between both coordinate systems (along their Z axis). Jest to minimalny limit długości między oboma układami współrzędnych (wzdłuż ich osi Z). - + This is the maximum limit for the length between both coordinate systems (along their Z axis). Jest to maksymalny limit długości między oboma układami współrzędnych (wzdłuż ich osi Z). - + This is the minimum limit for the angle between both coordinate systems (between their X axis). Jest to minimalny limit kąta między oboma układami współrzędnych (między ich osiami X). - + This is the maximum limit for the angle between both coordinate systems (between their X axis). Jest to maksymalny limit kąta między oboma układami współrzędnych (między ich osiami X). - + The object to ground Obiekt do zakotwienia - + This is where the part is grounded. W tym miejscu część jest zakotwiona. @@ -562,52 +587,87 @@ Jest on używany tylko przez połączenie zębate do przechowywania drugiego pro Promień 2 - + + Attachement offsets + Attachement offsets + + + + Simple + Proste + + + Offset Odsunięcie - + Rotation Obrót - + + Advanced + Zaawansowane + + + + Offset1 + Offset1 + + + + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + + + + Offset2 + Offset2 + + + + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + + + Reverse the direction of the joint. Odwróć kierunek połączenia. - + Reverse Odwróć - + Limits Limity - + Min length Minimalna długość - + Max length Maksymalna długość - + Min angle Minimalny kąt - + Max angle Maksymalny kąt - + Reverse rotation Obroty w przeciwnym kierunku @@ -644,6 +704,22 @@ Jest on używany tylko przez połączenie zębate do przechowywania drugiego pro Show only parts Pokaż tylko części + + + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + + + + Rigid sub-assemblies + Rigid sub-assemblies + AssemblyGui::DlgSettingsAssembly @@ -688,17 +764,17 @@ Pliki noszą nazwy "runPreDrag.asmt" i "dragging.log" i znajdują się w domyśl AssemblyGui::ViewProviderAssembly - + The object is associated to one or more joints. Obiekt jest powiązany z jednym lub większą liczbą połączeń. - + Do you want to move the object and delete associated joints? Czy chcesz przenieść obiekt i usunąć powiązane połączenia? - + Move part Przesuń część @@ -965,4 +1041,20 @@ Jeśli obiekt BOM nie ma być zapisany jako obiekt dokumentu, można go po prost Kolumny "Indeks", "Nazwa", "Nazwa pliku" i "Ilość" są generowane automatycznie po ponownym obliczeniu. Kolumny " Opis " i niestandardowe nie są nadpisywane. + + Assembly::AssemblyLink + + + Joints + Joints + + + + Command + + + Toggle Rigid + Toggle Rigid + + diff --git a/src/Mod/Assembly/Gui/Resources/translations/Assembly_pt-BR.ts b/src/Mod/Assembly/Gui/Resources/translations/Assembly_pt-BR.ts index fa3866dd26e3..870b26d9f9b4 100644 --- a/src/Mod/Assembly/Gui/Resources/translations/Assembly_pt-BR.ts +++ b/src/Mod/Assembly/Gui/Resources/translations/Assembly_pt-BR.ts @@ -176,6 +176,31 @@ Assembly Assemblagem + + + Active object + Objeto ativo + + + + Turn flexible + Turn flexible + + + + Your sub-assembly is currently rigid. This will make it flexible instead. + Your sub-assembly is currently rigid. This will make it flexible instead. + + + + Turn rigid + Turn rigid + + + + Your sub-assembly is currently flexible. This will make it rigid instead. + Your sub-assembly is currently flexible. This will make it rigid instead. + Workbench @@ -198,84 +223,84 @@ Assembly - + Fixed Afixado - + Revolute Revolução - + Cylindrical Cilíndrico - + Slider Deslizante - + Ball Bola - - + + Distance Distância - + Parallel Paralelo - + Perpendicular Perpendicular - - + + Angle Ângulo - + RackPinion RackPinion - + Screw Parafuso - + Gears Engrenagens - + Belt Correia - + You need to select 2 elements from 2 separate parts. Você precisa selecionar 2 elementos de 2 peças separadas. - + Radius 1 Raio 1 - + Pitch radius Raio de inclinação @@ -378,126 +403,126 @@ App::Property - + The type of the joint O tipo da junta - - + + The first reference of the joint A primeira referência desta ariculação - + This is the local coordinate system within Reference1's object that will be used for the joint. O sistema local de coordenadas dentro do objeto de referência que será usado nesta articulação. - - + + This is the attachment offset of the first connector of the joint. Este é o deslocamento de fixação do primeiro conector da junta. - - + + The second reference of the joint A segunda referência desta ariculação - + This is the local coordinate system within Reference2's object that will be used for the joint. O sistema local de coordenadas dentro do segundo objeto de referência que será usado nesta articulação. - - + + This is the attachment offset of the second connector of the joint. Este é o deslocamento de fixação do segundo conector da junta. - + The first object of the joint O primeiro objeto da junta - + This prevents Placement1 from recomputing, enabling custom positioning of the placement. Isso impede que o Posicionamento 1 seja recomputado, permitindo o posicionamento personalizado. - + The second object of the joint O segundo objeto da junta - + This prevents Placement2 from recomputing, enabling custom positioning of the placement. Isso impede que o Placement2 seja recomputado, permitindo o posicionamento personalizado. - + This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) Esta é a distância da articulação. É usada apenas pelas articulações Distância, Rack, Pinion (raio de tom), Screw, Gears e Belt (radius1) - + This is the second distance of the joint. It is used only by the gear joint to store the second radius. Esta é a segunda distância da articulação. Ela é usada apenas pela articulação Gear para armazenar o segundo raio. - + This indicates if the joint is active. Isto indica se a junta está activa. - + Enable the minimum length limit of the joint. Habilitar o limite mínimo de comprimento da articulação. - + Enable the maximum length limit of the joint. Habilitar o limite máximo de comprimento da articulação. - + Enable the minimum angle limit of the joint. Ativar o limite mínimo de ângulo da articulação. - + Enable the minimum length of the joint. Ativar o comprimento mínimo da articulação. - + This is the minimum limit for the length between both coordinate systems (along their Z axis). Este é o limite mínimo para o comprimento entre os dois sistemas de coordenadas (ao longo do eixo Z). - + This is the maximum limit for the length between both coordinate systems (along their Z axis). Este é o limite máximo para o comprimento entre os dois sistemas de coordenadas (ao longo do eixo Z). - + This is the minimum limit for the angle between both coordinate systems (between their X axis). Este é o limite mínimo para o ângulo entre os dois sistemas de coordenadas (entre seu eixo X). - + This is the maximum limit for the angle between both coordinate systems (between their X axis). Este é o limite máximo para o ângulo entre os dois sistemas de coordenadas (entre seu eixo X). - + The object to ground Fixar objeto - + This is where the part is grounded. É aqui que a peça está fixada. @@ -536,52 +561,87 @@ Raio 2 - + + Attachement offsets + Attachement offsets + + + + Simple + Simples + + + Offset Deslocamento - + Rotation Rotação - + + Advanced + Avançado + + + + Offset1 + Offset1 + + + + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + + + + Offset2 + Offset2 + + + + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + + + Reverse the direction of the joint. Inverta a direção da junta. - + Reverse Inverter - + Limits Limites - + Min length Comprimento mínimo - + Max length Comprimento Máximo - + Min angle Angulo mínimo - + Max angle Angulo máximo - + Reverse rotation Inverter a rotação @@ -618,6 +678,22 @@ Show only parts Mostrar apenas peças + + + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + + + + Rigid sub-assemblies + Rigid sub-assemblies + AssemblyGui::DlgSettingsAssembly @@ -662,17 +738,17 @@ Os arquivos são chamados "runPreDrag.asmt" e "dragging.log" e localizam-se no d AssemblyGui::ViewProviderAssembly - + The object is associated to one or more joints. O objeto está associado a uma ou mais juntas. - + Do you want to move the object and delete associated joints? Você deseja mover o objeto e excluir juntas associadas? - + Move part Mover peça @@ -930,4 +1006,20 @@ Pressione ESC para cancelar. As colunas 'Index', 'Nome', 'Nome do Arquivo' e 'Quantidade' são geradas automaticamente ao recalcular. A 'Descrição' e colunas personalizadas não são substituídas. + + Assembly::AssemblyLink + + + Joints + Joints + + + + Command + + + Toggle Rigid + Toggle Rigid + + diff --git a/src/Mod/Assembly/Gui/Resources/translations/Assembly_pt-PT.ts b/src/Mod/Assembly/Gui/Resources/translations/Assembly_pt-PT.ts index 2febd62dd160..b47d66783f04 100644 --- a/src/Mod/Assembly/Gui/Resources/translations/Assembly_pt-PT.ts +++ b/src/Mod/Assembly/Gui/Resources/translations/Assembly_pt-PT.ts @@ -176,6 +176,31 @@ Assembly Montagem + + + Active object + Active object + + + + Turn flexible + Turn flexible + + + + Your sub-assembly is currently rigid. This will make it flexible instead. + Your sub-assembly is currently rigid. This will make it flexible instead. + + + + Turn rigid + Turn rigid + + + + Your sub-assembly is currently flexible. This will make it rigid instead. + Your sub-assembly is currently flexible. This will make it rigid instead. + Workbench @@ -198,84 +223,84 @@ Assembly - + Fixed Fixo - + Revolute Revolute - + Cylindrical Cylindrical - + Slider Slider - + Ball Ball - - + + Distance Distância - + Parallel Paralelo - + Perpendicular Perpendicular - - + + Angle Ângulo - + RackPinion RackPinion - + Screw Screw - + Gears Engrenagens - + Belt Belt - + You need to select 2 elements from 2 separate parts. You need to select 2 elements from 2 separate parts. - + Radius 1 Radius 1 - + Pitch radius Pitch radius @@ -292,7 +317,7 @@ Never - Never + Nunca @@ -378,126 +403,126 @@ App::Property - + The type of the joint The type of the joint - - + + The first reference of the joint The first reference of the joint - + This is the local coordinate system within Reference1's object that will be used for the joint. This is the local coordinate system within Reference1's object that will be used for the joint. - - + + This is the attachment offset of the first connector of the joint. This is the attachment offset of the first connector of the joint. - - + + The second reference of the joint The second reference of the joint - + This is the local coordinate system within Reference2's object that will be used for the joint. This is the local coordinate system within Reference2's object that will be used for the joint. - - + + This is the attachment offset of the second connector of the joint. This is the attachment offset of the second connector of the joint. - + The first object of the joint The first object of the joint - + This prevents Placement1 from recomputing, enabling custom positioning of the placement. This prevents Placement1 from recomputing, enabling custom positioning of the placement. - + The second object of the joint The second object of the joint - + This prevents Placement2 from recomputing, enabling custom positioning of the placement. This prevents Placement2 from recomputing, enabling custom positioning of the placement. - + This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) - + This is the second distance of the joint. It is used only by the gear joint to store the second radius. This is the second distance of the joint. It is used only by the gear joint to store the second radius. - + This indicates if the joint is active. This indicates if the joint is active. - + Enable the minimum length limit of the joint. Enable the minimum length limit of the joint. - + Enable the maximum length limit of the joint. Enable the maximum length limit of the joint. - + Enable the minimum angle limit of the joint. Enable the minimum angle limit of the joint. - + Enable the minimum length of the joint. Enable the minimum length of the joint. - + This is the minimum limit for the length between both coordinate systems (along their Z axis). This is the minimum limit for the length between both coordinate systems (along their Z axis). - + This is the maximum limit for the length between both coordinate systems (along their Z axis). This is the maximum limit for the length between both coordinate systems (along their Z axis). - + This is the minimum limit for the angle between both coordinate systems (between their X axis). This is the minimum limit for the angle between both coordinate systems (between their X axis). - + This is the maximum limit for the angle between both coordinate systems (between their X axis). This is the maximum limit for the angle between both coordinate systems (between their X axis). - + The object to ground The object to ground - + This is where the part is grounded. This is where the part is grounded. @@ -536,52 +561,87 @@ Radius 2 - + + Attachement offsets + Attachement offsets + + + + Simple + Simples + + + Offset Deslocamento paralelo - + Rotation Rotation - + + Advanced + Avançado + + + + Offset1 + Offset1 + + + + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + + + + Offset2 + Offset2 + + + + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + + + Reverse the direction of the joint. Reverse the direction of the joint. - + Reverse Inverter - + Limits Limites - + Min length Min length - + Max length Max length - + Min angle Min angle - + Max angle Max angle - + Reverse rotation Inverter a rotação @@ -618,6 +678,22 @@ Show only parts Show only parts + + + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + + + + Rigid sub-assemblies + Rigid sub-assemblies + AssemblyGui::DlgSettingsAssembly @@ -662,17 +738,17 @@ The files are named "runPreDrag.asmt" and "dragging.log" and are located in the AssemblyGui::ViewProviderAssembly - + The object is associated to one or more joints. The object is associated to one or more joints. - + Do you want to move the object and delete associated joints? Do you want to move the object and delete associated joints? - + Move part Move part @@ -930,4 +1006,20 @@ Press ESC to cancel. The columns 'Index', 'Name', 'File Name' and 'Quantity' are automatically generated on recompute. The 'Description' and custom columns are not overwritten. + + Assembly::AssemblyLink + + + Joints + Joints + + + + Command + + + Toggle Rigid + Toggle Rigid + + diff --git a/src/Mod/Assembly/Gui/Resources/translations/Assembly_ro.ts b/src/Mod/Assembly/Gui/Resources/translations/Assembly_ro.ts index 3417c8762b5c..51f97b278247 100644 --- a/src/Mod/Assembly/Gui/Resources/translations/Assembly_ro.ts +++ b/src/Mod/Assembly/Gui/Resources/translations/Assembly_ro.ts @@ -176,6 +176,31 @@ Assembly Ansamblu + + + Active object + Obiect activ + + + + Turn flexible + Turn flexible + + + + Your sub-assembly is currently rigid. This will make it flexible instead. + Your sub-assembly is currently rigid. This will make it flexible instead. + + + + Turn rigid + Turn rigid + + + + Your sub-assembly is currently flexible. This will make it rigid instead. + Your sub-assembly is currently flexible. This will make it rigid instead. + Workbench @@ -198,84 +223,84 @@ Assembly - + Fixed Fixă - + Revolute Revolute - + Cylindrical Cylindrical - + Slider Slider - + Ball Ball - - + + Distance Distance - + Parallel Paralel - + Perpendicular Perpendicular - - + + Angle Unghi - + RackPinion RackPinion - + Screw Screw - + Gears Gears - + Belt Belt - + You need to select 2 elements from 2 separate parts. You need to select 2 elements from 2 separate parts. - + Radius 1 Radius 1 - + Pitch radius Pitch radius @@ -378,126 +403,126 @@ App::Property - + The type of the joint The type of the joint - - + + The first reference of the joint The first reference of the joint - + This is the local coordinate system within Reference1's object that will be used for the joint. This is the local coordinate system within Reference1's object that will be used for the joint. - - + + This is the attachment offset of the first connector of the joint. This is the attachment offset of the first connector of the joint. - - + + The second reference of the joint The second reference of the joint - + This is the local coordinate system within Reference2's object that will be used for the joint. This is the local coordinate system within Reference2's object that will be used for the joint. - - + + This is the attachment offset of the second connector of the joint. This is the attachment offset of the second connector of the joint. - + The first object of the joint The first object of the joint - + This prevents Placement1 from recomputing, enabling custom positioning of the placement. This prevents Placement1 from recomputing, enabling custom positioning of the placement. - + The second object of the joint The second object of the joint - + This prevents Placement2 from recomputing, enabling custom positioning of the placement. This prevents Placement2 from recomputing, enabling custom positioning of the placement. - + This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) - + This is the second distance of the joint. It is used only by the gear joint to store the second radius. This is the second distance of the joint. It is used only by the gear joint to store the second radius. - + This indicates if the joint is active. This indicates if the joint is active. - + Enable the minimum length limit of the joint. Enable the minimum length limit of the joint. - + Enable the maximum length limit of the joint. Enable the maximum length limit of the joint. - + Enable the minimum angle limit of the joint. Enable the minimum angle limit of the joint. - + Enable the minimum length of the joint. Enable the minimum length of the joint. - + This is the minimum limit for the length between both coordinate systems (along their Z axis). This is the minimum limit for the length between both coordinate systems (along their Z axis). - + This is the maximum limit for the length between both coordinate systems (along their Z axis). This is the maximum limit for the length between both coordinate systems (along their Z axis). - + This is the minimum limit for the angle between both coordinate systems (between their X axis). This is the minimum limit for the angle between both coordinate systems (between their X axis). - + This is the maximum limit for the angle between both coordinate systems (between their X axis). This is the maximum limit for the angle between both coordinate systems (between their X axis). - + The object to ground The object to ground - + This is where the part is grounded. This is where the part is grounded. @@ -536,52 +561,87 @@ Radius 2 - + + Attachement offsets + Attachement offsets + + + + Simple + Simplu + + + Offset Compensare - + Rotation Rotation - + + Advanced + Advanced + + + + Offset1 + Offset1 + + + + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + + + + Offset2 + Offset2 + + + + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + + + Reverse the direction of the joint. Reverse the direction of the joint. - + Reverse Invers - + Limits Limits - + Min length Min length - + Max length Max length - + Min angle Min angle - + Max angle Max angle - + Reverse rotation Reverse rotation @@ -618,6 +678,22 @@ Show only parts Show only parts + + + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + + + + Rigid sub-assemblies + Rigid sub-assemblies + AssemblyGui::DlgSettingsAssembly @@ -662,17 +738,17 @@ The files are named "runPreDrag.asmt" and "dragging.log" and are located in the AssemblyGui::ViewProviderAssembly - + The object is associated to one or more joints. The object is associated to one or more joints. - + Do you want to move the object and delete associated joints? Do you want to move the object and delete associated joints? - + Move part Move part @@ -930,4 +1006,20 @@ Press ESC to cancel. The columns 'Index', 'Name', 'File Name' and 'Quantity' are automatically generated on recompute. The 'Description' and custom columns are not overwritten. + + Assembly::AssemblyLink + + + Joints + Joints + + + + Command + + + Toggle Rigid + Toggle Rigid + + diff --git a/src/Mod/Assembly/Gui/Resources/translations/Assembly_ru.ts b/src/Mod/Assembly/Gui/Resources/translations/Assembly_ru.ts index b84ec218ba93..03d70325727a 100644 --- a/src/Mod/Assembly/Gui/Resources/translations/Assembly_ru.ts +++ b/src/Mod/Assembly/Gui/Resources/translations/Assembly_ru.ts @@ -176,6 +176,31 @@ Assembly Сборка + + + Active object + Активный объект + + + + Turn flexible + Turn flexible + + + + Your sub-assembly is currently rigid. This will make it flexible instead. + Your sub-assembly is currently rigid. This will make it flexible instead. + + + + Turn rigid + Turn rigid + + + + Your sub-assembly is currently flexible. This will make it rigid instead. + Your sub-assembly is currently flexible. This will make it rigid instead. + Workbench @@ -198,84 +223,84 @@ Assembly - + Fixed Неподвижное - + Revolute Вращение - + Cylindrical Цилиндрическое - + Slider Скользящее - + Ball Шаровое - - + + Distance Расстояние - + Parallel Параллельное - + Perpendicular Перпендикулярное - - + + Angle Угловое - + RackPinion Реечная шестерня - + Screw Винтовое - + Gears Шестерни - + Belt Ремень - + You need to select 2 elements from 2 separate parts. Необходимо выбрать 2 элемента от 2 отдельных деталей. - + Radius 1 Радиус 1 - + Pitch radius Радиус шага @@ -378,126 +403,126 @@ App::Property - + The type of the joint Тип соединения - - + + The first reference of the joint Первая ссылка соединения - + This is the local coordinate system within Reference1's object that will be used for the joint. Это локальная система координат внутри объекта Reference1, которая будет использоваться для соединения. - - + + This is the attachment offset of the first connector of the joint. Это смещение крепления первого соединителя соединения. - - + + The second reference of the joint Вторая ссылка на совместное - + This is the local coordinate system within Reference2's object that will be used for the joint. Это локальная система координат внутри объекта Reference2, которая будет использоваться для соединения. - - + + This is the attachment offset of the second connector of the joint. Это смещение крепления второго соединителя соединения. - + The first object of the joint Первый объект объединения - + This prevents Placement1 from recomputing, enabling custom positioning of the placement. Это предотвращает перерасчет Placement1, позволяя настраивать позиционирование места размещения. - + The second object of the joint Второй объект соединения - + This prevents Placement2 from recomputing, enabling custom positioning of the placement. Это предотвращает перерасчет Placement2, позволяя настраивать позиционирование места размещения. - + This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) Это расстояние соединения. Используется только дистанционным соединением и зубчатой ​​рейкой (радиус шага), винтом и шестернями и ремнем (радиус 1) - + This is the second distance of the joint. It is used only by the gear joint to store the second radius. Это второе расстояние сустава. Он используется только зубчатым соединением для хранения второго радиуса. - + This indicates if the joint is active. Это указывает на то, активно ли соединение. - + Enable the minimum length limit of the joint. Включите ограничение минимальной длины соединения. - + Enable the maximum length limit of the joint. Включить ограничение максимальной длины соединения. - + Enable the minimum angle limit of the joint. Включить ограничение минимального угла соединения. - + Enable the minimum length of the joint. Включите минимальную длину стыка. - + This is the minimum limit for the length between both coordinate systems (along their Z axis). Это минимальный предел длины между обеими системами координат (вдоль их оси Z). - + This is the maximum limit for the length between both coordinate systems (along their Z axis). Это максимальный предел длины между обеими системами координат (вдоль их оси Z). - + This is the minimum limit for the angle between both coordinate systems (between their X axis). Это минимальный предел угла между обеими системами координат (между их осью X). - + This is the maximum limit for the angle between both coordinate systems (between their X axis). Это максимальный предел угла между обеими системами координат (между их осью X). - + The object to ground Объект для закрепления - + This is where the part is grounded. Это деталь для крепления. @@ -536,52 +561,87 @@ Радиус 2 - + + Attachement offsets + Attachement offsets + + + + Simple + Простой + + + Offset Смещение - + Rotation Вращение - + + Advanced + Дополнительно + + + + Offset1 + Offset1 + + + + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + + + + Offset2 + Offset2 + + + + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + + + Reverse the direction of the joint. Измените направление соединения. - + Reverse Развернуть - + Limits Пределы - + Min length Мин. длина - + Max length Макс. длина - + Min angle Мин. угол - + Max angle Макс. угол - + Reverse rotation Обратное вращение @@ -618,6 +678,22 @@ Show only parts Показать только детали + + + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + + + + Rigid sub-assemblies + Rigid sub-assemblies + AssemblyGui::DlgSettingsAssembly @@ -662,17 +738,17 @@ The files are named "runPreDrag.asmt" and "dragging.log" and are located in the AssemblyGui::ViewProviderAssembly - + The object is associated to one or more joints. Объект связан с одним или несколькими соединениями. - + Do you want to move the object and delete associated joints? Вы хотите переместить объект и удалить связанные соединения? - + Move part Переместить деталь @@ -930,4 +1006,20 @@ Press ESC to cancel. Столбцы «Индекс», «Имя», «Имя файла» и «Количество» автоматически генерируются при пересчете. Столбцы «Описание» и пользовательские столбцы не перезаписываются. + + Assembly::AssemblyLink + + + Joints + Joints + + + + Command + + + Toggle Rigid + Toggle Rigid + + diff --git a/src/Mod/Assembly/Gui/Resources/translations/Assembly_sl.ts b/src/Mod/Assembly/Gui/Resources/translations/Assembly_sl.ts index 07acbaf3646e..a5910e18c7d9 100644 --- a/src/Mod/Assembly/Gui/Resources/translations/Assembly_sl.ts +++ b/src/Mod/Assembly/Gui/Resources/translations/Assembly_sl.ts @@ -176,6 +176,31 @@ Assembly Assembly + + + Active object + Active object + + + + Turn flexible + Turn flexible + + + + Your sub-assembly is currently rigid. This will make it flexible instead. + Your sub-assembly is currently rigid. This will make it flexible instead. + + + + Turn rigid + Turn rigid + + + + Your sub-assembly is currently flexible. This will make it rigid instead. + Your sub-assembly is currently flexible. This will make it rigid instead. + Workbench @@ -198,84 +223,84 @@ Assembly - + Fixed Nespremenljivo - + Revolute Vrtljivi - + Cylindrical Valjčni - + Slider Drsni - + Ball Krogelni - - + + Distance Distance - + Parallel Vzporedno - + Perpendicular Pravokoten - - + + Angle Kot - + RackPinion RackPinion - + Screw Screw - + Gears Gears - + Belt Belt - + You need to select 2 elements from 2 separate parts. You need to select 2 elements from 2 separate parts. - + Radius 1 Radius 1 - + Pitch radius Pitch radius @@ -378,126 +403,126 @@ App::Property - + The type of the joint Vrsta spoja/zgloba - - + + The first reference of the joint The first reference of the joint - + This is the local coordinate system within Reference1's object that will be used for the joint. This is the local coordinate system within Reference1's object that will be used for the joint. - - + + This is the attachment offset of the first connector of the joint. This is the attachment offset of the first connector of the joint. - - + + The second reference of the joint The second reference of the joint - + This is the local coordinate system within Reference2's object that will be used for the joint. This is the local coordinate system within Reference2's object that will be used for the joint. - - + + This is the attachment offset of the second connector of the joint. This is the attachment offset of the second connector of the joint. - + The first object of the joint Prvi predmet za spajanje - + This prevents Placement1 from recomputing, enabling custom positioning of the placement. This prevents Placement1 from recomputing, enabling custom positioning of the placement. - + The second object of the joint The second object of the joint - + This prevents Placement2 from recomputing, enabling custom positioning of the placement. This prevents Placement2 from recomputing, enabling custom positioning of the placement. - + This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) - + This is the second distance of the joint. It is used only by the gear joint to store the second radius. This is the second distance of the joint. It is used only by the gear joint to store the second radius. - + This indicates if the joint is active. This indicates if the joint is active. - + Enable the minimum length limit of the joint. Enable the minimum length limit of the joint. - + Enable the maximum length limit of the joint. Enable the maximum length limit of the joint. - + Enable the minimum angle limit of the joint. Enable the minimum angle limit of the joint. - + Enable the minimum length of the joint. Enable the minimum length of the joint. - + This is the minimum limit for the length between both coordinate systems (along their Z axis). This is the minimum limit for the length between both coordinate systems (along their Z axis). - + This is the maximum limit for the length between both coordinate systems (along their Z axis). This is the maximum limit for the length between both coordinate systems (along their Z axis). - + This is the minimum limit for the angle between both coordinate systems (between their X axis). This is the minimum limit for the angle between both coordinate systems (between their X axis). - + This is the maximum limit for the angle between both coordinate systems (between their X axis). This is the maximum limit for the angle between both coordinate systems (between their X axis). - + The object to ground The object to ground - + This is where the part is grounded. This is where the part is grounded. @@ -536,52 +561,87 @@ Radius 2 - + + Attachement offsets + Attachement offsets + + + + Simple + Enostaven + + + Offset Odmik - + Rotation Zasuk - + + Advanced + Napredno + + + + Offset1 + Offset1 + + + + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + + + + Offset2 + Offset2 + + + + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + + + Reverse the direction of the joint. Reverse the direction of the joint. - + Reverse Obrni - + Limits Limits - + Min length Min length - + Max length Max length - + Min angle Min angle - + Max angle Max angle - + Reverse rotation Reverse rotation @@ -618,6 +678,22 @@ Show only parts Show only parts + + + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + + + + Rigid sub-assemblies + Rigid sub-assemblies + AssemblyGui::DlgSettingsAssembly @@ -662,17 +738,17 @@ The files are named "runPreDrag.asmt" and "dragging.log" and are located in the AssemblyGui::ViewProviderAssembly - + The object is associated to one or more joints. The object is associated to one or more joints. - + Do you want to move the object and delete associated joints? Do you want to move the object and delete associated joints? - + Move part Move part @@ -930,4 +1006,20 @@ Press ESC to cancel. The columns 'Index', 'Name', 'File Name' and 'Quantity' are automatically generated on recompute. The 'Description' and custom columns are not overwritten. + + Assembly::AssemblyLink + + + Joints + Joints + + + + Command + + + Toggle Rigid + Toggle Rigid + + diff --git a/src/Mod/Assembly/Gui/Resources/translations/Assembly_sr-CS.ts b/src/Mod/Assembly/Gui/Resources/translations/Assembly_sr-CS.ts index ba3a65756166..8a20f6033d59 100644 --- a/src/Mod/Assembly/Gui/Resources/translations/Assembly_sr-CS.ts +++ b/src/Mod/Assembly/Gui/Resources/translations/Assembly_sr-CS.ts @@ -176,6 +176,31 @@ Assembly Assembly + + + Active object + Aktivni objekat + + + + Turn flexible + Turn flexible + + + + Your sub-assembly is currently rigid. This will make it flexible instead. + Your sub-assembly is currently rigid. This will make it flexible instead. + + + + Turn rigid + Turn rigid + + + + Your sub-assembly is currently flexible. This will make it rigid instead. + Your sub-assembly is currently flexible. This will make it rigid instead. + Workbench @@ -198,84 +223,84 @@ Assembly - + Fixed Fiksni - + Revolute Rotacioni - + Cylindrical Cilindrični - + Slider Translacioni - + Ball Kuglasti - - + + Distance Rastojanje - + Parallel Paralelni - + Perpendicular Upravni - - + + Angle Ugaoni - + RackPinion Zupčasta letva - + Screw Navojni - + Gears Zupčasti - + Belt Remeni - + You need to select 2 elements from 2 separate parts. Potrebno je izabrati 2 elementa sa 2 različita dela. - + Radius 1 Poluprečnik 1 - + Pitch radius Podeoni poluprečnik @@ -378,126 +403,126 @@ App::Property - + The type of the joint Vrsta spoja - - + + The first reference of the joint Prva referenca u spoju - + This is the local coordinate system within Reference1's object that will be used for the joint. Ovo je lokalni koordinatni sistem unutar referentnog objekta 1 koji će se koristiti za spoj. - - + + This is the attachment offset of the first connector of the joint. This is the attachment offset of the first connector of the joint. - - + + The second reference of the joint Druga referenca u spoju - + This is the local coordinate system within Reference2's object that will be used for the joint. Ovo je lokalni koordinatni sistem unutar referentnog objekta 2 koji će se koristiti za spoj. - - + + This is the attachment offset of the second connector of the joint. This is the attachment offset of the second connector of the joint. - + The first object of the joint Prvi objekat u spoju - + This prevents Placement1 from recomputing, enabling custom positioning of the placement. Ovo sprečava da se ponovo izračunava Placement1 omogućavajući sopstveno pozicioniranje. - + The second object of the joint Drugi objekat u spoju - + This prevents Placement2 from recomputing, enabling custom positioning of the placement. Ovo sprečava da se ponovo izračunava Placement2 omogućavajući sopstveno pozicioniranje. - + This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) Rastojanje spoja. Koristi se kod ravanskog i navojnog spoja, a takođe i kod zupčastog, remenog (poluprečnik) i prenosnog spoja sa zupčastom letvom (poluprečnik koraka) - + This is the second distance of the joint. It is used only by the gear joint to store the second radius. Ovo je drugo rastojanje spoja. Koristi se samo kod zupčastog spoja da odredi drugi poluprečnik. - + This indicates if the joint is active. Ovo pokazuje da li je spoj aktivan. - + Enable the minimum length limit of the joint. Omogući minimalno dužinsko ograničenje spoja. - + Enable the maximum length limit of the joint. Omogući maksimalno dužinsko ograničenje spoja. - + Enable the minimum angle limit of the joint. Omogući minimalno ugaono ograničenje spoja. - + Enable the minimum length of the joint. Omogući minimalno rastojanje spoja. - + This is the minimum limit for the length between both coordinate systems (along their Z axis). Ovo je minimalno dužinsko ograničenje između koordinatnih sistema (uzduž njihovih Z osa). - + This is the maximum limit for the length between both coordinate systems (along their Z axis). Ovo je maksimalno dužinsko ograničenje između koordinatnih sistema (uzduž njihovih Z osa). - + This is the minimum limit for the angle between both coordinate systems (between their X axis). Ovo je minimalno ugaono ograničenje između koordinatnih sistema (između njihovih X osa). - + This is the maximum limit for the angle between both coordinate systems (between their X axis). Ovo je maksimalno ugaono ograničenje između koordinatnih sistema (između njihovih X osa). - + The object to ground Objekat koji treba učvrstiti - + This is where the part is grounded. Ovde je mesto gde je deo učvršćen. @@ -536,52 +561,87 @@ Poluprečnik 2 - + + Attachement offsets + Attachement offsets + + + + Simple + Jednostavno + + + Offset Odmak - + Rotation Okretanje - + + Advanced + Napredno + + + + Offset1 + Offset1 + + + + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + + + + Offset2 + Offset2 + + + + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + + + Reverse the direction of the joint. Obrni smer spoja. - + Reverse Obrnuto - + Limits Ograničenja - + Min length Min. dužina - + Max length Maks. dužina - + Min angle Min. ugao - + Max angle Maks. ugao - + Reverse rotation Obrni rotaciju @@ -618,6 +678,22 @@ Show only parts Prikaži samo delove + + + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + + + + Rigid sub-assemblies + Rigid sub-assemblies + AssemblyGui::DlgSettingsAssembly @@ -662,17 +738,17 @@ Datoteke se zovu „runPreDrag.asmt“ i „dragging.log“ i nalaze se u podraz AssemblyGui::ViewProviderAssembly - + The object is associated to one or more joints. Objektu su pridruženi jedan ili više spojeva. - + Do you want to move the object and delete associated joints? Da li želiš pomeriti objekat i obrisati pridružene spojeve? - + Move part Pomeri deo @@ -930,4 +1006,20 @@ Pritisni ESC da otkažeš. Kolone 'Indeks', 'Ime', 'Ime datoteke' i 'Količina' se automatski generišu pri ponovnom izračunavanju. Kolone „Opis“ i sopstvene kolone se ne prepisuju. + + Assembly::AssemblyLink + + + Joints + Joints + + + + Command + + + Toggle Rigid + Toggle Rigid + + diff --git a/src/Mod/Assembly/Gui/Resources/translations/Assembly_sr.ts b/src/Mod/Assembly/Gui/Resources/translations/Assembly_sr.ts index 872f10d192a3..a3bddb737ac4 100644 --- a/src/Mod/Assembly/Gui/Resources/translations/Assembly_sr.ts +++ b/src/Mod/Assembly/Gui/Resources/translations/Assembly_sr.ts @@ -176,6 +176,31 @@ Assembly Скупштина + + + Active object + Активни објекат + + + + Turn flexible + Turn flexible + + + + Your sub-assembly is currently rigid. This will make it flexible instead. + Your sub-assembly is currently rigid. This will make it flexible instead. + + + + Turn rigid + Turn rigid + + + + Your sub-assembly is currently flexible. This will make it rigid instead. + Your sub-assembly is currently flexible. This will make it rigid instead. + Workbench @@ -198,84 +223,84 @@ Assembly - + Fixed Фиксни - + Revolute Ротациони - + Cylindrical Цилиндрични - + Slider Транслациони - + Ball Кугласти - - + + Distance Растојање - + Parallel Паралелни - + Perpendicular Управни - - + + Angle Угаони - + RackPinion Зупчаста летва - + Screw Навојни - + Gears Зупчасти - + Belt Ремени - + You need to select 2 elements from 2 separate parts. Потребно је изабрати 2 елемента са 2 различита дела. - + Radius 1 Полупречник 1 - + Pitch radius Подеони полупречник @@ -378,126 +403,126 @@ App::Property - + The type of the joint Врста споја - - + + The first reference of the joint Прва референца у споју - + This is the local coordinate system within Reference1's object that will be used for the joint. Ово је локални координатни систем унутар референтног објекта 1 који ће се користити за спој. - - + + This is the attachment offset of the first connector of the joint. This is the attachment offset of the first connector of the joint. - - + + The second reference of the joint Друга референца у споју - + This is the local coordinate system within Reference2's object that will be used for the joint. Ово је локални координатни систем унутар референтног објекта 2 који ће се користити за спој. - - + + This is the attachment offset of the second connector of the joint. This is the attachment offset of the second connector of the joint. - + The first object of the joint Први објекат у споју - + This prevents Placement1 from recomputing, enabling custom positioning of the placement. Ово спречава да се поново израчунава Placement1 омогућавајући сопствено позиционирање. - + The second object of the joint Други објекат у споју - + This prevents Placement2 from recomputing, enabling custom positioning of the placement. Ово спречава да се поново израчунава Placement2 омогућавајући сопствено позиционирање. - + This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) Растојање споја. Користи се код раванског и навојног споја, а такође и код зупчастог, ременог (полупречник) и преносног споја са зупчастом летвом (полупречник корака) - + This is the second distance of the joint. It is used only by the gear joint to store the second radius. Ово је друго растојање споја. Користи се само код зупчастог споја да одреди други полупречник. - + This indicates if the joint is active. Ово показује да ли је спој активан. - + Enable the minimum length limit of the joint. Омогући минимално дужинско ограничење споја. - + Enable the maximum length limit of the joint. Омогући максимално дужинско ограничење споја. - + Enable the minimum angle limit of the joint. Омогући минимално угаоно ограничење споја. - + Enable the minimum length of the joint. Омогући минимално растојање споја. - + This is the minimum limit for the length between both coordinate systems (along their Z axis). Ово је минимално дужинско ограничење између координатних система (уздуж њихових З оса). - + This is the maximum limit for the length between both coordinate systems (along their Z axis). Ово је максимално дужинско ограничење између координатних система (уздуж њихових З оса). - + This is the minimum limit for the angle between both coordinate systems (between their X axis). Ово је минимално угаоно ограничење између координатних система (између њихових X оса). - + This is the maximum limit for the angle between both coordinate systems (between their X axis). Ово је максимално угаоно ограничење између координатних система (између њихових X оса). - + The object to ground Објекат који треба учврстити - + This is where the part is grounded. Овде је место где је део учвршћен. @@ -536,52 +561,87 @@ Полупречник 2 - + + Attachement offsets + Attachement offsets + + + + Simple + Једноставно + + + Offset Одмак - + Rotation Окретање - + + Advanced + Напредно + + + + Offset1 + Offset1 + + + + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + + + + Offset2 + Offset2 + + + + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + + + Reverse the direction of the joint. Обрни смер спојаа. - + Reverse Обрнуто - + Limits Ограничења - + Min length Минимална дужина - + Max length Максимална дужина - + Min angle Минимални угао - + Max angle Минимални угао - + Reverse rotation Обрни ротацију @@ -618,6 +678,22 @@ Show only parts Прикажи само делове + + + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + + + + Rigid sub-assemblies + Rigid sub-assemblies + AssemblyGui::DlgSettingsAssembly @@ -662,17 +738,17 @@ The files are named "runPreDrag.asmt" and "dragging.log" and are located in the AssemblyGui::ViewProviderAssembly - + The object is associated to one or more joints. Објекту су придружени један или више спојева. - + Do you want to move the object and delete associated joints? Да ли желиш померити објекат и обрисати придружене спојеве? - + Move part Помеи део @@ -930,4 +1006,20 @@ Press ESC to cancel. Колоне 'Индекс', 'Име', 'Име датотеке' и 'Количина' се аутоматски генеришу при поновном израчунавању. Колоне „Опис“ и сопствене колоне се не преписују. + + Assembly::AssemblyLink + + + Joints + Joints + + + + Command + + + Toggle Rigid + Toggle Rigid + + diff --git a/src/Mod/Assembly/Gui/Resources/translations/Assembly_sv-SE.ts b/src/Mod/Assembly/Gui/Resources/translations/Assembly_sv-SE.ts index f98f4b69c4f6..0a141252ff54 100644 --- a/src/Mod/Assembly/Gui/Resources/translations/Assembly_sv-SE.ts +++ b/src/Mod/Assembly/Gui/Resources/translations/Assembly_sv-SE.ts @@ -176,6 +176,31 @@ Assembly Ihopsättning + + + Active object + Active object + + + + Turn flexible + Turn flexible + + + + Your sub-assembly is currently rigid. This will make it flexible instead. + Your sub-assembly is currently rigid. This will make it flexible instead. + + + + Turn rigid + Turn rigid + + + + Your sub-assembly is currently flexible. This will make it rigid instead. + Your sub-assembly is currently flexible. This will make it rigid instead. + Workbench @@ -198,84 +223,84 @@ Assembly - + Fixed Fixerad - + Revolute Revolute - + Cylindrical Cylindrical - + Slider Slider - + Ball Ball - - + + Distance Distans - + Parallel Parallell - + Perpendicular Vinkelrät - - + + Angle Vinkel - + RackPinion RackPinion - + Screw Screw - + Gears Gears - + Belt Belt - + You need to select 2 elements from 2 separate parts. You need to select 2 elements from 2 separate parts. - + Radius 1 Radius 1 - + Pitch radius Pitch radius @@ -378,126 +403,126 @@ App::Property - + The type of the joint The type of the joint - - + + The first reference of the joint The first reference of the joint - + This is the local coordinate system within Reference1's object that will be used for the joint. This is the local coordinate system within Reference1's object that will be used for the joint. - - + + This is the attachment offset of the first connector of the joint. This is the attachment offset of the first connector of the joint. - - + + The second reference of the joint The second reference of the joint - + This is the local coordinate system within Reference2's object that will be used for the joint. This is the local coordinate system within Reference2's object that will be used for the joint. - - + + This is the attachment offset of the second connector of the joint. This is the attachment offset of the second connector of the joint. - + The first object of the joint The first object of the joint - + This prevents Placement1 from recomputing, enabling custom positioning of the placement. This prevents Placement1 from recomputing, enabling custom positioning of the placement. - + The second object of the joint The second object of the joint - + This prevents Placement2 from recomputing, enabling custom positioning of the placement. This prevents Placement2 from recomputing, enabling custom positioning of the placement. - + This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) - + This is the second distance of the joint. It is used only by the gear joint to store the second radius. This is the second distance of the joint. It is used only by the gear joint to store the second radius. - + This indicates if the joint is active. This indicates if the joint is active. - + Enable the minimum length limit of the joint. Enable the minimum length limit of the joint. - + Enable the maximum length limit of the joint. Enable the maximum length limit of the joint. - + Enable the minimum angle limit of the joint. Enable the minimum angle limit of the joint. - + Enable the minimum length of the joint. Enable the minimum length of the joint. - + This is the minimum limit for the length between both coordinate systems (along their Z axis). This is the minimum limit for the length between both coordinate systems (along their Z axis). - + This is the maximum limit for the length between both coordinate systems (along their Z axis). This is the maximum limit for the length between both coordinate systems (along their Z axis). - + This is the minimum limit for the angle between both coordinate systems (between their X axis). This is the minimum limit for the angle between both coordinate systems (between their X axis). - + This is the maximum limit for the angle between both coordinate systems (between their X axis). This is the maximum limit for the angle between both coordinate systems (between their X axis). - + The object to ground The object to ground - + This is where the part is grounded. This is where the part is grounded. @@ -536,52 +561,87 @@ Radius 2 - + + Attachement offsets + Attachement offsets + + + + Simple + Enkel + + + Offset Offset - + Rotation Rotation - + + Advanced + Avancerat + + + + Offset1 + Offset1 + + + + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + + + + Offset2 + Offset2 + + + + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + + + Reverse the direction of the joint. Reverse the direction of the joint. - + Reverse Omvänd - + Limits Limits - + Min length Min length - + Max length Max length - + Min angle Min angle - + Max angle Max angle - + Reverse rotation Reverse rotation @@ -618,6 +678,22 @@ Show only parts Show only parts + + + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + + + + Rigid sub-assemblies + Rigid sub-assemblies + AssemblyGui::DlgSettingsAssembly @@ -662,17 +738,17 @@ The files are named "runPreDrag.asmt" and "dragging.log" and are located in the AssemblyGui::ViewProviderAssembly - + The object is associated to one or more joints. The object is associated to one or more joints. - + Do you want to move the object and delete associated joints? Do you want to move the object and delete associated joints? - + Move part Move part @@ -930,4 +1006,20 @@ Press ESC to cancel. The columns 'Index', 'Name', 'File Name' and 'Quantity' are automatically generated on recompute. The 'Description' and custom columns are not overwritten. + + Assembly::AssemblyLink + + + Joints + Joints + + + + Command + + + Toggle Rigid + Toggle Rigid + + diff --git a/src/Mod/Assembly/Gui/Resources/translations/Assembly_tr.ts b/src/Mod/Assembly/Gui/Resources/translations/Assembly_tr.ts index 4436a5feb3bf..8581111aba15 100644 --- a/src/Mod/Assembly/Gui/Resources/translations/Assembly_tr.ts +++ b/src/Mod/Assembly/Gui/Resources/translations/Assembly_tr.ts @@ -176,6 +176,31 @@ Assembly Montaj + + + Active object + Active object + + + + Turn flexible + Turn flexible + + + + Your sub-assembly is currently rigid. This will make it flexible instead. + Your sub-assembly is currently rigid. This will make it flexible instead. + + + + Turn rigid + Turn rigid + + + + Your sub-assembly is currently flexible. This will make it rigid instead. + Your sub-assembly is currently flexible. This will make it rigid instead. + Workbench @@ -198,84 +223,84 @@ Assembly - + Fixed Sabitle - + Revolute Revolute - + Cylindrical Cylindrical - + Slider Slider - + Ball Ball - - + + Distance Uzaklık - + Parallel Koşut - + Perpendicular Dik - - + + Angle Açı - + RackPinion RackPinion - + Screw Screw - + Gears Gears - + Belt Belt - + You need to select 2 elements from 2 separate parts. You need to select 2 elements from 2 separate parts. - + Radius 1 Yarıçap 1 - + Pitch radius Pitch radius @@ -327,7 +352,7 @@ Duplicate Name - Duplicate Name + Yinelenen isim @@ -337,7 +362,7 @@ Options: - Options: + Seçenekler: @@ -378,126 +403,126 @@ App::Property - + The type of the joint The type of the joint - - + + The first reference of the joint The first reference of the joint - + This is the local coordinate system within Reference1's object that will be used for the joint. This is the local coordinate system within Reference1's object that will be used for the joint. - - + + This is the attachment offset of the first connector of the joint. This is the attachment offset of the first connector of the joint. - - + + The second reference of the joint The second reference of the joint - + This is the local coordinate system within Reference2's object that will be used for the joint. This is the local coordinate system within Reference2's object that will be used for the joint. - - + + This is the attachment offset of the second connector of the joint. This is the attachment offset of the second connector of the joint. - + The first object of the joint The first object of the joint - + This prevents Placement1 from recomputing, enabling custom positioning of the placement. This prevents Placement1 from recomputing, enabling custom positioning of the placement. - + The second object of the joint The second object of the joint - + This prevents Placement2 from recomputing, enabling custom positioning of the placement. This prevents Placement2 from recomputing, enabling custom positioning of the placement. - + This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) - + This is the second distance of the joint. It is used only by the gear joint to store the second radius. This is the second distance of the joint. It is used only by the gear joint to store the second radius. - + This indicates if the joint is active. This indicates if the joint is active. - + Enable the minimum length limit of the joint. Enable the minimum length limit of the joint. - + Enable the maximum length limit of the joint. Enable the maximum length limit of the joint. - + Enable the minimum angle limit of the joint. Enable the minimum angle limit of the joint. - + Enable the minimum length of the joint. Enable the minimum length of the joint. - + This is the minimum limit for the length between both coordinate systems (along their Z axis). This is the minimum limit for the length between both coordinate systems (along their Z axis). - + This is the maximum limit for the length between both coordinate systems (along their Z axis). This is the maximum limit for the length between both coordinate systems (along their Z axis). - + This is the minimum limit for the angle between both coordinate systems (between their X axis). This is the minimum limit for the angle between both coordinate systems (between their X axis). - + This is the maximum limit for the angle between both coordinate systems (between their X axis). This is the maximum limit for the angle between both coordinate systems (between their X axis). - + The object to ground The object to ground - + This is where the part is grounded. This is where the part is grounded. @@ -536,52 +561,87 @@ Radius 2 - + + Attachement offsets + Attachement offsets + + + + Simple + Basit + + + Offset Uzaklaşma - + Rotation Rotation - + + Advanced + Gelişmiş + + + + Offset1 + Offset1 + + + + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + + + + Offset2 + Offset2 + + + + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + + + Reverse the direction of the joint. Reverse the direction of the joint. - + Reverse Ters çevir - + Limits Limits - + Min length Min length - + Max length Max length - + Min angle Min angle - + Max angle Max angle - + Reverse rotation Reverse rotation @@ -618,6 +678,22 @@ Show only parts Show only parts + + + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + + + + Rigid sub-assemblies + Rigid sub-assemblies + AssemblyGui::DlgSettingsAssembly @@ -662,17 +738,17 @@ The files are named "runPreDrag.asmt" and "dragging.log" and are located in the AssemblyGui::ViewProviderAssembly - + The object is associated to one or more joints. The object is associated to one or more joints. - + Do you want to move the object and delete associated joints? Do you want to move the object and delete associated joints? - + Move part Parçayı taşı @@ -930,4 +1006,20 @@ Press ESC to cancel. The columns 'Index', 'Name', 'File Name' and 'Quantity' are automatically generated on recompute. The 'Description' and custom columns are not overwritten. + + Assembly::AssemblyLink + + + Joints + Joints + + + + Command + + + Toggle Rigid + Toggle Rigid + + diff --git a/src/Mod/Assembly/Gui/Resources/translations/Assembly_uk.ts b/src/Mod/Assembly/Gui/Resources/translations/Assembly_uk.ts index 2592611dbc4f..91bda6a9eae3 100644 --- a/src/Mod/Assembly/Gui/Resources/translations/Assembly_uk.ts +++ b/src/Mod/Assembly/Gui/Resources/translations/Assembly_uk.ts @@ -176,6 +176,31 @@ Assembly Збірка + + + Active object + Активний об'єкт + + + + Turn flexible + Turn flexible + + + + Your sub-assembly is currently rigid. This will make it flexible instead. + Your sub-assembly is currently rigid. This will make it flexible instead. + + + + Turn rigid + Turn rigid + + + + Your sub-assembly is currently flexible. This will make it rigid instead. + Your sub-assembly is currently flexible. This will make it rigid instead. + Workbench @@ -198,84 +223,84 @@ Assembly - + Fixed Зафіксовано - + Revolute Обертання - + Cylindrical Циліндричний - + Slider Повзунок - + Ball Куля - - + + Distance Відстань - + Parallel Паралельно - + Perpendicular Перпендикулярний - - + + Angle Кут - + RackPinion Рейкова шестерня - + Screw Гвинт - + Gears Шестерня - + Belt Ремінь - + You need to select 2 elements from 2 separate parts. Вам потрібно вибрати 2 елементи з 2 окремих деталей. - + Radius 1 Радіус 1 - + Pitch radius Радіус кроку @@ -378,126 +403,126 @@ App::Property - + The type of the joint Тип з'єднання - - + + The first reference of the joint Перше посилання на з'єднання - + This is the local coordinate system within Reference1's object that will be used for the joint. Це локальна система координат в об'єкті Посилання1, яка буде використана для з'єднання. - - + + This is the attachment offset of the first connector of the joint. This is the attachment offset of the first connector of the joint. - - + + The second reference of the joint Друге посилання на з'єднання - + This is the local coordinate system within Reference2's object that will be used for the joint. Це локальна система координат в об'єкті Посилання2, яка буде використовуватися для з'єднання. - - + + This is the attachment offset of the second connector of the joint. This is the attachment offset of the second connector of the joint. - + The first object of the joint Перший об'єкт з'єднання - + This prevents Placement1 from recomputing, enabling custom positioning of the placement. Це запобігає переобчисленню Розміщення 1, що дає змогу користувацькому позиціюванню цього розміщення. - + The second object of the joint Другий об'єкт з'єднання - + This prevents Placement2 from recomputing, enabling custom positioning of the placement. Це запобігає переобчисленню Розміщення 2, що дає змогу користувацькому позиціюванню цього розміщення. - + This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) Це відстань з'єднання. Використовується тільки для з'єднання "Відстань" і "Рейка і шестерня" (радіус кроку), "Гвинт" і "Шестерня і ремінь" (радіус1) - + This is the second distance of the joint. It is used only by the gear joint to store the second radius. Це друга відстань з'єднання. Вона використовується тільки зубчастим з'єднанням для зберігання другого радіуса. - + This indicates if the joint is active. Це свідчить про те, що з'єднання активне. - + Enable the minimum length limit of the joint. Увімкніть обмеження мінімальної довжини з'єднання. - + Enable the maximum length limit of the joint. Увімкніть обмеження максимальної довжини з'єднання. - + Enable the minimum angle limit of the joint. Увімкніть обмеження мінімального кута з'єднання. - + Enable the minimum length of the joint. Увімкніть мінімальну довжину з'єднання. - + This is the minimum limit for the length between both coordinate systems (along their Z axis). Це мінімальна межа для довжини між обома системами координат (вздовж їхньої осі Z). - + This is the maximum limit for the length between both coordinate systems (along their Z axis). Це максимальна межа для довжини між обома системами координат (вздовж їхньої осі Z). - + This is the minimum limit for the angle between both coordinate systems (between their X axis). Це мінімальна межа для кута між обома системами координат (між їхніми осями X). - + This is the maximum limit for the angle between both coordinate systems (between their X axis). Це максимальна межа для кута між обома системами координат (між їхніми осями X). - + The object to ground Об'єкт для закріплення - + This is where the part is grounded. Це позиція, в якій зафіксовано об'єкт. @@ -536,52 +561,87 @@ Радіус 2 - + + Attachement offsets + Attachement offsets + + + + Simple + Простий + + + Offset Зміщення - + Rotation Обертання - + + Advanced + Advanced + + + + Offset1 + Offset1 + + + + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + + + + Offset2 + Offset2 + + + + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + + + Reverse the direction of the joint. Змінити напрямок з'єднання. - + Reverse Зворотній напрямок - + Limits Обмеження - + Min length Мін. довжина - + Max length Макс. довжина - + Min angle Мін. кут - + Max angle Макс. кут - + Reverse rotation Зворотне обертання @@ -618,6 +678,22 @@ Show only parts Показати тільки деталі + + + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + + + + Rigid sub-assemblies + Rigid sub-assemblies + AssemblyGui::DlgSettingsAssembly @@ -662,17 +738,17 @@ The files are named "runPreDrag.asmt" and "dragging.log" and are located in the AssemblyGui::ViewProviderAssembly - + The object is associated to one or more joints. Об'єкт пов'язаний з одним або декількома з'єднаннями. - + Do you want to move the object and delete associated joints? Ви хочете перемістити об'єкт і видалити пов'язані з ним з'єднання? - + Move part Перемістити деталь @@ -930,4 +1006,20 @@ Press ESC to cancel. Стовпці "Індекс", "Назва", "Назва файлу" та "Кількість" автоматично генеруються при переобчисленні. Стовпці "Опис" та користувацькі стовпці не перезаписуються. + + Assembly::AssemblyLink + + + Joints + Joints + + + + Command + + + Toggle Rigid + Toggle Rigid + + diff --git a/src/Mod/Assembly/Gui/Resources/translations/Assembly_val-ES.ts b/src/Mod/Assembly/Gui/Resources/translations/Assembly_val-ES.ts index 956643452551..aa4dcc63b355 100644 --- a/src/Mod/Assembly/Gui/Resources/translations/Assembly_val-ES.ts +++ b/src/Mod/Assembly/Gui/Resources/translations/Assembly_val-ES.ts @@ -176,6 +176,31 @@ Assembly Assembly + + + Active object + Active object + + + + Turn flexible + Turn flexible + + + + Your sub-assembly is currently rigid. This will make it flexible instead. + Your sub-assembly is currently rigid. This will make it flexible instead. + + + + Turn rigid + Turn rigid + + + + Your sub-assembly is currently flexible. This will make it rigid instead. + Your sub-assembly is currently flexible. This will make it rigid instead. + Workbench @@ -198,84 +223,84 @@ Assembly - + Fixed Fix - + Revolute Revolute - + Cylindrical Cylindrical - + Slider Slider - + Ball Ball - - + + Distance Distance - + Parallel Paral·lel - + Perpendicular Perpendicular - - + + Angle Angle - + RackPinion RackPinion - + Screw Screw - + Gears Gears - + Belt Belt - + You need to select 2 elements from 2 separate parts. You need to select 2 elements from 2 separate parts. - + Radius 1 Radius 1 - + Pitch radius Pitch radius @@ -378,126 +403,126 @@ App::Property - + The type of the joint The type of the joint - - + + The first reference of the joint The first reference of the joint - + This is the local coordinate system within Reference1's object that will be used for the joint. This is the local coordinate system within Reference1's object that will be used for the joint. - - + + This is the attachment offset of the first connector of the joint. This is the attachment offset of the first connector of the joint. - - + + The second reference of the joint The second reference of the joint - + This is the local coordinate system within Reference2's object that will be used for the joint. This is the local coordinate system within Reference2's object that will be used for the joint. - - + + This is the attachment offset of the second connector of the joint. This is the attachment offset of the second connector of the joint. - + The first object of the joint The first object of the joint - + This prevents Placement1 from recomputing, enabling custom positioning of the placement. This prevents Placement1 from recomputing, enabling custom positioning of the placement. - + The second object of the joint The second object of the joint - + This prevents Placement2 from recomputing, enabling custom positioning of the placement. This prevents Placement2 from recomputing, enabling custom positioning of the placement. - + This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) - + This is the second distance of the joint. It is used only by the gear joint to store the second radius. This is the second distance of the joint. It is used only by the gear joint to store the second radius. - + This indicates if the joint is active. This indicates if the joint is active. - + Enable the minimum length limit of the joint. Enable the minimum length limit of the joint. - + Enable the maximum length limit of the joint. Enable the maximum length limit of the joint. - + Enable the minimum angle limit of the joint. Enable the minimum angle limit of the joint. - + Enable the minimum length of the joint. Enable the minimum length of the joint. - + This is the minimum limit for the length between both coordinate systems (along their Z axis). This is the minimum limit for the length between both coordinate systems (along their Z axis). - + This is the maximum limit for the length between both coordinate systems (along their Z axis). This is the maximum limit for the length between both coordinate systems (along their Z axis). - + This is the minimum limit for the angle between both coordinate systems (between their X axis). This is the minimum limit for the angle between both coordinate systems (between their X axis). - + This is the maximum limit for the angle between both coordinate systems (between their X axis). This is the maximum limit for the angle between both coordinate systems (between their X axis). - + The object to ground The object to ground - + This is where the part is grounded. This is where the part is grounded. @@ -536,52 +561,87 @@ Radius 2 - + + Attachement offsets + Attachement offsets + + + + Simple + Simple + + + Offset Separació - + Rotation Rotation - + + Advanced + Avançat + + + + Offset1 + Offset1 + + + + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + + + + Offset2 + Offset2 + + + + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + + + Reverse the direction of the joint. Reverse the direction of the joint. - + Reverse Inverteix - + Limits Limits - + Min length Min length - + Max length Max length - + Min angle Min angle - + Max angle Max angle - + Reverse rotation Reverse rotation @@ -618,6 +678,22 @@ Show only parts Show only parts + + + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + + + + Rigid sub-assemblies + Rigid sub-assemblies + AssemblyGui::DlgSettingsAssembly @@ -662,17 +738,17 @@ The files are named "runPreDrag.asmt" and "dragging.log" and are located in the AssemblyGui::ViewProviderAssembly - + The object is associated to one or more joints. The object is associated to one or more joints. - + Do you want to move the object and delete associated joints? Do you want to move the object and delete associated joints? - + Move part Move part @@ -930,4 +1006,20 @@ Press ESC to cancel. The columns 'Index', 'Name', 'File Name' and 'Quantity' are automatically generated on recompute. The 'Description' and custom columns are not overwritten. + + Assembly::AssemblyLink + + + Joints + Joints + + + + Command + + + Toggle Rigid + Toggle Rigid + + diff --git a/src/Mod/Assembly/Gui/Resources/translations/Assembly_zh-CN.ts b/src/Mod/Assembly/Gui/Resources/translations/Assembly_zh-CN.ts index 1044fec9810d..bed883a6d84d 100644 --- a/src/Mod/Assembly/Gui/Resources/translations/Assembly_zh-CN.ts +++ b/src/Mod/Assembly/Gui/Resources/translations/Assembly_zh-CN.ts @@ -24,12 +24,12 @@ 1 - If an assembly is active : Create a joint permanently locking two parts together, preventing any movement or rotation. - 1 - If an assembly is active : Create a joint permanently locking two parts together, preventing any movement or rotation. + 1 - 如果一个组件处于活动状态:建立一个永久锁定两个零件的接头,以防止它们任何的移动或旋转。 2 - If a part is active : Position sub parts by matching selected coordinate systems. The second part selected will move. - 2 - If a part is active : Position sub parts by matching selected coordinate systems. The second part selected will move. + 2 - 如果一个零件处于活动状态:通过匹配所选的坐标系来定位子零件。第二个标明的零件将会移动。 @@ -176,6 +176,31 @@ Assembly 装配 + + + Active object + 活动对象 + + + + Turn flexible + Turn flexible + + + + Your sub-assembly is currently rigid. This will make it flexible instead. + Your sub-assembly is currently rigid. This will make it flexible instead. + + + + Turn rigid + Turn rigid + + + + Your sub-assembly is currently flexible. This will make it rigid instead. + Your sub-assembly is currently flexible. This will make it rigid instead. + Workbench @@ -198,84 +223,84 @@ Assembly - + Fixed 固定 - + Revolute Revolute - + Cylindrical Cylindrical - + Slider Slider - + Ball 球体 - - + + Distance 距离 - + Parallel 平行 - + Perpendicular 垂直 - - + + Angle 角度 - + RackPinion RackPinion - + Screw Screw - + Gears Gears - + Belt Belt - + You need to select 2 elements from 2 separate parts. You need to select 2 elements from 2 separate parts. - + Radius 1 Radius 1 - + Pitch radius Pitch radius @@ -378,126 +403,126 @@ App::Property - + The type of the joint 接头类型 - - + + The first reference of the joint The first reference of the joint - + This is the local coordinate system within Reference1's object that will be used for the joint. This is the local coordinate system within Reference1's object that will be used for the joint. - - + + This is the attachment offset of the first connector of the joint. This is the attachment offset of the first connector of the joint. - - + + The second reference of the joint The second reference of the joint - + This is the local coordinate system within Reference2's object that will be used for the joint. This is the local coordinate system within Reference2's object that will be used for the joint. - - + + This is the attachment offset of the second connector of the joint. This is the attachment offset of the second connector of the joint. - + The first object of the joint The first object of the joint - + This prevents Placement1 from recomputing, enabling custom positioning of the placement. This prevents Placement1 from recomputing, enabling custom positioning of the placement. - + The second object of the joint The second object of the joint - + This prevents Placement2 from recomputing, enabling custom positioning of the placement. This prevents Placement2 from recomputing, enabling custom positioning of the placement. - + This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) - + This is the second distance of the joint. It is used only by the gear joint to store the second radius. This is the second distance of the joint. It is used only by the gear joint to store the second radius. - + This indicates if the joint is active. This indicates if the joint is active. - + Enable the minimum length limit of the joint. Enable the minimum length limit of the joint. - + Enable the maximum length limit of the joint. Enable the maximum length limit of the joint. - + Enable the minimum angle limit of the joint. Enable the minimum angle limit of the joint. - + Enable the minimum length of the joint. Enable the minimum length of the joint. - + This is the minimum limit for the length between both coordinate systems (along their Z axis). This is the minimum limit for the length between both coordinate systems (along their Z axis). - + This is the maximum limit for the length between both coordinate systems (along their Z axis). This is the maximum limit for the length between both coordinate systems (along their Z axis). - + This is the minimum limit for the angle between both coordinate systems (between their X axis). This is the minimum limit for the angle between both coordinate systems (between their X axis). - + This is the maximum limit for the angle between both coordinate systems (between their X axis). This is the maximum limit for the angle between both coordinate systems (between their X axis). - + The object to ground The object to ground - + This is where the part is grounded. This is where the part is grounded. @@ -536,52 +561,87 @@ Radius 2 - + + Attachement offsets + Attachement offsets + + + + Simple + 简易 + + + Offset 偏移 - + Rotation 旋转 - + + Advanced + 高级 + + + + Offset1 + Offset1 + + + + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + + + + Offset2 + Offset2 + + + + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + + + Reverse the direction of the joint. Reverse the direction of the joint. - + Reverse 反转 - + Limits Limits - + Min length Min length - + Max length Max length - + Min angle Min angle - + Max angle Max angle - + Reverse rotation Reverse rotation @@ -618,6 +678,22 @@ Show only parts Show only parts + + + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + + + + Rigid sub-assemblies + Rigid sub-assemblies + AssemblyGui::DlgSettingsAssembly @@ -662,17 +738,17 @@ The files are named "runPreDrag.asmt" and "dragging.log" and are located in the AssemblyGui::ViewProviderAssembly - + The object is associated to one or more joints. The object is associated to one or more joints. - + Do you want to move the object and delete associated joints? Do you want to move the object and delete associated joints? - + Move part Move part @@ -930,4 +1006,20 @@ Press ESC to cancel. The columns 'Index', 'Name', 'File Name' and 'Quantity' are automatically generated on recompute. The 'Description' and custom columns are not overwritten. + + Assembly::AssemblyLink + + + Joints + Joints + + + + Command + + + Toggle Rigid + Toggle Rigid + + diff --git a/src/Mod/Assembly/Gui/Resources/translations/Assembly_zh-TW.ts b/src/Mod/Assembly/Gui/Resources/translations/Assembly_zh-TW.ts index 4f6f5f7ca99f..0e35bbc199ee 100644 --- a/src/Mod/Assembly/Gui/Resources/translations/Assembly_zh-TW.ts +++ b/src/Mod/Assembly/Gui/Resources/translations/Assembly_zh-TW.ts @@ -176,6 +176,31 @@ Assembly 程式集 + + + Active object + Active object + + + + Turn flexible + Turn flexible + + + + Your sub-assembly is currently rigid. This will make it flexible instead. + Your sub-assembly is currently rigid. This will make it flexible instead. + + + + Turn rigid + Turn rigid + + + + Your sub-assembly is currently flexible. This will make it rigid instead. + Your sub-assembly is currently flexible. This will make it rigid instead. + Workbench @@ -198,84 +223,84 @@ Assembly - + Fixed 固定 - + Revolute 旋轉 - + Cylindrical 圓柱形 - + Slider 滑桿 - + Ball - - + + Distance 距離 - + Parallel 平行 - + Perpendicular 垂直 - - + + Angle 角度 - + RackPinion 齒條與小齒輪 - + Screw 螺絲 - + Gears 齒輪 - + Belt 輸送帶 - + You need to select 2 elements from 2 separate parts. 您需要自 2 個分離的零件選擇 2 個元件。 - + Radius 1 半徑 1 - + Pitch radius 螺距半徑 @@ -342,17 +367,17 @@ Sub-assemblies children : If checked, Sub assemblies children will be added to the bill of materials. - Sub-assemblies children : If checked, Sub assemblies children will be added to the bill of materials. + 子組件:若勾選,子組件將會加入到物料清單中。 Parts children : If checked, Parts children will be added to the bill of materials. - Parts children : If checked, Parts children will be added to the bill of materials. + 子零件:如果選中,子零件將會被新增到物料清單中。 Only parts : If checked, only Part containers and sub-assemblies will be added to the bill of materials. Solids like PartDesign Bodies, fasteners or Part workbench primitives will be ignored. - Only parts : If checked, only Part containers and sub-assemblies will be added to the bill of materials. Solids like PartDesign Bodies, fasteners or Part workbench primitives will be ignored. + 僅零件:若勾選,則僅零件容器和子組件將被添加到物料清單中。零件設計主體、緊固件或零件工作台原形等實體將被忽略。 @@ -378,126 +403,126 @@ App::Property - + The type of the joint 接頭類型 - - + + The first reference of the joint 連接的第一個參考 - + This is the local coordinate system within Reference1's object that will be used for the joint. 這是參考1 物件內將用於連接的局部座標系統。 - - + + This is the attachment offset of the first connector of the joint. - This is the attachment offset of the first connector of the joint. + 這是接頭的第一個連接器的連接偏移。 - - + + The second reference of the joint 連接的第二個參考 - + This is the local coordinate system within Reference2's object that will be used for the joint. 這是參考2 物件內將用於連接的局部座標系統。 - - + + This is the attachment offset of the second connector of the joint. - This is the attachment offset of the second connector of the joint. + 這是接頭的第二個連接器的連接偏移。 - + The first object of the joint 接頭的第一個物件 - + This prevents Placement1 from recomputing, enabling custom positioning of the placement. - This prevents Placement1 from recomputing, enabling custom positioning of the placement. + 這可以防止 Placement1 重新計算,從而實現佈局的自訂定位。 - + The second object of the joint 接頭的第二個物件 - + This prevents Placement2 from recomputing, enabling custom positioning of the placement. - This prevents Placement2 from recomputing, enabling custom positioning of the placement. + 這可以防止 Placement2 重新計算,從而實現佈局的自訂定位。 - + This is the distance of the joint. It is used only by the Distance joint and Rack and Pinion (pitch radius), Screw and Gears and Belt (radius1) 這是接頭的距離。僅在距離接頭、齒條和齒輪(螺距半徑)、螺絲和齒輪以及皮帶(半徑1)中使用 - + This is the second distance of the joint. It is used only by the gear joint to store the second radius. This is the second distance of the joint. It is used only by the gear joint to store the second radius. - + This indicates if the joint is active. 這表示接頭是否處於活躍狀態. - + Enable the minimum length limit of the joint. Enable the minimum length limit of the joint. - + Enable the maximum length limit of the joint. Enable the maximum length limit of the joint. - + Enable the minimum angle limit of the joint. Enable the minimum angle limit of the joint. - + Enable the minimum length of the joint. Enable the minimum length of the joint. - + This is the minimum limit for the length between both coordinate systems (along their Z axis). This is the minimum limit for the length between both coordinate systems (along their Z axis). - + This is the maximum limit for the length between both coordinate systems (along their Z axis). This is the maximum limit for the length between both coordinate systems (along their Z axis). - + This is the minimum limit for the angle between both coordinate systems (between their X axis). This is the minimum limit for the angle between both coordinate systems (between their X axis). - + This is the maximum limit for the angle between both coordinate systems (between their X axis). This is the maximum limit for the angle between both coordinate systems (between their X axis). - + The object to ground The object to ground - + This is where the part is grounded. This is where the part is grounded. @@ -536,52 +561,87 @@ 半徑 2 - + + Attachement offsets + Attachement offsets + + + + Simple + 簡單 + + + Offset 偏移 - + Rotation 旋轉 - + + Advanced + 進階選項 + + + + Offset1 + Offset1 + + + + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the first marker (coordinate system) of the joint. + + + + Offset2 + Offset2 + + + + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + By clicking this button, you can set the attachement offset of the second marker (coordinate system) of the joint. + + + Reverse the direction of the joint. 反轉接頭方向. - + Reverse 反向 - + Limits 限制 - + Min length 最小長度 - + Max length 最大長度 - + Min angle 最小角度 - + Max angle 最大角度 - + Reverse rotation 反向旋轉 @@ -618,6 +678,22 @@ Show only parts 只顯示零件 + + + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + If checked, the inserted sub-assemblies will not be flexible. +Rigid means that the sub-assembly will be considered as a solid. +Flexible means that the sub-assembly joints will be taken into account in the main assembly. +You can change this property of sub-assemblies at any time by right clicking them. + + + + Rigid sub-assemblies + Rigid sub-assemblies + AssemblyGui::DlgSettingsAssembly @@ -662,17 +738,17 @@ The files are named "runPreDrag.asmt" and "dragging.log" and are located in the AssemblyGui::ViewProviderAssembly - + The object is associated to one or more joints. 該物件與一個或多個接頭相關聯. - + Do you want to move the object and delete associated joints? 您要移動物件並刪除關聯的接頭嗎? - + Move part 移動零件 @@ -815,12 +891,12 @@ Press ESC to cancel. Create Bill Of Materials - Create Bill Of Materials + 建立物料清單 If checked, Sub assemblies children will be added to the bill of materials. - If checked, Sub assemblies children will be added to the bill of materials. + 若勾選,子組件之子項目將會被新增到物料清單中。 @@ -830,7 +906,7 @@ Press ESC to cancel. If checked, Parts children will be added to the bill of materials. - If checked, Parts children will be added to the bill of materials. + 若勾選,子零件將會被加入物料清單。 @@ -840,12 +916,12 @@ Press ESC to cancel. If checked, only Part containers and sub-assemblies will be added to the bill of materials. Solids like PartDesign Bodies, fasteners or Part workbench primitives will be ignored. - If checked, only Part containers and sub-assemblies will be added to the bill of materials. Solids like PartDesign Bodies, fasteners or Part workbench primitives will be ignored. + 若勾選,則僅零件容器和子組件將會新增至物料清單中。零件設計主體、緊固件或零件工作台原形等實體將被忽略。 Only parts - Only parts + 只有零件 @@ -912,12 +988,12 @@ Press ESC to cancel. Create Bill of Materials - Create Bill of Materials + 建立物料清單 Create a bill of materials of the current assembly. If an assembly is active, it will be a BOM of this assembly. Else it will be a BOM of the whole document. - Create a bill of materials of the current assembly. If an assembly is active, it will be a BOM of this assembly. Else it will be a BOM of the whole document. + 建立目前組件的物料清單。如果組件為作業中,則它將是該組件的物料清單。否則它將是整個文件的物料清單。 @@ -930,4 +1006,20 @@ Press ESC to cancel. The columns 'Index', 'Name', 'File Name' and 'Quantity' are automatically generated on recompute. The 'Description' and custom columns are not overwritten. + + Assembly::AssemblyLink + + + Joints + Joints + + + + Command + + + Toggle Rigid + Toggle Rigid + + diff --git a/src/Mod/Assembly/Gui/ViewProviderAssembly.cpp b/src/Mod/Assembly/Gui/ViewProviderAssembly.cpp index 22e878c4b6eb..5e0764ca37a1 100644 --- a/src/Mod/Assembly/Gui/ViewProviderAssembly.cpp +++ b/src/Mod/Assembly/Gui/ViewProviderAssembly.cpp @@ -342,6 +342,17 @@ bool ViewProviderAssembly::keyPressed(bool pressed, int key) } bool ViewProviderAssembly::mouseMove(const SbVec2s& cursorPos, Gui::View3DInventorViewer* viewer) +{ + try { + return tryMouseMove(cursorPos, viewer); + } + catch (const Base::Exception& e) { + Base::Console().Warning("%s\n", e.what()); + return false; + } +} + +bool ViewProviderAssembly::tryMouseMove(const SbVec2s& cursorPos, Gui::View3DInventorViewer* viewer) { if (!isInEditMode()) { return false; @@ -819,6 +830,16 @@ ViewProviderAssembly::DragMode ViewProviderAssembly::findDragMode() } void ViewProviderAssembly::initMove(const SbVec2s& cursorPos, Gui::View3DInventorViewer* viewer) +{ + try { + tryInitMove(cursorPos, viewer); + } + catch (const Base::Exception& e) { + Base::Console().Warning("%s\n", e.what()); + } +} + +void ViewProviderAssembly::tryInitMove(const SbVec2s& cursorPos, Gui::View3DInventorViewer* viewer) { dragMode = findDragMode(); if (dragMode == DragMode::None) { diff --git a/src/Mod/Assembly/Gui/ViewProviderAssembly.h b/src/Mod/Assembly/Gui/ViewProviderAssembly.h index d7637ed2f484..4db69e76be33 100644 --- a/src/Mod/Assembly/Gui/ViewProviderAssembly.h +++ b/src/Mod/Assembly/Gui/ViewProviderAssembly.h @@ -60,6 +60,7 @@ struct MovingObject std::string& s) : obj(o) , plc(p) + , ref(nullptr) , rootObj(ro) , sub(s) {} @@ -67,9 +68,8 @@ struct MovingObject // Default constructor MovingObject() : obj(nullptr) - , plc(Base::Placement()) + , ref(nullptr) , rootObj(nullptr) - , sub("") {} ~MovingObject() @@ -130,7 +130,7 @@ class AssemblyGuiExport ViewProviderAssembly: public Gui::ViewProviderPart, /// is called when the Provider is in edit and a key event ocours. Only ESC ends edit. bool keyPressed(bool pressed, int key) override; /// is called when the provider is in edit and the mouse is moved - bool mouseMove(const SbVec2s& pos, Gui::View3DInventorViewer* viewer) override; + bool mouseMove(const SbVec2s& cursorPos, Gui::View3DInventorViewer* viewer) override; /// is called when the Provider is in edit and the mouse is clicked bool mouseButtonPressed(int Button, bool pressed, @@ -226,6 +226,10 @@ class AssemblyGuiExport ViewProviderAssembly: public Gui::ViewProviderPart, SoSwitch* asmDraggerSwitch = nullptr; SoFieldSensor* translationSensor = nullptr; SoFieldSensor* rotationSensor = nullptr; + +private: + bool tryMouseMove(const SbVec2s& cursorPos, Gui::View3DInventorViewer* viewer); + void tryInitMove(const SbVec2s& cursorPos, Gui::View3DInventorViewer* viewer); }; } // namespace AssemblyGui diff --git a/src/Mod/Assembly/JointObject.py b/src/Mod/Assembly/JointObject.py index 5a6ebac9b509..b31a9588bd0e 100644 --- a/src/Mod/Assembly/JointObject.py +++ b/src/Mod/Assembly/JointObject.py @@ -1216,7 +1216,7 @@ def __init__(self, jointTypeIndex, jointObj=None): self.form.reverseRotCheckbox.setChecked(self.jType == "Gears") self.form.reverseRotCheckbox.stateChanged.connect(self.reverseRotToggled) - self.form.offsetTabs.currentChanged.connect(self.on_offset_tab_changed) + self.form.advancedOffsetCheckbox.stateChanged.connect(self.advancedOffsetToggled) if jointObj: Gui.Selection.clearSelection() @@ -1309,7 +1309,7 @@ def accept(self): else: self.joint.Document.removeObject(self.joint.Name) - cmds = UtilsAssembly.generatePropertySettings("obj", self.joint) + cmds = UtilsAssembly.generatePropertySettings(self.joint) Gui.doCommand(cmds) App.closeActiveTransaction() @@ -1449,9 +1449,10 @@ def reverseRotToggled(self, val): def adaptUi(self): jType = self.jType - if jType in JointUsingDistance: - self.form.distanceLabel.show() - self.form.distanceSpinbox.show() + needDistance = jType in JointUsingDistance + self.form.distanceLabel.setVisible(needDistance) + self.form.distanceSpinbox.setVisible(needDistance) + if needDistance: if jType == "Distance": self.form.distanceLabel.setText(translate("Assembly", "Distance")) elif jType == "Angle": @@ -1466,19 +1467,10 @@ def adaptUi(self): else: self.form.distanceSpinbox.setProperty("unit", "mm") - else: - self.form.distanceLabel.hide() - self.form.distanceSpinbox.hide() - - if jType in JointUsingDistance2: - self.form.distanceLabel2.show() - self.form.distanceSpinbox2.show() - self.form.reverseRotCheckbox.show() - - else: - self.form.distanceLabel2.hide() - self.form.distanceSpinbox2.hide() - self.form.reverseRotCheckbox.hide() + needDistance2 = jType in JointUsingDistance2 + self.form.distanceLabel2.setVisible(needDistance2) + self.form.distanceSpinbox2.setVisible(needDistance2) + self.form.reverseRotCheckbox.setVisible(needDistance2) if jType in JointNoNegativeDistance: # Setting minimum to 0.01 to prevent 0 and negative values @@ -1494,68 +1486,52 @@ def adaptUi(self): self.form.distanceSpinbox.setProperty("minimum", float("-inf")) self.form.distanceSpinbox2.setProperty("minimum", float("-inf")) - if jType in JointUsingOffset: - self.form.offsetLabel.show() - self.form.offsetSpinbox.show() - else: - self.form.offsetLabel.hide() - self.form.offsetSpinbox.hide() - - if jType in JointUsingRotation: - self.form.rotationLabel.show() - self.form.rotationSpinbox.show() - else: - self.form.rotationLabel.hide() - self.form.rotationSpinbox.hide() + advancedOffset = self.form.advancedOffsetCheckbox.isChecked() + needOffset = jType in JointUsingOffset + needRotation = jType in JointUsingRotation + self.form.offset1Label.setVisible(advancedOffset) + self.form.offset2Label.setVisible(advancedOffset) + self.form.offset1Button.setVisible(advancedOffset) + self.form.offset2Button.setVisible(advancedOffset) + self.form.offsetLabel.setVisible(not advancedOffset and needOffset) + self.form.offsetSpinbox.setVisible(not advancedOffset and needOffset) + self.form.rotationLabel.setVisible(not advancedOffset and needRotation) + self.form.rotationSpinbox.setVisible(not advancedOffset and needRotation) - if jType in JointUsingReverse: - self.form.PushButtonReverse.show() - else: - self.form.PushButtonReverse.hide() + self.form.PushButtonReverse.setVisible(jType in JointUsingReverse) needLengthLimits = jType in JointUsingLimitLength needAngleLimits = jType in JointUsingLimitAngle + needLimits = needLengthLimits or needAngleLimits + self.form.groupBox_limits.setVisible(needLimits) - if needLengthLimits or needAngleLimits: - self.form.groupBox_limits.show() - + if needLimits: self.joint.EnableLengthMin = self.form.limitCheckbox1.isChecked() self.joint.EnableLengthMax = self.form.limitCheckbox2.isChecked() self.joint.EnableAngleMin = self.form.limitCheckbox3.isChecked() self.joint.EnableAngleMax = self.form.limitCheckbox4.isChecked() + self.form.limitCheckbox1.setVisible(needLengthLimits) + self.form.limitCheckbox2.setVisible(needLengthLimits) + self.form.limitLenMinSpinbox.setVisible(needLengthLimits) + self.form.limitLenMaxSpinbox.setVisible(needLengthLimits) + + self.form.limitCheckbox3.setVisible(needAngleLimits) + self.form.limitCheckbox4.setVisible(needAngleLimits) + self.form.limitRotMinSpinbox.setVisible(needAngleLimits) + self.form.limitRotMaxSpinbox.setVisible(needAngleLimits) + if needLengthLimits: - self.form.limitCheckbox1.show() - self.form.limitCheckbox2.show() - self.form.limitLenMinSpinbox.show() - self.form.limitLenMaxSpinbox.show() self.form.limitLenMinSpinbox.setEnabled(self.joint.EnableLengthMin) self.form.limitLenMaxSpinbox.setEnabled(self.joint.EnableLengthMax) self.onLimitLenMinChanged(0) # dummy value self.onLimitLenMaxChanged(0) - else: - self.form.limitCheckbox1.hide() - self.form.limitCheckbox2.hide() - self.form.limitLenMinSpinbox.hide() - self.form.limitLenMaxSpinbox.hide() if needAngleLimits: - self.form.limitCheckbox3.show() - self.form.limitCheckbox4.show() - self.form.limitRotMinSpinbox.show() - self.form.limitRotMaxSpinbox.show() self.form.limitRotMinSpinbox.setEnabled(self.joint.EnableAngleMin) self.form.limitRotMaxSpinbox.setEnabled(self.joint.EnableAngleMax) self.onLimitRotMinChanged(0) self.onLimitRotMaxChanged(0) - else: - self.form.limitCheckbox3.hide() - self.form.limitCheckbox4.hide() - self.form.limitRotMinSpinbox.hide() - self.form.limitRotMaxSpinbox.hide() - - else: - self.form.groupBox_limits.hide() self.updateOffsetWidgets() @@ -1574,7 +1550,8 @@ def updateOffsetWidgets(self): ) self.blockOffsetRotation = False - def on_offset_tab_changed(self): + def advancedOffsetToggled(self, on): + self.adaptUi() self.updateOffsetWidgets() def onOffset1Clicked(self): diff --git a/src/Mod/Assembly/UtilsAssembly.py b/src/Mod/Assembly/UtilsAssembly.py index da07bf0eafed..5be6e55a571b 100644 --- a/src/Mod/Assembly/UtilsAssembly.py +++ b/src/Mod/Assembly/UtilsAssembly.py @@ -632,8 +632,14 @@ def addsubobjs(obj, toremoveset): # It does not include Part::Features that are within App::Parts. # It includes things inside Groups. def getMovablePartsWithin(group, partsAsSolid=False): + children = [] + if isLinkGroup(group): + children = group.ElementList + elif hasattr(group, "Group"): + children = group.Group + parts = [] - for obj in group.OutList: + for obj in children: parts = parts + getSubMovingParts(obj, partsAsSolid) return parts @@ -654,7 +660,7 @@ def getSubMovingParts(obj, partsAsSolid): if isLink(obj): linked_obj = obj.getLinkedObject() - if linked_obj.TypeId == "App::Part" or linked_obj.isDerivedFrom("Part::Feature"): + if linked_obj.isDerivedFrom("App::Part") or linked_obj.isDerivedFrom("Part::Feature"): return [obj] return [] @@ -1133,7 +1139,7 @@ def getMovingPart(assembly, ref): if len(names) < 2: App.Console.PrintError( - "getMovingPart() in UtilsAssembly.py the object name is too short, at minimum it should be something like ['Box','edge16']. It shouldn't be shorter" + f"getMovingPart() in UtilsAssembly.py the object name {names} is too short. It should be at least similar to ['Box','edge16'], not shorter.\n" ) return None @@ -1237,30 +1243,30 @@ def getParentPlacementIfNeeded(part): return Base.Placement() -def generatePropertySettings(objectName, documentObject): +def generatePropertySettings(documentObject): commands = [] if hasattr(documentObject, "Name"): - commands.append(f'{objectName} = App.ActiveDocument.getObject("{documentObject.Name}")') + commands.append(f'obj = App.ActiveDocument.getObject("{documentObject.Name}")') for propertyName in documentObject.PropertiesList: propertyValue = documentObject.getPropertyByName(propertyName) propertyType = documentObject.getTypeIdOfProperty(propertyName) # Note: OpenCascade precision is 1e-07, angular precision is 1e-05. For purposes of creating a Macro, # we are forcing a reduction in precision so as to get round numbers like 0 instead of tiny near 0 values if propertyType == "App::PropertyFloat": - commands.append(f"{objectName}.{propertyName} = {propertyValue:.5f}") + commands.append(f"obj.{propertyName} = {propertyValue:.5f}") elif propertyType == "App::PropertyInt" or propertyType == "App::PropertyBool": - commands.append(f"{objectName}.{propertyName} = {propertyValue}") + commands.append(f"obj.{propertyName} = {propertyValue}") elif propertyType == "App::PropertyString" or propertyType == "App::PropertyEnumeration": - commands.append(f'{objectName}.{propertyName} = "{propertyValue}"') + commands.append(f'obj.{propertyName} = "{propertyValue}"') elif propertyType == "App::PropertyPlacement": commands.append( - f"{objectName}.{propertyName} = App.Placement(" + f"obj.{propertyName} = App.Placement(" f"App.Vector({propertyValue.Base.x:.5f},{propertyValue.Base.y:.5f},{propertyValue.Base.z:.5f})," f"App.Rotation(*{[round(n,5) for n in propertyValue.Rotation.getYawPitchRoll()]}))" ) elif propertyType == "App::PropertyXLinkSubHidden": commands.append( - f'{objectName}.{propertyName} = [App.ActiveDocument.getObject("{propertyValue[0].Name}"), {propertyValue[1]}]' + f'obj.{propertyName} = [App.ActiveDocument.getObject("{propertyValue[0].Name}"), {propertyValue[1]}]' ) else: # print("Not processing properties of type ", propertyType) diff --git a/src/Mod/BIM/ArchCurtainWall.py b/src/Mod/BIM/ArchCurtainWall.py index dc83eab1ec36..d883839e9294 100644 --- a/src/Mod/BIM/ArchCurtainWall.py +++ b/src/Mod/BIM/ArchCurtainWall.py @@ -221,7 +221,6 @@ def execute(self,obj): return facets = [] - faces = [] curtainWallBaseShapeEdges = None @@ -240,24 +239,25 @@ def execute(self,obj): if curtainWallBaseShapeEdges: # would be false (none) if SketchArch Add-on is not installed, or base ArchSketch does not have the edges stored / input by user curtainWallEdges = curtainWallBaseShapeEdges.get('curtainWallEdges') elif obj.Base.isDerivedFrom("Sketcher::SketchObject"): + skGeom = obj.Base.GeometryFacadeList skGeomEdges = [] - skPlacement = obj.Placement # Get Sketch's placement to restore later - if obj.OverrideEdges: - for i in obj.OverrideEdges: - skGeomI = fp.Geometry[i] - # support Line, Arc, Circle at the moment - if isinstance(skGeomI, (Part.LineSegment, Part.Circle, Part.ArcOfCircle)): - skGeomEdgesI = skGeomI.toShape() + skPlacement = obj.Base.Placement # Get Sketch's placement to restore later + for ig, geom in enumerate(skGeom): + if (not obj.OverrideEdges and not geom.Construction) or str(ig) in obj.OverrideEdges: + # support Line, Arc, Circle, Ellipse for Sketch + # as Base at the moment + if isinstance(geom.Geometry, (Part.LineSegment, + Part.Circle, Part.ArcOfCircle)): + skGeomEdgesI = geom.Geometry.toShape() skGeomEdges.append(skGeomEdgesI) - for edge in skGeomEdges: - edge.Placement = edge.Placement.multiply(skPlacement) - curtainWallEdges.append(edge) - #if not curtainWallEdges: - else: + curtainWallEdges = [] + for edge in skGeomEdges: + edge.Placement = edge.Placement.multiply(skPlacement) + curtainWallEdges.append(edge) + if not curtainWallEdges: curtainWallEdges = obj.Base.Shape.Edges if curtainWallEdges: faces = [edge.extrude(ext) for edge in curtainWallEdges] - if not faces: FreeCAD.Console.PrintLog(obj.Label+": unable to build base faces\n") return diff --git a/src/Mod/BIM/ArchWall.py b/src/Mod/BIM/ArchWall.py index 334bd877a6c2..c9b649941403 100644 --- a/src/Mod/BIM/ArchWall.py +++ b/src/Mod/BIM/ArchWall.py @@ -157,7 +157,7 @@ def setProperties(self, obj): lp = obj.PropertiesList if not "Length" in lp: - obj.addProperty("App::PropertyLength","Length","Wall",QT_TRANSLATE_NOOP("App::Property","The length of this wall. Not used if this wall is based on an underlying object")) + obj.addProperty("App::PropertyLength","Length","Wall",QT_TRANSLATE_NOOP("App::Property","The length of this wall. Read-only if this wall is not based on an unconstrained sketch with a single edge, or on a Draft Wire with a single edge. Refer to wiki for details how length is deduced.")) if not "Width" in lp: obj.addProperty("App::PropertyLength","Width","Wall",QT_TRANSLATE_NOOP("App::Property","The width of this wall. Not used if this wall is based on a face. Disabled and ignored if Base object (ArchSketch) provides the information.")) @@ -210,7 +210,10 @@ def setProperties(self, obj): if not "ArchSketchData" in lp: obj.addProperty("App::PropertyBool","ArchSketchData","Wall",QT_TRANSLATE_NOOP("App::Property","Use Base ArchSketch (if used) data (e.g. widths, aligns, offsets) instead of Wall's properties")) obj.ArchSketchData = True + if not "ArchSketchEdges" in lp: + obj.addProperty("App::PropertyStringList","ArchSketchEdges","Wall",QT_TRANSLATE_NOOP("App::Property","Selected edges (or group of edges) of the base Sketch/ArchSketch, to use in creating the shape of this Arch Wall (instead of using all the Base Sketch/ArchSketch's edges by default). Input are index numbers of edges or groups. Disabled and ignored if Base object (ArchSketch) provides selected edges (as Wall Axis) information, with getWallBaseShapeEdgesInfo() method. [ENHANCEMENT by ArchSketch] GUI 'Edit Wall Segment' Tool is provided in external SketchArch Add-on to let users to (de)select the edges interactively. 'Toponaming-Tolerant' if ArchSketch is used in Base (and SketchArch Add-on is installed). Warning : Not 'Toponaming-Tolerant' if just Sketch is used.")) + self.connectEdges = [] self.Type = "Wall" def onDocumentRestored(self,obj): @@ -255,6 +258,9 @@ def onDocumentRestored(self,obj): obj.setEditorMode("OverrideAlign", ["ReadOnly"]) if hasattr(obj,"OverrideOffset"): obj.setEditorMode("OverrideOffset", ["ReadOnly"]) + if hasattr(obj,"ArchSketchEdges"): + obj.setEditorMode("ArchSketchEdges", ["ReadOnly"]) + else: if hasattr(obj,"Width"): obj.setEditorMode("Width", 0) @@ -268,6 +274,8 @@ def onDocumentRestored(self,obj): obj.setEditorMode("OverrideAlign", 0) if hasattr(obj,"OverrideOffset"): obj.setEditorMode("OverrideOffset", 0) + if hasattr(obj,"ArchSketchEdges"): + obj.setEditorMode("ArchSketchEdges", 0) def execute(self,obj): """Method run when the object is recomputed. @@ -469,11 +477,13 @@ def execute(self,obj): if obj.Base.Shape.Edges: if not obj.Base.Shape.Faces: if hasattr(obj.Base.Shape,"Length"): - l = obj.Base.Shape.Length + l = float(0) + for e in self.connectEdges: + l += e.Length + l = l / 2 if obj.Length.Value != l: obj.Length = l self.oldLength = None # delete the stored value to prevent triggering base change below - # set the Area property obj.Area = obj.Length.Value * obj.Height.Value @@ -553,6 +563,9 @@ def onChanged(self, obj, prop): obj.setEditorMode("OverrideAlign", ["ReadOnly"]) if hasattr(obj,"OverrideOffset"): obj.setEditorMode("OverrideOffset", ["ReadOnly"]) + if hasattr(obj,"ArchSketchEdges"): + obj.setEditorMode("ArchSketchEdges", ["ReadOnly"]) + else: if hasattr(obj,"Width"): obj.setEditorMode("Width", 0) @@ -566,6 +579,8 @@ def onChanged(self, obj, prop): obj.setEditorMode("OverrideAlign", 0) if hasattr(obj,"OverrideOffset"): obj.setEditorMode("OverrideOffset", 0) + if hasattr(obj,"ArchSketchEdges"): + obj.setEditorMode("ArchSketchEdges", 0) self.hideSubobjects(obj,prop) ArchComponent.Component.onChanged(self,obj,prop) @@ -608,6 +623,7 @@ def getExtrusionData(self,obj): import Part import DraftGeomUtils + import ArchSketchObject # If ArchComponent.Component.getExtrusionData() can successfully get # extrusion data, just use that. @@ -643,7 +659,7 @@ def getExtrusionData(self,obj): except Exception: print("ArchSketchObject add-on module is not installed yet") try: - widths = ArchSketchObject.sortSketchWidth(obj.Base, obj.OverrideWidth) + widths = ArchSketchObject.sortSketchWidth(obj.Base, obj.OverrideWidth, obj.ArchSketchEdges) except Exception: widths = obj.OverrideWidth else: @@ -688,7 +704,7 @@ def getExtrusionData(self,obj): except Exception: print("ArchSketchObject add-on module is not installed yet") try: - aligns = ArchSketchObject.sortSketchAlign(obj.Base, obj.OverrideAlign) + aligns = ArchSketchObject.sortSketchAlign(obj.Base, obj.OverrideAlign, obj.ArchSketchEdges) except Exception: aligns = obj.OverrideAlign else: @@ -720,7 +736,7 @@ def getExtrusionData(self,obj): # If Base Object is ordinary Sketch (or when ArchSketch.getOffsets() not implemented yet):- # sort the offset list in OverrideOffset to correspond to indexes of sorted edges of Sketch if hasattr(ArchSketchObject, 'sortSketchOffset'): - offsets = ArchSketchObject.sortSketchOffset(obj.Base, obj.OverrideOffset) + offsets = ArchSketchObject.sortSketchOffset(obj.Base, obj.OverrideOffset, obj.ArchSketchEdges) else: offsets = obj.OverrideOffset else: @@ -824,11 +840,13 @@ def getExtrusionData(self,obj): skGeom = obj.Base.GeometryFacadeList skGeomEdges = [] skPlacement = obj.Base.Placement # Get Sketch's placement to restore later - for i in skGeom: - if not i.Construction: + # Get ArchSketch edges to construct ArchWall + # No need to test obj.ArchSketchData ... + for ig, geom in enumerate(skGeom): + if not geom.Construction and (not obj.ArchSketchEdges or str(ig) in obj.ArchSketchEdges): # support Line, Arc, Circle, Ellipse for Sketch as Base at the moment - if isinstance(i.Geometry, (Part.LineSegment, Part.Circle, Part.ArcOfCircle, Part.Ellipse)): - skGeomEdgesI = i.Geometry.toShape() + if isinstance(geom.Geometry, (Part.LineSegment, Part.Circle, Part.ArcOfCircle, Part.Ellipse)): + skGeomEdgesI = geom.Geometry.toShape() skGeomEdges.append(skGeomEdgesI) for cluster in Part.getSortedClusters(skGeomEdges): clusterTransformed = [] @@ -886,6 +904,7 @@ def getExtrusionData(self,obj): layeroffset = 0 baseface = None + self.connectEdges = [] for i,wire in enumerate(self.basewires): # Check number of edges per 'wire' and get the 1st edge @@ -964,26 +983,27 @@ def getExtrusionData(self,obj): # Get the 'offseted' wire taking into account # of Width and Align of each edge, and overall # Offset - w2 = DraftGeomUtils.offsetWire(wire, dvec, + + wNe2 = DraftGeomUtils.offsetWire(wire, dvec, bind=False, occ=False, widthList=curWidth, offsetMode=None, alignList=aligns, normal=normal, - basewireOffset=offsets) + basewireOffset=offsets, + wireNedge=True) # Get the 'base' wire taking into account of # width and align of each edge - w1 = DraftGeomUtils.offsetWire(wire, dvec, + wNe1 = DraftGeomUtils.offsetWire(wire, dvec, bind=False, occ=False, widthList=curWidth, offsetMode="BasewireMode", alignList=aligns, normal=normal, - basewireOffset=offsets) - face = DraftGeomUtils.bind(w1, w2, per_segment=True) - + basewireOffset=offsets, + wireNedge=True) elif curAligns == "Right": dvec = dvec.negative() @@ -1004,58 +1024,68 @@ def getExtrusionData(self,obj): #if off: # dvec2 = DraftVecUtils.scaleTo(dvec,off) # wire = DraftGeomUtils.offsetWire(wire,dvec2) - - - w2 = DraftGeomUtils.offsetWire(wire, dvec, + wNe2 = DraftGeomUtils.offsetWire(wire, dvec, bind=False, occ=False, widthList=curWidth, offsetMode=None, alignList=aligns, normal=normal, - basewireOffset=offsets) - w1 = DraftGeomUtils.offsetWire(wire, dvec, + basewireOffset=offsets, + wireNedge=True) + wNe1 = DraftGeomUtils.offsetWire(wire, dvec, bind=False, occ=False, widthList=curWidth, offsetMode="BasewireMode", alignList=aligns, normal=normal, - basewireOffset=offsets) - face = DraftGeomUtils.bind(w1, w2, per_segment=True) - - #elif obj.Align == "Center": + basewireOffset=offsets, + wireNedge=True) elif curAligns == "Center": if layers: totalwidth=sum([abs(l) for l in layers]) curWidth = abs(layers[i]) off = totalwidth/2-layeroffset d1 = Vector(dvec).multiply(off) - w1 = DraftGeomUtils.offsetWire(wire, d1) + wNe1 = DraftGeomUtils.offsetWire(wire, d1, + wireNedge=True) layeroffset += curWidth off = totalwidth/2-layeroffset d1 = Vector(dvec).multiply(off) - w2 = DraftGeomUtils.offsetWire(wire, d1) + wNe2 = DraftGeomUtils.offsetWire(wire, d1, + wireNedge=True) else: dvec.multiply(width) - - w2 = DraftGeomUtils.offsetWire(wire, dvec, + wNe2 = DraftGeomUtils.offsetWire(wire, dvec, bind=False, occ=False, widthList=widths, offsetMode=None, alignList=aligns, normal=normal, - basewireOffset=offsets) - w1 = DraftGeomUtils.offsetWire(wire, dvec, + basewireOffset=offsets, + wireNedge=True) + wNe1 = DraftGeomUtils.offsetWire(wire, dvec, bind=False, occ=False, widthList=widths, offsetMode="BasewireMode", alignList=aligns, normal=normal, - basewireOffset=offsets) - face = DraftGeomUtils.bind(w1, w2, per_segment=True) + basewireOffset=offsets, + wireNedge=True) + w2 = wNe2[0] + w1 = wNe1[0] + face = DraftGeomUtils.bind(w1, w2, per_segment=True) + cEdgesF2 = wNe2[1] + cEdges2 = wNe2[2] + oEdges2 = wNe2[3] + cEdgesF1 = wNe1[1] + cEdges1 = wNe1[2] + oEdges1 = wNe1[3] + self.connectEdges.extend(cEdges2) + self.connectEdges.extend(cEdges1) del widths[0:edgeNum] del aligns[0:edgeNum] diff --git a/src/Mod/BIM/Resources/Arch.qrc b/src/Mod/BIM/Resources/Arch.qrc index 4e57e9877876..aef9a36972ce 100644 --- a/src/Mod/BIM/Resources/Arch.qrc +++ b/src/Mod/BIM/Resources/Arch.qrc @@ -1,5 +1,23 @@ + icons/IFC/IfcBeam.svg + icons/IFC/IfcBuilding.svg + icons/IFC/IfcBuildingStorey.svg + icons/IFC/IfcColumn.svg + icons/IFC/IfcCovering.svg + icons/IFC/IfcDoor.svg + icons/IFC/IfcFooting.svg + icons/IFC/IfcMember.svg + icons/IFC/IfcPile.svg + icons/IFC/IfcPlate.svg + icons/IFC/IfcRailing.svg + icons/IFC/IfcRamp.svg + icons/IFC/IfcRoof.svg + icons/IFC/IfcSite.svg + icons/IFC/IfcSlab.svg + icons/IFC/IfcStair.svg + icons/IFC/IfcWall.svg + icons/IFC/IfcWindow.svg icons/Arch_3Views.svg icons/Arch_Add.svg icons/Arch_Axis.svg diff --git a/src/Mod/BIM/Resources/create_qrc.py b/src/Mod/BIM/Resources/create_qrc.py index 094ababa6394..72ab565805dd 100755 --- a/src/Mod/BIM/Resources/create_qrc.py +++ b/src/Mod/BIM/Resources/create_qrc.py @@ -3,10 +3,10 @@ import os txt = "\n \n" cdir = os.path.dirname(__file__) -for subdir in ["icons", "ui", "translations"]: +for subdir in ["icons/IFC", "icons", "ui", "translations"]: subpath = os.path.join(cdir, subdir) for f in sorted(os.listdir(subpath)): - if f not in ["Arch.ts", "BIM.ts"]: + if f not in ["Arch.ts", "BIM.ts", "IFC"]: ext = os.path.splitext(f)[1] if ext.lower() in [".qm", ".svg", ".ui", ".png"]: txt += " " + subdir + "/" + f + "\n" diff --git a/src/Mod/BIM/Resources/icons/IFC/IfcBeam.svg b/src/Mod/BIM/Resources/icons/IFC/IfcBeam.svg new file mode 100644 index 000000000000..0707e170f7c5 --- /dev/null +++ b/src/Mod/BIM/Resources/icons/IFC/IfcBeam.svg @@ -0,0 +1,236 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + + + + [wmayer] + + + Arch_Structure + 2011-10-10 + http://www.freecadweb.org/wiki/index.php?title=Artwork + + + FreeCAD + + + FreeCAD/src/Mod/Arch/Resources/icons/Arch_Structure.svg + + + FreeCAD LGPL2+ + + + https://www.gnu.org/copyleft/lesser.html + + + [agryson] Alexander Gryson + + + + + + + + + + + diff --git a/src/Mod/BIM/Resources/icons/IFC/IfcBuilding.svg b/src/Mod/BIM/Resources/icons/IFC/IfcBuilding.svg new file mode 100644 index 000000000000..14f8fb7cd5f2 --- /dev/null +++ b/src/Mod/BIM/Resources/icons/IFC/IfcBuilding.svg @@ -0,0 +1,125 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + + + + [yorikvanhavre] + + + Arch_Building_Tree + 2011-12-06 + https://www.freecad.org/wiki/index.php?title=Artwork + + + FreeCAD + + + FreeCAD/src/Mod/Arch/Resources/icons/Arch_Building_Tree.svg + + + FreeCAD LGPL2+ + + + https://www.gnu.org/copyleft/lesser.html + + + [agryson] Alexander Gryson + + + + + + + + + + + + + + + + + diff --git a/src/Mod/BIM/Resources/icons/IFC/IfcBuildingStorey.svg b/src/Mod/BIM/Resources/icons/IFC/IfcBuildingStorey.svg new file mode 100644 index 000000000000..1ced47b4e21d --- /dev/null +++ b/src/Mod/BIM/Resources/icons/IFC/IfcBuildingStorey.svg @@ -0,0 +1,116 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + + + + [yorikvanhavre] + + + Arch_Floor_Tree + 2011-12-06 + https://www.freecad.org/wiki/index.php?title=Artwork + + + FreeCAD + + + FreeCAD/src/Mod/Arch/Resources/icons/Arch_ + + + FreeCAD LGPL2+ + + + https://www.gnu.org/copyleft/lesser.html + + + [agryson] Alexander Gryson + + + + + + + + + + + + + + + + + diff --git a/src/Mod/BIM/Resources/icons/IFC/IfcColumn.svg b/src/Mod/BIM/Resources/icons/IFC/IfcColumn.svg new file mode 100644 index 000000000000..4eeb9f7743df --- /dev/null +++ b/src/Mod/BIM/Resources/icons/IFC/IfcColumn.svg @@ -0,0 +1,223 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + + + + [wmayer] + + + Arch_Structure + 2011-10-10 + http://www.freecadweb.org/wiki/index.php?title=Artwork + + + FreeCAD + + + FreeCAD/src/Mod/Arch/Resources/icons/Arch_Structure.svg + + + FreeCAD LGPL2+ + + + https://www.gnu.org/copyleft/lesser.html + + + [agryson] Alexander Gryson + + + + + + + + + + + + diff --git a/src/Mod/BIM/Resources/icons/IFC/IfcCovering.svg b/src/Mod/BIM/Resources/icons/IFC/IfcCovering.svg new file mode 100644 index 000000000000..f6f198bd7798 --- /dev/null +++ b/src/Mod/BIM/Resources/icons/IFC/IfcCovering.svg @@ -0,0 +1,336 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + + + [yorikvanhavre] + + + Arch_Wall_Tree + 2011-12-06 + https://www.freecad.org/wiki/index.php?title=Artwork + + + FreeCAD + + + FreeCAD/src/Mod/Arch/Resources/icons/Arch_Wall_Tree.svg + + + FreeCAD LGPL2+ + + + https://www.gnu.org/copyleft/lesser.html + + + [agryson] Alexander Gryson + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/src/Mod/BIM/Resources/icons/IFC/IfcDoor.svg b/src/Mod/BIM/Resources/icons/IFC/IfcDoor.svg new file mode 100644 index 000000000000..0d9c48c4c2d8 --- /dev/null +++ b/src/Mod/BIM/Resources/icons/IFC/IfcDoor.svg @@ -0,0 +1,498 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + + + + [wmayer] + + + Arch_Window + 2011-10-10 + http://www.freecadweb.org/wiki/index.php?title=Artwork + + + FreeCAD + + + FreeCAD/src/Mod/Arch/Resources/icons/Arch_Window.svg + + + FreeCAD LGPL2+ + + + https://www.gnu.org/copyleft/lesser.html + + + [agryson] Alexander Gryson + + + + + + + + + + + + + + diff --git a/src/Mod/BIM/Resources/icons/IFC/IfcFooting.svg b/src/Mod/BIM/Resources/icons/IFC/IfcFooting.svg new file mode 100644 index 000000000000..ff390fcd4a29 --- /dev/null +++ b/src/Mod/BIM/Resources/icons/IFC/IfcFooting.svg @@ -0,0 +1,227 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + + + [yorikvanhavre] + + + Arch_Wall_Tree + 2011-12-06 + https://www.freecad.org/wiki/index.php?title=Artwork + + + FreeCAD + + + FreeCAD/src/Mod/Arch/Resources/icons/Arch_Wall_Tree.svg + + + FreeCAD LGPL2+ + + + https://www.gnu.org/copyleft/lesser.html + + + [agryson] Alexander Gryson + + + + + + + + + + + + + + diff --git a/src/Mod/BIM/Resources/icons/IFC/IfcMember.svg b/src/Mod/BIM/Resources/icons/IFC/IfcMember.svg new file mode 100644 index 000000000000..9136a0b2a235 --- /dev/null +++ b/src/Mod/BIM/Resources/icons/IFC/IfcMember.svg @@ -0,0 +1,235 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + + + [wmayer] + + + Arch_Structure + 2011-10-10 + http://www.freecadweb.org/wiki/index.php?title=Artwork + + + FreeCAD + + + FreeCAD/src/Mod/Arch/Resources/icons/Arch_Structure.svg + + + FreeCAD LGPL2+ + + + https://www.gnu.org/copyleft/lesser.html + + + [agryson] Alexander Gryson + + + + + + + + + + + diff --git a/src/Mod/BIM/Resources/icons/IFC/IfcPile.svg b/src/Mod/BIM/Resources/icons/IFC/IfcPile.svg new file mode 100644 index 000000000000..5a59e5d05e55 --- /dev/null +++ b/src/Mod/BIM/Resources/icons/IFC/IfcPile.svg @@ -0,0 +1,251 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + + + [wmayer] + + + Arch_Structure + 2011-10-10 + http://www.freecadweb.org/wiki/index.php?title=Artwork + + + FreeCAD + + + FreeCAD/src/Mod/Arch/Resources/icons/Arch_Structure.svg + + + FreeCAD LGPL2+ + + + https://www.gnu.org/copyleft/lesser.html + + + [agryson] Alexander Gryson + + + + + + + + + + + + + + diff --git a/src/Mod/BIM/Resources/icons/IFC/IfcPlate.svg b/src/Mod/BIM/Resources/icons/IFC/IfcPlate.svg new file mode 100644 index 000000000000..f1b51c8018c5 --- /dev/null +++ b/src/Mod/BIM/Resources/icons/IFC/IfcPlate.svg @@ -0,0 +1,394 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + + Mon Oct 10 13:44:52 2011 +0000 + + + [wmayer] + + + + + FreeCAD LGPL2+ + + + + + FreeCAD + + + FreeCAD/src/Mod/Draft/Resources/icons/Draft_Move.svg + http://www.freecadweb.org/wiki/index.php?title=Artwork + + + [agryson] Alexander Gryson + + + + + arrow + move + arrows + compass + cross + + + Four equally sized arrow heads at 90° to each other, all joined at the tail + + + + diff --git a/src/Mod/BIM/Resources/icons/IFC/IfcRailing.svg b/src/Mod/BIM/Resources/icons/IFC/IfcRailing.svg new file mode 100644 index 000000000000..0941913da01e --- /dev/null +++ b/src/Mod/BIM/Resources/icons/IFC/IfcRailing.svg @@ -0,0 +1,424 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + + Mon Oct 10 13:44:52 2011 +0000 + + + [wmayer] + + + + + FreeCAD LGPL2+ + + + + + FreeCAD + + + FreeCAD/src/Mod/Draft/Resources/icons/Draft_Move.svg + http://www.freecadweb.org/wiki/index.php?title=Artwork + + + [agryson] Alexander Gryson + + + + + arrow + move + arrows + compass + cross + + + Four equally sized arrow heads at 90° to each other, all joined at the tail + + + + diff --git a/src/Mod/BIM/Resources/icons/IFC/IfcRamp.svg b/src/Mod/BIM/Resources/icons/IFC/IfcRamp.svg new file mode 100644 index 000000000000..38b94ae67783 --- /dev/null +++ b/src/Mod/BIM/Resources/icons/IFC/IfcRamp.svg @@ -0,0 +1,408 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + + + [Yorik van Havre] + + + Arch_Stairs_Tree + 2013-07-25 + https://www.freecad.org/wiki/index.php?title=Artwork + + + FreeCAD + + + FreeCAD/src/Mod/Arch/Resources/icons/Arch_Stairs_Tree.svg + + + FreeCAD LGPL2+ + + + https://www.gnu.org/copyleft/lesser.html + + + [agryson] Alexander Gryson + + + + + + + + + + + diff --git a/src/Mod/BIM/Resources/icons/IFC/IfcRoof.svg b/src/Mod/BIM/Resources/icons/IFC/IfcRoof.svg new file mode 100644 index 000000000000..60714ec31a17 --- /dev/null +++ b/src/Mod/BIM/Resources/icons/IFC/IfcRoof.svg @@ -0,0 +1,106 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + + + + [Yorik van Havre] + + + Arch_Roof_Tree + 2012-05-13 + https://www.freecad.org/wiki/index.php?title=Artwork + + + FreeCAD + + + FreeCAD/src/Mod/Arch/Resources/icons/Arch_Roof_Tree.svg + + + FreeCAD LGPL2+ + + + https://www.gnu.org/copyleft/lesser.html + + + [agryson] Alexander Gryson + + + + + + + + + + + + diff --git a/src/Mod/BIM/Resources/icons/IFC/IfcSite.svg b/src/Mod/BIM/Resources/icons/IFC/IfcSite.svg new file mode 100644 index 000000000000..e3cf4490a660 --- /dev/null +++ b/src/Mod/BIM/Resources/icons/IFC/IfcSite.svg @@ -0,0 +1,71 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + + + + [yorikvanhavre] + + + Arch_Site_Tree + 2011-12-06 + https://www.freecad.org/wiki/index.php?title=Artwork + + + FreeCAD + + + FreeCAD/src/Mod/Arch/Resources/icons/Arch_Site_Tree.svg + + + FreeCAD LGPL2+ + + + https://www.gnu.org/copyleft/lesser.html + + + [agryson] Alexander Gryson + + + + + + + + + + + + + + diff --git a/src/Mod/BIM/Resources/icons/IFC/IfcSlab.svg b/src/Mod/BIM/Resources/icons/IFC/IfcSlab.svg new file mode 100644 index 000000000000..8ff20ac154eb --- /dev/null +++ b/src/Mod/BIM/Resources/icons/IFC/IfcSlab.svg @@ -0,0 +1,406 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + + Mon Oct 10 13:44:52 2011 +0000 + + + [wmayer] + + + + + FreeCAD LGPL2+ + + + + + FreeCAD + + + FreeCAD/src/Mod/Draft/Resources/icons/Draft_Move.svg + http://www.freecadweb.org/wiki/index.php?title=Artwork + + + [agryson] Alexander Gryson + + + + + arrow + move + arrows + compass + cross + + + Four equally sized arrow heads at 90° to each other, all joined at the tail + + + + diff --git a/src/Mod/BIM/Resources/icons/IFC/IfcStair.svg b/src/Mod/BIM/Resources/icons/IFC/IfcStair.svg new file mode 100644 index 000000000000..213d6ab7a8ae --- /dev/null +++ b/src/Mod/BIM/Resources/icons/IFC/IfcStair.svg @@ -0,0 +1,138 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + + + + [Yorik van Havre] + + + Arch_Stairs_Tree + 2013-07-25 + https://www.freecad.org/wiki/index.php?title=Artwork + + + FreeCAD + + + FreeCAD/src/Mod/Arch/Resources/icons/Arch_Stairs_Tree.svg + + + FreeCAD LGPL2+ + + + https://www.gnu.org/copyleft/lesser.html + + + [agryson] Alexander Gryson + + + + + + + + + + + + + + + + + + + + + + + diff --git a/src/Mod/BIM/Resources/icons/IFC/IfcWall.svg b/src/Mod/BIM/Resources/icons/IFC/IfcWall.svg new file mode 100644 index 000000000000..d27fea77a76d --- /dev/null +++ b/src/Mod/BIM/Resources/icons/IFC/IfcWall.svg @@ -0,0 +1,100 @@ + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + + + + [yorikvanhavre] + + + Arch_Wall_Tree + 2011-12-06 + https://www.freecad.org/wiki/index.php?title=Artwork + + + FreeCAD + + + FreeCAD/src/Mod/Arch/Resources/icons/Arch_Wall_Tree.svg + + + FreeCAD LGPL2+ + + + https://www.gnu.org/copyleft/lesser.html + + + [agryson] Alexander Gryson + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/src/Mod/BIM/Resources/icons/IFC/IfcWindow.svg b/src/Mod/BIM/Resources/icons/IFC/IfcWindow.svg new file mode 100644 index 000000000000..c1af8f6e349f --- /dev/null +++ b/src/Mod/BIM/Resources/icons/IFC/IfcWindow.svg @@ -0,0 +1,144 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + image/svg+xml + + + + + [yorikvanhavre] + + + Arch_Window_Tree + 2011-12-06 + https://www.freecad.org/wiki/index.php?title=Artwork + + + FreeCAD + + + FreeCAD/src/Mod/Arch/Resources/icons/Arch_Window_Tree.svg + + + FreeCAD LGPL2+ + + + https://www.gnu.org/copyleft/lesser.html + + + [agryson] Alexander Gryson + + + + + + + + + + + + + + + + + + + diff --git a/src/Mod/BIM/Resources/translations/Arch.ts b/src/Mod/BIM/Resources/translations/Arch.ts index b36346f10e90..1863f50afa29 100644 --- a/src/Mod/BIM/Resources/translations/Arch.ts +++ b/src/Mod/BIM/Resources/translations/Arch.ts @@ -3341,7 +3341,7 @@ unit to work with when opening the file. - + Category @@ -3357,7 +3357,7 @@ unit to work with when opening the file. - + Length @@ -3531,7 +3531,7 @@ unit to work with when opening the file. - + Equipment @@ -3642,7 +3642,7 @@ unit to work with when opening the file. - + Site @@ -3672,7 +3672,7 @@ unit to work with when opening the file. - + Roof @@ -3782,7 +3782,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + External Reference @@ -3890,7 +3890,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Frame @@ -3955,7 +3955,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Window @@ -4044,7 +4044,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Remove @@ -4053,12 +4053,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Add - + @@ -4110,7 +4110,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Type @@ -4214,7 +4214,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Truss @@ -4255,17 +4255,17 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Project - + Stairs - + Railing @@ -4302,12 +4302,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Material - + MultiMaterial @@ -4374,7 +4374,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Grid @@ -4560,17 +4560,17 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Panel - + View of - + PanelSheet @@ -4621,7 +4621,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Curtain Wall @@ -4632,12 +4632,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Pipe - + Connector @@ -4764,7 +4764,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Export CSV File @@ -4776,7 +4776,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Description @@ -4784,7 +4784,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Value @@ -4792,7 +4792,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Unit @@ -4891,7 +4891,7 @@ Floor creation aborted. - + Toggle subcomponents @@ -4991,7 +4991,7 @@ Floor creation aborted. - + Rebar @@ -5007,7 +5007,7 @@ Floor creation aborted. - + Section @@ -5103,7 +5103,7 @@ Floor creation aborted. - + Building @@ -5133,7 +5133,7 @@ Building creation aborted. - + Space @@ -5143,22 +5143,22 @@ Building creation aborted. - + Set text position - + Space boundaries - + Wall - + Walls can only be based on Part or Mesh objects @@ -5277,58 +5277,58 @@ Building creation aborted. - + Survey - + Set description - + Clear - + Copy Length - + Copy Area - + Export CSV - + Area - + Total - + Object doesn't have settable IFC attributes - + Disabling B-rep force flag of object - + Enabling B-rep force flag of object @@ -5374,12 +5374,12 @@ Building creation aborted. - + Key - + The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: @@ -5610,8 +5610,8 @@ Building creation aborted. - - + + The type of this building @@ -5880,167 +5880,167 @@ Building creation aborted. - + The base terrain of this site - + The street and house number of this site, with postal box or apartment number if needed - + The postal or zip code of this site - + The city of this site - + The region, province or county of this site - + The country of this site - + The latitude of this site - + Angle between the true North and the North direction in this document - + The elevation of level 0 of this site - + A URL that shows this site in a mapping website - + 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 - + The perimeter length of the projected area - + The volume of earth to be added to this terrain - + The volume of earth to be removed from this terrain - + An extrusion vector to use when performing boolean operations - + Remove splitters from the resulting shape - + An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates - + The type of this object - + The time zone where this site is located - + An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one - + Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module - + Show solar diagram or not - + The scale of the solar diagram - + The position of the solar diagram - + The color of the solar diagram - + When set to 'True North' the whole geometry will be rotated to match the true north of this site - + Show compass or not - + The rotation of the Compass relative to the Site - + The position of the Compass relative to the Site placement - + Update the Declination value based on the compass rotation @@ -7384,128 +7384,128 @@ Building creation aborted. - + The name of the font - + The size of the text font - + The objects that make the boundaries of this space object - + Identical to Horizontal Area - + The finishing of the floor of this space - + The finishing of the walls of this space - + The finishing of the ceiling of this space - + Objects that are included inside this space, such as furniture - + The type of this space - + The thickness of the floor finish - + The number of people who typically occupy this space - + The electric power needed to light this space in Watts - + The electric power needed by the equipment of this space in Watts - + If True, Equipment Power will be automatically filled by the equipment included in this space - + The type of air conditioning of this space - + Specifies if this space is internal or external - + Defines the calculation type for the horizontal area and its perimeter length - + The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data - + The color of the area text - + The size of the first line of text - + The space between the lines of text - + The position of the text. Leave (0,0,0) for automatic position - + The justification of the text - + The number of decimals to use for calculated texts - + Show the unit suffix @@ -8402,7 +8402,7 @@ Building creation aborted. Command - + Transform @@ -8618,23 +8618,23 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet - + Objects structure - + Attribute - - + + Value - + Property @@ -8694,13 +8694,18 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet - + IFC Explorer - + + IfcSite element was not found in %s. Unable to explore. + + + + Error in entity @@ -8840,22 +8845,22 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet - + Create Leader - - + + Preview - - + + Options @@ -8870,97 +8875,97 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet - + No structure in cache. Please refresh. - + It is not possible to insert this object because the document has been closed. - + Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed - + Error: Unable to download - + Insertion point - + Origin - + Top left - + Top center - + Top right - + Middle left - + Middle center - + Middle right - + Bottom left - + Bottom center - + Bottom right - + Cannot open URL - + Could not fetch library contents - + No results fetched from online library - + Warning, this can take several minutes! diff --git a/src/Mod/BIM/Resources/translations/Arch_be.qm b/src/Mod/BIM/Resources/translations/Arch_be.qm index 352e201cc4e6..dee25f9eff98 100644 Binary files a/src/Mod/BIM/Resources/translations/Arch_be.qm and b/src/Mod/BIM/Resources/translations/Arch_be.qm differ diff --git a/src/Mod/BIM/Resources/translations/Arch_be.ts b/src/Mod/BIM/Resources/translations/Arch_be.ts index c8af7ce39e8e..ef0f16066350 100644 --- a/src/Mod/BIM/Resources/translations/Arch_be.ts +++ b/src/Mod/BIM/Resources/translations/Arch_be.ts @@ -3537,7 +3537,7 @@ unit to work with when opening the file. - + Category Катэгорыя @@ -3553,7 +3553,7 @@ unit to work with when opening the file. - + Length @@ -3728,7 +3728,7 @@ unit to work with when opening the file. Не атрымалася вылічыць фігуру - + Equipment Абсталяванне @@ -3839,7 +3839,7 @@ unit to work with when opening the file. Профіль - + Site Мясцовасць @@ -3869,7 +3869,7 @@ unit to work with when opening the file. - + Roof Дах @@ -3989,7 +3989,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Спераду - + External Reference Вонкавы спасылак @@ -4097,7 +4097,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Стварыць вонкавы апорны элемент - + Frame Каркас @@ -4164,7 +4164,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Бібліятэку shapefile можна спампаваць па наступным URL-адрасе і ўсталяваць у каталог макрасаў: - + Window Акно @@ -4253,7 +4253,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Remove Выдаліць @@ -4262,12 +4262,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Add Дадаць - + @@ -4319,7 +4319,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Type Тып @@ -4423,7 +4423,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Паспяхова запісана - + Truss Канструкцыя ферма @@ -4464,17 +4464,17 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Памылка: бібліятэка IfcOpenShell занадта старая - + Project Праект - + Stairs Лесвіца - + Railing Парэнчы @@ -4511,12 +4511,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Material Матэрыял - + MultiMaterial Шматслойны матэрыял @@ -4583,7 +4583,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Grid Сетка @@ -4769,17 +4769,17 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Вярчэнне - + Panel Панэль - + View of Выгляд - + PanelSheet Аркуш панэлі @@ -4830,7 +4830,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Аб'ект не мае грані - + Curtain Wall Светапразрысты фасад @@ -4841,12 +4841,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Стварыць светапразрысты фасад - + Pipe Трубаправод - + Connector Злучэнне @@ -4973,7 +4973,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Экспартаваць файл CSV - + Export CSV File Экспартаваць файл CSV @@ -4985,7 +4985,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Description Апісанне @@ -4993,7 +4993,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Value Значэнне @@ -5001,7 +5001,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Unit Адзінка вымярэння @@ -5108,7 +5108,7 @@ Floor creation aborted. мае пустую фігуру - + Toggle subcomponents Пераключыць укладзеныя кампаненты @@ -5208,7 +5208,7 @@ Floor creation aborted. Новы набор уласцівасцяў - + Rebar Арматура @@ -5224,7 +5224,7 @@ Floor creation aborted. Калі ласка, абярыце асноўную грань на канструкцыйным аб'екце - + Section Перасек @@ -5320,7 +5320,7 @@ Floor creation aborted. Цэнтруе плоскасць па аб'ектах з прыведзенага вышэй спісу - + Building Будынак @@ -5358,7 +5358,7 @@ Building creation aborted. Стварыць Будынак - + Space Памяшканне @@ -5368,22 +5368,22 @@ Building creation aborted. Стварыць памяшканне - + Set text position Задаць становішча тэксту - + Space boundaries Межы памяшкання - + Wall Сцяна - + Walls can only be based on Part or Mesh objects Сцены могуць быць заснаваныя толькі на аб'ектах Дэталь ці Паліганальная сетка @@ -5454,7 +5454,7 @@ Building creation aborted. changed 'Normal' to [0, 0, 1] to preserve extrusion direction - changed 'Normal' to [0, 0, 1] to preserve extrusion direction + зменена значэнне 'Normal' на [0, 0, 1], каб захаваць напрамак выдушвання @@ -5502,58 +5502,58 @@ Building creation aborted. змяшчае грані, якія не з'яўляюцца часткай якога-небудзь суцэльнага цела - + Survey Спіс памераў - + Set description Задаць апісанне - + Clear Ачысціць - + Copy Length Скапіраваць даўжыню - + Copy Area Скапіраваць плошчу - + Export CSV Экспартаваць у CSV - + Area Плошча - + Total Агулам - + Object doesn't have settable IFC attributes Аб'ект не мае атрыбутаў IFC, якія наладжваюцца - + Disabling B-rep force flag of object Адключэнне індыкатара трываласці аб'екта B-Rep - + Enabling B-rep force flag of object Уключэнне індыкатара трываласці аб'екта B-Rep @@ -5599,12 +5599,12 @@ Building creation aborted. Стварыць кампанент - + Key Ключ - + The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: У аб'екта няма атрыбуту IfcProperties. Скасаваць стварэнне аркуша для аб'екта: @@ -5835,8 +5835,8 @@ Building creation aborted. Электрычная магутнасць у ватах (Вт), якая неабходная абсталяванню - - + + The type of this building Тып будынка @@ -6105,167 +6105,167 @@ Building creation aborted. Таўшчыня апор - + The base terrain of this site Асноўны рэльеф мясцовасці - + The street and house number of this site, with postal box or apartment number if needed Вуліца і нумар дома мясцовасці, з паштовай скрыняй ці нумарам кватэры, калі неабходна - + The postal or zip code of this site Паштовы індэкс мясцовасці - + The city of this site Горад мясцовасці - + The region, province or county of this site Рэгіён, вобласць ці краіна мясцовасці - + The country of this site Краіна мясцовасці - + The latitude of this site Шырата мясцовасці - + Angle between the true North and the North direction in this document Вугал паміж сапраўднай Поўначчу і напрамкам на Поўнач у дакуменце - + The elevation of level 0 of this site Абсалютная вышыня ўзроўню 0 мясцовасці - + A URL that shows this site in a mapping website 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 - + The perimeter length of the projected area Даўжыня перыметру плошчы, якая праецыруецца - + The volume of earth to be added to this terrain Аб'ём зямлі, які будзе дададзены да рэльефу - + The volume of earth to be removed from this terrain Аб'ём зямлі, які будзе выдалены з рэльефу - + An extrusion vector to use when performing boolean operations Вектар выдушвання, які ўжываецца пры выкананні лагічных аперацый - + Remove splitters from the resulting shape Выдаліць падзельнікі з атрыманай фігуры - + An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates Неабавязковае зрушэнне паміж пачаткам каардынат мадэлі (0,0,0) і кропкай, названай геаграфічнымі каардынатамі - + The type of this object Тып аб'екту - + The time zone where this site is located Гадзінны пояс, у якім размешчана мясцовасць - + An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one Неабавязковы файл EPW для вызначэння месцазнаходжання мясцовасці. Звярніцеся да дакументацыі па мясцовасці, каб даведацца, як яго атрымаць - + Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module Паказаць дыяграму ружы вятроў, ці не. Ужываецца маштаб графіку інсаляцыі. Патрэбны модуль Ladybug - + Show solar diagram or not Паказаць графік інсаляцыі, ці не - + The scale of the solar diagram Маштаб графіку інсаляцыі - + The position of the solar diagram Становішча графіку інсаляцыі - + The color of the solar diagram Колер графіку інсаляцыі - + When set to 'True North' the whole geometry will be rotated to match the true north of this site Калі зададзена значэнне 'Сапраўдная Поўнач', уся геаметрыя будзе павернутая ў адпаведнасці з сапраўднай Поўначчу дадзенай мясцовасці - + Show compass or not Паказаць компас, ці не - + The rotation of the Compass relative to the Site Вярчэнне компасу адносна мясцовасці - + The position of the Compass relative to the Site placement Становішча компаса адносна размяшчэння мясцовасці - + Update the Declination value based on the compass rotation Абнавіць значэнне схілення на аснове вярчэння компасу @@ -7615,129 +7615,129 @@ Building creation aborted. - + The name of the font Назва шрыфту - + The size of the text font Памер шрыфту тэксту - + The objects that make the boundaries of this space object Аб'екты, якія ўтвараюць межы аб'екта памяшкання - + Identical to Horizontal Area Ідэнтычны гарызантальнай вобласці - + The finishing of the floor of this space Аздабленне паверха памяшкання - + The finishing of the walls of this space Аздабленне сцен памяшкання - + The finishing of the ceiling of this space Аздабленне столі памяшкання - + Objects that are included inside this space, such as furniture Аб'екты, якія ўключаныя ў гэтае памяшканне, такія як мэбля - + The type of this space Тып памяшкання - + The thickness of the floor finish Таўшчыня пакрыцця падлогі - + The number of people who typically occupy this space Колькасць людзей, якія звычайна займаюць памяшканне - + The electric power needed to light this space in Watts Электрычная магутнасць у ватах (Вт), якая неабходная для асвятлення памяшкання - + The electric power needed by the equipment of this space in Watts Электрычная магутнасць у ватах (Вт), якая неабходная абсталяванню ў памяшканні - + If True, Equipment Power will be automatically filled by the equipment included in this space Калі True, магутнасць абсталявання будзе аўтаматычна разлічана на аснове абсталявання, якія знаходзяцца ў памяшканні - + The type of air conditioning of this space Тып кандыцыяніравання паветра ў памяшканні - + Specifies if this space is internal or external Паказвае, з'яўляецца памяшканне ўнутраным ці вонкавым - + Defines the calculation type for the horizontal area and its perimeter length Вызначае тып разліку для гарызантальнай вобласці і даўжыні яе перыметра - + The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data Тэкст, які трэба паказаць. Ужывайце $area, $label, $tag, $longname, $description, і для аздаблення $floor, $walls, $ceiling для ўстаўкі адпаведных дадзеных - + The color of the area text Колер тэксту плошчы - + The size of the first line of text Памер першага радка тэксту - + The space between the lines of text Адлегласць паміж радкамі тэксту - + The position of the text. Leave (0,0,0) for automatic position Становішча тэксту. Пакіньце (0,0,0) для аўтаматычнага становішча - + The justification of the text Выраўноўванне тэксту - + The number of decimals to use for calculated texts Колькасць дзесятковых знакаў, якія ўжываюцца тэкстаў, якія вылічаюцца - + Show the unit suffix Паказаць прыстаўку адзінкі вымярэння @@ -8651,7 +8651,7 @@ Building creation aborted. Command - + Transform @@ -8885,23 +8885,23 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Падтрымка IFC адключаная - + Objects structure Структура праекта - + Attribute Атрыбут - - + + Value Значэнне - + Property Уласцівасць @@ -8961,13 +8961,18 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Файл не знойдзены - + IFC Explorer Даследчык IFC - + + IfcSite element was not found in %s. Unable to explore. + IfcSite element was not found in %s. Unable to explore. + + + Error in entity Памылка ў сутнасці @@ -9107,22 +9112,22 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Новы пласт - + Create Leader Стварыць зноску - - + + Preview Папярэдні выгляд - - + + Options Налады @@ -9137,98 +9142,98 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Стварыць спасылку немагчыма, бо асноўны дакумент зачынены. - + No structure in cache. Please refresh. У кэшы няма канструкцыі. Калі ласка, абнавіце. - + It is not possible to insert this object because the document has been closed. Уставіць гэты аб'ект немагчыма, бо дакумент быў зачынены. - + Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed Памылка: не атрымалася імпартаваць файлы SAT - неабходна ўсталяваць дадатак InventorLoader ці CadExchanger - + Error: Unable to download Памылка: Немагчыма спампаваць - + Insertion point Кропка ўстаўкі - + Origin Пачатак каардынат - + Top left Зверху злева - + Top center Зверху па цэнтры - + Top right Зверху справа - + Middle left Пасярэдзіне злева - + Middle center Пасярэдзіне па цэнтры - + Middle right Пасярэдзіне справа - + Bottom left Знізу злева - + Bottom center Унізе па цэнтры - + Bottom right Знізу справа - + Cannot open URL Не атрымалася адчыніць URL-адрас - + Could not fetch library contents Не атрымалася атрымаць змест бібліятэкі - + No results fetched from online library Няма вынікаў, якія атрыманыя з бібліятэкі анлайн - + Warning, this can take several minutes! Увага, гэтае можа заняць некалькі хвілін! diff --git a/src/Mod/BIM/Resources/translations/Arch_ca.qm b/src/Mod/BIM/Resources/translations/Arch_ca.qm index 4ab81e22e269..8b747258348f 100644 Binary files a/src/Mod/BIM/Resources/translations/Arch_ca.qm and b/src/Mod/BIM/Resources/translations/Arch_ca.qm differ diff --git a/src/Mod/BIM/Resources/translations/Arch_ca.ts b/src/Mod/BIM/Resources/translations/Arch_ca.ts index d4cd2ea29471..becac6c897a4 100644 --- a/src/Mod/BIM/Resources/translations/Arch_ca.ts +++ b/src/Mod/BIM/Resources/translations/Arch_ca.ts @@ -3378,7 +3378,7 @@ De totes maneres, algunes aplicacions BIM utilitzen aquest factor per escollir q - + Category Categoria @@ -3394,7 +3394,7 @@ De totes maneres, algunes aplicacions BIM utilitzen aquest factor per escollir q - + Length @@ -3569,7 +3569,7 @@ De totes maneres, algunes aplicacions BIM utilitzen aquest factor per escollir q No s'ha pogut calcular la forma - + Equipment Equipament @@ -3680,7 +3680,7 @@ De totes maneres, algunes aplicacions BIM utilitzen aquest factor per escollir q Perfil - + Site Lloc @@ -3710,7 +3710,7 @@ De totes maneres, algunes aplicacions BIM utilitzen aquest factor per escollir q - + Roof Sostre @@ -3830,7 +3830,7 @@ Si Distància = 0 aleshores la distància es calcula de manera que l'alçària s Alçat - + External Reference Referència externa @@ -3938,7 +3938,7 @@ Si Distància = 0 aleshores la distància es calcula de manera que l'alçària s Crea una referència externa - + Frame Marc @@ -4003,7 +4003,7 @@ Si Distància = 0 aleshores la distància es calcula de manera que l'alçària s La biblioteca de Shapefile es pot descarregar a la següent URL i instal·lar a la teva carpeta de macros: - + Window Finestra @@ -4092,7 +4092,7 @@ Si Distància = 0 aleshores la distància es calcula de manera que l'alçària s - + Remove Elimina @@ -4101,12 +4101,12 @@ Si Distància = 0 aleshores la distància es calcula de manera que l'alçària s - + Add Afegeix - + @@ -4158,7 +4158,7 @@ Si Distància = 0 aleshores la distància es calcula de manera que l'alçària s - + Type Tipus @@ -4262,7 +4262,7 @@ Si Distància = 0 aleshores la distància es calcula de manera que l'alçària s S'ha escrit correctament - + Truss Gelosia @@ -4303,17 +4303,17 @@ Si Distància = 0 aleshores la distància es calcula de manera que l'alçària s Error: la versió d'IfcOpenShell és massa antiga - + Project Projecte - + Stairs Escales - + Railing Barana @@ -4350,12 +4350,12 @@ Si Distància = 0 aleshores la distància es calcula de manera que l'alçària s - + Material Material - + MultiMaterial Multimaterial @@ -4422,7 +4422,7 @@ Si Distància = 0 aleshores la distància es calcula de manera que l'alçària s - + Grid Quadrícula @@ -4608,17 +4608,17 @@ Si Distància = 0 aleshores la distància es calcula de manera que l'alçària s Rotació - + Panel Panell - + View of Vista de - + PanelSheet Full de planells @@ -4669,7 +4669,7 @@ Si Distància = 0 aleshores la distància es calcula de manera que l'alçària s Aquest objecte no té cap cara - + Curtain Wall Mur cortina @@ -4680,12 +4680,12 @@ Si Distància = 0 aleshores la distància es calcula de manera que l'alçària s Crea un mur cortina - + Pipe Tub - + Connector Connector @@ -4812,7 +4812,7 @@ Si Distància = 0 aleshores la distància es calcula de manera que l'alçària s Exportar fitxer CSV - + Export CSV File Exportar fitxer CSV @@ -4824,7 +4824,7 @@ Si Distància = 0 aleshores la distància es calcula de manera que l'alçària s - + Description Descripció @@ -4832,7 +4832,7 @@ Si Distància = 0 aleshores la distància es calcula de manera que l'alçària s - + Value Valor @@ -4840,7 +4840,7 @@ Si Distància = 0 aleshores la distància es calcula de manera que l'alçària s - + Unit Unitat @@ -4947,7 +4947,7 @@ S'interromp la creació de la planta. té una forma nul·la - + Toggle subcomponents Alternar els subcomponents @@ -5047,7 +5047,7 @@ S'interromp la creació de la planta. Conjunt de propietats nou - + Rebar Rebar @@ -5063,7 +5063,7 @@ S'interromp la creació de la planta. Seleccioneu una cara base en un objecte d'estructura - + Section Secció @@ -5159,7 +5159,7 @@ S'interromp la creació de la planta. Centra el pla sobre els objectes de la llista anterior - + Building Construcció @@ -5197,7 +5197,7 @@ S'avorta la creació de la construcció. Crea una construcció - + Space Espai @@ -5207,22 +5207,22 @@ S'avorta la creació de la construcció. Crea un espai - + Set text position Estableix la posició del text - + Space boundaries Límits de l'espai - + Wall Mur - + Walls can only be based on Part or Mesh objects Els murs només es poden crear a partir d'objectes Peça o Malla @@ -5341,58 +5341,58 @@ S'avorta la creació de la construcció. conté cares que no formen part de cap sòlid - + Survey Recollida de dades - + Set description Estableix una descripció - + Clear Neteja - + Copy Length Copia la longitud - + Copy Area Copia l'àrea - + Export CSV Exporta CSV - + Area Àrea - + Total Total - + Object doesn't have settable IFC attributes L'objecte no té atributs d'IFC configurables - + Disabling B-rep force flag of object Desactiva l'indicador de B-rep forçat de l'objecte - + Enabling B-rep force flag of object Activa l'indicador de B-rep forçat de l'objecte @@ -5438,12 +5438,12 @@ S'avorta la creació de la construcció. Crea un component - + Key Clau - + The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: L'objecte no té un atribut de Propietats IFC. Cancel·la la creació del full de càlcul per a l'objecte: @@ -5674,8 +5674,8 @@ S'avorta la creació de la construcció. La potència elèctrica necessària d'aquest equipament en Watts - - + + The type of this building El tipus d'aquesta construcció @@ -5944,167 +5944,167 @@ S'avorta la creació de la construcció. Gruix dels suports - + The base terrain of this site El terreny base del lloc - + The street and house number of this site, with postal box or apartment number if needed El carrer i el número d'aquest lloc, amb el número de bústia o número d'apartament si és necessari - + The postal or zip code of this site El codi postal del lloc - + The city of this site La ciutat del lloc - + The region, province or county of this site La regió, província o comptat del lloc - + The country of this site El país del lloc - + The latitude of this site La latitud del lloc - + Angle between the true North and the North direction in this document Angle entre el nord geogràfic i el nord en aquest document - + The elevation of level 0 of this site L'elevació del nivell 0 of this site - + A URL that shows this site in a mapping website Un URL que mostra aquest lloc en un lloc web de cartografia - + Other shapes that are appended to this object Altres formes que s'afegeixen a aquest objecte - + Other shapes that are subtracted from this object Altres formes que són extretes d'aquest objecte - + The area of the projection of this object onto the XY plane L'àrea de la projecció d'aquest objecte en el pla XY - + The perimeter length of the projected area La longitud del perímetre de l'àrea projectada - + The volume of earth to be added to this terrain El volum de terra que s'afegeix al terreny - + The volume of earth to be removed from this terrain El volum de terra que se suprimeix del terreny - + An extrusion vector to use when performing boolean operations Un vector d'extrusió que s'utilitza quan es realitzen operacions booleanes - + Remove splitters from the resulting shape Suprimeix els separadors de la forma resultant - + An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates Un desplaçament opcional entre l'origen del model (0,0,0) i el punt indicat per les coordenades geogràfiques - + The type of this object El tipus d'aquest objecte - + The time zone where this site is located El fus horari on es troba aquest lloc - + An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one Un fitxer opcional EPW per a la localització d'aquest lloc. Busqueu a la pàgina de documentació per saber com obtenir una - + Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module Mostrar o ocultar La Rosa dels vents. Fa servir una escala del diagrama solar. Necessita el mòdul Ladybug - + Show solar diagram or not Mostra o no el diagrama solar - + The scale of the solar diagram L'escala del diagrama solar - + The position of the solar diagram La posició del diagrama solar - + The color of the solar diagram El color del diagrama solar - + When set to 'True North' the whole geometry will be rotated to match the true north of this site Quan s'estableix com 'Nord vertader', tota la geometria gira per a coincidir amb el vertader nord d'aquest lloc - + Show compass or not Mostra o no la brúixola - + The rotation of the Compass relative to the Site La rotació de la brúixola relativa al Lloc - + The position of the Compass relative to the Site placement La posició de la brúixola amb relació al posicionament del Lloc - + Update the Declination value based on the compass rotation Actualitza el valor de la declinació basat en el gir de la brúixola @@ -7448,128 +7448,128 @@ S'avorta la creació de la construcció. - + The name of the font El nom de la tipografia - + The size of the text font La mida de la tipografia del text - + The objects that make the boundaries of this space object The objects that make the boundaries of this space object - + Identical to Horizontal Area Identical to Horizontal Area - + The finishing of the floor of this space The finishing of the floor of this space - + The finishing of the walls of this space The finishing of the walls of this space - + The finishing of the ceiling of this space The finishing of the ceiling of this space - + Objects that are included inside this space, such as furniture Objects that are included inside this space, such as furniture - + The type of this space The type of this space - + The thickness of the floor finish The thickness of the floor finish - + The number of people who typically occupy this space The number of people who typically occupy this space - + The electric power needed to light this space in Watts The electric power needed to light this space in Watts - + The electric power needed by the equipment of this space in Watts The electric power needed by the equipment of this space in Watts - + If True, Equipment Power will be automatically filled by the equipment included in this space If True, Equipment Power will be automatically filled by the equipment included in this space - + The type of air conditioning of this space The type of air conditioning of this space - + Specifies if this space is internal or external Specifies if this space is internal or external - + Defines the calculation type for the horizontal area and its perimeter length Defines the calculation type for the horizontal area and its perimeter length - + The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data - + The color of the area text The color of the area text - + The size of the first line of text The size of the first line of text - + The space between the lines of text The space between the lines of text - + The position of the text. Leave (0,0,0) for automatic position The position of the text. Leave (0,0,0) for automatic position - + The justification of the text The justification of the text - + The number of decimals to use for calculated texts The number of decimals to use for calculated texts - + Show the unit suffix Mostra el sufix de la unitat @@ -8466,7 +8466,7 @@ S'avorta la creació de la construcció. Command - + Transform @@ -8684,23 +8684,23 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet IfcOpenShell was not found on this system. IFC support is disabled - + Objects structure Objects structure - + Attribute Attribute - - + + Value Valor - + Property Propietat @@ -8760,13 +8760,18 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet No s'ha trobat el fitxer. - + IFC Explorer IFC Explorer - + + IfcSite element was not found in %s. Unable to explore. + IfcSite element was not found in %s. Unable to explore. + + + Error in entity Error in entity @@ -8906,22 +8911,22 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Nova capa - + Create Leader Crea una línia de referència - - + + Preview Previsualització - - + + Options Opcions @@ -8936,97 +8941,97 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet It is not possible to link because the main document is closed. - + No structure in cache. Please refresh. No structure in cache. Please refresh. - + It is not possible to insert this object because the document has been closed. It is not possible to insert this object because the document has been closed. - + Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed - + Error: Unable to download Error: Unable to download - + Insertion point Insertion point - + Origin Origen - + Top left Superior esquerra - + Top center Top center - + Top right Superior dreta - + Middle left Middle left - + Middle center Middle center - + Middle right Middle right - + Bottom left Inferior esquerra - + Bottom center Bottom center - + Bottom right Inferior dreta - + Cannot open URL Cannot open URL - + Could not fetch library contents Could not fetch library contents - + No results fetched from online library No results fetched from online library - + Warning, this can take several minutes! Warning, this can take several minutes! diff --git a/src/Mod/BIM/Resources/translations/Arch_cs.qm b/src/Mod/BIM/Resources/translations/Arch_cs.qm index c8357ab3a341..cfbe6fd28df7 100644 Binary files a/src/Mod/BIM/Resources/translations/Arch_cs.qm and b/src/Mod/BIM/Resources/translations/Arch_cs.qm differ diff --git a/src/Mod/BIM/Resources/translations/Arch_cs.ts b/src/Mod/BIM/Resources/translations/Arch_cs.ts index 4b4f177f3ec5..afdb03245d3c 100644 --- a/src/Mod/BIM/Resources/translations/Arch_cs.ts +++ b/src/Mod/BIM/Resources/translations/Arch_cs.ts @@ -409,7 +409,7 @@ Chcete-li použít všechny objekty z dokumentu, ponechte prázdné IFC Properties Manager - IFC Properties Manager + IFC správce vlastností @@ -3405,7 +3405,7 @@ bude pracovat při otevírání souboru. - + Category Kategorie @@ -3421,7 +3421,7 @@ bude pracovat při otevírání souboru. - + Length @@ -3596,7 +3596,7 @@ bude pracovat při otevírání souboru. Nelze vypočítat tvar - + Equipment Vybavení @@ -3707,7 +3707,7 @@ bude pracovat při otevírání souboru. Profil - + Site Parcela @@ -3737,7 +3737,7 @@ bude pracovat při otevírání souboru. - + Roof Střecha @@ -3857,7 +3857,7 @@ Je-li Run = 0, pak se běh vypočítá tak, aby výška byla stejná jako relati Přední - + External Reference Externí odkaz @@ -3965,7 +3965,7 @@ Je-li Run = 0, pak se běh vypočítá tak, aby výška byla stejná jako relati Vytvořit externí reference - + Frame Rám @@ -4030,7 +4030,7 @@ Je-li Run = 0, pak se běh vypočítá tak, aby výška byla stejná jako relati Knihovnu shapefile lze stáhnout z následující adresy URL a nainstalovat do složky maker: - + Window Okno @@ -4119,7 +4119,7 @@ Je-li Run = 0, pak se běh vypočítá tak, aby výška byla stejná jako relati - + Remove Odstranit @@ -4128,12 +4128,12 @@ Je-li Run = 0, pak se běh vypočítá tak, aby výška byla stejná jako relati - + Add Přidat - + @@ -4185,7 +4185,7 @@ Je-li Run = 0, pak se běh vypočítá tak, aby výška byla stejná jako relati - + Type Typ @@ -4289,7 +4289,7 @@ Je-li Run = 0, pak se běh vypočítá tak, aby výška byla stejná jako relati Úspěšně zapsáno - + Truss Vazník @@ -4330,17 +4330,17 @@ Je-li Run = 0, pak se běh vypočítá tak, aby výška byla stejná jako relati Chyba: stará verze IfcOpenShell - + Project Projekt - + Stairs Schodiště - + Railing Zábradlí @@ -4377,12 +4377,12 @@ Je-li Run = 0, pak se běh vypočítá tak, aby výška byla stejná jako relati - + Material Materiál - + MultiMaterial MultiMaterial @@ -4449,7 +4449,7 @@ Je-li Run = 0, pak se běh vypočítá tak, aby výška byla stejná jako relati - + Grid Mřížka @@ -4635,17 +4635,17 @@ Je-li Run = 0, pak se běh vypočítá tak, aby výška byla stejná jako relati Rotace - + Panel Panel - + View of View of - + PanelSheet PanelSheet @@ -4696,7 +4696,7 @@ Je-li Run = 0, pak se běh vypočítá tak, aby výška byla stejná jako relati This object has no face - + Curtain Wall Curtain Wall @@ -4707,12 +4707,12 @@ Je-li Run = 0, pak se běh vypočítá tak, aby výška byla stejná jako relati Create Curtain Wall - + Pipe Potrubí - + Connector Connector @@ -4839,7 +4839,7 @@ Je-li Run = 0, pak se běh vypočítá tak, aby výška byla stejná jako relati Export CSV file - + Export CSV File Export CSV File @@ -4851,7 +4851,7 @@ Je-li Run = 0, pak se běh vypočítá tak, aby výška byla stejná jako relati - + Description Popis @@ -4859,7 +4859,7 @@ Je-li Run = 0, pak se běh vypočítá tak, aby výška byla stejná jako relati - + Value Hodnota @@ -4867,7 +4867,7 @@ Je-li Run = 0, pak se běh vypočítá tak, aby výška byla stejná jako relati - + Unit Jednotka @@ -4974,7 +4974,7 @@ Floor creation aborted. has a null shape - + Toggle subcomponents Toggle subcomponents @@ -5074,7 +5074,7 @@ Floor creation aborted. New property set - + Rebar Výztuž @@ -5090,7 +5090,7 @@ Floor creation aborted. Please select a base face on a structural object - + Section Výběr @@ -5186,7 +5186,7 @@ Floor creation aborted. Centers the plane on the objects in the list above - + Building Budova @@ -5224,7 +5224,7 @@ Building creation aborted. Create Building - + Space Prostor @@ -5234,22 +5234,22 @@ Building creation aborted. Create Space - + Set text position Nastavit polohu textu - + Space boundaries Space boundaries - + Wall Wall - + Walls can only be based on Part or Mesh objects Walls can only be based on Part or Mesh objects @@ -5368,58 +5368,58 @@ Building creation aborted. contains faces that are not part of any solid - + Survey Prohlížení - + Set description Set description - + Clear Vyčistit - + Copy Length Copy Length - + Copy Area Copy Area - + Export CSV Export CSV - + Area Oblast - + Total Celkem - + Object doesn't have settable IFC attributes Object doesn't have settable IFC attributes - + Disabling B-rep force flag of object Disabling B-rep force flag of object - + Enabling B-rep force flag of object Enabling B-rep force flag of object @@ -5465,12 +5465,12 @@ Building creation aborted. Create Component - + Key Key - + The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: @@ -5701,8 +5701,8 @@ Building creation aborted. The electric power needed by this equipment in Watts - - + + The type of this building The type of this building @@ -5971,167 +5971,167 @@ Building creation aborted. Thickness of the legs - + The base terrain of this site Základní terén této parcely - + The street and house number of this site, with postal box or apartment number if needed The street and house number of this site, with postal box or apartment number if needed - + The postal or zip code of this site The postal or zip code of this site - + The city of this site The city of this site - + The region, province or county of this site The region, province or county of this site - + The country of this site Země této parcely - + The latitude of this site The latitude of this site - + Angle between the true North and the North direction in this document Angle between the true North and the North direction in this document - + The elevation of level 0 of this site The elevation of level 0 of this site - + A URL that shows this site in a mapping website 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 - + The perimeter length of the projected area Délka obvodu projektované oblasti - + The volume of earth to be added to this terrain The volume of earth to be added to this terrain - + The volume of earth to be removed from this terrain The volume of earth to be removed from this terrain - + An extrusion vector to use when performing boolean operations An extrusion vector to use when performing boolean operations - + Remove splitters from the resulting shape Remove splitters from the resulting shape - + An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates 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 - + The time zone where this site is located Časové pásmo, kde se tato stavba nachází - + An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one - + Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module - + Show solar diagram or not Show solar diagram or not - + The scale of the solar diagram The scale of the solar diagram - + The position of the solar diagram Poloha solárního diagramu - + The color of the solar diagram The color of the solar diagram - + When set to 'True North' the whole geometry will be rotated to match the true north of this site Je-li nastaveno na 'Skutečný sever', bude celá geometrie otočena tak, aby odpovídala skutečnému severu stavby - + Show compass or not Show compass or not - + The rotation of the Compass relative to the Site Natočení kompasu vzhledem ke stavbě - + The position of the Compass relative to the Site placement Poloha kompasu vzhledem k umístění stavby - + Update the Declination value based on the compass rotation Update the Declination value based on the compass rotation @@ -7475,128 +7475,128 @@ Building creation aborted. - + The name of the font The name of the font - + The size of the text font The size of the text font - + The objects that make the boundaries of this space object The objects that make the boundaries of this space object - + Identical to Horizontal Area Identical to Horizontal Area - + The finishing of the floor of this space Konečná úprava podlahy tohoto prostoru - + The finishing of the walls of this space Konečná úprava stěn tohoto prostoru - + The finishing of the ceiling of this space Konečná úprava stropu tohoto prostoru - + Objects that are included inside this space, such as furniture Objects that are included inside this space, such as furniture - + The type of this space The type of this space - + The thickness of the floor finish The thickness of the floor finish - + The number of people who typically occupy this space The number of people who typically occupy this space - + The electric power needed to light this space in Watts The electric power needed to light this space in Watts - + The electric power needed by the equipment of this space in Watts The electric power needed by the equipment of this space in Watts - + If True, Equipment Power will be automatically filled by the equipment included in this space If True, Equipment Power will be automatically filled by the equipment included in this space - + The type of air conditioning of this space The type of air conditioning of this space - + Specifies if this space is internal or external Určuje, zda je tento prostor interiér, nebo exteriér - + Defines the calculation type for the horizontal area and its perimeter length Defines the calculation type for the horizontal area and its perimeter length - + The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data - + The color of the area text The color of the area text - + The size of the first line of text The size of the first line of text - + The space between the lines of text The space between the lines of text - + The position of the text. Leave (0,0,0) for automatic position Poloha textu. Použij (0,0,0) pro automatickou polohu - + The justification of the text The justification of the text - + The number of decimals to use for calculated texts The number of decimals to use for calculated texts - + Show the unit suffix Show the unit suffix @@ -8493,7 +8493,7 @@ Building creation aborted. Command - + Transform @@ -8711,23 +8711,23 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet IfcOpenShell was not found on this system. IFC support is disabled - + Objects structure Objects structure - + Attribute Attribute - - + + Value Hodnota - + Property Vlastnost @@ -8787,13 +8787,18 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Soubor nebyl nalezen - + IFC Explorer IFC Explorer - + + IfcSite element was not found in %s. Unable to explore. + IfcSite element was not found in %s. Unable to explore. + + + Error in entity Error in entity @@ -8933,22 +8938,22 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Nová vrstva - + Create Leader Vytvořit odkaz - - + + Preview Náhled - - + + Options Možnosti @@ -8963,97 +8968,97 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet It is not possible to link because the main document is closed. - + No structure in cache. Please refresh. Žádná struktura v mezipaměti. Obnovte prosím. - + It is not possible to insert this object because the document has been closed. It is not possible to insert this object because the document has been closed. - + Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed - + Error: Unable to download Error: Unable to download - + Insertion point Insertion point - + Origin Počátek - + Top left Vlevo nahoře - + Top center Top center - + Top right Vpravo nahoře - + Middle left Middle left - + Middle center Middle center - + Middle right Middle right - + Bottom left Vlevo dole - + Bottom center Bottom center - + Bottom right Vpravo dole - + Cannot open URL Cannot open URL - + Could not fetch library contents Could not fetch library contents - + No results fetched from online library No results fetched from online library - + Warning, this can take several minutes! Warning, this can take several minutes! diff --git a/src/Mod/BIM/Resources/translations/Arch_da.qm b/src/Mod/BIM/Resources/translations/Arch_da.qm index b3e652a39744..7b6bee711b14 100644 Binary files a/src/Mod/BIM/Resources/translations/Arch_da.qm and b/src/Mod/BIM/Resources/translations/Arch_da.qm differ diff --git a/src/Mod/BIM/Resources/translations/Arch_da.ts b/src/Mod/BIM/Resources/translations/Arch_da.ts index 06e4a670939d..c1110c97f901 100644 --- a/src/Mod/BIM/Resources/translations/Arch_da.ts +++ b/src/Mod/BIM/Resources/translations/Arch_da.ts @@ -3407,7 +3407,7 @@ unit to work with when opening the file. - + Category Kategori @@ -3423,7 +3423,7 @@ unit to work with when opening the file. - + Length @@ -3598,7 +3598,7 @@ unit to work with when opening the file. Couldn't compute a shape - + Equipment Udstyr @@ -3709,7 +3709,7 @@ unit to work with when opening the file. Profil - + Site Site @@ -3739,7 +3739,7 @@ unit to work with when opening the file. - + Roof Roof @@ -3859,7 +3859,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Front - + External Reference External Reference @@ -3967,7 +3967,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Create external reference - + Frame Frame @@ -4032,7 +4032,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela The shapefile library can be downloaded from the following URL and installed in your macros folder: - + Window Vindue @@ -4121,7 +4121,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Remove Fjern @@ -4130,12 +4130,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Add Tilføj - + @@ -4187,7 +4187,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Type Type @@ -4291,7 +4291,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Successfully written - + Truss Truss @@ -4332,17 +4332,17 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Error: your IfcOpenShell version is too old - + Project Projekt - + Stairs Stairs - + Railing Railing @@ -4379,12 +4379,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Material Materiel - + MultiMaterial MultiMaterial @@ -4451,7 +4451,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Grid Gitter @@ -4637,17 +4637,17 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Rotation - + Panel Panel - + View of View of - + PanelSheet PanelSheet @@ -4698,7 +4698,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela This object has no face - + Curtain Wall Curtain Wall @@ -4709,12 +4709,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Create Curtain Wall - + Pipe Pipe - + Connector Connector @@ -4841,7 +4841,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Export CSV file - + Export CSV File Export CSV File @@ -4853,7 +4853,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Description Beskrivelse @@ -4861,7 +4861,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Value Værdi @@ -4869,7 +4869,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Unit Enhed @@ -4976,7 +4976,7 @@ Floor creation aborted. has a null shape - + Toggle subcomponents Toggle subcomponents @@ -5076,7 +5076,7 @@ Floor creation aborted. New property set - + Rebar Armering @@ -5092,7 +5092,7 @@ Floor creation aborted. Please select a base face on a structural object - + Section Section @@ -5188,7 +5188,7 @@ Floor creation aborted. Centers the plane on the objects in the list above - + Building Building @@ -5226,7 +5226,7 @@ Building creation aborted. Create Building - + Space Space @@ -5236,22 +5236,22 @@ Building creation aborted. Create Space - + Set text position Set text position - + Space boundaries Space boundaries - + Wall Wall - + Walls can only be based on Part or Mesh objects Walls can only be based on Part or Mesh objects @@ -5370,58 +5370,58 @@ Building creation aborted. contains faces that are not part of any solid - + Survey Survey - + Set description Set description - + Clear Ryd - + Copy Length Copy Length - + Copy Area Copy Area - + Export CSV Export CSV - + Area Area - + Total Total - + Object doesn't have settable IFC attributes Object doesn't have settable IFC attributes - + Disabling B-rep force flag of object Disabling B-rep force flag of object - + Enabling B-rep force flag of object Enabling B-rep force flag of object @@ -5467,12 +5467,12 @@ Building creation aborted. Create Component - + Key Key - + The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: @@ -5703,8 +5703,8 @@ Building creation aborted. The electric power needed by this equipment in Watts - - + + The type of this building The type of this building @@ -5973,167 +5973,167 @@ Building creation aborted. Thickness of the legs - + The base terrain of this site The base terrain of this site - + The street and house number of this site, with postal box or apartment number if needed The street and house number of this site, with postal box or apartment number if needed - + The postal or zip code of this site The postal or zip code of this site - + The city of this site The city of this site - + The region, province or county of this site The region, province or county of this site - + The country of this site The country of this site - + The latitude of this site The latitude of this site - + Angle between the true North and the North direction in this document Angle between the true North and the North direction in this document - + The elevation of level 0 of this site The elevation of level 0 of this site - + A URL that shows this site in a mapping website 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 - + The perimeter length of the projected area The perimeter length of the projected area - + The volume of earth to be added to this terrain The volume of earth to be added to this terrain - + The volume of earth to be removed from this terrain The volume of earth to be removed from this terrain - + An extrusion vector to use when performing boolean operations An extrusion vector to use when performing boolean operations - + Remove splitters from the resulting shape Remove splitters from the resulting shape - + An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates 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 - + The time zone where this site is located The time zone where this site is located - + An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one - + Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module - + Show solar diagram or not Show solar diagram or not - + The scale of the solar diagram The scale of the solar diagram - + The position of the solar diagram The position of the solar diagram - + The color of the solar diagram The color of the solar diagram - + When set to 'True North' the whole geometry will be rotated to match the true north of this site When set to 'True North' the whole geometry will be rotated to match the true north of this site - + Show compass or not Show compass or not - + The rotation of the Compass relative to the Site The rotation of the Compass relative to the Site - + The position of the Compass relative to the Site placement The position of the Compass relative to the Site placement - + Update the Declination value based on the compass rotation Update the Declination value based on the compass rotation @@ -7477,128 +7477,128 @@ Building creation aborted. - + The name of the font The name of the font - + The size of the text font The size of the text font - + The objects that make the boundaries of this space object The objects that make the boundaries of this space object - + Identical to Horizontal Area Identical to Horizontal Area - + The finishing of the floor of this space The finishing of the floor of this space - + The finishing of the walls of this space The finishing of the walls of this space - + The finishing of the ceiling of this space The finishing of the ceiling of this space - + Objects that are included inside this space, such as furniture Objects that are included inside this space, such as furniture - + The type of this space The type of this space - + The thickness of the floor finish The thickness of the floor finish - + The number of people who typically occupy this space The number of people who typically occupy this space - + The electric power needed to light this space in Watts The electric power needed to light this space in Watts - + The electric power needed by the equipment of this space in Watts The electric power needed by the equipment of this space in Watts - + If True, Equipment Power will be automatically filled by the equipment included in this space If True, Equipment Power will be automatically filled by the equipment included in this space - + The type of air conditioning of this space The type of air conditioning of this space - + Specifies if this space is internal or external Specifies if this space is internal or external - + Defines the calculation type for the horizontal area and its perimeter length Defines the calculation type for the horizontal area and its perimeter length - + The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data - + The color of the area text The color of the area text - + The size of the first line of text The size of the first line of text - + The space between the lines of text The space between the lines of text - + The position of the text. Leave (0,0,0) for automatic position The position of the text. Leave (0,0,0) for automatic position - + The justification of the text The justification of the text - + The number of decimals to use for calculated texts The number of decimals to use for calculated texts - + Show the unit suffix Show the unit suffix @@ -8495,7 +8495,7 @@ Building creation aborted. Command - + Transform @@ -8713,23 +8713,23 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet IfcOpenShell was not found on this system. IFC support is disabled - + Objects structure Objects structure - + Attribute Attribute - - + + Value Værdi - + Property Egenskab @@ -8789,13 +8789,18 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Filen blev ikke fundet - + IFC Explorer IFC Explorer - + + IfcSite element was not found in %s. Unable to explore. + IfcSite element was not found in %s. Unable to explore. + + + Error in entity Error in entity @@ -8935,22 +8940,22 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet New Layer - + Create Leader Lav ledelinje - - + + Preview Preview - - + + Options Indstillinger @@ -8965,97 +8970,97 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet It is not possible to link because the main document is closed. - + No structure in cache. Please refresh. No structure in cache. Please refresh. - + It is not possible to insert this object because the document has been closed. It is not possible to insert this object because the document has been closed. - + Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed - + Error: Unable to download Error: Unable to download - + Insertion point Insertion point - + Origin Origo - + Top left Øverst til venstre - + Top center Top center - + Top right Øverst til højre - + Middle left Middle left - + Middle center Middle center - + Middle right Middle right - + Bottom left Nederst til venstre - + Bottom center Bottom center - + Bottom right Nederst til højre - + Cannot open URL Cannot open URL - + Could not fetch library contents Could not fetch library contents - + No results fetched from online library No results fetched from online library - + Warning, this can take several minutes! Warning, this can take several minutes! diff --git a/src/Mod/BIM/Resources/translations/Arch_de.qm b/src/Mod/BIM/Resources/translations/Arch_de.qm index 4a6cc7d48cef..fd85326a1b91 100644 Binary files a/src/Mod/BIM/Resources/translations/Arch_de.qm and b/src/Mod/BIM/Resources/translations/Arch_de.qm differ diff --git a/src/Mod/BIM/Resources/translations/Arch_de.ts b/src/Mod/BIM/Resources/translations/Arch_de.ts index 0f564d3ead37..59ade0851900 100644 --- a/src/Mod/BIM/Resources/translations/Arch_de.ts +++ b/src/Mod/BIM/Resources/translations/Arch_de.ts @@ -3375,7 +3375,7 @@ unit to work with when opening the file. - + Category Kategorie @@ -3391,7 +3391,7 @@ unit to work with when opening the file. - + Length @@ -3566,7 +3566,7 @@ unit to work with when opening the file. Es konnte keine Form berechnet werden - + Equipment Ausrüstung @@ -3677,7 +3677,7 @@ unit to work with when opening the file. Profil - + Site Grundstück @@ -3707,7 +3707,7 @@ unit to work with when opening the file. - + Roof Dach @@ -3827,7 +3827,7 @@ Wenn Länge = 0 dann wird die Länge so berechnet, dass die Höhe gleich dem rel Vorne - + External Reference Externe Referenz @@ -3935,7 +3935,7 @@ Wenn Länge = 0 dann wird die Länge so berechnet, dass die Höhe gleich dem rel Externe Referenz erstellen - + Frame Rahmen @@ -4000,7 +4000,7 @@ Wenn Länge = 0 dann wird die Länge so berechnet, dass die Höhe gleich dem rel Die Formdatei-Bibliothek kann von der folgenden URL heruntergeladen und im Makroordner installiert werden: - + Window Fenster @@ -4089,7 +4089,7 @@ Wenn Länge = 0 dann wird die Länge so berechnet, dass die Höhe gleich dem rel - + Remove Entfernen @@ -4098,12 +4098,12 @@ Wenn Länge = 0 dann wird die Länge so berechnet, dass die Höhe gleich dem rel - + Add Hinzufügen - + @@ -4155,7 +4155,7 @@ Wenn Länge = 0 dann wird die Länge so berechnet, dass die Höhe gleich dem rel - + Type Typ @@ -4259,7 +4259,7 @@ Wenn Länge = 0 dann wird die Länge so berechnet, dass die Höhe gleich dem rel Erfolgreich geschrieben - + Truss Traverse @@ -4300,17 +4300,17 @@ Wenn Länge = 0 dann wird die Länge so berechnet, dass die Höhe gleich dem rel Fehler: Die IfcOpenShell-Version ist veraltet - + Project Projekt - + Stairs Treppe - + Railing Geländer @@ -4347,12 +4347,12 @@ Wenn Länge = 0 dann wird die Länge so berechnet, dass die Höhe gleich dem rel - + Material Material - + MultiMaterial VerschiedeneMaterialien @@ -4419,7 +4419,7 @@ Wenn Länge = 0 dann wird die Länge so berechnet, dass die Höhe gleich dem rel - + Grid Raster @@ -4605,17 +4605,17 @@ Wenn Länge = 0 dann wird die Länge so berechnet, dass die Höhe gleich dem rel Drehung - + Panel Platte - + View of Ansicht von - + PanelSheet Plattenzeichnung @@ -4666,7 +4666,7 @@ Wenn Länge = 0 dann wird die Länge so berechnet, dass die Höhe gleich dem rel Dieses Objekt hat keine Fläche - + Curtain Wall Vorhangfassade @@ -4677,12 +4677,12 @@ Wenn Länge = 0 dann wird die Länge so berechnet, dass die Höhe gleich dem rel Vorhangfassade erstellen - + Pipe Rohr - + Connector Verbinder @@ -4809,7 +4809,7 @@ Wenn Länge = 0 dann wird die Länge so berechnet, dass die Höhe gleich dem rel CSV-Datei exportieren - + Export CSV File CSV-Datei exportieren @@ -4821,7 +4821,7 @@ Wenn Länge = 0 dann wird die Länge so berechnet, dass die Höhe gleich dem rel - + Description Beschreibung @@ -4829,7 +4829,7 @@ Wenn Länge = 0 dann wird die Länge so berechnet, dass die Höhe gleich dem rel - + Value Wert @@ -4837,7 +4837,7 @@ Wenn Länge = 0 dann wird die Länge so berechnet, dass die Höhe gleich dem rel - + Unit Einheit @@ -4941,7 +4941,7 @@ Geschoß-Erstellung abgebrochen. hat eine ungültige Form - + Toggle subcomponents Unterkomponenten umschalten @@ -5041,7 +5041,7 @@ Geschoß-Erstellung abgebrochen. Neue Eigenschaften-Gruppe - + Rebar Armierung @@ -5057,7 +5057,7 @@ Geschoß-Erstellung abgebrochen. Bitte eine Basisfläche auf einem Strukturobjekt auswählen - + Section Schnittebene @@ -5153,7 +5153,7 @@ Geschoß-Erstellung abgebrochen. Zentriert die Ebene gemäß den Objekten in obiger Liste - + Building Gebäude @@ -5191,7 +5191,7 @@ Gebäudeerstellung abgebrochen. Gebäude erstellen - + Space Raum @@ -5201,22 +5201,22 @@ Gebäudeerstellung abgebrochen. Bereich erstellen - + Set text position Textposition festlegen - + Space boundaries Bereichsgrenzen - + Wall Wand - + Walls can only be based on Part or Mesh objects Wände konnen nur aus Part- oder Mesh-Objekten bestehen @@ -5335,58 +5335,58 @@ Gebäudeerstellung abgebrochen. enthält Flächen, die nicht Teil eines Festkörpers sind - + Survey Messen - + Set description Beschreibung festlegen - + Clear Leeren - + Copy Length Länge kopieren - + Copy Area Bereich kopieren - + Export CSV CSV exportieren - + Area Fläche - + Total Summe - + Object doesn't have settable IFC attributes Objekt hat keine festlegbaren IFC Attribute - + Disabling B-rep force flag of object Deaktiviere erzwungene Darstellung durch Begrenzungsflächen (B-rep) für dieses Objekt - + Enabling B-rep force flag of object Aktiviere erzwungene Darstellung durch Begrenzungsflächen (B-rep) für dieses Objekt @@ -5432,12 +5432,12 @@ Gebäudeerstellung abgebrochen. Komponente erstellen - + Key Schlüssel - + The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: Das Objekt weist kein IFC-Eigenschaften Attribut auf. Die Erstellung einer Kalulationstabelle für dieses Objekt abbrechen: @@ -5668,8 +5668,8 @@ Gebäudeerstellung abgebrochen. Die elektrische Leistung in Watt, die dieses Gerät benötigt - - + + The type of this building Die Art dieses Gebäudes @@ -5938,167 +5938,167 @@ Gebäudeerstellung abgebrochen. Dicke der Beine - + The base terrain of this site Das Grundgelände dieses Standortes - + The street and house number of this site, with postal box or apartment number if needed Die Straße und Hausnummer dieses Standorts, falls erforderlich, mit Postfach- oder Wohnungsnummer - + The postal or zip code of this site Die Postleitzahl dieses Standortes - + The city of this site Die Stadt dieses Grundstücks - + The region, province or county of this site Die Region, Provinz oder Verwaltungsbezirk dieses Grundstücks - + The country of this site Das Land dieses Grundstücks - + The latitude of this site Der Breitengrad dieses Grundstücks - + Angle between the true North and the North direction in this document Winkel zwischen dem wahren Norden und der Nordrichtung in diesem Dokument - + The elevation of level 0 of this site Die Höhe des Erdgeschosses dieses Standorts oder Grundstücks - + A URL that shows this site in a mapping website 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 - + The perimeter length of the projected area Die Umfangslänge der projizierten Fläche - + The volume of earth to be added to this terrain Das Erdvolumen, das diesem Gelände hinzugefügt werden soll - + The volume of earth to be removed from this terrain Das Erdvolumen das von diesem Gelände entfernt werden soll - + An extrusion vector to use when performing boolean operations Ein Extrusionsvektor, der bei der Durchführung von Booleschen Verknüpfungen verwendet werden kann - + Remove splitters from the resulting shape Trenner von der resultierenden Form entfernen - + An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates 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 - + The time zone where this site is located Die Zeitzone, in der sich dieses Grundstück befindet - + An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one Eine optionale EPW-Datei für den Standort dieses Grundstücks. Auf die Dokumentation des Grundstücks verweisen, um eine zu erhalten - + Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module Zeige eine Windrose oder nicht. Verwendet eine Solardiagrammskala. Benötigt das Ladybug-Modul - + Show solar diagram or not Solardiagramm anzeigen oder nicht - + The scale of the solar diagram Die Skalierung des Solardiagramms - + The position of the solar diagram Die Position des Solardiagramms - + The color of the solar diagram Die Farbe des Solardiagramms - + When set to 'True North' the whole geometry will be rotated to match the true north of this site Wenn auf 'Wahrer Norden' eingestellt ist, wird die gesamte Geometrie so gedreht, dass sie dem wahren, absoluten Norden entspricht - + Show compass or not Kompass anzeigen oder nicht - + The rotation of the Compass relative to the Site Die Drehung des Kompasses relativ zum Grundstück - + The position of the Compass relative to the Site placement Die Drehung des Kompasses relativ zum Grundstück - + Update the Declination value based on the compass rotation Den Neigungsswert basierend auf der Kompassausrichtung aktualisieren @@ -7442,128 +7442,128 @@ Gebäudeerstellung abgebrochen. - + The name of the font Der Name der Schriftart - + The size of the text font Die Größe der Textschriftart - + The objects that make the boundaries of this space object Die Objekte, die die Grenzen dieses Raumobjekts definieren - + Identical to Horizontal Area Identisch zur horizontalen Fläche - + The finishing of the floor of this space Die Endbearbeitung des Bodens dieses Raumes - + The finishing of the walls of this space Die Endbearbeitung der Wände dieses Raumes - + The finishing of the ceiling of this space Die Endbearbeitung der Decke dieses Raumes - + Objects that are included inside this space, such as furniture Objekte, die in diesem Raum enthalten sind, wie Möbel - + The type of this space Die Art dieses Raumes - + The thickness of the floor finish Die Dicke des Bodenbelages - + The number of people who typically occupy this space Die Anzahl der Personen, die diesen Raum typischerweise bewohnen - + The electric power needed to light this space in Watts Die notwendige elektrische Energie in Watt, um diesen Raum zu beleuchten - + The electric power needed by the equipment of this space in Watts Die elektrische Leistung in Watt, die diese Geräte benötigen - + If True, Equipment Power will be automatically filled by the equipment included in this space Wenn wahr, wird Geräteenergie automatisch von den in diesem Raum enthaltenen Geräten gefüllt - + The type of air conditioning of this space Die Art der Klimaanlage dieses Raumes - + Specifies if this space is internal or external Gibt an, ob dieser Raum intern oder extern ist - + Defines the calculation type for the horizontal area and its perimeter length Definiert den Berechnungstyp für die horizontale Fläche und deren Umfang - + The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data Der anzuzeigende Text. $area, $label, $tag, $longname, $description und für die Oberflächen $floor, $walls, $ceiling verwenden, um die entsprechenden Daten einzufügen - + The color of the area text Die Farbe des Bereichstextes - + The size of the first line of text Die Größe der ersten Zeile des Textes - + The space between the lines of text Der Abstand zwischen den Textzeilen - + The position of the text. Leave (0,0,0) for automatic position Die Position des Textes. Belassen von (0,0,0) für automatische Position - + The justification of the text Die Ausrichtung des Textes - + The number of decimals to use for calculated texts Die Anzahl der Dezimalstellen, die für berechnete Texte verwendet werden sollen - + Show the unit suffix Einheitensuffix anzeigen @@ -8460,7 +8460,7 @@ Gebäudeerstellung abgebrochen. Command - + Transform @@ -8680,23 +8680,23 @@ STRG + / um zwischen automatischem und manuellem Mosus umzuschaltenIfcOpenShell wurde auf diesem System nicht gefunden. IFC-Unterstützung ist deaktiviert - + Objects structure Objektstruktur - + Attribute Attribut - - + + Value Wert - + Property Eigenschaft @@ -8756,13 +8756,18 @@ STRG + / um zwischen automatischem und manuellem Mosus umzuschaltenDatei nicht gefunden - + IFC Explorer IFC-Explorer - + + IfcSite element was not found in %s. Unable to explore. + IfcSite element was not found in %s. Unable to explore. + + + Error in entity Fehler in der Entität @@ -8902,22 +8907,22 @@ STRG + / um zwischen automatischem und manuellem Mosus umzuschaltenNeue Ebene - + Create Leader Hinweislinie erstellen - - + + Preview Vorschau - - + + Options Optionen @@ -8932,97 +8937,97 @@ STRG + / um zwischen automatischem und manuellem Mosus umzuschaltenEine Verknüpfung ist nicht möglich, da das Hauptdokument geschlossen ist. - + No structure in cache. Please refresh. Keine Struktur im Cache. Bitte aktualisieren. - + It is not possible to insert this object because the document has been closed. Es ist nicht möglich, dieses Objekt einzufügen, da das Dokument geschlossen wurde. - + Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed Fehler: SAT-Dateien können nicht importiert werden - InventorLoader oder CadExchanger-Addon muss installiert sein - + Error: Unable to download Fehler: Download nicht möglich - + Insertion point Einfügepunkt - + Origin Ursprung - + Top left Oben links - + Top center Oben zentriert - + Top right Oben rechts - + Middle left Mitte links - + Middle center Mitte zentriert - + Middle right Mitte rechts - + Bottom left Unten links - + Bottom center Unten zentriert - + Bottom right Unten rechts - + Cannot open URL Kann URL nicht öffnen - + Could not fetch library contents Bibliotheksinhalt konnte nicht abgerufen werden - + No results fetched from online library Keine Ergebnisse aus der Online-Bibliothek geladen - + Warning, this can take several minutes! Achtung, das kann einige Zeit dauern! @@ -10488,7 +10493,7 @@ STRG + / um zwischen automatischem und manuellem Mosus umzuschalten Aligns the view on the current item in BIM Views window or on the current working plane - Richtet die Ansicht auf das aktuelle Element im Fenster BIM-Ansichten oder auf die aktuelle Bearbeitungsebene aus + Richtet die Ansicht auf das aktuelle Element im Fenster BIM-Ansichten oder auf die aktuelle Arbeitsebene aus diff --git a/src/Mod/BIM/Resources/translations/Arch_el.qm b/src/Mod/BIM/Resources/translations/Arch_el.qm index 6c51f7693fda..835a69645223 100644 Binary files a/src/Mod/BIM/Resources/translations/Arch_el.qm and b/src/Mod/BIM/Resources/translations/Arch_el.qm differ diff --git a/src/Mod/BIM/Resources/translations/Arch_el.ts b/src/Mod/BIM/Resources/translations/Arch_el.ts index ad3becbe0a25..09e9c05c4df5 100644 --- a/src/Mod/BIM/Resources/translations/Arch_el.ts +++ b/src/Mod/BIM/Resources/translations/Arch_el.ts @@ -3402,7 +3402,7 @@ unit to work with when opening the file. - + Category Κατηγορία @@ -3418,7 +3418,7 @@ unit to work with when opening the file. - + Length @@ -3593,7 +3593,7 @@ unit to work with when opening the file. Couldn't compute a shape - + Equipment Εξοπλισμός @@ -3704,7 +3704,7 @@ unit to work with when opening the file. Προφίλ - + Site Τοποθεσία @@ -3734,7 +3734,7 @@ unit to work with when opening the file. - + Roof Roof @@ -3854,7 +3854,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Εμπρόσθια - + External Reference External Reference @@ -3962,7 +3962,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Create external reference - + Frame Frame @@ -4027,7 +4027,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela The shapefile library can be downloaded from the following URL and installed in your macros folder: - + Window Παράθυρο @@ -4116,7 +4116,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Remove Αφαίρεση @@ -4125,12 +4125,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Add Προσθήκη - + @@ -4182,7 +4182,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Type Τύπος @@ -4286,7 +4286,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Successfully written - + Truss Truss @@ -4327,17 +4327,17 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Error: your IfcOpenShell version is too old - + Project Έργο - + Stairs Σκαλιά - + Railing Railing @@ -4374,12 +4374,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Material Υλικό - + MultiMaterial MultiMaterial @@ -4446,7 +4446,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Grid Κάναβος @@ -4632,17 +4632,17 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Rotation - + Panel Panel - + View of View of - + PanelSheet PanelSheet @@ -4693,7 +4693,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela This object has no face - + Curtain Wall Curtain Wall @@ -4704,12 +4704,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Create Curtain Wall - + Pipe Δημιουργία αντικειμένου χωρίς πάτωμα και οροφή - + Connector Connector @@ -4836,7 +4836,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Export CSV file - + Export CSV File Export CSV File @@ -4848,7 +4848,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Description Περιγραφή @@ -4856,7 +4856,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Value Τιμή @@ -4864,7 +4864,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Unit Μονάδα @@ -4971,7 +4971,7 @@ Floor creation aborted. has a null shape - + Toggle subcomponents Toggle subcomponents @@ -5071,7 +5071,7 @@ Floor creation aborted. New property set - + Rebar Ράβδοι οπλισμού @@ -5087,7 +5087,7 @@ Floor creation aborted. Please select a base face on a structural object - + Section Τομή @@ -5183,7 +5183,7 @@ Floor creation aborted. Centers the plane on the objects in the list above - + Building Κτίριο @@ -5221,7 +5221,7 @@ Building creation aborted. Create Building - + Space Χώρος @@ -5231,22 +5231,22 @@ Building creation aborted. Create Space - + Set text position Set text position - + Space boundaries Space boundaries - + Wall Wall - + Walls can only be based on Part or Mesh objects Walls can only be based on Part or Mesh objects @@ -5365,58 +5365,58 @@ Building creation aborted. contains faces that are not part of any solid - + Survey Επισκόπηση - + Set description Set description - + Clear Εκκαθάριση - + Copy Length Copy Length - + Copy Area Copy Area - + Export CSV Export CSV - + Area Εμβαδόν - + Total Σύνολο - + Object doesn't have settable IFC attributes Object doesn't have settable IFC attributes - + Disabling B-rep force flag of object Disabling B-rep force flag of object - + Enabling B-rep force flag of object Enabling B-rep force flag of object @@ -5462,12 +5462,12 @@ Building creation aborted. Create Component - + Key Key - + The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: @@ -5698,8 +5698,8 @@ Building creation aborted. The electric power needed by this equipment in Watts - - + + The type of this building The type of this building @@ -5968,167 +5968,167 @@ Building creation aborted. Thickness of the legs - + The base terrain of this site The base terrain of this site - + The street and house number of this site, with postal box or apartment number if needed The street and house number of this site, with postal box or apartment number if needed - + The postal or zip code of this site The postal or zip code of this site - + The city of this site The city of this site - + The region, province or county of this site The region, province or county of this site - + The country of this site The country of this site - + The latitude of this site The latitude of this site - + Angle between the true North and the North direction in this document Angle between the true North and the North direction in this document - + The elevation of level 0 of this site The elevation of level 0 of this site - + A URL that shows this site in a mapping website 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 - + The perimeter length of the projected area The perimeter length of the projected area - + The volume of earth to be added to this terrain The volume of earth to be added to this terrain - + The volume of earth to be removed from this terrain The volume of earth to be removed from this terrain - + An extrusion vector to use when performing boolean operations An extrusion vector to use when performing boolean operations - + Remove splitters from the resulting shape Remove splitters from the resulting shape - + An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates 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 - + The time zone where this site is located The time zone where this site is located - + An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one - + Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module - + Show solar diagram or not Show solar diagram or not - + The scale of the solar diagram The scale of the solar diagram - + The position of the solar diagram The position of the solar diagram - + The color of the solar diagram The color of the solar diagram - + When set to 'True North' the whole geometry will be rotated to match the true north of this site When set to 'True North' the whole geometry will be rotated to match the true north of this site - + Show compass or not Show compass or not - + The rotation of the Compass relative to the Site The rotation of the Compass relative to the Site - + The position of the Compass relative to the Site placement The position of the Compass relative to the Site placement - + Update the Declination value based on the compass rotation Update the Declination value based on the compass rotation @@ -7472,128 +7472,128 @@ Building creation aborted. - + The name of the font The name of the font - + The size of the text font The size of the text font - + The objects that make the boundaries of this space object The objects that make the boundaries of this space object - + Identical to Horizontal Area Identical to Horizontal Area - + The finishing of the floor of this space The finishing of the floor of this space - + The finishing of the walls of this space The finishing of the walls of this space - + The finishing of the ceiling of this space The finishing of the ceiling of this space - + Objects that are included inside this space, such as furniture Objects that are included inside this space, such as furniture - + The type of this space The type of this space - + The thickness of the floor finish The thickness of the floor finish - + The number of people who typically occupy this space The number of people who typically occupy this space - + The electric power needed to light this space in Watts The electric power needed to light this space in Watts - + The electric power needed by the equipment of this space in Watts The electric power needed by the equipment of this space in Watts - + If True, Equipment Power will be automatically filled by the equipment included in this space If True, Equipment Power will be automatically filled by the equipment included in this space - + The type of air conditioning of this space The type of air conditioning of this space - + Specifies if this space is internal or external Specifies if this space is internal or external - + Defines the calculation type for the horizontal area and its perimeter length Defines the calculation type for the horizontal area and its perimeter length - + The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data - + The color of the area text The color of the area text - + The size of the first line of text The size of the first line of text - + The space between the lines of text The space between the lines of text - + The position of the text. Leave (0,0,0) for automatic position The position of the text. Leave (0,0,0) for automatic position - + The justification of the text The justification of the text - + The number of decimals to use for calculated texts The number of decimals to use for calculated texts - + Show the unit suffix Show the unit suffix @@ -8490,7 +8490,7 @@ Building creation aborted. Command - + Transform @@ -8708,23 +8708,23 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet IfcOpenShell was not found on this system. IFC support is disabled - + Objects structure Objects structure - + Attribute Attribute - - + + Value Τιμή - + Property Ιδιότητα @@ -8784,13 +8784,18 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Το αρχείο δεν βρέθηκε - + IFC Explorer IFC Explorer - + + IfcSite element was not found in %s. Unable to explore. + IfcSite element was not found in %s. Unable to explore. + + + Error in entity Error in entity @@ -8930,22 +8935,22 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet New Layer - + Create Leader Create Leader - - + + Preview Προεπισκόπηση - - + + Options Επιλογές @@ -8960,97 +8965,97 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet It is not possible to link because the main document is closed. - + No structure in cache. Please refresh. No structure in cache. Please refresh. - + It is not possible to insert this object because the document has been closed. It is not possible to insert this object because the document has been closed. - + Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed - + Error: Unable to download Error: Unable to download - + Insertion point Insertion point - + Origin Σημείο Τομής Αξόνων - + Top left Πάνω αριστερά - + Top center Top center - + Top right Πάνω δεξιά - + Middle left Middle left - + Middle center Middle center - + Middle right Middle right - + Bottom left Κάτω αριστερά - + Bottom center Bottom center - + Bottom right Κάτω δεξιά - + Cannot open URL Cannot open URL - + Could not fetch library contents Could not fetch library contents - + No results fetched from online library No results fetched from online library - + Warning, this can take several minutes! Warning, this can take several minutes! diff --git a/src/Mod/BIM/Resources/translations/Arch_es-AR.qm b/src/Mod/BIM/Resources/translations/Arch_es-AR.qm index 9b3de0996daf..e66f35cc1af6 100644 Binary files a/src/Mod/BIM/Resources/translations/Arch_es-AR.qm and b/src/Mod/BIM/Resources/translations/Arch_es-AR.qm differ diff --git a/src/Mod/BIM/Resources/translations/Arch_es-AR.ts b/src/Mod/BIM/Resources/translations/Arch_es-AR.ts index 755a4a7e981a..e3af26f33109 100644 --- a/src/Mod/BIM/Resources/translations/Arch_es-AR.ts +++ b/src/Mod/BIM/Resources/translations/Arch_es-AR.ts @@ -3390,7 +3390,7 @@ En cualquier caso, algunas aplicaciones BIM usarán este factor para elegir con - + Category Categoría @@ -3406,7 +3406,7 @@ En cualquier caso, algunas aplicaciones BIM usarán este factor para elegir con - + Length @@ -3581,7 +3581,7 @@ En cualquier caso, algunas aplicaciones BIM usarán este factor para elegir con No se pudo procesar una forma - + Equipment Equipamiento @@ -3692,7 +3692,7 @@ En cualquier caso, algunas aplicaciones BIM usarán este factor para elegir con Perfil - + Site Implantación @@ -3722,7 +3722,7 @@ En cualquier caso, algunas aplicaciones BIM usarán este factor para elegir con - + Roof Cubierta @@ -3842,7 +3842,7 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu Anterior - + External Reference Referencia Externa @@ -3950,7 +3950,7 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu Crear referencia externa - + Frame Marco @@ -4015,7 +4015,7 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu La biblioteca shapefile puede descargarse desde la siguiente URL e instalarse en la carpeta de macros: - + Window Ventana @@ -4059,7 +4059,7 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu Sill height - Altura de alfeizar + Altura de antepecho @@ -4104,7 +4104,7 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu - + Remove Eliminar @@ -4113,12 +4113,12 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu - + Add Agregar - + @@ -4170,7 +4170,7 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu - + Type Tipo @@ -4274,7 +4274,7 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu Escrito correctamente - + Truss Celosía @@ -4315,17 +4315,17 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu Error: la versión de IfcOpenShell está obsoleta - + Project Proyecto - + Stairs Escaleras - + Railing Barandilla @@ -4362,12 +4362,12 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu - + Material Material - + MultiMaterial Multimaterial @@ -4434,7 +4434,7 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu - + Grid Cuadrícula @@ -4620,17 +4620,17 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu Rotación - + Panel Panel - + View of Vista de - + PanelSheet Hoja de paneles @@ -4681,7 +4681,7 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu Este objeto no tiene cara - + Curtain Wall Muro cortina @@ -4692,12 +4692,12 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu Crear Muro Cortina - + Pipe Caño - + Connector Conector @@ -4824,7 +4824,7 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu Exportar archivo CSV - + Export CSV File Exportar archivo CSV @@ -4836,7 +4836,7 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu - + Description Descripción @@ -4844,7 +4844,7 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu - + Value Valor @@ -4852,7 +4852,7 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu - + Unit Unidad @@ -4959,7 +4959,7 @@ Creación de planta cancelada. Tiene una forma nula - + Toggle subcomponents Alternar subcomponentes @@ -5059,7 +5059,7 @@ Creación de planta cancelada. Nuevo conjunto de propiedades - + Rebar Refuerzo @@ -5075,7 +5075,7 @@ Creación de planta cancelada. Por favor seleccione una cara base en un objeto estructural - + Section Corte @@ -5171,7 +5171,7 @@ Creación de planta cancelada. Centra el plano en los objetos de la lista anterior - + Building Edificio @@ -5209,7 +5209,7 @@ Creación de Edificio cancelada. Crear Edificio - + Space Espacio @@ -5219,22 +5219,22 @@ Creación de Edificio cancelada. Crear espacio - + Set text position Establecer la posición del texto - + Space boundaries Fronteras de espacio - + Wall Muro - + Walls can only be based on Part or Mesh objects Los muros solo pueden basarse en objetos de tipo malla o parte @@ -5305,7 +5305,7 @@ Creación de Edificio cancelada. changed 'Normal' to [0, 0, 1] to preserve extrusion direction - changed 'Normal' to [0, 0, 1] to preserve extrusion direction + se cambió 'Normal' a [0, 0, 1] para preservar la dirección de extrusión @@ -5353,58 +5353,58 @@ Creación de Edificio cancelada. Contiene caras que no son parte de ningún sólido - + Survey Registro de medidas - + Set description Definir descripción - + Clear Limpiar - + Copy Length Copiar longitud - + Copy Area Copiar área - + Export CSV Exportar CSV - + Area Área - + Total Total - + Object doesn't have settable IFC attributes Objeto no tiene atributos configurables de IFC - + Disabling B-rep force flag of object Desactivando indicador de fuerza B-rep del objeto - + Enabling B-rep force flag of object Activando el indicador de fuerza B-rep del objeto @@ -5450,12 +5450,12 @@ Creación de Edificio cancelada. Crear componente - + Key Clave - + The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: El objeto no contiene el atributo IfcProperties. Cancelar la creación de hojas de cálculo para el objeto: @@ -5686,8 +5686,8 @@ Creación de Edificio cancelada. Potencia eléctrica necesaria por este equipo en Watts - - + + The type of this building Tipo de este Edificio @@ -5956,167 +5956,167 @@ Creación de Edificio cancelada. Espesor de los lados - + The base terrain of this site El terreno base de este sitio - + The street and house number of this site, with postal box or apartment number if needed La calle y el número de casa de este sitio, con número postal o número de apartamento si es necesario - + The postal or zip code of this site Código postal de este sitio - + The city of this site La ciudad de este sitio - + The region, province or county of this site La región, provincia o condado de este sitio - + The country of this site El país de este sitio - + The latitude of this site La latitud de este sitio - + Angle between the true North and the North direction in this document Ángulo entre el norte verdadero y la dirección del norte en este documento - + The elevation of level 0 of this site La elevación del nivel 0 de este sitio - + A URL that shows this site in a mapping website 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 - + The perimeter length of the projected area La longitud del perímetro del área proyectada - + The volume of earth to be added to this terrain El volumen de tierra a añadir a este terreno - + The volume of earth to be removed from this terrain El volumen de tierra a eliminar de este terreno - + An extrusion vector to use when performing boolean operations Un vector de extrusión a utilizar cuando se realizan operaciones booleanas - + Remove splitters from the resulting shape Quita los separadores de la forma resultante - + An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates Un desfase 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 - + The time zone where this site is located La zona horaria donde se encuentra este sitio - + An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one Un archivo EPW opcional para la ubicación de este sitio. Consulte la documentación del sitio para saber cómo obtener uno - + Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module Mostrar diagrama de rosa de viento o no. Usa una escala de diagrama solar. Necesita el módulo Ladybug - + Show solar diagram or not Mostrar diagrama solar o no - + The scale of the solar diagram La escala del diagrama solar - + The position of the solar diagram La posición del diagrama solar - + The color of the solar diagram El color del diagrama solar - + When set to 'True North' the whole geometry will be rotated to match the true north of this site Cuando se configura en 'True North' toda la geometría será rotada para coincidir con el verdadero norte de este sitio - + Show compass or not Mostrar brújula o no - + The rotation of the Compass relative to the Site La rotación de la brújula relativa al Sitio - + The position of the Compass relative to the Site placement La posición de la brújula relativa a la colocación del sitio - + Update the Declination value based on the compass rotation Actualizar el valor de declinación basado en la rotación de la brújula @@ -7460,128 +7460,128 @@ Creación de Edificio cancelada. - + The name of the font El nombre de la fuente - + The size of the text font El tamaño de la fuente de texto - + The objects that make the boundaries of this space object Los objetos que hacen los límites de este objeto espacial - + Identical to Horizontal Area Idéntico al área horizontal - + The finishing of the floor of this space El acabado del suelo en este espacio - + The finishing of the walls of this space El acabado de las paredes en este espacio - + The finishing of the ceiling of this space El acabado del cielo en este espacio - + Objects that are included inside this space, such as furniture Objetos que están dentro de este espacio, como muebles - + The type of this space El tipo de espacio - + The thickness of the floor finish El espesor del acabado de suelo - + The number of people who typically occupy this space El número de personas que normalmente ocupan este espacio - + The electric power needed to light this space in Watts La energía eléctrica necesaria para iluminar este espacio en vatios - + The electric power needed by the equipment of this space in Watts La energía eléctrica necesaria por el equipo de este espacio en vatios - + If True, Equipment Power will be automatically filled by the equipment included in this space Si es Verdadero, la Potencia del Equipo será automáticamente llenada por el equipo incluido en este espacio - + The type of air conditioning of this space El tipo de aire acondicionado de este espacio - + Specifies if this space is internal or external Especifica si este espacio es interno o externo - + Defines the calculation type for the horizontal area and its perimeter length Define el tipo de cálculo para el área horizontal y su longitud de perímetro - + The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data Texto a mostrar. Usa $area, $label, $tag, $longname, $description y para finalizar $floor $walls, $ceiling para insertar los datos correspondientes - + The color of the area text El color del texto del área - + The size of the first line of text El tamaño de la primera línea de texto - + The space between the lines of text El espacio entre las líneas de texto - + The position of the text. Leave (0,0,0) for automatic position La posicion del texto. Mantenga (0,0,0) para la posición automática - + The justification of the text La justificación del texto - + The number of decimals to use for calculated texts El número de decimales a utilizar para textos calculados - + Show the unit suffix Mostrar el sufijo de unidad @@ -8478,7 +8478,7 @@ Creación de Edificio cancelada. Command - + Transform @@ -8700,23 +8700,23 @@ CTRL+/ para alternar entre modo automático y manual No se encontró IfcOpenShell en este sistema. El soporte IFC está deshabilitado - + Objects structure Estructura de objetos - + Attribute Atributo - - + + Value Valor - + Property Propiedad @@ -8776,13 +8776,18 @@ CTRL+/ para alternar entre modo automático y manual Archivo no encontrado - + IFC Explorer Explorador IFC - + + IfcSite element was not found in %s. Unable to explore. + IfcSite element was not found in %s. Unable to explore. + + + Error in entity Error en la entidad @@ -8922,22 +8927,22 @@ CTRL+/ para alternar entre modo automático y manual Nueva capa - + Create Leader Crear Línea de Referencia - - + + Preview Vista previa - - + + Options Opciones @@ -8952,97 +8957,97 @@ CTRL+/ para alternar entre modo automático y manual No es posible enlazar porque el documento principal está cerrado. - + No structure in cache. Please refresh. No hay estructura en la caché. Por favor actualiza. - + It is not possible to insert this object because the document has been closed. No es posible insertar este objeto porque el documento ha sido cerrado. - + Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed Error: No se puede importar archivos SAT; se debe instalar el complemento InventorLoader o CadExchanger - + Error: Unable to download Error: No se puede descargar - + Insertion point Punto de inserción - + Origin Origen de Coordenadas - + Top left Arriba a la izquierda - + Top center Arriba al centro - + Top right Arriba a la derecha - + Middle left Centro a izquierda - + Middle center Centro a medio - + Middle right Centro a derecha - + Bottom left Abajo a la izquierda - + Bottom center Abajo al centro - + Bottom right Abajo a la derecha - + Cannot open URL No se puede abrir la URL - + Could not fetch library contents No se pudo obtener el contenido de la biblioteca - + No results fetched from online library No se obtuvieron resultados de la biblioteca online - + Warning, this can take several minutes! ¡Advertencia, esto puede demorar! diff --git a/src/Mod/BIM/Resources/translations/Arch_es-ES.qm b/src/Mod/BIM/Resources/translations/Arch_es-ES.qm index fa5d31fd9839..c2888179f943 100644 Binary files a/src/Mod/BIM/Resources/translations/Arch_es-ES.qm and b/src/Mod/BIM/Resources/translations/Arch_es-ES.qm differ diff --git a/src/Mod/BIM/Resources/translations/Arch_es-ES.ts b/src/Mod/BIM/Resources/translations/Arch_es-ES.ts index 249f2dd00f76..78606a0737f2 100644 --- a/src/Mod/BIM/Resources/translations/Arch_es-ES.ts +++ b/src/Mod/BIM/Resources/translations/Arch_es-ES.ts @@ -3391,7 +3391,7 @@ En cualquier caso, algunas aplicaciones BIM usarán este factor para elegir con - + Category Categoría @@ -3407,7 +3407,7 @@ En cualquier caso, algunas aplicaciones BIM usarán este factor para elegir con - + Length @@ -3582,7 +3582,7 @@ En cualquier caso, algunas aplicaciones BIM usarán este factor para elegir con No se pudo procesar una forma - + Equipment Equipamiento @@ -3693,7 +3693,7 @@ En cualquier caso, algunas aplicaciones BIM usarán este factor para elegir con Perfíl - + Site Sitio @@ -3723,7 +3723,7 @@ En cualquier caso, algunas aplicaciones BIM usarán este factor para elegir con - + Roof Cubierta @@ -3843,7 +3843,7 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu Alzado - + External Reference Referencia Externa @@ -3951,7 +3951,7 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu Crear referencia externa - + Frame Marco @@ -4016,7 +4016,7 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu La biblioteca shapefile puede descargarse desde la siguiente URL e instalarse en la carpeta de macros: - + Window Ventana @@ -4060,7 +4060,7 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu Sill height - Altura de alfeizar + Altura de antepecho @@ -4105,7 +4105,7 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu - + Remove Quitar @@ -4114,12 +4114,12 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu - + Add Añadir - + @@ -4171,7 +4171,7 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu - + Type Tipo @@ -4275,7 +4275,7 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu Escrito correctamente - + Truss Celosía @@ -4316,17 +4316,17 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu Error: la versión de IfcOpenShell está obsoleta - + Project Proyecto - + Stairs Escaleras - + Railing Barandilla @@ -4363,12 +4363,12 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu - + Material Material - + MultiMaterial Multimaterial @@ -4435,7 +4435,7 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu - + Grid Cuadricula @@ -4621,17 +4621,17 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu Rotación - + Panel Panel - + View of Vista de - + PanelSheet Hoja de paneles @@ -4682,7 +4682,7 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu Este objeto no tiene cara - + Curtain Wall Muro cortina @@ -4693,12 +4693,12 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu Crear Muro Cortina - + Pipe Tubería - + Connector Conector @@ -4825,7 +4825,7 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu Exportar archivo CSV - + Export CSV File Exportar archivo CSV @@ -4837,7 +4837,7 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu - + Description Descripción @@ -4845,7 +4845,7 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu - + Value Valor @@ -4853,7 +4853,7 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu - + Unit Unidad @@ -4960,7 +4960,7 @@ Creación de planta cancelada. Tiene una forma nula - + Toggle subcomponents Alternar subcomponentes @@ -5060,7 +5060,7 @@ Creación de planta cancelada. Nuevo conjunto de propiedades - + Rebar Refuerzo @@ -5076,7 +5076,7 @@ Creación de planta cancelada. Por favor seleccione una cara base en un objeto estructural - + Section Sección @@ -5172,7 +5172,7 @@ Creación de planta cancelada. Centra el plano en los objetos de la lista anterior - + Building Edificio @@ -5210,7 +5210,7 @@ Creación de Edificio cancelada. Crear Edificio - + Space Espacio @@ -5220,22 +5220,22 @@ Creación de Edificio cancelada. Crear espacio - + Set text position Establecer la posición del texto - + Space boundaries Fronteras de espacio - + Wall Muro - + Walls can only be based on Part or Mesh objects Los muros solo pueden basarse en objetos de tipo malla o parte @@ -5306,7 +5306,7 @@ Creación de Edificio cancelada. changed 'Normal' to [0, 0, 1] to preserve extrusion direction - changed 'Normal' to [0, 0, 1] to preserve extrusion direction + se cambió 'Normal' a [0, 0, 1] para preservar la dirección de extrusión @@ -5354,58 +5354,58 @@ Creación de Edificio cancelada. Contiene caras que no son parte de ningún sólido - + Survey Registro de medidas - + Set description Definir descripción - + Clear Limpiar - + Copy Length Copiar longitud - + Copy Area Copiar área - + Export CSV Exportar CSV - + Area Área - + Total Total - + Object doesn't have settable IFC attributes Objeto no tiene atributos configurables de IFC - + Disabling B-rep force flag of object Desactivando indicador de fuerza B-rep del objeto - + Enabling B-rep force flag of object Activando el indicador de fuerza B-rep del objeto @@ -5451,12 +5451,12 @@ Creación de Edificio cancelada. Crear componente - + Key Clave - + The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: El objeto no contiene el atributo IfcProperties. Cancelar la creación de hojas de cálculo para el objeto: @@ -5687,8 +5687,8 @@ Creación de Edificio cancelada. Potencia eléctrica necesaria por este equipo en Watts - - + + The type of this building Tipo de este Edificio @@ -5957,167 +5957,167 @@ Creación de Edificio cancelada. Espesor de los lados - + The base terrain of this site El terreno base de este sitio - + The street and house number of this site, with postal box or apartment number if needed La calle y el número de casa de este sitio, con número postal o número de apartamento si es necesario - + The postal or zip code of this site Código postal de este sitio - + The city of this site La ciudad de este sitio - + The region, province or county of this site La región, provincia o condado de este sitio - + The country of this site El país de este sitio - + The latitude of this site La latitud de este sitio - + Angle between the true North and the North direction in this document Ángulo entre el norte verdadero y la dirección del norte en este documento - + The elevation of level 0 of this site La elevación del nivel 0 de este sitio - + A URL that shows this site in a mapping website 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 - + The perimeter length of the projected area La longitud del perímetro del área proyectada - + The volume of earth to be added to this terrain El volumen de tierra a añadir a este terreno - + The volume of earth to be removed from this terrain El volumen de tierra a eliminar de este terreno - + An extrusion vector to use when performing boolean operations Un vector de extrusión a utilizar cuando se realizan operaciones booleanas - + Remove splitters from the resulting shape Quita los separadores de la forma resultante - + An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates Un desfase 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 - + The time zone where this site is located La zona horaria donde se encuentra este sitio - + An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one Un archivo EPW opcional para la ubicación de este sitio. Consulte la documentación del sitio para saber cómo obtener uno - + Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module Mostrar diagrama de rosa de viento o no. Usa una escala de diagrama solar. Necesita el módulo Ladybug - + Show solar diagram or not Mostrar diagrama solar o no - + The scale of the solar diagram La escala del diagrama solar - + The position of the solar diagram La posición del diagrama solar - + The color of the solar diagram El color del diagrama solar - + When set to 'True North' the whole geometry will be rotated to match the true north of this site Cuando se configura en 'True North' toda la geometría será rotada para coincidir con el verdadero norte de este sitio - + Show compass or not Mostrar brújula o no - + The rotation of the Compass relative to the Site La rotación de la brújula relativa al Sitio - + The position of the Compass relative to the Site placement La posición de la brújula relativa a la colocación del sitio - + Update the Declination value based on the compass rotation Actualizar el valor de declinación basado en la rotación de la brújula @@ -7461,128 +7461,128 @@ Creación de Edificio cancelada. - + The name of the font El nombre de la fuente - + The size of the text font El tamaño de la fuente de texto - + The objects that make the boundaries of this space object Los objetos que hacen los límites de este objeto espacial - + Identical to Horizontal Area Idéntico al área horizontal - + The finishing of the floor of this space El acabado del suelo en este espacio - + The finishing of the walls of this space El acabado de las paredes en este espacio - + The finishing of the ceiling of this space El acabado del cielo en este espacio - + Objects that are included inside this space, such as furniture Objetos que están dentro de este espacio, como muebles - + The type of this space El tipo de espacio - + The thickness of the floor finish El espesor del acabado de suelo - + The number of people who typically occupy this space El número de personas que normalmente ocupan este espacio - + The electric power needed to light this space in Watts La energía eléctrica necesaria para iluminar este espacio en vatios - + The electric power needed by the equipment of this space in Watts La energía eléctrica necesaria por el equipo de este espacio en vatios - + If True, Equipment Power will be automatically filled by the equipment included in this space Si es Verdadero, la Potencia del Equipo será automáticamente llenada por el equipo incluido en este espacio - + The type of air conditioning of this space El tipo de aire acondicionado de este espacio - + Specifies if this space is internal or external Especifica si este espacio es interno o externo - + Defines the calculation type for the horizontal area and its perimeter length Define el tipo de cálculo para el área horizontal y su longitud de perímetro - + The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data El texto a mostrar. Usa $area, $label, $tag, $longname, $description y para acabados $floor, $walls, $ceiling para insertar los datos respectivos - + The color of the area text El color del texto del área - + The size of the first line of text El tamaño de la primera línea de texto - + The space between the lines of text El espacio entre las líneas de texto - + The position of the text. Leave (0,0,0) for automatic position La posicion del texto. Mantenga (0,0,0) para la posición automática - + The justification of the text La justificación del texto - + The number of decimals to use for calculated texts El número de decimales a utilizar para textos calculados - + Show the unit suffix Mostrar el sufijo de unidad @@ -8479,7 +8479,7 @@ Creación de Edificio cancelada. Command - + Transform @@ -8701,23 +8701,23 @@ CTRL+/ para alternar entre modo automático y manual No se encontró IfcOpenShell en este sistema. El soporte IFC está deshabilitado - + Objects structure Estructura de objetos - + Attribute Atributo - - + + Value Valor - + Property Propiedades @@ -8777,13 +8777,18 @@ CTRL+/ para alternar entre modo automático y manual Archivo no encontrado - + IFC Explorer Explorador IFC - + + IfcSite element was not found in %s. Unable to explore. + IfcSite element was not found in %s. Unable to explore. + + + Error in entity Error en la entidad @@ -8923,22 +8928,22 @@ CTRL+/ para alternar entre modo automático y manual Nueva capa - + Create Leader Crear Flecha - - + + Preview Pre-visualizar - - + + Options Opciones @@ -8953,97 +8958,97 @@ CTRL+/ para alternar entre modo automático y manual No es posible enlazar porque el documento principal está cerrado. - + No structure in cache. Please refresh. No hay estructura en la caché. Por favor actualiza. - + It is not possible to insert this object because the document has been closed. No es posible insertar este objeto porque el documento ha sido cerrado. - + Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed Error: No se puede importar archivos SAT; se debe instalar el complemento InventorLoader o CadExchanger - + Error: Unable to download Error: No se puede descargar - + Insertion point Punto de inserción - + Origin Origen de coordenadas - + Top left Arriba a la izquierda - + Top center Arriba al centro - + Top right Parte superior derecha - + Middle left Centro a izquierda - + Middle center Centro a medio - + Middle right Centro a derecha - + Bottom left Abajo a la izquierda - + Bottom center Abajo al centro - + Bottom right Abajo a la derecha - + Cannot open URL No se puede abrir la URL - + Could not fetch library contents No se pudo obtener el contenido de la biblioteca - + No results fetched from online library No se obtuvieron resultados de la biblioteca online - + Warning, this can take several minutes! ¡Advertencia, esto puede demorar! diff --git a/src/Mod/BIM/Resources/translations/Arch_eu.qm b/src/Mod/BIM/Resources/translations/Arch_eu.qm index 551f64186ed8..56a357a14f5b 100644 Binary files a/src/Mod/BIM/Resources/translations/Arch_eu.qm and b/src/Mod/BIM/Resources/translations/Arch_eu.qm differ diff --git a/src/Mod/BIM/Resources/translations/Arch_eu.ts b/src/Mod/BIM/Resources/translations/Arch_eu.ts index eefc72e1eb1c..9fddfbc38105 100644 --- a/src/Mod/BIM/Resources/translations/Arch_eu.ts +++ b/src/Mod/BIM/Resources/translations/Arch_eu.ts @@ -3404,7 +3404,7 @@ dute fitxategia irekitzean zein unitatetan egingo duten lan aukeratzeko. - + Category Kategoria @@ -3420,7 +3420,7 @@ dute fitxategia irekitzean zein unitatetan egingo duten lan aukeratzeko. - + Length @@ -3595,7 +3595,7 @@ dute fitxategia irekitzean zein unitatetan egingo duten lan aukeratzeko.Ezin izan da forma bat kalkulatu - + Equipment Ekipamendua @@ -3706,7 +3706,7 @@ dute fitxategia irekitzean zein unitatetan egingo duten lan aukeratzeko.Profila - + Site Gunea @@ -3736,7 +3736,7 @@ dute fitxategia irekitzean zein unitatetan egingo duten lan aukeratzeko. - + Roof Teilatua @@ -3856,7 +3856,7 @@ Distantzia = 0 bada, orduan distantzia kalkulatzen da altuera profil erlatiboare Aurrekoa - + External Reference Kanpoko erreferentzia @@ -3964,7 +3964,7 @@ Distantzia = 0 bada, orduan distantzia kalkulatzen da altuera profil erlatiboare Sortu kanpoko erreferentzia - + Frame Markoa @@ -4029,7 +4029,7 @@ Distantzia = 0 bada, orduan distantzia kalkulatzen da altuera profil erlatiboare Shapefile liburutegia hurrengo URLtik deskargatu daiteke, zure makroen karpetan instalatu dadin: - + Window Leihoa @@ -4118,7 +4118,7 @@ Distantzia = 0 bada, orduan distantzia kalkulatzen da altuera profil erlatiboare - + Remove Kendu @@ -4127,12 +4127,12 @@ Distantzia = 0 bada, orduan distantzia kalkulatzen da altuera profil erlatiboare - + Add Gehitu - + @@ -4184,7 +4184,7 @@ Distantzia = 0 bada, orduan distantzia kalkulatzen da altuera profil erlatiboare - + Type Mota @@ -4288,7 +4288,7 @@ Distantzia = 0 bada, orduan distantzia kalkulatzen da altuera profil erlatiboare Ongi idatzi da - + Truss Zurajea @@ -4329,17 +4329,17 @@ Distantzia = 0 bada, orduan distantzia kalkulatzen da altuera profil erlatiboare Errorea: zure IfcOpenShell bertsioa zaharregia da - + Project Proiektua - + Stairs Eskailera - + Railing Baranda @@ -4376,12 +4376,12 @@ Distantzia = 0 bada, orduan distantzia kalkulatzen da altuera profil erlatiboare - + Material Materiala - + MultiMaterial Material anitzekoa @@ -4448,7 +4448,7 @@ Distantzia = 0 bada, orduan distantzia kalkulatzen da altuera profil erlatiboare - + Grid Sareta @@ -4634,17 +4634,17 @@ Distantzia = 0 bada, orduan distantzia kalkulatzen da altuera profil erlatiboare Biraketa - + Panel Panela - + View of Honen ikuspegia - + PanelSheet Panel-orria @@ -4695,7 +4695,7 @@ Distantzia = 0 bada, orduan distantzia kalkulatzen da altuera profil erlatiboare Objektu honek ez dauka aurpegirik - + Curtain Wall Errezel-pareta @@ -4706,12 +4706,12 @@ Distantzia = 0 bada, orduan distantzia kalkulatzen da altuera profil erlatiboare Sortu errezel-pareta - + Pipe Hodia - + Connector Konektorea @@ -4838,7 +4838,7 @@ Distantzia = 0 bada, orduan distantzia kalkulatzen da altuera profil erlatiboare Esportatu CSV fitxategia - + Export CSV File Esportatu CSV fitxategia @@ -4850,7 +4850,7 @@ Distantzia = 0 bada, orduan distantzia kalkulatzen da altuera profil erlatiboare - + Description Deskribapena @@ -4858,7 +4858,7 @@ Distantzia = 0 bada, orduan distantzia kalkulatzen da altuera profil erlatiboare - + Value Balioa @@ -4866,7 +4866,7 @@ Distantzia = 0 bada, orduan distantzia kalkulatzen da altuera profil erlatiboare - + Unit Unitatea @@ -4973,7 +4973,7 @@ Solairuaren sorrera utzi egin da. forma nulua du - + Toggle subcomponents Txandakatu azpiosagaiak @@ -5073,7 +5073,7 @@ Solairuaren sorrera utzi egin da. Propietate multzo berria - + Rebar Armadura-barra @@ -5089,7 +5089,7 @@ Solairuaren sorrera utzi egin da. Hautatu oinarri-aurpegi bat egiturazko objektu batean - + Section Sekzioa @@ -5185,7 +5185,7 @@ Solairuaren sorrera utzi egin da. Planoa goiko zerrendako objektuetan zentratzen du - + Building Eraikina @@ -5223,7 +5223,7 @@ Eraikinaren sorrera utzi egin da. Sortu eraikina - + Space Espazioa @@ -5233,22 +5233,22 @@ Eraikinaren sorrera utzi egin da. Sortu espazioa - + Set text position Ezarri testuaren posizioa - + Space boundaries Espazio-mugak - + Wall Pareta - + Walls can only be based on Part or Mesh objects Pareten oinarrizko objektuak piezak edo amaraunak soilik izan daitezke @@ -5367,58 +5367,58 @@ Eraikinaren sorrera utzi egin da. inongo solidoren zati ez diren aurpegiak dauzka - + Survey Lur-neurketa - + Set description Ezarri deskribapena - + Clear Garbitu - + Copy Length Kopiatu luzera - + Copy Area Kopiatu area - + Export CSV Esportatu CSVa - + Area Area - + Total Totala - + Object doesn't have settable IFC attributes Object doesn't have settable IFC attributes - + Disabling B-rep force flag of object Disabling B-rep force flag of object - + Enabling B-rep force flag of object Enabling B-rep force flag of object @@ -5464,12 +5464,12 @@ Eraikinaren sorrera utzi egin da. Sortu osagaia - + Key Gakoa - + The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: Objektuak ez du IfcProperties atributurik. Ez sortu kalkulu-orririk honako objekturako: @@ -5700,8 +5700,8 @@ Eraikinaren sorrera utzi egin da. Ekipamendu honek behar duen energia elektrikoa, watt-etan - - + + The type of this building Eraikin honen mota @@ -5970,167 +5970,167 @@ Eraikinaren sorrera utzi egin da. Hanken lodiera - + The base terrain of this site Gune honen oinarri-lurrazala - + The street and house number of this site, with postal box or apartment number if needed Gune honen kalearen eta atariaren zenbakia, posta-kodea edo etxebizitza zenbakia barne, beharrezkoa bada - + The postal or zip code of this site Gune honen posta-kodea - + The city of this site Gune honen hiria - + The region, province or county of this site Gune honen eskualdea edo probintzia - + The country of this site Gune honen herrialdea - + The latitude of this site Gune honen latitudea - + Angle between the true North and the North direction in this document Benetako iparraren eta dokumentu honen iparraren arteko angelua - + The elevation of level 0 of this site Gunen honen 0 mailaren garaiera - + A URL that shows this site in a mapping website 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 - + The perimeter length of the projected area Proiektatutako arearen perimetroaren luzera - + The volume of earth to be added to this terrain Lurrazal honi gehituko zaion lur-bolumena - + The volume of earth to be removed from this terrain Lurrazal honi kenduko zaion lur-bolumena - + An extrusion vector to use when performing boolean operations Boolear eragiketak egitean erabiliko den estrusio-bektore bat - + Remove splitters from the resulting shape Kendu emaitza gisa sortu den formaren zatitzaileak - + An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates Ereduaren (0,0,0) jatorriaren eta geokoordinatuek adierazten duten puntuaren arteko aukerako desplazamendu bat - + The type of this object Objektu honen mota - + The time zone where this site is located Gune hau kokatutako dagoen ordu-eremua - + An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one Aukerako EPW fitxategia gune honen kokalekurako. Begiratu gunearen dokumentazioa bat nola lortu jakiteko - + Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module Erakutsi edo ez haize-arrosaren diagrama. Eguzki-diagramaren eskala darabil. Ladybug modulua behar du - + Show solar diagram or not Erakutsi edo ez eguzki-diagrama - + The scale of the solar diagram Eguzki-diagramaren eskala - + The position of the solar diagram Eguzki-diagramaren posizioa - + The color of the solar diagram Eguzki-diagramaren kolorea - + When set to 'True North' the whole geometry will be rotated to match the true north of this site 'Benetako iparra' ezarrita dagoenean, geometria osoa biratuko da gune honen benetako iparrarekin bat etortzeko - + Show compass or not Erakutsi iparrorratza edo ez - + The rotation of the Compass relative to the Site Iparrorratzaren biraketa gunearekiko - + The position of the Compass relative to the Site placement Iparrorratzaren posizioa gunearen kokalekuarekiko - + Update the Declination value based on the compass rotation Eguneratu deklinazioaren balioa iparrorratzaren biraketan oinarrituta @@ -7474,128 +7474,128 @@ Eraikinaren sorrera utzi egin da. - + The name of the font Letra-tipoaren izena - + The size of the text font Testuaren letra-tamaina - + The objects that make the boundaries of this space object Espazio-objektu hau mugatzen dituzten objektuak - + Identical to Horizontal Area Identical to Horizontal Area - + The finishing of the floor of this space Espazio honetako zoruaren akabera - + The finishing of the walls of this space Espazio honetako pareten akabera - + The finishing of the ceiling of this space Espazio honetako sabaiaren akabera - + Objects that are included inside this space, such as furniture Espazio honetan dauden objektuak, esaterako altzariak - + The type of this space Espazio honen mota - + The thickness of the floor finish Zoru-akaberaren lodiera - + The number of people who typically occupy this space Espazio honetan normalean egoten den pertsona kopurua - + The electric power needed to light this space in Watts Espazio hau argiztatzeko behar den indar elektrikoa, watt-etan - + The electric power needed by the equipment of this space in Watts Espazio honetako ekipamenduak behar duen energia elektrikoa, watt-etan - + If True, Equipment Power will be automatically filled by the equipment included in this space Egia bada, ekipamendu-energia automatikoki beteko da espazio honetan sartutako ekipamenduarekin - + The type of air conditioning of this space Espazio honetako aire egokituaren mota - + Specifies if this space is internal or external Espazio hau barrukoa ala kanpokoa den zehazten du - + Defines the calculation type for the horizontal area and its perimeter length Defines the calculation type for the horizontal area and its perimeter length - + The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data - + The color of the area text Area-testuaren kolorea - + The size of the first line of text Testuaren lehen lerroaren tamaina - + The space between the lines of text Testu-lerroen arteko tartea - + The position of the text. Leave (0,0,0) for automatic position Testuaren posizioa. Utzi (0,0,0) posizio automatikorako - + The justification of the text Testuaren justifikazioa - + The number of decimals to use for calculated texts Testu kalkulatuetan erabiliko den dezimal kopurua - + Show the unit suffix Erakutsi unitate-atzizkia @@ -8492,7 +8492,7 @@ Eraikinaren sorrera utzi egin da. Command - + Transform @@ -8710,23 +8710,23 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet IfcOpenShell was not found on this system. IFC support is disabled - + Objects structure Objects structure - + Attribute Attribute - - + + Value Balioa - + Property Propietatea @@ -8786,13 +8786,18 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Fitxategia ez da aurkitu - + IFC Explorer IFC Explorer - + + IfcSite element was not found in %s. Unable to explore. + IfcSite element was not found in %s. Unable to explore. + + + Error in entity Error in entity @@ -8932,22 +8937,22 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Geruza berria - + Create Leader Sortu gida-marra - - + + Preview Aurrebista - - + + Options Aukerak @@ -8962,97 +8967,97 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet It is not possible to link because the main document is closed. - + No structure in cache. Please refresh. No structure in cache. Please refresh. - + It is not possible to insert this object because the document has been closed. It is not possible to insert this object because the document has been closed. - + Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed - + Error: Unable to download Error: Unable to download - + Insertion point Insertion point - + Origin Jatorria - + Top left Goian ezkerrean - + Top center Top center - + Top right Goian eskuinean - + Middle left Middle left - + Middle center Middle center - + Middle right Middle right - + Bottom left Behean ezkerrean - + Bottom center Bottom center - + Bottom right Behean eskuinean - + Cannot open URL Cannot open URL - + Could not fetch library contents Could not fetch library contents - + No results fetched from online library No results fetched from online library - + Warning, this can take several minutes! Warning, this can take several minutes! diff --git a/src/Mod/BIM/Resources/translations/Arch_fi.qm b/src/Mod/BIM/Resources/translations/Arch_fi.qm index 60323433a919..f19e26ed7536 100644 Binary files a/src/Mod/BIM/Resources/translations/Arch_fi.qm and b/src/Mod/BIM/Resources/translations/Arch_fi.qm differ diff --git a/src/Mod/BIM/Resources/translations/Arch_fi.ts b/src/Mod/BIM/Resources/translations/Arch_fi.ts index b19a29c3bc1c..c6420b9f00d7 100644 --- a/src/Mod/BIM/Resources/translations/Arch_fi.ts +++ b/src/Mod/BIM/Resources/translations/Arch_fi.ts @@ -3406,7 +3406,7 @@ unit to work with when opening the file. - + Category Kategoria @@ -3422,7 +3422,7 @@ unit to work with when opening the file. - + Length @@ -3597,7 +3597,7 @@ unit to work with when opening the file. Couldn't compute a shape - + Equipment Varusteet @@ -3708,7 +3708,7 @@ unit to work with when opening the file. Profiili - + Site Sijainti @@ -3738,7 +3738,7 @@ unit to work with when opening the file. - + Roof Roof @@ -3858,7 +3858,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Etupuoli - + External Reference Ulkoinen viittaus @@ -3966,7 +3966,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Create external reference - + Frame Frame @@ -4031,7 +4031,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela The shapefile library can be downloaded from the following URL and installed in your macros folder: - + Window Ikkuna @@ -4120,7 +4120,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Remove Poista @@ -4129,12 +4129,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Add Lisää - + @@ -4186,7 +4186,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Type Tyyppi @@ -4290,7 +4290,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Successfully written - + Truss Truss @@ -4331,17 +4331,17 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Error: your IfcOpenShell version is too old - + Project Projekti - + Stairs Portaat - + Railing Kaide @@ -4378,12 +4378,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Material Materiaali - + MultiMaterial Monimateriaali @@ -4450,7 +4450,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Grid Ruudukko @@ -4636,17 +4636,17 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Kierto - + Panel Panel - + View of View of - + PanelSheet Paneelilevy @@ -4697,7 +4697,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela This object has no face - + Curtain Wall Curtain Wall @@ -4708,12 +4708,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Create Curtain Wall - + Pipe Putki - + Connector Connector @@ -4840,7 +4840,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Export CSV file - + Export CSV File Export CSV File @@ -4852,7 +4852,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Description Kuvaus @@ -4860,7 +4860,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Value Arvo @@ -4868,7 +4868,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Unit Yksikkö @@ -4975,7 +4975,7 @@ Floor creation aborted. has a null shape - + Toggle subcomponents Toggle subcomponents @@ -5075,7 +5075,7 @@ Floor creation aborted. New property set - + Rebar Raudoitustanko @@ -5091,7 +5091,7 @@ Floor creation aborted. Please select a base face on a structural object - + Section Leikkaus @@ -5187,7 +5187,7 @@ Floor creation aborted. Centers the plane on the objects in the list above - + Building Rakennus @@ -5225,7 +5225,7 @@ Building creation aborted. Create Building - + Space Tila @@ -5235,22 +5235,22 @@ Building creation aborted. Create Space - + Set text position Set text position - + Space boundaries Space boundaries - + Wall Wall - + Walls can only be based on Part or Mesh objects Walls can only be based on Part or Mesh objects @@ -5369,58 +5369,58 @@ Building creation aborted. contains faces that are not part of any solid - + Survey Tutkimus - + Set description Set description - + Clear Tyhjennä - + Copy Length Copy Length - + Copy Area Copy Area - + Export CSV Vie CSV - + Area Pinta-ala - + Total Total - + Object doesn't have settable IFC attributes Object doesn't have settable IFC attributes - + Disabling B-rep force flag of object Disabling B-rep force flag of object - + Enabling B-rep force flag of object Enabling B-rep force flag of object @@ -5466,12 +5466,12 @@ Building creation aborted. Luo komponentti - + Key Key - + The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: @@ -5702,8 +5702,8 @@ Building creation aborted. The electric power needed by this equipment in Watts - - + + The type of this building The type of this building @@ -5972,167 +5972,167 @@ Building creation aborted. Thickness of the legs - + The base terrain of this site The base terrain of this site - + The street and house number of this site, with postal box or apartment number if needed The street and house number of this site, with postal box or apartment number if needed - + The postal or zip code of this site The postal or zip code of this site - + The city of this site The city of this site - + The region, province or county of this site The region, province or county of this site - + The country of this site The country of this site - + The latitude of this site The latitude of this site - + Angle between the true North and the North direction in this document Angle between the true North and the North direction in this document - + The elevation of level 0 of this site The elevation of level 0 of this site - + A URL that shows this site in a mapping website 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 - + The perimeter length of the projected area The perimeter length of the projected area - + The volume of earth to be added to this terrain The volume of earth to be added to this terrain - + The volume of earth to be removed from this terrain The volume of earth to be removed from this terrain - + An extrusion vector to use when performing boolean operations An extrusion vector to use when performing boolean operations - + Remove splitters from the resulting shape Remove splitters from the resulting shape - + An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates 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 - + The time zone where this site is located The time zone where this site is located - + An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one - + Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module - + Show solar diagram or not Show solar diagram or not - + The scale of the solar diagram The scale of the solar diagram - + The position of the solar diagram The position of the solar diagram - + The color of the solar diagram The color of the solar diagram - + When set to 'True North' the whole geometry will be rotated to match the true north of this site When set to 'True North' the whole geometry will be rotated to match the true north of this site - + Show compass or not Show compass or not - + The rotation of the Compass relative to the Site The rotation of the Compass relative to the Site - + The position of the Compass relative to the Site placement The position of the Compass relative to the Site placement - + Update the Declination value based on the compass rotation Update the Declination value based on the compass rotation @@ -7476,128 +7476,128 @@ Building creation aborted. - + The name of the font The name of the font - + The size of the text font The size of the text font - + The objects that make the boundaries of this space object The objects that make the boundaries of this space object - + Identical to Horizontal Area Identical to Horizontal Area - + The finishing of the floor of this space The finishing of the floor of this space - + The finishing of the walls of this space The finishing of the walls of this space - + The finishing of the ceiling of this space The finishing of the ceiling of this space - + Objects that are included inside this space, such as furniture Objects that are included inside this space, such as furniture - + The type of this space The type of this space - + The thickness of the floor finish The thickness of the floor finish - + The number of people who typically occupy this space The number of people who typically occupy this space - + The electric power needed to light this space in Watts The electric power needed to light this space in Watts - + The electric power needed by the equipment of this space in Watts The electric power needed by the equipment of this space in Watts - + If True, Equipment Power will be automatically filled by the equipment included in this space If True, Equipment Power will be automatically filled by the equipment included in this space - + The type of air conditioning of this space The type of air conditioning of this space - + Specifies if this space is internal or external Specifies if this space is internal or external - + Defines the calculation type for the horizontal area and its perimeter length Defines the calculation type for the horizontal area and its perimeter length - + The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data - + The color of the area text The color of the area text - + The size of the first line of text The size of the first line of text - + The space between the lines of text The space between the lines of text - + The position of the text. Leave (0,0,0) for automatic position The position of the text. Leave (0,0,0) for automatic position - + The justification of the text The justification of the text - + The number of decimals to use for calculated texts The number of decimals to use for calculated texts - + Show the unit suffix Show the unit suffix @@ -8494,7 +8494,7 @@ Building creation aborted. Command - + Transform @@ -8712,23 +8712,23 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet IfcOpenShell was not found on this system. IFC support is disabled - + Objects structure Objects structure - + Attribute Attribute - - + + Value Arvo - + Property Ominaisuus @@ -8788,13 +8788,18 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Tiedostoa ei löydy - + IFC Explorer IFC Explorer - + + IfcSite element was not found in %s. Unable to explore. + IfcSite element was not found in %s. Unable to explore. + + + Error in entity Error in entity @@ -8934,22 +8939,22 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Uusi taso - + Create Leader Luo Reittiviiva - - + + Preview Esikatselu - - + + Options Asetukset @@ -8964,97 +8969,97 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet It is not possible to link because the main document is closed. - + No structure in cache. Please refresh. No structure in cache. Please refresh. - + It is not possible to insert this object because the document has been closed. It is not possible to insert this object because the document has been closed. - + Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed - + Error: Unable to download Error: Unable to download - + Insertion point Insertion point - + Origin Origo - + Top left Vasen ylhäällä - + Top center Top center - + Top right Oikeasta yläkulmasta - + Middle left Middle left - + Middle center Middle center - + Middle right Middle right - + Bottom left Alas vasemmalle - + Bottom center Bottom center - + Bottom right Alas oikealle - + Cannot open URL Cannot open URL - + Could not fetch library contents Could not fetch library contents - + No results fetched from online library No results fetched from online library - + Warning, this can take several minutes! Warning, this can take several minutes! diff --git a/src/Mod/BIM/Resources/translations/Arch_fr.qm b/src/Mod/BIM/Resources/translations/Arch_fr.qm index f3158275172d..69254dcfcc8c 100644 Binary files a/src/Mod/BIM/Resources/translations/Arch_fr.qm and b/src/Mod/BIM/Resources/translations/Arch_fr.qm differ diff --git a/src/Mod/BIM/Resources/translations/Arch_fr.ts b/src/Mod/BIM/Resources/translations/Arch_fr.ts index 2fdfe4b817b4..24bb86396217 100644 --- a/src/Mod/BIM/Resources/translations/Arch_fr.ts +++ b/src/Mod/BIM/Resources/translations/Arch_fr.ts @@ -3446,7 +3446,7 @@ travailler lors de l'ouverture du fichier. - + Category Catégorie @@ -3462,7 +3462,7 @@ travailler lors de l'ouverture du fichier. - + Length @@ -3636,7 +3636,7 @@ travailler lors de l'ouverture du fichier. Impossible de calculer une forme - + Equipment Équipement @@ -3747,7 +3747,7 @@ travailler lors de l'ouverture du fichier. Profilé - + Site Site @@ -3777,7 +3777,7 @@ travailler lors de l'ouverture du fichier. - + Roof Toit @@ -3897,7 +3897,7 @@ Si Course = 0 alors la course est calculée de façon à ce que la hauteur du pr Devant - + External Reference Référence externe @@ -4005,7 +4005,7 @@ Si Course = 0 alors la course est calculée de façon à ce que la hauteur du pr Créer une référence externe - + Frame Ossature @@ -4070,7 +4070,7 @@ Si Course = 0 alors la course est calculée de façon à ce que la hauteur du pr La bibliothèque Shapefile peut être téléchargée à partir de l'URL suivante et installée dans votre dossier des macros : - + Window Fenêtre @@ -4160,7 +4160,7 @@ valeur de zéro adoptera automatiquement la ligne la plus grande. - + Remove Supprimer @@ -4169,12 +4169,12 @@ valeur de zéro adoptera automatiquement la ligne la plus grande. - + Add Ajouter - + @@ -4226,7 +4226,7 @@ valeur de zéro adoptera automatiquement la ligne la plus grande. - + Type Type @@ -4330,7 +4330,7 @@ valeur de zéro adoptera automatiquement la ligne la plus grande. Écrit avec succès - + Truss Treillis @@ -4371,17 +4371,17 @@ valeur de zéro adoptera automatiquement la ligne la plus grande. Erreur : votre version de IfcOpenShell est trop ancienne - + Project Projet - + Stairs Escaliers - + Railing Garde-corps @@ -4418,12 +4418,12 @@ valeur de zéro adoptera automatiquement la ligne la plus grande. - + Material Matériau - + MultiMaterial Matériaux multiples @@ -4490,7 +4490,7 @@ valeur de zéro adoptera automatiquement la ligne la plus grande. - + Grid Grille @@ -4676,17 +4676,17 @@ valeur de zéro adoptera automatiquement la ligne la plus grande. Rotation - + Panel Panneau - + View of Vue de - + PanelSheet Feuille de panneaux @@ -4737,7 +4737,7 @@ valeur de zéro adoptera automatiquement la ligne la plus grande. Cet objet n’a pas de face - + Curtain Wall Mur-rideau @@ -4748,12 +4748,12 @@ valeur de zéro adoptera automatiquement la ligne la plus grande. Créer un mur-rideau - + Pipe Tuyauterie - + Connector Raccord @@ -4880,7 +4880,7 @@ valeur de zéro adoptera automatiquement la ligne la plus grande. Exporter un fichier CSV - + Export CSV File Exporter vers un fichier CSV @@ -4892,7 +4892,7 @@ valeur de zéro adoptera automatiquement la ligne la plus grande. - + Description Description @@ -4900,7 +4900,7 @@ valeur de zéro adoptera automatiquement la ligne la plus grande. - + Value Valeur @@ -4908,7 +4908,7 @@ valeur de zéro adoptera automatiquement la ligne la plus grande. - + Unit Unité @@ -5010,7 +5010,7 @@ Floor creation aborted. a une forme nulle - + Toggle subcomponents Activer/désactiver les sous-composants @@ -5110,7 +5110,7 @@ Floor creation aborted. Nouveau jeu de propriétés - + Rebar Armature @@ -5126,7 +5126,7 @@ Floor creation aborted. Sélectionner une face de base sur un objet structurel - + Section Coupe @@ -5222,7 +5222,7 @@ Floor creation aborted. Centrer le plan sur les objets de la liste ci-dessus - + Building Bâtiment @@ -5257,7 +5257,7 @@ La création du bâtiment est annulée. Créer un bâtiment - + Space Espace @@ -5267,22 +5267,22 @@ La création du bâtiment est annulée. Créer un espace - + Set text position Définir la position du texte - + Space boundaries Limites de l’espace - + Wall Mur - + Walls can only be based on Part or Mesh objects Les murs ne peuvent être créés qu'à l'aide d'objets de Part ou de Mesh @@ -5353,7 +5353,7 @@ La création du bâtiment est annulée. changed 'Normal' to [0, 0, 1] to preserve extrusion direction - changed 'Normal' to [0, 0, 1] to preserve extrusion direction + a changé "Normal" en [0, 0, 1] pour préserver la direction de l'extrusion @@ -5401,58 +5401,58 @@ La création du bâtiment est annulée. contient des faces qui ne font partie d'aucun solide - + Survey Prendre des cotes - + Set description Définir une description - + Clear Effacer - + Copy Length Copier la longueur - + Copy Area Copier la surface - + Export CSV Exporter en CSV - + Area Surface - + Total Total - + Object doesn't have settable IFC attributes L'objet n'a pas d'attributs paramétrables IFC - + Disabling B-rep force flag of object Désactiver l'indicateur de forçage B-rep de l'objet - + Enabling B-rep force flag of object Activer l'indicateur de forçage B-rep de l'objet @@ -5498,12 +5498,12 @@ La création du bâtiment est annulée. Créer un composant - + Key Touche - + The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: L'objet ne possède pas d'attribut des propriétés IFC. Annuler la création de la feuille de calcul pour l'objet : @@ -5734,8 +5734,8 @@ 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 @@ -6004,167 +6004,167 @@ La création du bâtiment est annulée. Épaisseur des supports - + The base terrain of this site La forme de base de ce site - + The street and house number of this site, with postal box or apartment number if needed La rue et le numéro de maison de ce site, avec la boîte postale ou le numéro d'appartement si nécessaire - + The postal or zip code of this site Le code postal ou le code postal de ce site - + The city of this site La ville de ce site - + The region, province or county of this site La région, la province ou le département de ce site - + The country of this site Le pays de ce site - + The latitude of this site La latitude de ce site - + Angle between the true North and the North direction in this document Angle entre le vrai nord et la direction du nord dans ce document - + The elevation of level 0 of this site L’élévation du niveau 0 de ce site - + A URL that shows this site in a mapping website 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 le plan XY - + The perimeter length of the projected area La longueur du périmètre de la zone projetée - + The volume of earth to be added to this terrain Le volume de terre à ajouter à ce terrain - + The volume of earth to be removed from this terrain Le volume de terre à enlever de ce terrain - + An extrusion vector to use when performing boolean operations Un vecteur d’extrusion à utiliser lors de l’exécution des opérations booléennes - + Remove splitters from the resulting shape Retirer les répartiteurs de la forme résultante - + An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates Un décalage facultatif entre l'origine du modèle (0,0,0) et le point indiqué par les coordonnées géographiques. - + The type of this object Le type de cet objet - + The time zone where this site is located Le fuseau horaire où se trouve ce site - + An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one Un fichier EPW facultatif pour l'emplacement de ce site. Consulter la documentation du site pour savoir comment en obtenir un - + Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module Afficher ou non le diagramme de la rose des vents. Utilise l'échelle du diagramme solaire. Nécessite le module Ladybug - + Show solar diagram or not Afficher le diagramme solaire ou non - + The scale of the solar diagram L’échelle du diagramme solaire - + The position of the solar diagram La position du diagramme solaire - + The color of the solar diagram La couleur du diagramme solaire - + When set to 'True North' the whole geometry will be rotated to match the true north of this site Quand mis à "Vrai nord", toute la géométrie sera pivotée pour correspondre au vrai nord de ce site - + Show compass or not Afficher la boussole ou non - + The rotation of the Compass relative to the Site La rotation de la boussole par rapport au site - + The position of the Compass relative to the Site placement La position relative de la boussole par rapport à l'emplacement du site - + Update the Declination value based on the compass rotation Mettre à jour la valeur de la déclinaison en fonction de la rotation de la boussole @@ -7511,128 +7511,128 @@ Attention : il n'y a pas "Toponaming-Tolerant" si Sketch est seulement utilisé. - + The name of the font Le nom de la police - + The size of the text font La taille de la police du texte - + The objects that make the boundaries of this space object Les objets qui constituent les limites de cet objet espace - + Identical to Horizontal Area Identique à la surface horizontale - + The finishing of the floor of this space La finition du niveau de cet espace - + The finishing of the walls of this space Le revêtement des murs de cet espace - + The finishing of the ceiling of this space Le revêtement du plafond de cet espace - + Objects that are included inside this space, such as furniture Objets qui sont inclus à l’intérieur de cet espace, tels que des meubles - + The type of this space Le type de cet espace - + The thickness of the floor finish L’épaisseur de la finition du niveau - + The number of people who typically occupy this space Le nombre de personnes qui occupent généralement cet espace - + The electric power needed to light this space in Watts La puissance électrique en Watts nécessaire pour éclairer cet espace - + The electric power needed by the equipment of this space in Watts La puissance électrique en Watts nécessaire par les équipements dans cet espace - + If True, Equipment Power will be automatically filled by the equipment included in this space Si mis à vrai, la puissance des équipements sera automatiquement alimentée par celle des équipements dans cet espace - + The type of air conditioning of this space Le type de climatisation de cet espace - + Specifies if this space is internal or external Indique si cet espace est interne ou externe - + Defines the calculation type for the horizontal area and its perimeter length Définit le type de calcul pour la surface horizontale et la longueur de son périmètre - + The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data Le texte à afficher. Utiliser $area, $label, $tag, $longname, $description et pour les finitions $floor, $walls, $ceiling pour insérer les données correspondantes. - + The color of the area text La couleur de la zone de texte - + The size of the first line of text La taille de la première ligne de texte - + The space between the lines of text L'espace entre les lignes de texte - + The position of the text. Leave (0,0,0) for automatic position La position du texte. Laisser à (0,0,0) pour un positionnement automatique - + The justification of the text La justification du texte - + The number of decimals to use for calculated texts Le nombre de décimales à utiliser pour les textes calculés - + Show the unit suffix Afficher le suffixe de l'unité @@ -8537,7 +8537,7 @@ Attention : il n'y a pas "Toponaming-Tolerant" si Sketch est seulement utilisé. Command - + Transform @@ -8759,23 +8759,23 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet IfcOpenShell n'a pas été trouvé sur ce système. La prise en charge de fichiers de format IFC est désactivé - + Objects structure Structure des objets - + Attribute Attribut - - + + Value Valeur - + Property Propriété @@ -8835,13 +8835,18 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Fichier non trouvé - + IFC Explorer Explorateur IFC - + + IfcSite element was not found in %s. Unable to explore. + IfcSite element was not found in %s. Unable to explore. + + + Error in entity Erreur dans l'entité @@ -8981,22 +8986,22 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Nouveau calque - + Create Leader Créer une ligne de référence - - + + Preview Aperçu - - + + Options Options @@ -9011,97 +9016,97 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Il n'est pas possible de créer un lien car le document principal est fermé. - + No structure in cache. Please refresh. Pas de structure dans le cache. Veuillez rafraîchir. - + It is not possible to insert this object because the document has been closed. Il n'est pas possible d'insérer cet objet car le document a été fermé. - + Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed Erreur : impossible d'importer des fichiers SAT - InventorLoader ou CadExchanger doivent être installés. - + Error: Unable to download Erreur : impossible de télécharger - + Insertion point Point d'insertion - + Origin Origine - + Top left En haut à gauche - + Top center En haut au centre - + Top right En haut à droite - + Middle left Au milieu à gauche - + Middle center Au milieu au centre - + Middle right Au milieu à droite - + Bottom left En bas à gauche - + Bottom center En bas au centre - + Bottom right En bas à droite - + Cannot open URL Impossible d'ouvrir l'URL - + Could not fetch library contents Impossible de ramener le contenu de la bibliothèque - + No results fetched from online library Aucun résultat ramené de la bibliothèque en ligne - + Warning, this can take several minutes! Attention, ceci peut prendre plusieurs minutes ! @@ -9866,7 +9871,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet IFC Diff - Différence entre deux documents IFC + Comparer deux documents IFC @@ -10580,7 +10585,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet IFC Diff... - Différence entre deux documents IFC... + Comparer deux documents IFC... @@ -10666,7 +10671,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet IFC diff - Différence entre deux documents IFC + Comparer deux documents IFC diff --git a/src/Mod/BIM/Resources/translations/Arch_hr.qm b/src/Mod/BIM/Resources/translations/Arch_hr.qm index 992c1db7e1d7..1bb216fc9d30 100644 Binary files a/src/Mod/BIM/Resources/translations/Arch_hr.qm and b/src/Mod/BIM/Resources/translations/Arch_hr.qm differ diff --git a/src/Mod/BIM/Resources/translations/Arch_hr.ts b/src/Mod/BIM/Resources/translations/Arch_hr.ts index 7c8fcd0236fd..8099fc3fe10d 100644 --- a/src/Mod/BIM/Resources/translations/Arch_hr.ts +++ b/src/Mod/BIM/Resources/translations/Arch_hr.ts @@ -565,7 +565,7 @@ Opcionalni popis filtera svojstva:vrijednost odvojenih zarezom (;). Preporučite XML or IFC files of several classification systems can be downloaded from <a href="https://github.com/Moult/IfcClassification">https://github.com/Moult/IfcClassification</a> and placed in %s - XML or IFC files of several classification systems can be downloaded from <a href="https://github.com/Moult/IfcClassification">https://github.com/Moult/IfcClassification</a> and placed in %s + XML ili IFC datoteke nekoliko klasifikacijskih sustava mogu se preuzeti s <a href="https://github.com/Moult/IfcClassification">https://github.com/Moult/IfcClassification</a> i smjestiti u %s @@ -575,17 +575,17 @@ Opcionalni popis filtera svojstva:vrijednost odvojenih zarezom (;). Preporučite Do you wish to convert this document to an IFC document? Replying 'Yes' will automatically turn all new objects to IFC, while 'No' will allow you to have both IFC and non-IFC elements in the file. - Do you wish to convert this document to an IFC document? Replying 'Yes' will automatically turn all new objects to IFC, while 'No' will allow you to have both IFC and non-IFC elements in the file. + Želite li pretvoriti ovaj dokument u IFC dokument? Odgovor 'Da' automatski će pretvoriti sve nove objekte u IFC, dok će 'Ne' omogućiti da u datoteci imate i IFC i ne-IFC elemente. Add a default building structure (IfcSite, IfcBuilding and IfcBuildingStorey). You can also add the structure manually later. - Add a default building structure (IfcSite, IfcBuilding and IfcBuildingStorey). You can also add the structure manually later. + Dodajte zadanu strukturu zgrade (IfcSite, IfcBuilding i IfcBuildingStorey). Kasnije možete i ručno dodati strukturu. Also create a default structure - Also create a default structure + @@ -593,10 +593,10 @@ Opcionalni popis filtera svojstva:vrijednost odvojenih zarezom (;). Preporučite and that document won't be turned into an IFC document automatically. You can still turn a FreeCAD document into an IFC document manually, using Utils -> Make IFC project - If this is checked, you won't be asked again when creating a new FreeCAD document, -and that document won't be turned into an IFC document automatically. -You can still turn a FreeCAD document into an IFC document manually, using -Utils -> Make IFC project + Ako je ovo označeno, nećete biti ponovo pitani kada kreirate novi FreeCAD dokument, +i taj se dokument neće automatski pretvoriti u IFC dokument. +I dalje možete ručno pretvoriti FreeCAD dokument u IFC dokument koristeći +Uslužni programi -> Make IFC project @@ -612,12 +612,12 @@ Utils -> Make IFC project Create a default structure (IfcProject, IfcSite, IfcBuilding and IfcBuildingStorey)? Replying "No" will only create an IfcProject. You can then add the structure manually later. - Create a default structure (IfcProject, IfcSite, IfcBuilding and IfcBuildingStorey)? Replying "No" will only create an IfcProject. You can then add the structure manually later. + Napraviti zadanu strukturu (IfcProject, IfcSite, IfcBuilding i IfcBuildingStorey)? Odgovor "Ne" samo će stvoriti IfcProject. Kasnije možete ručno dodati strukturu. One or more IFC documents contained in this FreeCAD document have been modified, but were not saved. They will automatically be saved now. - One or more IFC documents contained in this FreeCAD document have been modified, but were not saved. They will automatically be saved now. + Jedan ili više IFC dokumenata sadržanih u ovom FreeCAD dokumentu su izmijenjeni, ali nisu spremljeni. Sada će automatski biti spremljeni. @@ -680,7 +680,7 @@ Utils -> Make IFC project How the IFC file will initially be imported: Only one object, only project structure, or all individual objects. - How the IFC file will initially be imported: Only one object, only project structure, or all individual objects. + Kako će se IFC datoteka inicijalno uvesti: Samo jedan objekt, samo struktura projekta ili svi pojedinačni objekti. @@ -695,27 +695,27 @@ Utils -> Make IFC project All individual IFC objects - All individual IFC objects + Svi pojedinačni IFC objekti Initial import - Initial import + Inicijalni uvoz This defines how the IFC data is stored in the FreeCAD document. 'Single IFC document' means that the FreeCAD document is the IFC document, anything you create in it belongs to the IFC document too. 'Use IFC document object' means that an object will be created inside the FreeCAD document to represent the IFC document. You will be able to add non-IFC objects alongside. - This defines how the IFC data is stored in the FreeCAD document. 'Single IFC document' means that the FreeCAD document is the IFC document, anything you create in it belongs to the IFC document too. 'Use IFC document object' means that an object will be created inside the FreeCAD document to represent the IFC document. You will be able to add non-IFC objects alongside. + Ovo definira kako se IFC podaci pohranjuju u FreeCAD dokumentu. 'Jedinstveni IFC dokument' znači da je FreeCAD dokument IFC dokument, sve što kreirate u njemu također pripada IFC dokumentu. 'Koristi objekt IFC dokumenta' znači da će unutar FreeCAD dokumenta biti stvoren objekt koji će predstavljati IFC dokument. Uz njih ćete moći dodati objekte koji nisu IFC. Locked (IFC objects only) - Locked (IFC objects only) + Zaključano (samo IFC objekti) Unlocked (non-IFC objects permitted) - Unlocked (non-IFC objects permitted) + Otključano (dopušteni objekti koji nisu IFC) @@ -725,72 +725,72 @@ Utils -> Make IFC project Representation type - Representation type + Vrsta reprezentacije The type of object created at import. Mesh is faster, but Shapes are more precise. You can convert between the two anytime by right-clicking the object tree - The type of object created at import. Mesh is faster, but Shapes are more precise. You can convert between the two anytime by right-clicking the object tree + Vrsta objekta stvorenog pri uvozu. Mesh je brži, ali su oblici precizniji. Možete pretvoriti između ova dva u bilo kojem trenutku desnim klikom stabla objekata Load the shape (slower) - Load the shape (slower) + Učitaj oblik (sporije) Load 3D representation only, no shape (default) - Load 3D representation only, no shape (default) + Učitaj samo 3D prikaz, ne oblik (zadano) No 3D representation at all - No 3D representation at all + Bez 3D prikaza If this is checked, the workbench specified in Start preferences will be loaded after import - If this is checked, the workbench specified in Start preferences will be loaded after import + Ako je ovo označeno, radna površina navedena u postavkama Start bit će učitana nakon uvoza Switch workbench after import - Switch workbench after import + Promijeni radni prostor nakon učitavanja Preload property sets of all objects. It is advised to leave this unchecked and load property sets later, only when needed - Preload property sets of all objects. It is advised to leave this unchecked and load property sets later, only when needed + Prethodno učitaj skupove svojstava svih objekata. Savjetuje se da ovo ne označite i učitavate skupove svojstava kasnije, samo po potrebi Preload property sets - Preload property sets + Prethodno učitavanje skupova svojstava Preload all materials fo the file. It is advised to leave this unchecked and load materials later, only when needed - Preload all materials fo the file. It is advised to leave this unchecked and load materials later, only when needed + Prethodno učitaj materijale svih objekata. Savjetuje se da ovo ne označite i učitavate materijale kasnije, samo po potrebi Preload materials - Preload materials + Prethodno učitavanje materijala Preload all layers of the file. It is advised to leave this unchecked and load layers later, only when needed - Preload all layers of the file. It is advised to leave this unchecked and load layers later, only when needed + Prethodno učitaj slojeve svih objekata. Savjetuje se da ovo ne označite i učitavate slojeve kasnije, samo po potrebi Preload layers - Preload layers + Prethodno učitavanje slojeva If this is unchecked, these settings will be applied automatically next time. You can change this later under menu Edit -> Preferences -> BIM -> Native IFC - If this is unchecked, these settings will be applied automatically next time. You can change this later under menu Edit -> Preferences -> BIM -> Native IFC + Ako ovo nije označeno, sljedeće će se postavke automatski primijeniti. To možete promijeniti kasnije u izborniku Uredi -> Postavke -> BIM -> Izvorni IFC @@ -805,7 +805,7 @@ Utils -> Make IFC project Adds this layer to an IFC project - Adds this layer to an IFC project + Dodaje ovaj sloj IFC projektu @@ -826,7 +826,7 @@ Utils -> Make IFC project Assign selected objects to the selected layer - Assign selected objects to the selected layer + Dodijelite odabrane objekte odabranom sloju @@ -860,12 +860,12 @@ Utils -> Make IFC project New nudge value: - New nudge value: + Nova vrijednost koraka: Below are the phases currently configured for this model: - Below are the phases currently configured for this model: + Ispod su faze trenutno konfigurirane za ovaj model: @@ -885,52 +885,52 @@ Utils -> Make IFC project to Report panel - to Report panel + na ploču Izvještaja BIM Project Setup - BIM Project Setup + This screen allows you to configure a new BIM project in FreeCAD. - This screen allows you to configure a new BIM project in FreeCAD. + Na ovom zaslonu možete konfigurirati novi BIM projekt u FreeCAD-u. Use preset... - Use preset... + Koristite predložak... Saves the current document as a template, including all the current BIM settings - Saves the current document as a template, including all the current BIM settings + Sprema trenutni dokument kao predložak, uključujući sve trenutne BIM postavke Save template... - Save template... + Spremi predložak... Loads the contents of a FCStd file into the active document, applying all the BIM settings stored in it if any - Loads the contents of a FCStd file into the active document, applying all the BIM settings stored in it if any + Učitava sadržaj FCST datoteke u aktivni dokument, primjenjujući sve BIM postavke pohranjene u njemu ako postoje Load template... - Load template... + Učitaj predložak... Create new document - Create new document + Izradi novi dokument Project name - Project name + Naziv projekta @@ -945,27 +945,27 @@ Utils -> Make IFC project If this is checked, a human figure will be added, which helps greatly to give a sense of scale when viewing the model - If this is checked, a human figure will be added, which helps greatly to give a sense of scale when viewing the model + Ako se to označi, bit će dodan ljudski lik koji uvelike pomaže da se dobije osjećaj razmjera pri gledanju modela Add a human figure - Add a human figure + Dodajte ljudsku figuru The site object contains all the data relative to the project location. Later on, you can attach a physical object representing the terrain. - The site object contains all the data relative to the project location. Later on, you can attach a physical object representing the terrain. + Objekt parcele sadrži sve podatke u odnosu na lokaciju projekta. Kasnije možete priložiti fizički objekt koji predstavlja teren. E - E + E Elevation - Elevation + Visina @@ -1271,7 +1271,7 @@ Utils -> Make IFC project GroupBox - GroupBox + GroupBox @@ -1301,27 +1301,28 @@ Utils -> Make IFC project FreeCAD is a complex application. If this is your first contact with FreeCAD, or you have never worked with 3D or BIM before, you might want to take our <a href="https://wiki.freecad.org/BIM_ingame_tutorial">BIM tutorial</a> first (Also available under menu <span style=" font-weight:600;">Help -&gt; BIM Tutorial</span>). - FreeCAD is a complex application. If this is your first contact with FreeCAD, or you have never worked with 3D or BIM before, you might want to take our <a href="https://wiki.freecad.org/BIM_ingame_tutorial">BIM tutorial</a> first (Also available under menu <span style=" font-weight:600;">Help -&gt; BIM Tutorial</span>). + FreeCAD je složena aplikacija. Ako je ovo vaš prvi kontakt s FreeCAD-om ili nikada prije niste radili s 3D ili BIM-om, možda biste željeli uzeti naš <a href="https://wiki.freecad.org/BIM_ingame_tutorial">BIM vodič</a> prvi (Također dostupno u izborniku <span style=" font-weight:600;">Pomoć -&gt; BIM Vodič</span>). The BIM workbench also has a <a href="https://wiki.freecad.org/BIM_Workbench">complete documentation</a> available under the Help menu. The "what's this?" button will also open the help page of any tool from the toolbars. - The BIM workbench also has a <a href="https://wiki.freecad.org/BIM_Workbench">complete documentation</a> available under the Help menu. The "what's this?" button will also open the help page of any tool from the toolbars. + Radna površina BIM-a <a href="https://wiki.freecad.org/BIM_Workbench"> također ima kompletnu dokumentaciju </a> dostupnu u izborniku Pomoć. +"Što je to?" tipka, otvorit će stranicu pomoći bilo kojeg alata s alatnih traka. A good way to start building a BIM model is by setting up basic characteristics of your project, under menu <span style=" font-weight:600;">Manage -&gt; Project setup</span>. You can also directly configure different floor plans for your project, under menu <span style=" font-weight:600;">Manage -&gt; Levels.</span> - A good way to start building a BIM model is by setting up basic characteristics of your project, under menu <span style=" font-weight:600;">Manage -&gt; Project setup</span>. You can also directly configure different floor plans for your project, under menu <span style=" font-weight:600;">Manage -&gt; Levels.</span> + Dobar način za započinjanje izrade BIM modela je postavljanje osnovnih karakteristika vašeg projekta, dolje u izborniku <span style=" font-weight:600;">Rukovati -&gt; Podešavanje Projekta</span>. Možete i izravno podesiti različite tlocrte svog projekta, dolje u izborniku <span style=" font-weight:600;">Upravljati -&gt; Etaže.</span> There is no mandatory behaviour here though, and you can also start creating walls and columns directly, and care about organizing things in levels later. - There is no mandatory behaviour here though, and you can also start creating walls and columns directly, and care about organizing things in levels later. + Ovdje ipak nema obveznog ponašanja, a također možete izravno početi stvarati zidove i stupove, a kasnije se pobrinuti za organiziranje stvari u razinama. <html><head/><body><p>You might also want to start from an existing floor plan or 3D model made in another application. Under menu <span style=" font-weight:600;">File -&gt; Import</span>, you will find a wide range of file formats that can be imported into FreeCAD.</p></body></html> - <html><head/><body><p>You might also want to start from an existing floor plan or 3D model made in another application. Under menu <span style=" font-weight:600;">File -&gt; Import</span>, you will find a wide range of file formats that can be imported into FreeCAD.</p></body></html> + <html><head/><body><p>Možda želite krenuti s postojećeg tlocrta ili 3D modela napravljenog u drugoj aplikaciji. Pod izbornikom <span style=" font-weight:600;">File -&gt; Import</span>, pronaći će te širok raspon formata datoteka koji se mogu uvesti u FreeCAD.</p></body></html> @@ -1390,7 +1391,7 @@ Utils -> Make IFC project Multi-material definition - Multi-material definition + Definicija složenog materijala @@ -1537,7 +1538,7 @@ Utils -> Make IFC project classManager - classManager + rukovatelj Klase @@ -1554,7 +1555,7 @@ Utils -> Make IFC project Custom properties - Custom properties + Prilagođena svojstva @@ -1564,7 +1565,7 @@ Utils -> Make IFC project Can only contain alphanumerical characters and no spaces. Use CamelCase typing to define spaces automatically - Can only contain alphanumerical characters and no spaces. Use CamelCase typing to define spaces automatically + Može sadržavati samo alfanumeričke znakove i nema razmaka. Koristite unos tipkanjem CamelCase da biste automatski odredili razmake @@ -1575,12 +1576,12 @@ Utils -> Make IFC project A description for this property, can be in any language. - A description for this property, can be in any language. + Opis ovog svojstva može biti na bilo kojem jeziku. The property will be hidden in the interface, and can only be modified via Python script - The property will be hidden in the interface, and can only be modified via Python script + Svojstvo će biti skriveno u sučelju i može se mijenjati samo putem python skripte @@ -1590,7 +1591,7 @@ Utils -> Make IFC project The property is visible but cannot be modified by the user - The property is visible but cannot be modified by the user + Svojstvo je vidljivo, ali korisnik ga ne može mijenjati @@ -1605,12 +1606,12 @@ Utils -> Make IFC project Library browser - Library browser + Preglednik biblioteke Inserts the selected object in the current document - Inserts the selected object in the current document + Umetni odabrani objekt u trenutni dokument @@ -1620,12 +1621,12 @@ Utils -> Make IFC project or - or + ili Links the selected object in the current document. Only works in Offline mode - Links the selected object in the current document. Only works in Offline mode + Povezuje odabrani objekt u trenutnom dokumentu. Radi samo u izvanmrežnom načinu rada @@ -1635,17 +1636,17 @@ Utils -> Make IFC project Search: - Search: + Pretraživanje: Search external websites - Search external websites + Pretraživanje vanjske web stranice ... - ... + ... @@ -1655,87 +1656,89 @@ Utils -> Make IFC project Save thumbnails when saving a file - Save thumbnails when saving a file + Spremi sličice kod spremanja datoteke If this is checked, the library doesn't need to be installed. Contents will be fetched online. - If this is checked, the library doesn't need to be installed. Contents will be fetched online. + Ako je ovo označeno, biblioteka se ne mora instalirati. Sadržaj će se preuzeti online. Online mode - Online mode + Online način Open the search results inside FreeCAD's web browser instead of the system browser - Open the search results inside FreeCAD's web browser instead of the system browser + Otvorite rezultate pretraživanja unutar web preglednika FreeCAD-a umjesto preglednika sustava Open search in FreeCAD web view - Open search in FreeCAD web view + Otvorite pretraživanje u FreeCAD web prikazu Opens a 3D preview of the selected file. - Opens a 3D preview of the selected file. + Otvori 3D predpregled od odabrane datoteke. Preview model in 3D view - Preview model in 3D view + Predpregled modela u 3D pogledu Show available alternative file formats for library items (STEP, IFC, etc...) - Show available alternative file formats for library items (STEP, IFC, etc...) + Prikaži dostupne alternativne formate datoteka za stavke biblioteka (STEP, IFC, itd...) + + Display alternative formats - Display alternative formats + Prikaži alternativne formate Note: STEP and BREP files can be placed at custom location. FCStd and IFC files will be placed where objects are defined in the file. - Note: STEP and BREP files can be placed at custom location. FCStd and IFC files will be placed where objects are defined in the file. + Napomena: STEP i BREP datoteke mogu se postaviti na prilagođeno mjesto. FCSTD i IFC datoteke bit će smještene tamo gdje su objekti definirani u datoteci. Save thumbnails - Save thumbnails + Spremi sličice datoteka Save as... - Save as... + Spremi kao... IFC Preflight - IFC Preflight + IFC priprema <html><head/><body><p>The following test will check your model or the selected object(s) and their children for conformity to some IFC standards.</p><p><span style=" font-weight:600;">Important</span>: None of the failed tests below will prevent exporting IFC files, nor do these tests guarantee that your IFC files meets some specific quality or standard requirement. They are there to help you assess what is and what is not in your exported file. It's for you to choose which item is of importance to you or not. Hovering the mouse over each description will give you more information to decide.</p><p>After a test is run, clicking the corresponding button will give you more information to help you to fix problems.</p><p>The <a href="http://www.buildingsmart-tech.org/specifications"><span style=" text-decoration: underline; color:#0000ff;">official IFC website</span></a> contains a lot of useful information about IFC standards.</p></body></html> - <html><head/><body><p>The following test will check your model or the selected object(s) and their children for conformity to some IFC standards.</p><p><span style=" font-weight:600;">Important</span>: None of the failed tests below will prevent exporting IFC files, nor do these tests guarantee that your IFC files meets some specific quality or standard requirement. They are there to help you assess what is and what is not in your exported file. It's for you to choose which item is of importance to you or not. Hovering the mouse over each description will give you more information to decide.</p><p>After a test is run, clicking the corresponding button will give you more information to help you to fix problems.</p><p>The <a href="http://www.buildingsmart-tech.org/specifications"><span style=" text-decoration: underline; color:#0000ff;">official IFC website</span></a> contains a lot of useful information about IFC standards.</p></body></html> + <html><head/><body><p>Sljedeći test će provjeriti usklađenost vašeg modela ili odabranih objekata i njihovih potomaka s nekim IFC standardima.</p><p><span style=" font -weight:600;">Važno</span>: Nijedan od neuspjelih testova u nastavku neće spriječiti izvoz IFC datoteka, niti ovi testovi jamče da vaše IFC datoteke ispunjavaju neke specifične zahtjeve kvalitete ili standarda. Oni su tu da vam pomognu procijeniti što je, a što nije u vašoj izvezenoj datoteci. Na vama je da odaberete koja vam je stavka važna ili ne. Prelaskom miša preko svakog opisa dobit ćete više informacija za odlučivanje.</p><p>Nakon što se test pokrene, klikom na odgovarajući gumb dobit ćete više informacija koje će vam pomoći da riješite probleme.</p><p> <a href="http://www.buildingsmart-tech.org/specifications"><span style=" text-decoration: underline; color:#0000ff;">Službena web stranica IFC-a</span></a> sadrži puno korisnih informacija o IFC standardima.</p></body></html> Warning, this can take some time! - Warning, this can take some time! + Upozorenje, ovo može potrajati neko vrijeme! Run all tests - Run all tests + Pokrenite sve testove Work on - Work on + Radimo na @@ -1745,12 +1748,12 @@ Utils -> Make IFC project All visible objects - All visible objects + Svi vidljivi objekti Whole document - Whole document + Cijeli dokument @@ -1760,12 +1763,12 @@ Utils -> Make IFC project <html><head/><body><p>IFC export in FreeCAD is performed by an open-source third-party library called IfcOpenShell. To be able to export to the newer IFC4 standard, IfcOpenShell must have been compiled with IFC4 support enabled. This test will check if IFC4 support is available in your version of IfcOpenShell. If not, you will only be able to export IFC files in the older IFC2x3 standard. Note that some applications out there still have incomplete or inexistent IFC4 support, so in some cases IFC2x3 might still work better.</p></body></html> - <html><head/><body><p>IFC export in FreeCAD is performed by an open-source third-party library called IfcOpenShell. To be able to export to the newer IFC4 standard, IfcOpenShell must have been compiled with IFC4 support enabled. This test will check if IFC4 support is available in your version of IfcOpenShell. If not, you will only be able to export IFC files in the older IFC2x3 standard. Note that some applications out there still have incomplete or inexistent IFC4 support, so in some cases IFC2x3 might still work better.</p></body></html> + <html><head/><body><p>IFC izvoz u FreeCAD izvodi biblioteka treće strane otvorenog koda pod nazivom IfcOpenShell. Da biste mogli izvesti na noviji standard IFC4, IfcOpenShell mora biti kompajliran s omogućenom podrškom za IFC4. Ovaj test će provjeriti je li podrška za IFC4 dostupna u vašoj verziji IfcOpenShell-a. Ako ne, moći ćete izvesti samo IFC datoteke u starijem standardu IFC2x3. Imajte na umu da neke aplikacije još uvijek imaju nepotpunu ili nepostojeću podršku za IFC4, tako da bi u nekim slučajevima IFC2x3 mogao raditi bolje.</p></body></html> Is IFC4 support enabled? - Is IFC4 support enabled? + Je li podrška za IFC4 omogućena? @@ -1790,47 +1793,47 @@ Utils -> Make IFC project Project structure - Project structure + Struktura projekta <html><head/><body><p>All IfcBuildingStorey (levels) elements are required to be inside an IfcBuilding element. This is a mandatory requirement of the IFC standard. When exporting your FreeCAD model to IFC, a default IfcBuilding will be created for all level objects (BuildingPart objects with their IFC role set as Building Storey) found that are not inside a Building. However, it is best if you create that building yourself, so you have more control over its name and properties. This test is here to help you to find those levels without buildings.</p></body></html> - <html><head/><body><p>All IfcBuildingStorey (levels) elements are required to be inside an IfcBuilding element. This is a mandatory requirement of the IFC standard. When exporting your FreeCAD model to IFC, a default IfcBuilding will be created for all level objects (BuildingPart objects with their IFC role set as Building Storey) found that are not inside a Building. However, it is best if you create that building yourself, so you have more control over its name and properties. This test is here to help you to find those levels without buildings.</p></body></html> + <html><head/><body><p>Svi elementi IfcBuildingStorey (razine) moraju biti unutar IfcBuilding elementa. Ovo je obvezni zahtjev IFC standarda. Prilikom izvoza vašeg FreeCAD modela u IFC, zadani IfcBuilding će biti kreiran za sve objekte razine (BuildingPart objekti sa svojom IFC ulogom postavljenom kao Building Story) za koje se utvrdi da nisu unutar zgrade. Ipak, najbolje je da tu zgradu izradite sami, tako da imate više kontrole nad njenim imenom i svojstvima. Ovaj test je tu da vam pomogne pronaći te razine bez zgrada.</p></body></html> Are all storeys part of a building? - Are all storeys part of a building? + Jesu li sve etaže dio zgrade? <html><head/><body><p>All elements derived from IfcProduct (that is, all the BIM elements that compose your model) are required to be inside an IfcBuildingStorey (level) element. This is a mandatory requirement of the IFC standard. When exporting your FreeCAD model to IFC, a default IfcBuildingStorey will be created for all BIM objects found that are not inside one already. However, it is best if you make sure yourself that all elements are correctly located inside a level, so you have more control over it. This test is here to help you to find those BIM objects without a level.</p></body></html> - <html><head/><body><p>All elements derived from IfcProduct (that is, all the BIM elements that compose your model) are required to be inside an IfcBuildingStorey (level) element. This is a mandatory requirement of the IFC standard. When exporting your FreeCAD model to IFC, a default IfcBuildingStorey will be created for all BIM objects found that are not inside one already. However, it is best if you make sure yourself that all elements are correctly located inside a level, so you have more control over it. This test is here to help you to find those BIM objects without a level.</p></body></html> + <html><head/><body><p>Svi elementi izvedeni iz IfcProducta (to jest, svi BIM elementi koji čine vaš model) moraju biti unutar elementa IfcBuildingStorey (razina). Ovo je obvezni zahtjev IFC standarda. Prilikom izvoza vašeg FreeCAD modela u IFC, stvorit će se zadana IfcBuildingStorey za sve pronađene BIM objekte koji se već ne nalaze unutar jednog. Ipak, najbolje je da se sami uvjerite da su svi elementi pravilno smješteni unutar razine, tako da imate veću kontrolu nad njom. Ovaj test je tu da vam pomogne da pronađete one BIM objekte bez razine.</p></body></html> Are all BIM objects part of a level? - Are all BIM objects part of a level? + Jesu li svi BIM objekti dio etaže? <html><head/><body><p>All IfcBuilding elements are required to be inside an IfcSite element. This is a mandatory requirement of the IFC standard. When exporting your FreeCAD model to IFC, a default IfcSite will be created for all Building objects found that are not inside a Site. However, it is best if you create that site yourself, so you have more control over its name and properties. This test is here to help you to find those buildings without sites.</p></body></html> - <html><head/><body><p>All IfcBuilding elements are required to be inside an IfcSite element. This is a mandatory requirement of the IFC standard. When exporting your FreeCAD model to IFC, a default IfcSite will be created for all Building objects found that are not inside a Site. However, it is best if you create that site yourself, so you have more control over its name and properties. This test is here to help you to find those buildings without sites.</p></body></html> + <html><head/><body><p>Svi elementi IfcBuildinga moraju biti unutar elementa IfcSite. Ovo je obvezni zahtjev IFC standarda. Prilikom izvoza vašeg FreeCAD modela u IFC, zadana će se stranica IfcSite stvoriti za sve pronađene objekte građevine koji nisu unutar stranice. Ipak, najbolje je da tu stranicu izradite sami, tako da imate više kontrole nad njenim imenom i svojstvima. Ovaj test je tu da vam pomogne da pronađete te zgrade bez lokacija.</p></body></html> Are all buildings part of a site? - Are all buildings part of a site? + Jesu li sve zgrade dio parcele? <html><head/><body><p>The IFC standard requires at least one site, one building and one level or building storey per project. This test will ensure that at least one object of each of these 3 types exists in the model.</p><p>Note that, as this is a mandatory requirement, FreeCAD will automatically add a default site, a default building and/or a default building storey if any of these is missing. So even if this test didn't pass, your exported IFC file will meet the requirements.</p><p>However, it is always better to create these objects yourself, as you get more control over naming and properties.</p></body></html> - <html><head/><body><p>The IFC standard requires at least one site, one building and one level or building storey per project. This test will ensure that at least one object of each of these 3 types exists in the model.</p><p>Note that, as this is a mandatory requirement, FreeCAD will automatically add a default site, a default building and/or a default building storey if any of these is missing. So even if this test didn't pass, your exported IFC file will meet the requirements.</p><p>However, it is always better to create these objects yourself, as you get more control over naming and properties.</p></body></html> + <html><head/><body><p>IFC standard zahtijeva najmanje jedno mjesto, jednu zgradu i jednu razinu ili kat zgrade po projektu. Ovaj test će osigurati da barem jedan objekt svake od ove 3 vrste postoji u modelu.</p><p>Imajte na umu da će FreeCAD automatski dodati zadano mjesto, zadanu zgradu i/kao što je ovo obavezan zahtjev. ili zadani kat zgrade ako bilo koji od njih nedostaje. Dakle, čak i ako ovaj test nije prošao, vaša izvezena IFC datoteka zadovoljit će zahtjeve.</p><p>Međutim, uvijek je bolje sami izraditi te objekte jer tako dobivate veću kontrolu nad imenovanjem i svojstvima.</ p></tijelo></html> Is there at least one site, one building and one level in the model? - Is there at least one site, one building and one level in the model? + Postoji li barem jedna parcela, jedna zgrada i jedna etaža u modelu? @@ -1865,7 +1868,7 @@ Utils -> Make IFC project <html><head/><body><p>Classification systems, such as UniClass or MasterFormat, or even your own custom system, are in some cases an important part of a building project. This test will ensure that all BIM objects and materials found in the model have their standard code property dutifully filled.</p></body></html> - <html><head/><body><p>Classification systems, such as UniClass or MasterFormat, or even your own custom system, are in some cases an important part of a building project. This test will ensure that all BIM objects and materials found in the model have their standard code property dutifully filled.</p></body></html> + <html><head/><body><p>Klasifikacijski sustavi, kao što su UniClass ili MasterFormat, ili čak vaš vlastiti prilagođeni sustav, u nekim su slučajevima važan dio građevinskog projekta. Ovaj test će osigurati da svi BIM objekti i materijali pronađeni u modelu imaju svojstvo standardnog koda uredno ispunjeno.</p></body></html> @@ -1951,7 +1954,7 @@ Utils -> Make IFC project <html><head/><body><p>When exporting a model to IFC, all BIM objects that are an extrusion of a rectangular profile will use an IfcRectangleProfileDef entity as their extrusion profile. However, Revit won't import these correctly. If you are going to use the IFC file in Revit, we recommend you to disable this behavior by checking the option under menu <span style=" font-weight:600;">Edit -&gt; Preferences -&gt; BIM -&gt; NativeIFC -&gt; Disable IfcRectangularProfileDef</span>.</p><p>When that option is checked, all extrusion profiles will be exported as generic IfcArbitraryProfileDef entities, regardless of if they are rectangular or not, which will contain a little less information, but will open correctly in Revit.</p></body></html> - <html><head/><body><p>When exporting a model to IFC, all BIM objects that are an extrusion of a rectangular profile will use an IfcRectangleProfileDef entity as their extrusion profile. However, Revit won't import these correctly. If you are going to use the IFC file in Revit, we recommend you to disable this behavior by checking the option under menu <span style=" font-weight:600;">Edit -&gt; Preferences -&gt; BIM -&gt; NativeIFC -&gt; Disable IfcRectangularProfileDef</span>.</p><p>When that option is checked, all extrusion profiles will be exported as generic IfcArbitraryProfileDef entities, regardless of if they are rectangular or not, which will contain a little less information, but will open correctly in Revit.</p></body></html> + <html><head/><body><p>Prilikom izvoza modela u IFC, svi BIM objekti koji su ekstruzija pravokutnog profila koristit će entitet IfcRectangleProfileDef kao svoj profil ekstruzije. Međutim, Revit ih neće ispravno uvesti. Ako namjeravate koristiti IFC datoteku u Revitu, preporučujemo da onemogućite ovo ponašanje označavanjem opcije u izborniku <span style=" font-weight:600;">Edit -&gt; Postavke -&gt; BIM -&gt; NativeIFC -&gt; Onemogući IfcRectangularProfileDef</span>.</p><p>Kada je ta opcija označena, svi profili ekstruzije će se izvesti kao generički IfcArbitraryProfileDef entiteti, bez obzira jesu li pravokutni ili ne, koji će sadržavati nešto manje informacija, ali će ispravno otvoriti u Revitu.</p></body></html> @@ -1967,7 +1970,7 @@ Utils -> Make IFC project Drag items to reorder then press OK to accept - Drag items to reorder then press OK to accept + Povucite stavke za promjenu redoslijeda, a zatim pritisnite OK za prihvaćanje @@ -1990,15 +1993,15 @@ p, li { white-space: pre-wrap; } <p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">If this is the first time you are using the tutorial, this can take a while, since we need to download many images. On next runs, this will be faster as the images are cached locally.</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;"><br /></p> <p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">When the tutorial is fully written, we'll think of a faster system to avoid this annoying loading time. Please bear with us in the meantime! ;)</p></body></html> - <!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.0//EN" "http://www.w3.org/TR/REC-html40/strict.dtd"> + <!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.0//EN" "http://www.w3.org/TR/REC-html40/strict.dtd"> <html><head><meta name="qrichtext" content="1" /><style type="text/css"> p, li { white-space: pre-wrap; } </style></head><body style=" font-family:'Fira Sans'; font-size:9pt; font-weight:400; font-style:normal;"> -<p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Loading tutorials contents from the FreeCAD wiki. Please wait...</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;"><br /></p> -<p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">If this is the first time you are using the tutorial, this can take a while, since we need to download many images. On next runs, this will be faster as the images are cached locally.</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;"><br /></p> -<p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">When the tutorial is fully written, we'll think of a faster system to avoid this annoying loading time. Please bear with us in the meantime! ;)</p></body></html> +<p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Učitavanje sadržaja vodiča iz FreeCAD wiki. Molimo pričekajte...</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;"><br /></p> +<p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Ako je ovo prvi put kada koristite tutorial, ovo može potrajati jer moramo preuzeti mnogo slika. Pri sljedećim izvođenjima to će biti brže jer se slike lokalno spremaju u predmemoriju.</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;"><br /></p> +<p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Kada je vodič u potpunosti napisan, smislit ćemo brži sustav kako bismo izbjegli ovo dosadno vrijeme učitavanja. Molimo strpite se do tada! ;)</p></body></html> @@ -2123,7 +2126,7 @@ p, li { white-space: pre-wrap; } NativeIFC - NativeIFC + NativeIFC @@ -2133,12 +2136,12 @@ p, li { white-space: pre-wrap; } Initial import - Initial import + Inicijalni uvoz How the IFC file will initially be imported: Only one object, only project structure, or all individual objects. - How the IFC file will initially be imported: Only one object, only project structure, or all individual objects. + Kako će se IFC datoteka inicijalno uvesti: Samo jedan objekt, samo struktura projekta ili svi pojedinačni objekti. @@ -2153,92 +2156,94 @@ p, li { white-space: pre-wrap; } All individual IFC objects - All individual IFC objects + Svi pojedinačni IFC objekti Representation type - Representation type + Vrsta reprezentacije The type of object created at import. Coin only is much faster, but you don't get the full shape information. You can convert between the two anytime by right-clicking the object tree - The type of object created at import. Coin only is much faster, but you don't get the full shape information. You can convert between the two anytime by right-clicking the object tree + Vrsta objekta stvorenog pri uvozu. Samo Coin je puno brži, ali ne dobivate potpune informacije o obliku. Možete pretvoriti između ova dva u bilo kojem trenutku desnim klikom stabla objekata + + Load full shape (slower) - Load full shape (slower) + Učitaj puni oblik (sporije) Load 3D representation only, no shape (default) - Load 3D representation only, no shape (default) + Učitaj samo 3D prikaz, ne oblik (zadano) No 3D representation at all - No 3D representation at all + Bez 3D prikaza If this is checked, the BIM workbench will be loaded after import - If this is checked, the BIM workbench will be loaded after import + Ako je ovo označeno, BIM radni prostor će se učitati nakon uvoza Switch to BIM workbench after import - Switch to BIM workbench after import + Promijeni radni prostor na BIM nakon uvoza Load all property sets automatically when opening an IFC file - Load all property sets automatically when opening an IFC file + Automatski učitaj sva svojstva skupova prilikom otvaranja IFC datoteke Preload property sets - Preload property sets + Prethodno učitavanje skupova svojstava Load all materials automatically when opening an IFC file - Load all materials automatically when opening an IFC file + Automatski učitaj sve materijale prilikom otvaranja IFC datoteke Preload materials - Preload materials + Prethodno učitavanje materijala Load all layers automatically when opening an IFC file - Load all layers automatically when opening an IFC file + Automatski učitaj sve slojeve prilikom otvaranja IFC datoteke Preload layers - Preload layers + Prethodno učitavanje slojeva When enabling this, the original version of objects dropped onto an IFC project tree will not be deleted. - When enabling this, the original version of objects dropped onto an IFC project tree will not be deleted. + Kada se ovo omogući, izvorna verzija objekata ispuštenih na stablo IFC projekta neće biti izbrisana. Keep original version of aggregated objects - Keep original version of aggregated objects + Zadrži izvornu verziju agregiranih objekata If this is checked, a dialog will be shown at each import - If this is checked, a dialog will be shown at each import + Ako je ovo označeno, dijaloški okvir će se prikazati pri svakom uvozu Show options dialog when importing - Show options dialog when importing + Prikaži dijaloški okvir prilikom uvoza @@ -2248,17 +2253,17 @@ p, li { white-space: pre-wrap; } Show warning when saving - Show warning when saving + Prikaži Upozorenje kod spremanja New document - New document + Novi dokument Always lock new documents - Always lock new documents + Uvijek zaključajte nove dokumente @@ -2269,22 +2274,22 @@ p, li { white-space: pre-wrap; } New project - New project + Novi projekt If this is checked, when creating a new projects, a default structure (site, building and storey) will be added under the project - If this is checked, when creating a new projects, a default structure (site, building and storey) will be added under the project + Ako je ovo označeno, prilikom izrade novih projekata, zadana struktura (lokacija, zgrada i kat) bit će dodana ispod projekta Create a default structure - Create a default structure + Stvorite zadanu strukturu Check this to ask the above question every time a project is created - Check this to ask the above question every time a project is created + Označite ovo kako biste postavili gornje pitanje svaki put kada se izradi projekt @@ -2497,27 +2502,27 @@ na projekcije skrivenih objekata. Scaling factor for patterns used by objects that have a Footprint display mode - Scaling factor for patterns used by objects that have -a Footprint display mode + Faktor skaliranja za uzorke korištene od objekata koji imaju način prikaza Otisak stopala BIM server - BIM server + BIM Server The URL of a BIM server instance (www.bimserver.org) to connect to. - The URL of a BIM server instance (www.bimserver.org) to connect to. + URL instanca BIM poslužitelja (www.bimserver.org) za povezivanje. If this is selected, the "Open BIM Server in browser" button will open the BIM Server interface in an external browser instead of the FreeCAD web workbench - If this is selected, the "Open BIM Server in browser" -button will open the BIM Server interface in an external browser -instead of the FreeCAD web workbench + Ako je ovo odabrano, "Otvori BIM Server u pregledniku" +gumb će otvoriti sučelje BIM poslužitelja u vanjskom pregledniku +umjesto Web radne površine FreeCAD-a + @@ -2766,13 +2771,13 @@ Postavite ga na 1 za upotrebu multicore načina u single-core načinu; to je sig Parametric BIM objects - Parametric BIM objects + Parametarski BIM objekti Non-parametric BIM objects - Non-parametric BIM objects + Ne Parametarski BIM objekti @@ -2999,7 +3004,7 @@ Ako koristite Netgen, provjerite je li dostupan. Builtin and Mefisto mesher options - Builtin and Mefisto mesher options + Opcije ugrađenog i Mefisto graditelja mreže @@ -3250,23 +3255,22 @@ If this is your case, you can disable this and then all profiles will be exporte Some IFC types such as IfcWall or IfcBeam have special standard versions like IfcWallStandardCase or IfcBeamStandardCase. If this option is turned on, FreeCAD will automatically export such objects as standard cases when the necessary conditions are met. - Some IFC types such as IfcWall or IfcBeam have special standard versions like IfcWallStandardCase or IfcBeamStandardCase. If this option is turned on, FreeCAD will automatically export such objects -as standard cases when the necessary conditions are met. + Neke vrste IFC-a, poput IfcWall ili IfcBeam, imaju posebne standardne verzije poput IfcWallStandardCase ili IfcBeamStandardCase. Ako je ova opcija uključena, FreeCAD će automatski izvesti takve objekte kao standardne slučajeve kada su ispunjeni potrebni uvjeti. Add default building if one is not found in the document - Add default building if one is not found in the document + Dodaje zadanu zgradu ako nijedna nije pronađena u dokumentu In FreeCAD, it is possible to nest groups inside buildings or storeys. If this option is disabled, FreeCAD groups will be saved as IfcGroups and aggregated to the building structure. Aggregating non-building elements such as IfcGroups is however not recommended by the IFC standards. It is therefore also possible to export these groups as IfcElementAssemblies, which produces an IFC-compliant file. However, at FreeCAD, we believe nesting groups inside structures should be possible, and this option is there to have a chance to demonstrate our point of view. - In FreeCAD, it is possible to nest groups inside buildings or storeys. If this option is disabled, FreeCAD groups will be saved as IfcGroups and aggregated to the building structure. Aggregating non-building elements such as IfcGroups is however not recommended by the IFC standards. It is therefore also possible to export these groups as IfcElementAssemblies, which produces an IFC-compliant file. However, at FreeCAD, we believe nesting groups inside structures should be possible, and this option is there to have a chance to demonstrate our point of view. + U FreeCAD-u je moguće ugniježditi grupe unutar zgrada ili etaža. Ako je ova opcija onemogućena, FreeCAD grupe će biti spremljene kao IfcGroups i agregirane u strukturu zgrade. Međutim, standardi IFC-a ne preporučuju spajanje ne-izgradnih elemenata kao što su IfcGroups. Stoga je također moguće izvesti te grupe kao IfcElementAssemblies, što proizvodi datoteku usklađenu s IFC-om. Međutim, u FreeCAD-u vjerujemo da bi gniježđenje grupa unutar struktura trebalo biti moguće, a ova je opcija tu kako bismo imali priliku pokazati svoje gledište. Export nested groups as assemblies - Export nested groups as assemblies + Izvezite ugniježđene grupe kao sklopove @@ -3290,12 +3294,12 @@ Web mjesto nije obvezno, ali uobičajena je praksa da u datoteci postoji barem j Check also NativeIFC-specific preferences under BIM -> NativeIFC - Check also NativeIFC-specific preferences under BIM -> NativeIFC + Također provjerite postavke specifične za NativeIFC pod BIM -> NativeIFC IFC standard compliance - IFC standard compliance + Usklađenost sa IFC standardom @@ -3425,7 +3429,7 @@ jedinice s kojom treba raditi prilikom otvaranja datoteke. - + Category Kategorija @@ -3441,7 +3445,7 @@ jedinice s kojom treba raditi prilikom otvaranja datoteke. - + Length @@ -3467,17 +3471,17 @@ jedinice s kojom treba raditi prilikom otvaranja datoteke. Parameters of the structure - Parameters of the structure + Parametri strukture Switch Length/Height - Switch Length/Height + Zamijeni Dužina/Visina Switch Length/Width - Switch Length/Width + Zamijeni Dužina/Širina @@ -3618,7 +3622,7 @@ jedinice s kojom treba raditi prilikom otvaranja datoteke. Oblik se nije mogao izračunati - + Equipment Oprema @@ -3729,7 +3733,7 @@ jedinice s kojom treba raditi prilikom otvaranja datoteke. Profili - + Site Lokacija @@ -3759,7 +3763,7 @@ jedinice s kojom treba raditi prilikom otvaranja datoteke. - + Roof Krovište @@ -3836,17 +3840,17 @@ Ako je Run = 0, tada se proračun izračunava tako da je visina jednaka relativn Select two objects, an object to be cut and an object defining a cutting plane, in that order - Select two objects, an object to be cut and an object defining a cutting plane, in that order + Odaberite dva objekta, redom: prvo objekt koji želite rezati, a zatim onaj koji definira ravninu reza The first object does not have a shape - The first object does not have a shape + Prvi objekt nema oblik The second object does not define a plane - The second object does not define a plane + Drugi objekt ne definira ravninu @@ -3879,24 +3883,24 @@ Ako je Run = 0, tada se proračun izračunava tako da je visina jednaka relativn Prednje - + External Reference Vanjska referenca TransientReference property to ReferenceMode - TransientReference property to ReferenceMode + TransientReference svojstva od na ReferenceMode Upgrading - Upgrading + Nadogradnja Part not found in file - Part not found in file + Komponenta nije pronađena u datotekci @@ -3904,12 +3908,12 @@ Ako je Run = 0, tada se proračun izračunava tako da je visina jednaka relativn NativeIFC not available - unable to process IFC files - NativeIFC not available - unable to process IFC files + NativeIFC nije dostupan - nije moguće obraditi IFC datoteke Error removing splitter - Error removing splitter + Pogreška prilikom uklanjanja razdjelnika @@ -3924,13 +3928,13 @@ Ako je Run = 0, tada se proračun izračunava tako da je visina jednaka relativn Unable to get lightWeight node for object referenced in - Unable to get lightWeight node for object referenced in + Nije moguće dobiti LightWeight čvor za objekt na koji se upućuje Invalid lightWeight node for object referenced in - Invalid lightWeight node for object referenced in + Pogrešan LightWeight čvor za objekt na koji se upućuje @@ -3938,7 +3942,7 @@ Ako je Run = 0, tada se proračun izračunava tako da je visina jednaka relativn Invalid root node in - Invalid root node in + Nevažeći korijenski čvor u @@ -3948,7 +3952,7 @@ Ako je Run = 0, tada se proračun izračunava tako da je visina jednaka relativn External file - External file + Vanjska datoteka @@ -3958,28 +3962,28 @@ Ako je Run = 0, tada se proračun izračunava tako da je visina jednaka relativn Part to use: - Part to use: + Komponenta za korištenje: Choose file... - Choose file... + Odaberi datoteku... None (Use whole object) - None (Use whole object) + Nijedan (Koristite cijeli objekt) Reference files - Reference files + Referentne datoteke Choose reference file - Choose reference file + Odaberi referentnu datoteku @@ -3987,7 +3991,7 @@ Ako je Run = 0, tada se proračun izračunava tako da je visina jednaka relativn Stvaranje vanjske reference - + Frame Nosač @@ -4026,12 +4030,14 @@ Ako je Run = 0, tada se proračun izračunava tako da je visina jednaka relativn The shapefile Python library was not found on your system. Would you like to download it now from %1? It will be placed in your macros folder. - The shapefile Python library was not found on your system. Would you like to download it now from %1? It will be placed in your macros folder. + Python biblioteka shapefile nije pronađena u vašem sustavu. Želite li je sada preuzeti sa %1? Bit će smještena u mapi makronaredbi. + + Error: Unable to download from %1 - Error: Unable to download from %1 + Pogreška: Preuzimanje nije moguće s %1 @@ -4058,7 +4064,7 @@ Ako je Run = 0, tada se proračun izračunava tako da je visina jednaka relativn - + Window Prozor @@ -4151,7 +4157,7 @@ Ako je Run = 0, tada se proračun izračunava tako da je visina jednaka relativn - + Remove Ukloni @@ -4160,12 +4166,12 @@ Ako je Run = 0, tada se proračun izračunava tako da je visina jednaka relativn - + Add Dodaj - + @@ -4217,7 +4223,7 @@ Ako je Run = 0, tada se proračun izračunava tako da je visina jednaka relativn - + Type Tip @@ -4325,7 +4331,7 @@ Ako je Run = 0, tada se proračun izračunava tako da je visina jednaka relativn Uspješno napisan - + Truss Poprečna greda @@ -4366,17 +4372,17 @@ Ako je Run = 0, tada se proračun izračunava tako da je visina jednaka relativn Pogreška: IfcOpenShell inačica je prestara - + Project Projekt - + Stairs Stube - + Railing Ograda @@ -4413,12 +4419,12 @@ Ako je Run = 0, tada se proračun izračunava tako da je visina jednaka relativn - + Material Materijal - + MultiMaterial Višeslojni Materijal @@ -4485,7 +4491,7 @@ Ako je Run = 0, tada se proračun izračunava tako da je visina jednaka relativn - + Grid Mreža @@ -4517,7 +4523,7 @@ Ako je Run = 0, tada se proračun izračunava tako da je visina jednaka relativn Del column - Del column + Ukloni stupac @@ -4671,17 +4677,17 @@ Ako je Run = 0, tada se proračun izračunava tako da je visina jednaka relativn Rotacija - + Panel Ploča - + View of Pogled na - + PanelSheet Ploča @@ -4732,7 +4738,7 @@ Ako je Run = 0, tada se proračun izračunava tako da je visina jednaka relativn Ovaj objekt nema lice - + Curtain Wall Viseća (zglobna) fasada @@ -4743,12 +4749,12 @@ Ako je Run = 0, tada se proračun izračunava tako da je visina jednaka relativn Stvori viseću (zglobnu) fasadu - + Pipe Cijev - + Connector Spajalica @@ -4832,7 +4838,7 @@ Ako je Run = 0, tada se proračun izračunava tako da je visina jednaka relativn Unable to revolve this connector - Unable to revolve this connector + Nije moguće rotirati ovaj konektor @@ -4877,7 +4883,7 @@ Here is a breakdown of the translation: Izvoz CSV datoteke - + Export CSV File Izvezi CSV datoteku @@ -4889,7 +4895,7 @@ Here is a breakdown of the translation: - + Description Opis @@ -4897,7 +4903,7 @@ Here is a breakdown of the translation: - + Value Vrijednost @@ -4905,7 +4911,7 @@ Here is a breakdown of the translation: - + Unit Jedinica @@ -5012,7 +5018,7 @@ Stvaranje etaže prekinuto. ima jedan ništavni oblik - + Toggle subcomponents Uključivanje/isključivanje podsastavnice @@ -5112,7 +5118,7 @@ Stvaranje etaže prekinuto. Skup novih svojstava - + Rebar Građevinsko željezo @@ -5128,7 +5134,7 @@ Stvaranje etaže prekinuto. Odaberite osnovno lice na strukturni objekt - + Section Odjeljak @@ -5224,7 +5230,7 @@ Stvaranje etaže prekinuto. Centrira ravninu na objekte na gornjem popisu - + Building Zgrada @@ -5262,7 +5268,7 @@ Stvaranje zgrade prekinuto. Izradi Zgradu - + Space Prostor @@ -5272,22 +5278,22 @@ Stvaranje zgrade prekinuto. Stvori prostor - + Set text position Postavi tekst na poziciju - + Space boundaries Granice prostora - + Wall Zid - + Walls can only be based on Part or Mesh objects Zidovi mogu temeljiti samo na objektima Dio ili Mreža @@ -5358,7 +5364,7 @@ Stvaranje zgrade prekinuto. changed 'Normal' to [0, 0, 1] to preserve extrusion direction - changed 'Normal' to [0, 0, 1] to preserve extrusion direction + promijenjena 'Normala' u [0, 0, 1] kako bi sačuvao smjer istiskivanja @@ -5378,7 +5384,7 @@ Stvaranje zgrade prekinuto. Invalid cut plane - Invalid cut plane + Pogrešna ravnina rezanja @@ -5406,60 +5412,60 @@ Stvaranje zgrade prekinuto. sadrži lica koja nisu dio nikakvog čvrstog tijela - + Survey Istraživanje - + Set description Postavi opis - + Clear Ukloni - + Copy Length Kopira dužinu - + Copy Area Kopira područje - + Export CSV Izvoz CSV - + Area Područje - + Total Ukupno - + Object doesn't have settable IFC attributes - Object doesn't have settable IFC attributes + Objekt nema IFC atribute koji se mogu postaviti - + Disabling B-rep force flag of object - Disabling B-rep force flag of object + Onemogućiti B-rep oznaku sile objekta - + Enabling B-rep force flag of object - Enabling B-rep force flag of object + Omogućiti B-rep oznaku sile objekta @@ -5503,12 +5509,12 @@ Stvaranje zgrade prekinuto. Izradi Komponentu - + Key Ključ - + The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: Objekt nema atribut IfcProperties. Prekinuto stvaranje proračunske tablice za objekt: @@ -5520,12 +5526,12 @@ Stvaranje zgrade prekinuto. Create Level - Create Level + Stvori kat Create Fence - Create Fence + Stvori ogradu @@ -5543,7 +5549,7 @@ Stvaranje zgrade prekinuto. Create multiple BIM Structures from a selected base, using each selected edge as an extrusion path - Create multiple BIM Structures from a selected base, using each selected edge as an extrusion path + Kreiraj višestruke BIM strukture iz odabrane osnove, koristeći svaki odabrani rub kao putanju istiskivanja. @@ -5674,7 +5680,7 @@ Stvaranje zgrade prekinuto. Selected edges (or group of edges) of the base ArchSketch, to use in creating the shape of this BIM Structure (instead of using all the Base shape's edges by default). Input are index numbers of edges or groups. - Selected edges (or group of edges) of the base ArchSketch, to use in creating the shape of this BIM Structure (instead of using all the Base shape's edges by default). Input are index numbers of edges or groups. + Odabrani rubovi (ili grupa rubova) osnovnog ArchSketch-a za korištenje u stvaranju oblika ove BIM strukture (umjesto korištenja svih rubova osnovnog oblika prema zadanim postavkama). Unos su indeksni brojevi rubova ili grupa. @@ -5743,8 +5749,8 @@ Stvaranje zgrade prekinuto. Električna energija potrebna u ovoj opremi - - + + The type of this building Vrsta ove zgrade @@ -5758,7 +5764,7 @@ Stvaranje zgrade prekinuto. If true, the height value propagates to contained objects if the height of those objects is set to 0 - If true, the height value propagates to contained objects if the height of those objects is set to 0 + Ako je istina, vrijednost visine prenosi se na sadržane objekte ako je visina tih objekata postavljena na 0 @@ -5792,7 +5798,7 @@ Stvaranje zgrade prekinuto. This property stores an OpenInventor representation for this object - This property stores an OpenInventor representation for this object + Ova osobina pohranjuje OpenInventor reprezentaciju za ovaj objekt @@ -5886,12 +5892,14 @@ Stvaranje zgrade prekinuto. If this is enabled, the OpenInventor representation of this object will be saved in the FreeCAD file, allowing to reference it in other files in lightweight mode. - If this is enabled, the OpenInventor representation of this object will be saved in the FreeCAD file, allowing to reference it in other files in lightweight mode. + Ako je ovo omogućeno, OpenInventor prikaz ovog objekta bit će spremljen u datoteci FreeCAD-a, omogućujući da se u lightweight načinu referencira na druge datoteke. A slot to save the OpenInventor representation of this object, if enabled - A slot to save the OpenInventor representation of this object, if enabled + Prazno mjesto za spremanje OpenInventor reprezentacije ovog objekta, ako je omogućeno + + @@ -5911,7 +5919,7 @@ Stvaranje zgrade prekinuto. The shape appearance of child objects - The shape appearance of child objects + Izgled oblika objekata potomaka @@ -6016,169 +6024,169 @@ Stvaranje zgrade prekinuto. Debljina krakova - + The base terrain of this site Osnovni teren ovog gradilišta - + The street and house number of this site, with postal box or apartment number if needed Ulica i kućni broj ovog gradilišta, ako je potrebno sa brojem poštanskog sandučića ili apartmana - + The postal or zip code of this site Poštansku adresu ili poštanski broj ovog gradilišta - + The city of this site Grad ovog gradilišta - + The region, province or county of this site Regija, pokrajina ili okrug ovog mjesta - + The country of this site Zemlja ovog mjesta - + The latitude of this site Zemljopisna širina ovog mjesta - + Angle between the true North and the North direction in this document Kut između zemljopisnog sjevera i smjera sjever u ovom dokumentu - + The elevation of level 0 of this site Nadmorska visina ovog mjesta - + A URL that shows this site in a mapping website 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 - + The perimeter length of the projected area Duljina opsega projiciranog područja - + The volume of earth to be added to this terrain Volumen zemlje koja će biti dodana ovom terenu - + The volume of earth to be removed from this terrain Volumen zemlje koja će biti uklonjena sa ovog terena - + An extrusion vector to use when performing boolean operations Vektor istiskavanja koji se koristi kod booleovih operacija - + Remove splitters from the resulting shape Ukloni procijepe iz stvorenog oblika - + An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates Opcionalni pomak između ishodišta modela (0,0,0) i mjesta označenog na geo-koordinatama - + The type of this object Tip ovog objekta - + The time zone where this site is located Vremenska zona u kojoj se nalazi ovo mjesto - + An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one Neobvezna EPW datoteka za lokaciju ove web stranice. Pogledajte dokumentaciju web mjesta kako biste saznali kako je dobiti - + Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module Prikaži dijagram wind rose ili ne. Koristi solarnu ljestvicu dijagrama. Potreban je modul Ladybug - + Show solar diagram or not Prikaži ili nemoj prikazati solarni diagram - + The scale of the solar diagram Skala solarnog diagrama - + The position of the solar diagram Pozicija solarnog diagrama - + The color of the solar diagram Boja solarnog diagrama - + When set to 'True North' the whole geometry will be rotated to match the true north of this site Kada je postavljeno na "True North", cijela će se geometrija zakrenuti tako da odgovara pravom sjeveru ovog terena - + Show compass or not Pokaži kompas ili ne - + The rotation of the Compass relative to the Site Rotacija Kompasa u odnosu na Položaj - + The position of the Compass relative to the Site placement Rotacija Kompasa u odnosu na Položaj mjesta - + Update the Declination value based on the compass rotation Ažurirajte vrijednost odstupanja na temelju rotacije kompasa @@ -7145,7 +7153,7 @@ Stvaranje zgrade prekinuto. Input are index numbers of edges of Base ArchSketch/Sketch geometries (in Edit mode). Selected edges are used to create the shape of this Arch Curtain Wall (instead of using all edges by default). [ENHANCED by ArchSketch] GUI 'Edit Curtain Wall' Tool is provided in external Add-on ('SketchArch') to let users to select the edges interactively. 'Toponaming-Tolerant' if ArchSketch is used in Base (and SketchArch Add-on is installed). Warning : Not 'Toponaming-Tolerant' if just Sketch is used. Property is ignored if Base ArchSketch provided the selected edges. - Input are index numbers of edges of Base ArchSketch/Sketch geometries (in Edit mode). Selected edges are used to create the shape of this Arch Curtain Wall (instead of using all edges by default). [ENHANCED by ArchSketch] GUI 'Edit Curtain Wall' Tool is provided in external Add-on ('SketchArch') to let users to select the edges interactively. 'Toponaming-Tolerant' if ArchSketch is used in Base (and SketchArch Add-on is installed). Warning : Not 'Toponaming-Tolerant' if just Sketch is used. Property is ignored if Base ArchSketch provided the selected edges. + Ulaz su brojevi indeksa rubova Base ArchSketch/Skica geometrija (u modu za uređivanje). Odabrani rubovi koriste se za stvaranje oblika ovog Visećeg vanjskog zida (umjesto da se prema zadanim postavkama koriste svi rubovi). [POBOLJŠANO ArchSketch -om] Alat GUI 'Edit Curtain Wall' dostupan je u vanjskom dodatku ('SketchArch') kako bi korisnicima omogućio interaktivni odabir rubova. 'Tolerantan prema nazivima' ako se ArchSketch koristi u Base-u (i instaliran je SketchArch dodatak). Upozorenje : Nije 'Tolerantno na topoimenovanje' ako se koristi samo Skica. Svojstvo se zanemaruje ako je Base ArchSketch daona korištenje odabrane rubove. @@ -7155,12 +7163,12 @@ Stvaranje zgrade prekinuto. The width of this pipe, if not based on a profile - The width of this pipe, if not based on a profile + Širina ove cijevi, ako se ne temelji na profilu The height of this pipe, if not based on a profile - The height of this pipe, if not based on a profile + Visina ove cijevi, ako se ne temelji na profilu @@ -7190,7 +7198,7 @@ Stvaranje zgrade prekinuto. If not based on a profile, this controls the profile of this pipe - If not based on a profile, this controls the profile of this pipe + Ako se ne temelji na profilu, ovo kontrolira profil ove cijevi @@ -7246,7 +7254,7 @@ Stvaranje zgrade prekinuto. The BIM Schedule that uses this spreadsheet - The BIM Schedule that uses this spreadsheet + Raspored BIM koji koristi ovu tablicu podataka @@ -7544,128 +7552,128 @@ Stvaranje zgrade prekinuto. - + The name of the font Ime pisma - + The size of the text font Veličina pisma teksta - + The objects that make the boundaries of this space object Predmeti koji čine granice ovog prostora - + Identical to Horizontal Area - Identical to Horizontal Area + Identično vodoravnom području - + The finishing of the floor of this space Završna obrada poda ovog prostora - + The finishing of the walls of this space Završna obrada zidova ovog prostora - + The finishing of the ceiling of this space Završna obrada stropa ovog prostora - + Objects that are included inside this space, such as furniture Objekti koji su uključeni u ovaj prostor, kao što su namještaj - + The type of this space Vrsta ovog prostora - + The thickness of the floor finish Debljina završne obrade poda - + The number of people who typically occupy this space Broj ljudi koji obično koriste ovaj prostor - + The electric power needed to light this space in Watts Električna energija potrebna za osvijetljene ovog prostora u vatima (Watts) - + The electric power needed by the equipment of this space in Watts Električna energija potrebna za opremu ovog prostora u vatima (Watts) - + If True, Equipment Power will be automatically filled by the equipment included in this space Ako je istina, snaga opreme biti će automatski ispunjena za opremu uključenu u ovaj prostor - + The type of air conditioning of this space Tip klima uređaja ovog prostora - + Specifies if this space is internal or external Određuje dali je ovaj prostor unutarnji ili vanjski - + Defines the calculation type for the horizontal area and its perimeter length - Defines the calculation type for the horizontal area and its perimeter length + Definira vrstu izračuna za vodoravno područje i njegovu duljinu perimetra - + The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data - The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data + Tekst za prikaz. Koristi $area, $label, $tag, $longname, $description, i za završnu obradu $floor, $walls, $ceiling za umetanje odgovarajućih podataka - + The color of the area text Boja područja teksta - + The size of the first line of text Veličina prvog reda teksta - + The space between the lines of text Razmak između redaka teksta - + The position of the text. Leave (0,0,0) for automatic position Položaj teksta. Ostavite (0,0,0) za automatsku poziciju - + The justification of the text Poravnavanje teksta - + The number of decimals to use for calculated texts Broj decimala koji se koristi kod teksta proračuna - + Show the unit suffix Pokaži dodatak mjerne jedinice (unit suffix) @@ -7693,32 +7701,32 @@ Stvaranje zgrade prekinuto. The width of this wall. Not used if this wall is based on a face. Disabled and ignored if Base object (ArchSketch) provides the information. - The width of this wall. Not used if this wall is based on a face. Disabled and ignored if Base object (ArchSketch) provides the information. + This overrides Width attribute to set width of each segment of wall. Disabled and ignored if Base object (ArchSketch) provides Widths information, with getWidths() method (If a value is zero, the value of 'Width' will be followed). [ENHANCEMENT by ArchSketch] GUI 'Edit Wall Segment Width' Tool is provided in external SketchArch Add-on to let users to set the values interactively. 'Toponaming-Tolerant' if ArchSketch is used in Base (and SketchArch Add-on is installed). Warning : Not 'Toponaming-Tolerant' if just Sketch is used. - This overrides Width attribute to set width of each segment of wall. Disabled and ignored if Base object (ArchSketch) provides Widths information, with getWidths() method (If a value is zero, the value of 'Width' will be followed). [ENHANCEMENT by ArchSketch] GUI 'Edit Wall Segment Width' Tool is provided in external SketchArch Add-on to let users to set the values interactively. 'Toponaming-Tolerant' if ArchSketch is used in Base (and SketchArch Add-on is installed). Warning : Not 'Toponaming-Tolerant' if just Sketch is used. + Ovo nadjačava atribut širine za postavljanje širine svakog segmenta zida. Onemogućeno i zanemareno ako osnovni objekt (ArchSketch) pruža informacije o širinama, s metodom getWidths() (ako je vrijednost nula, pratit će se vrijednost 'Širine'). [POBOLJŠANJE od strane ArchSketch] Alat GUI 'Edit Wall Segment Width' dostupan je u vanjskom SketchArch dodatku kako bi korisnicima omogućio interaktivno postavljanje vrijednosti. 'Tolerantan prema nazivima' ako se ArchSketch koristi u Base-u (i instaliran je SketchArch dodatak). Upozorenje : Nije 'Tolerantno na topoimenovanje' ako se koristi samo Skica. This overrides Align attribute to set align of each segment of wall. Disabled and ignored if Base object (ArchSketch) provides Aligns information, with getAligns() method (If a value is not 'Left, Right, Center', the value of 'Align' will be followed). [ENHANCEMENT by ArchSketch] GUI 'Edit Wall Segment Align' Tool is provided in external SketchArch Add-on to let users to set the values interactively. 'Toponaming-Tolerant' if ArchSketch is used in Base (and SketchArch Add-on is installed). Warning : Not 'Toponaming-Tolerant' if just Sketch is used. - This overrides Align attribute to set align of each segment of wall. Disabled and ignored if Base object (ArchSketch) provides Aligns information, with getAligns() method (If a value is not 'Left, Right, Center', the value of 'Align' will be followed). [ENHANCEMENT by ArchSketch] GUI 'Edit Wall Segment Align' Tool is provided in external SketchArch Add-on to let users to set the values interactively. 'Toponaming-Tolerant' if ArchSketch is used in Base (and SketchArch Add-on is installed). Warning : Not 'Toponaming-Tolerant' if just Sketch is used. + Ovo nadjačava atribut Poravnaj za postavljanje poravnanja svakog segmenta zida. Onemogućeno i ignorirano ako osnovni objekt (ArchSketch) pruža informacije o poravnanju, s metodom getAligns() (ako vrijednost nije 'Lijevo, desno, središte', slijedit će vrijednost 'Poravnaj'). [POBOLJŠANJE by ArchSketch] Alat GUI 'Edit Wall Segment Align' dostupan je u vanjskom SketchArch dodatku kako bi korisnicima omogućio interaktivno postavljanje vrijednosti. 'Tolerantan prema nazivima' ako se ArchSketch koristi u Base-u (i instaliran je SketchArch dodatak). Upozorenje : Nije 'Tolerantno na topoimenovanje' ako se koristi samo Skica. This overrides Offset attribute to set offset of each segment of wall. Disabled and ignored if Base object (ArchSketch) provides Offsets information, with getOffsets() method (If a value is zero, the value of 'Offset' will be followed). [ENHANCED by ArchSketch] GUI 'Edit Wall Segment Offset' Tool is provided in external Add-on ('SketchArch') to let users to select the edges interactively. 'Toponaming-Tolerant' if ArchSketch is used in Base (and SketchArch Add-on is installed). Warning : Not 'Toponaming-Tolerant' if just Sketch is used. Property is ignored if Base ArchSketch provided the selected edges. - This overrides Offset attribute to set offset of each segment of wall. Disabled and ignored if Base object (ArchSketch) provides Offsets information, with getOffsets() method (If a value is zero, the value of 'Offset' will be followed). [ENHANCED by ArchSketch] GUI 'Edit Wall Segment Offset' Tool is provided in external Add-on ('SketchArch') to let users to select the edges interactively. 'Toponaming-Tolerant' if ArchSketch is used in Base (and SketchArch Add-on is installed). Warning : Not 'Toponaming-Tolerant' if just Sketch is used. Property is ignored if Base ArchSketch provided the selected edges. + Ovo poništava atribut Pomak za postavljanje pomaka svakog segmenta zida. Onemogućeno i zanemareno ako Osnovni objekt (ArchSketch) pruža informacije o pomacima, s metodom getOffsets() (ako je vrijednost nula, pratit će se vrijednost 'Pomaka'). [POBOLJŠANO ArchSketchom] Alat GUI 'Edit Wall Segment Offset' dostupan je u vanjskom dodatku ('SketchArch') kako bi korisnicima omogućio interaktivni odabir rubova. 'Tolerantan prema nazivima' ako se ArchSketch koristi u Base-u (i instaliran je SketchArch dodatak). Upozorenje : Nije 'Tolerantno na topoimenovanje' ako se koristi samo Skica. Svojstvo se zanemaruje ako je Base ArchSketch dao odabrane rubove. The alignment of this wall on its base object, if applicable. Disabled and ignored if Base object (ArchSketch) provides the information. - The alignment of this wall on its base object, if applicable. Disabled and ignored if Base object (ArchSketch) provides the information. + Poravnanje ovog zida na njegovom osnovnom objektu, ako je primjenjivo. Onemogućeno i ignorirano ako osnovni objekt (ArchSketch) pruža informacije. The offset between this wall and its baseline (only for left and right alignments). Disabled and ignored if Base object (ArchSketch) provides the information. - The offset between this wall and its baseline (only for left and right alignments). Disabled and ignored if Base object (ArchSketch) provides the information. + Pomak između ovog zida i njegovog osnovnog pravca (samo za lijevo i desno poravnanje). Onemogućeno i ignorirano ako Base objekt (ArchSketch) pruža informacije. @@ -7763,7 +7771,7 @@ Stvaranje zgrade prekinuto. Use Base ArchSketch (if used) data (e.g. widths, aligns, offsets) instead of Wall's properties - Use Base ArchSketch (if used) data (e.g. widths, aligns, offsets) instead of Wall's properties + Koristite podatke Base ArchSketch (ako se koriste) (npr. širine, poravnanja, odmaci) umjesto svojstava zida @@ -7814,7 +7822,7 @@ Stvaranje zgrade prekinuto. Drafting tools - Drafting tools + Alati Nacrta @@ -7824,52 +7832,52 @@ Stvaranje zgrade prekinuto. 3D/BIM tools - 3D/BIM tools + alati 3D/BIM Annotation tools - Annotation tools + Alati napomena 2D modification tools - 2D modification tools + Alati 2D modifikacije Manage tools - Manage tools + Upravljanje alatima General modification tools - General modification tools + Opći alati modifikacija Object modification tools - Object modification tools + Objekt alati modifikacija 3D modification tools - 3D modification tools + 3D alati modifikacija &2D Drafting - &2D Drafting + &2D Izrada Nacrta &3D/BIM - &3D/BIM + &3D/BIM Reinforcement tools - Reinforcement tools + Alati za armiranje @@ -7879,32 +7887,32 @@ Stvaranje zgrade prekinuto. &Snapping - &Snapping + &Hvatanje &Modify - &Modify + &Promijeni &Manage - &Manage + &Upravljati &Flamingo - &Flamingo + &Flamingo &Fasteners - &Fasteners + &Elementi spajanja &Utils - &Utils + &Uslužni programi @@ -8128,7 +8136,7 @@ Stvaranje zgrade prekinuto. The sizes of rows - The sizes of rows + Veličina redaka @@ -8377,7 +8385,7 @@ Stvaranje zgrade prekinuto. Creates a building object. - Creates a building object. + Stvori objekt zgrade. @@ -8565,7 +8573,7 @@ Stvaranje zgrade prekinuto. Command - + Transform @@ -8577,7 +8585,7 @@ Stvaranje zgrade prekinuto. BIM - BIM + BIM @@ -8596,7 +8604,7 @@ Stvaranje zgrade prekinuto. Custom... - Custom... + Prilagođeno... @@ -8609,47 +8617,49 @@ Stvaranje zgrade prekinuto. Toggle report panels on/off (Ctrl+0) - Toggle report panels on/off (Ctrl+0) + Prebacuj ploče izvještaja na uključeno/isključeno (Ctrl+0) Toggle BIM views panel on/off (Ctrl+9) - Toggle BIM views panel on/off (Ctrl+9) + Prebacuj BIM ploču pogleda na uključeno/isključeno (Ctrl+9) Toggle 3D view background between simple and gradient - Toggle 3D view background between simple and gradient + Prebacuj 3D pozdinski pogled između jednostavno i nijansa The value of the nudge movement (rotation is always 45°).CTRL+arrows to move CTRL+, to rotate leftCTRL+. to rotate right CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch between auto and manual mode - The value of the nudge movement (rotation is always 45°).CTRL+arrows to move -CTRL+, to rotate leftCTRL+. to rotate right -CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch between auto and manual mode + Vrijednost koraka promjene (zakretanje je uvijek45°).Ctrl+strelice za pomjeranje +Ctrl+, za zakretanje lijevo Ctrl+. za zakretanje desno +Ctrl+PgUp za proširi izguravanje +Ctrl+PgDown za smanji izguravanje +Ctrl+/ za prebacivanje između auto i ručnog moda The BIM workbench is used to model buildings - The BIM workbench is used to model buildings + BIM radni prostor koristi se za modeliranje građevina BIM - BIM + BIM Snapping - Snapping + Hvatanje Box dimensions - Box dimensions + Dimenzije kutije @@ -8678,86 +8688,86 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Searches classes - Searches classes + Pretražuje razrede Editing - Editing + Uređivanje The document currently viewed must be your main one. The other contains newer objects that you wish to merge into this one. Make sure only the objects you wish to compare are visible in both. Proceed? - The document currently viewed must be your main one. The other contains newer objects that you wish to merge into this one. Make sure only the objects you wish to compare are visible in both. Proceed? + Dokument koji se trenutno pregledava mora biti vaš glavni. Drugi sadrži novije objekte koje želite spojiti u ovaj. Budite sigurni da su samo objekti koje želite usporediti vidljivi u oba. Nastavite? objects still have the same shape but have a different material. Do you wish to update them in the main document? - objects still have the same shape but have a different material. Do you wish to update them in the main document? + predmeti još imaju isti oblik, ali imaju drugačiji materijal. Želite li ih ažurirati u glavnom dokumentu? objects have no IFC ID in the main document, but an identical object with an ID exists in the new document. Transfer these IDs to the original objects? - objects have no IFC ID in the main document, but an identical object with an ID exists in the new document. Transfer these IDs to the original objects? + objekti u glavnom dokumentu nemaju IFC ID, ali identičan objekt s ID-om postoji u novom dokumentu. Prenijeti ove ID-ove u originalne objekte? objects had their name changed. Rename them? - objects had their name changed. Rename them? + predmeti su promijenili ime. Preimenovati ih? objects had their properties changed. Update? - objects had their properties changed. Update? + predmeti su promijenili svoja svojstva. Ažuriranje? objects have their location changed. Move them to their new position? - objects have their location changed. Move them to their new position? + predmeti su promijenili svoju lokaciju. Premjestiti ih na novo mjesto? Do you wish to colorize the objects that have moved in yellow in the other file (to serve as a diff)? - Do you wish to colorize the objects that have moved in yellow in the other file (to serve as a diff)? + Želite li objekte koji su se premjestili obojati žutom bojom u drugoj datoteci (da posluže kao razlika)? Do you wish to colorize the objects that have been modified in orange in the other file (to serve as a diff)? - Do you wish to colorize the objects that have been modified in orange in the other file (to serve as a diff)? + Želite li u drugoj datoteci obojati objekte koji su modificirani narančastom bojom (kako bi poslužili kao razlika)? objects don't exist anymore in the new document. Move them to a 'To Delete' group? - objects don't exist anymore in the new document. Move them to a 'To Delete' group? + predmeti više ne postoje u novom dokumentu. Pomaknite ih u 'za brisanje' grupu? Do you wish to colorize the objects that have been removed in red in the other file (to serve as a diff)? - Do you wish to colorize the objects that have been removed in red in the other file (to serve as a diff)? + Želite li obojati crveno objekte koji su uklonjeni u drugoj datoteci (istaknuti razlike)? Do you wish to colorize the objects that have been added in green in the other file (to serve as a diff)? - Do you wish to colorize the objects that have been added in green in the other file (to serve as a diff)? + Želite li obojati u zeleno objekte koji su dodani u drugoj datoteci (istaknuti razlike)? You need two documents open to run this tool. One which is your main document, and one that contains new objects that you wish to compare against the existing one. Make sure only the objects you wish to compare in both documents are visible. - You need two documents open to run this tool. One which is your main document, and one that contains new objects that you wish to compare against the existing one. Make sure only the objects you wish to compare in both documents are visible. + Za pokretanje ovog alata potrebna su vam dva dokumenta. Jedan koji je vaš glavni dokument, i jedan koji sadrži nove objekte koje želite usporediti s postojećim. Provjerite da su vidljivi samo objekti koje želite usporediti u oba dokumenta. Create new material - Create new material + Stvorite novi materijal Create new multi-material - Create new multi-material + Stvorite novi višeslojni-materijal @@ -8780,26 +8790,26 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet IfcOpenShell was not found on this system. IFC support is disabled - IfcOpenShell was not found on this system. IFC support is disabled + IfcOpenShell nije pronađen na ovom sustavu. IFC podrška je onemogućena - + Objects structure - Objects structure + Struktura objekata - + Attribute - Attribute + Značajka - - + + Value Vrijednost - + Property Svojstva @@ -8811,17 +8821,17 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Open another IFC file... - Open another IFC file... + Otvori drugu IFC datoteku... Back - Back + Natrag Go back to last item selected - Go back to last item selected + Idi natrag na zadnje odabranu stavku @@ -8831,7 +8841,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Inserts the selected object and its children in the active document - Inserts the selected object and its children in the active document + Umeće odabrani objekt i njegove potomke u aktivni dokument @@ -8841,17 +8851,18 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Turn mesh display on/off - Turn mesh display on/off + Prikaz mreže uključeno/isključeno + Select an IFC file - Select an IFC file + Odaberite jednu IFC datoteku IFC files (*.ifc) - IFC files (*.ifc) + IFC datoteka (*.ifc) @@ -8859,20 +8870,25 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Datoteka nije pronađena - + IFC Explorer - IFC Explorer + IFC Pretraživač - + + IfcSite element was not found in %s. Unable to explore. + IfcSite element was not found in %s. Unable to explore. + + + Error in entity - Error in entity + Pogreška u entitetu Custom properties sets can be defined in - Custom properties sets can be defined in + Prilagođeni skupovi svojstava mogu se definirati u @@ -8892,17 +8908,17 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Search results - Search results + Rezultati pretraživanja Warning: object %1 has old-styled IfcProperties and cannot be updated - Warning: object %1 has old-styled IfcProperties and cannot be updated + Upozorenje: objekt %1 ima Ifc osobine starog stila i ne može se ažurirati Please select or create a property set first in which the new property should be placed. - Please select or create a property set first in which the new property should be placed. + Prvo odaberite ili izradite skup svojstava u koji bi trebalo biti postavljeno novo svojstvo. @@ -8912,7 +8928,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Property set name: - Property set name: + Naziv skupa svojstva: @@ -8922,12 +8938,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Horizontal Area - Horizontal Area + Vodoravno Područje Vertical Area - Vertical Area + Okomito Područje @@ -8937,27 +8953,27 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Cannot save quantities settings for object %1 - Cannot save quantities settings for object %1 + Nije moguće spremiti postavke količina za objekt %1 Select image - Select image + Odaberite sliku Image file (*.png *.jpg *.bmp) - Image file (*.png *.jpg *.bmp) + Datoteka slike (*.png *.jpg *.bmp) Warning: The new layer was added to the project - Warning: The new layer was added to the project + Upozorenje: Novi sloj je dodan u projekt There is no IFC project in this document - There is no IFC project in this document + U ovom dokumentu nema projekta IFC-a @@ -9005,134 +9021,134 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Novi Sloj - + Create Leader Stvori opisnu liniju - - + + Preview Pregled - - + + Options Mogućnosti Please save the working file before linking. - Please save the working file before linking. + Spremite radnu datoteku prije povezivanja. It is not possible to link because the main document is closed. - It is not possible to link because the main document is closed. + Nije moguće povezati jer je glavni dokument zatvoren. - + No structure in cache. Please refresh. - No structure in cache. Please refresh. + Nema strukture u predmemoriji. Molimo osvježite. - + It is not possible to insert this object because the document has been closed. - It is not possible to insert this object because the document has been closed. + Nije moguće umetnuti ovaj objekt jer je dokument zatvoren. - + Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed - Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed + Pogreška: SAT datoteke nije moguće uvoziti - CadExchanger addon mora biti instaliran - + Error: Unable to download - Error: Unable to download + Pogreška: Nije moguće preuzeti - + Insertion point - Insertion point + Točka umetanja - + Origin Ishodište - + Top left Gore lijevo - + Top center - Top center + Gore u sredini - + Top right Gore desno - + Middle left - Middle left + Sredina lijevo - + Middle center - Middle center + Sredina centrirano - + Middle right - Middle right + Sredina desno - + Bottom left Dolje lijevo - + Bottom center - Bottom center + Dolje u sredini - + Bottom right Dolje desno - + Cannot open URL - Cannot open URL + Ne mogu otvoriti URL - + Could not fetch library contents - Could not fetch library contents + Nije moguće dohvatiti sadržaj biblioteke - + No results fetched from online library - No results fetched from online library + Nema rezultata dohvaćenih iz online biblioteke - + Warning, this can take several minutes! - Warning, this can take several minutes! + Upozorenje, ovo može potrajati nekoliko minuta! Select material - Select material + Odaberite material @@ -9152,7 +9168,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Delete unused - Delete unused + Izbrišite nekorišteno @@ -9168,7 +9184,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Merge to... - Merge to... + Spoji sa... @@ -9180,53 +9196,53 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Merging duplicate material - Merging duplicate material + Spajanje dupliciranog materijala Unable to delete material - Unable to delete material + Nije moguće izbrisati materijal InList not empty - InList not empty + InList nije prazno Deleting unused material - Deleting unused material + Izbriši nekorišteni materijal Select material to merge to - Select material to merge to + Odaberite materijal za spajanje This material is used by: - This material is used by: + Ovaj materijal se koristi kod: Press to perform the test - Press to perform the test + Pritisnite za obavljanje testa Passed - Passed + Prošao This test has succeeded. - This test has succeeded. + Ovaj test je uspio. This test has failed. Press the button to know more - This test has failed. Press the button to know more + Ovaj test nije uspio. Pritisnite gumb da biste saznali više @@ -9236,157 +9252,157 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet ifcopenshell is not installed on your system or not available to FreeCAD. This library is responsible for IFC support in FreeCAD, and therefore IFC support is currently disabled. Check %1 to obtain more information. - ifcopenshell is not installed on your system or not available to FreeCAD. This library is responsible for IFC support in FreeCAD, and therefore IFC support is currently disabled. Check %1 to obtain more information. + ifcopenshell nije instaliran na vašem sustavu ili nije dostupan FreeCAD-u. Ova biblioteka je odgovorna za IFC podršku u FreeCAD-u, stoga je IFC podrška trenutno onemogućena. Provjerite %1 da biste dobili više informacija. The following types were not found in the project: - The following types were not found in the project: + Sljedeći tipovi nisu pronađeni u projektu: The following Building objects have been found to not be included in any Site. You can resolve the situation by creating a Site object, if none is present in your model, and drag and drop the Building objects into it in the tree view: - The following Building objects have been found to not be included in any Site. You can resolve the situation by creating a Site object, if none is present in your model, and drag and drop the Building objects into it in the tree view: + Nađeno je da sljedeći Građevinski objekti nisu uključeni ni u jednu parcelu. Možete riješiti situaciju tako što ćete stvoriti objekt Parcela, ako u vašem modelu nema nijedne, te Građevinski objekt povucite i ispustite u prikazu stabla: The following Building Storey (BuildingParts with their IFC role set as "Building Storey") objects have been found to not be included in any Building. You can resolve the situation by creating a Building object, if none is present in your model, and drag and drop the Building Storey objects into it in the tree view: - The following Building Storey (BuildingParts with their IFC role set as "Building Storey") objects have been found to not be included in any Building. You can resolve the situation by creating a Building object, if none is present in your model, and drag and drop the Building Storey objects into it in the tree view: + Sljedeći objekti etaže (BuildingParts with their IFC role set as "Building Storey"), pronađeni objekti nisu uključeni ni u jednu građevinu. Situaciju možete riješiti stvaranjem objekata Building (zgrada), ako ih u vašem modelu nema, povucite i ispustite objekte etaže (Building Storey) u prikazu stabla: The following BIM objects have been found to not be included in any Building Storey (BuildingParts with their IFC role set as "Building Storey"). You can resolve the situation by creating a Building Storey object, if none is present in your model, and drag and drop these objects into it in the tree view: - The following BIM objects have been found to not be included in any Building Storey (BuildingParts with their IFC role set as "Building Storey"). You can resolve the situation by creating a Building Storey object, if none is present in your model, and drag and drop these objects into it in the tree view: + Sljedeći BIM objekti nisu uključeni ni u jednu Building Storey (etažu) (BuildingParts with their IFC role set as Building Storey). Situaciju možete riješiti stvaranjem objekata Building Storey (etaža), ako ih u vašem modelu nema, povucite i ispustite ih u prikazu stabla: The following BIM objects have the "Undefined" type: - The following BIM objects have the "Undefined" type: + Sljedeći BIM objekti imaju vrstu "Nedefinirano": The following objects are not BIM objects: - The following objects are not BIM objects: + Sljedeći objekti nisu BIM objekti: The version of Ifcopenshell installed on your system could not be parsed - The version of Ifcopenshell installed on your system could not be parsed + Verzija Ifcopenshella instalirana na vašem sustavu nije se mogla analizirati The version of Ifcopenshell installed on your system will produce files with this schema version: - The version of Ifcopenshell installed on your system will produce files with this schema version: + Verzija ifcopenshell instalirane na vašem sustavu proizvest će datoteke s ovom verzijom sheme: You can turn these objects into BIM objects by using the Modify -> Add Component tool. - You can turn these objects into BIM objects by using the Modify -> Add Component tool. + Možete pretvoriti ove objekte u BIM objekte pomoću Modify -> Add Component alata. The following BIM objects have an invalid or non-solid geometry: - The following BIM objects have an invalid or non-solid geometry: + Sljedeći BIM objekti imaju neispravnu ili ne-čvrstu geometriju: The objects below have Length, Width or Height properties, but these properties won't be explicitly exported to IFC. This is not necessarily an issue, unless you specifically want these quantities to be exported: - The objects below have Length, Width or Height properties, but these properties won't be explicitly exported to IFC. This is not necessarily an issue, unless you specifically want these quantities to be exported: + Objekti ispod imaju svojstva dužine, širine ili visine, ali ta svojstva se eksplicitno ne izvoze u IFC. To nije nužno problem, osim ako posebno ne želite da se izvezu ove količine: To enable exporting of these quantities, use the IFC quantities manager tool located under menu Manage -> Manage IFC Quantities... - To enable exporting of these quantities, use the IFC quantities manager tool located under menu Manage -> Manage IFC Quantities... + Da biste omogućili izvoz tih količina, upotrijebite alat IFC Rukovatelj Količine koji se nalazi u izborniku Upravljati - Rukovanje IFC količinama... The objects below have a defined IFC type but do not have the associated common property set: - The objects below have a defined IFC type but do not have the associated common property set: + Objekti u nastavku imaju definirani tip IFC-a, ali nemaju pridruženi skupni skup svojstva: To add common property sets to these objects, use the IFC properties manager tool located under menu Manage -> Manage IFC Properties... - To add common property sets to these objects, use the IFC properties manager tool located under menu Manage -> Manage IFC Properties... + Da biste tim objektima dodali zajedničke skupove svojstava, upotrijebite alat za upravljanje svojstvima IFC-a smješten u izborniku Upravljati - Rukovanje IFC svojstvima... The objects below have a common property set but that property set doesn't contain all the needed properties: - The objects below have a common property set but that property set doesn't contain all the needed properties: + Objekti u nastavku imaju zajednički skup svojstava, ali taj skup svojstava ne sadrži sva potrebna svojstva: Verify which properties a certain property set must contain on %1 - Verify which properties a certain property set must contain on %1 + Provjerite koja svojstva određeni skup svojstava mora sadržavati na %1 To fix the property sets of these objects, use the IFC properties manager tool located under menu Manage -> Manage IFC Properties... - To fix the property sets of these objects, use the IFC properties manager tool located under menu Manage -> Manage IFC Properties... + Da biste popravili skupove svojstava ovih objekata, upotrijebite alat za upravljanje IFC svojstvima smješten u izborniku Upravljati - Rukovanje IFC svojstvima... The following BIM objects have no material attributed: - The following BIM objects have no material attributed: + Sljedeći BIM objekti nisu pripisani materijalu: The following BIM objects have no defined standard code: - The following BIM objects have no defined standard code: + Sljedeći BIM objekti nemaju definirani standardni kod: The following BIM objects are not extrusions: - The following BIM objects are not extrusions: + Sljedeći BIM objekti nisu istiskivanja: The following BIM objects are not standard cases: - The following BIM objects are not standard cases: + Sljedeći BIM objekti nisu standardni slučajevi: The objects below have lines smaller than 1/32 inch or 0.79 mm, which is the smallest line size that Revit accepts. These objects will be discarded when imported into Revit: - The objects below have lines smaller than 1/32 inch or 0.79 mm, which is the smallest line size that Revit accepts. These objects will be discarded when imported into Revit: + Objekti ispod imaju linije manje od 1/32 inča ili 0,79 mm, što je najmanja veličina linije koju Revit prihvaća. Ti će se objekti odbaciti kada se uvezu u Revit: An additional object, called "TinyLinesResult" has been added to this model, and selected. It contains all the tiny lines found, so you can inspect them and fix the needed objects. Be sure to delete the TinyLinesResult object when you are done! - An additional object, called "TinyLinesResult" has been added to this model, and selected. It contains all the tiny lines found, so you can inspect them and fix the needed objects. Be sure to delete the TinyLinesResult object when you are done! + Dodatni objekt, nazvan TinyLinesResult je dodan u ovaj model i odabran. Sadrži sve pronađene sitne crte, tako da ih možete pregledati i popraviti potrebne predmete. Obavezno obrišite objekt TinyLinesResult kada završite! Tip: The results are best viewed in Wireframe mode (menu Views -> Draw Style -> Wireframe) - Tip: The results are best viewed in Wireframe mode (menu Views -> Draw Style -> Wireframe) + Savjet: Rezultati se najbolje pregledavaju u načinu (Wireframe) žičana mreža (izbornik Pregled - Stil crtanja - Žičana mreža) No active document, aborting. - No active document, aborting. + Nema aktivnog dokumenta, prekidam. Building Layout - Building Layout + Izgled građevine Building Outline - Building Outline + Kontura građevine Building Label - Building Label + Oznaka građevine Vertical Axes - Vertical Axes + Okomite Osi Horizontal Axes - Horizontal Axes + Vodoravne Osi @@ -9401,12 +9417,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Level Axes - Level Axes + Osi Etaža New Group - New Group + Nova Grupa @@ -9416,87 +9432,87 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Preset name: - Preset name: + Zadano ime: User preset... - User preset... + Korisnički predložak... Save template file - Save template file + Spremi datoteku predloška Template saved successfully - Template saved successfully + Predložak uspješno spremljen Open template file - Open template file + Otvori datoteku predložka Template successfully loaded into current document - Template successfully loaded into current document + Predložak uspješno učitan u aktualni dokument Error: Please select exactly one base face - Error: Please select exactly one base face + Pogreška: odaberite točno jedno osnovno lice You must choose a group object before using this command - You must choose a group object before using this command + Prije korištenja ove naredbe morate odabrati osnovni objekt Some additional workbenches are not installed, that extend BIM functionality: - Some additional workbenches are not installed, that extend BIM functionality: + Neke dodatne radne površine koje proširuju BIM funkcionalnost nisu instalirane: You can install them from menu Tools -> Addon manager. - You can install them from menu Tools -> Addon manager. + Možete ih instalirati iz izbornika Alati - Upravitelj dodataka. Unit system updated for active document - Unit system updated for active document + Sustav mjernih jedinica ažuriran za aktivni dokument Unit system updated for all opened documents - Unit system updated for all opened documents + Sustav mjernih jedinica ažuriran za sve otvorene dokumente IfcOpenShell not found - IfcOpenShell not found + IfcOpenShell nije pronađen IfcOpenShell is needed to import and export IFC files. It appears to be missing on your system. Would you like to download and install it now? It will be installed in FreeCAD's Macros directory. - IfcOpenShell is needed to import and export IFC files. It appears to be missing on your system. Would you like to download and install it now? It will be installed in FreeCAD's Macros directory. + IfcOpenShell je potreban za uvoz i izvoz IFC datoteka. Čini se da nedostaje u vašem sustavu. Želite li ga sada preuzeti i instalirati? Instalirat će se u FreeCAD-ov direktorij Macros. Select a planar object - Select a planar object + Odaberite planarni objekt Slab - Slab + Ploča Select page template - Select page template + Odaberite predložak stranice @@ -9506,47 +9522,47 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Trash - Trash + Koš za smeće Unable to access the tutorial. Verify that you are online (This is needed only once). - Unable to access the tutorial. Verify that you are online (This is needed only once). + Nije moguće pristupiti vodiču. Provjerite jeste li na mreži (ovo je potrebno samo jednom). Downloading images... - Downloading images... + Preuzimanje slika... BIM Tutorial - step - BIM Tutorial - step + BIM Vježbe - korak Draft Clones are not supported yet! - Draft Clones are not supported yet! + Klonovi Nacrta još nisu podržani! The selected object is not a clone - The selected object is not a clone + Odabrani objekt nije klon Please select exactly one object - Please select exactly one object + Odaberite samo jedan objekt Add level - Add level + Dodaj kat Add proxy - Add proxy + Dodaj proxy @@ -9561,52 +9577,52 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Save view position - Save view position + Spremi položaj pogleda Creates a new level - Creates a new level + Napravi novi kat Creates a new Working Plane Proxy - Creates a new Working Plane Proxy + Napravi radnu Proxy ravninu Deletes the selected item - Deletes the selected item + Briše odabranu stavku Toggles selected items on/off - Toggles selected items on/off + Odabrane stavke uključene/isključene Turns all items off except the selected ones - Turns all items off except the selected ones + Isključuje sve stavke osim odabranih Saves the current camera position to the selected items - Saves the current camera position to the selected items + Sprema trenutni položaj kamere u odabrane stavke Renames the selected item - Renames the selected item + Preimenuje odabranu stavku 2D Views - 2D Views + 2D Pogledi Sheets - Sheets + Listovi @@ -9616,77 +9632,77 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet The active document is already an IFC document - The active document is already an IFC document + Aktivni dokument već je IFC dokument No changes to display. - No changes to display. + Nema promjena za prikaz. IfcOpenShell update - IfcOpenShell update + IfcOpenShell ažuriranja The update is installed in your FreeCAD's user directory and won't affect the rest of your system. - The update is installed in your FreeCAD's user directory and won't affect the rest of your system. + Ažuriranje je instalirano u korisničkom direktoriju vašeg FreeCAD-a i neće utjecati na ostatak vašeg sustava. An update to your installed IfcOpenShell version is available - An update to your installed IfcOpenShell version is available + Dostupno je ažuriranje vaše instalirane verzije IfcOpenShell Would you like to install that update? - Would you like to install that update? + Želite li instalirati ovo ažuriranje? Your version of IfcOpenShell is already up to date - Your version of IfcOpenShell is already up to date + Vaša verzija IfcOpenShell-a već je ažurirana No existing IfcOpenShell installation found on this system. - No existing IfcOpenShell installation found on this system. + Na ovom sustavu nije pronađena postojeća instalacija IfcOpenShell. Would you like to install the most recent version? - Would you like to install the most recent version? + Želite li instalirati najnoviju verziju? IfcOpenShell is not installed, and FreeCAD failed to find a suitable version to install. You can still install IfcOpenShell manually, visit https://wiki.freecad.org/IfcOpenShell for further instructions. - IfcOpenShell is not installed, and FreeCAD failed to find a suitable version to install. You can still install IfcOpenShell manually, visit https://wiki.freecad.org/IfcOpenShell for further instructions. + Ako IfcOpenShell nije instaliran, a FreeCAD nije uspio pronaći odgovarajuću verziju za instalaciju. Još uvijek možete ručno instalirati IfcOpenShell, posjetite https://wiki.freecad.org/IfcOpenShell za daljnje upute. IfcOpenShell update successfully installed. - IfcOpenShell update successfully installed. + Ažuriranje IfcOpenShell uspješno je instalirano. Unable to run pip. Please ensure pip is installed on your system. - Unable to run pip. Please ensure pip is installed on your system. + Nije moguće pokrenuti pip. Provjerite je li pip instaliran na vašem sustavu. Strict IFC mode is ON (all objects are IFC) - Strict IFC mode is ON (all objects are IFC) + Strogi IFC način rada je UKLJUČEN (svi objekti su IFC) Strict IFC mode is OFF (IFC and non-IFC objects allowed) - Strict IFC mode is OFF (IFC and non-IFC objects allowed) + Strogi IFC način rada je ISKLJUČEN (dopušteni IFC i ne-IFC objekti) No section view or Draft objects selected, or no page selected, or no page found in document - No section view or Draft objects selected, or no page selected, or no page found in document + Nije odabran prikaz odjeljka ili objekti Nacrta, ili nije odabrana stranica, ili nijedna stranica nije pronađena u dokumentu @@ -9694,7 +9710,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Generic 3D tools - Generic 3D tools + Generic 3D alat @@ -9703,7 +9719,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Reinforcement tools - Reinforcement tools + Alati za armiranje @@ -9711,12 +9727,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Toggle background - Toggle background + Pozadina uključena/isključena Toggles the background of the 3D view between simple and gradient - Toggles the background of the 3D view between simple and gradient + Prebacuje pozadinu 3D prikaza između jednostavne i gradijentne @@ -9729,7 +9745,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Creates a beam between two points - Creates a beam between two points + Napravi nosač (gredu) između dvije točke @@ -9742,7 +9758,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Graphically creates a generic box in the current document - Graphically creates a generic box in the current document + Grafički stvara opći okvir u trenutnom dokumentu @@ -9768,7 +9784,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Creates a Building Part object that represents a level. - Creates a Building Part object that represents a level. + Stvara objekt Komponenta građevine koji predstavlja kat. @@ -9776,12 +9792,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Manage classification... - Manage classification... + Rukovanje klasifikacijama... Manage how the different materials of this documents use classification systems - Manage how the different materials of this documents use classification systems + Rukovanje kako različiti materijali u ovim dokumentima koriste klasifikacijske sustave @@ -9794,7 +9810,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Clones selected objects to another location - Clones selected objects to another location + Klonira odabrane objekte na drugo mjesto @@ -9807,7 +9823,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Creates a column at a specified location - Creates a column at a specified location + Stvara stupac na navedenom mjestu @@ -9841,22 +9857,22 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Convert to BIM - Convert to BIM + Pretvori (konvertiraj) u BIM Converts any object to a BIM component - Converts any object to a BIM component + Pretvara bilo koji objekt u BIM komponentu Remove from group - Remove from group + Ukloni iz grupe Removes this object from its parent group - Removes this object from its parent group + Uklanja ovaj objekt iz njegove nadređene grupe @@ -9869,7 +9885,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Copies selected objects to another location - Copies selected objects to another location + Kopira odabrane objekte na drugo mjesto @@ -9882,7 +9898,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Make a difference between two shapes - Make a difference between two shapes + Napravite razliku između dva oblika @@ -9890,12 +9906,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet IFC Diff - IFC Diff + IFC razlika Shows the difference between two IFC-based documents - Shows the difference between two IFC-based documents + Prikazuje razliku između dva dokumenta utemeljena na IFC-u @@ -9903,12 +9919,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Aligned dimension - Aligned dimension + Podešena dimenzija Create an aligned dimension - Create an aligned dimension + Stvori jednu podešenu dimenziju @@ -9916,12 +9932,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Horizontal dimension - Horizontal dimension + Vodoravna dimenzija Create an horizontal dimension - Create an horizontal dimension + Stvori jednu vodoravnu dimenziju @@ -9929,12 +9945,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Vertical dimension - Vertical dimension + Okomita dimenzija Create a vertical dimension - Create a vertical dimension + Stvori jednu okomitu dimenziju @@ -9947,7 +9963,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Places a door at a given location - Places a door at a given location + Postavite vrata na određeno mjesto @@ -9956,13 +9972,13 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Clean Trash - Clean Trash + Očisti Smeće Deletes from the trash bin all objects that are not used by any other - Deletes from the trash bin all objects that are not used by any other + Izbriše iz kante za smeće sve predmete koje nitko drugi ne koristi @@ -9970,12 +9986,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet BIM Examples - BIM Examples + BIM Primjeri Download examples of BIM files made with FreeCAD - Download examples of BIM files made with FreeCAD + Preuzmite primjere BIM datoteka napravljenih s FreeCAD-om @@ -9988,7 +10004,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Extrudes a selected 2D shape - Extrudes a selected 2D shape + Istisnuti odabrani 2D oblik @@ -9996,7 +10012,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Select a section, post and path in exactly this order to build a fence. - Select a section, post and path in exactly this order to build a fence. + Odaberite odjeljak, stup i stazu točno ovim redoslijedom za izgradnju ograde. @@ -10017,12 +10033,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Glue - Glue + Ljepilo Joins selected shapes into one non-parametric shape - Joins selected shapes into one non-parametric shape + Spaja odabrane oblike u jedan ne-parametarski oblik @@ -10030,12 +10046,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet BIM Help - BIM Help + BIM Pomoć Opens the BIM help page on the FreeCAD documentation website - Opens the BIM help page on the FreeCAD documentation website + Otvara stranicu pomoći za BIM na mjestu web dokumentacije FreeCAD @@ -10043,12 +10059,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Manage IFC elements... - Manage IFC elements... + Rukovanje IFC elementima... Manage how the different elements of of your BIM project will be exported to IFC - Manage how the different elements of of your BIM project will be exported to IFC + Rukovanje kako će se različiti elementi vašeg BIM projekta izvesti u IFC @@ -10056,12 +10072,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet IFC explorer - IFC explorer + IFC pretraživač IFC explorer utility - IFC explorer utility + Uslužni programi IFC pretraživača @@ -10069,12 +10085,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Manage IFC properties... - Manage IFC properties... + Rukovanje IFC svojstvima... Manage the different IFC properties of your BIM objects - Manage the different IFC properties of your BIM objects + Rukovanje različitih IFC osobina vaših BIM objekata @@ -10082,12 +10098,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Manage IFC quantities... - Manage IFC quantities... + Rukovanje IFC količinama... Manage how the quantities of different elements of of your BIM project will be exported to IFC - Manage how the quantities of different elements of of your BIM project will be exported to IFC + Upravljajte načinom na koji će se količine različitih elemenata vašeg BIM projekta izvoziti u IFC @@ -10100,7 +10116,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Creates a plane from an image - Creates a plane from an image + Stvara ravninu iz jedne slike @@ -10113,7 +10129,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Set/modify the different layers of your BIM project - Set/modify the different layers of your BIM project + Postavite / prilagodite različite slojeve vašeg BIM projekta @@ -10126,7 +10142,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Creates a polyline with an arrow at its endpoint - Creates a polyline with an arrow at its endpoint + Stvara poliliniju sa strelicom na krajnjoj točki @@ -10134,12 +10150,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Objects library - Objects library + Biblioteka objekata Opens the objects library - Opens the objects library + Otvara Biblioteku objekata @@ -10152,7 +10168,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Sets or creates a material for selected objects - Sets or creates a material for selected objects + Postavlja ili stvara materijal za odabrane objekte @@ -10160,12 +10176,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Move view... - Move view... + Premjesti Pogled... Moves this view to an existing page - Moves this view to an existing page + Premješta ovaj prikaz na postojeću stranicu @@ -10173,7 +10189,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Nudge Switch - Nudge Switch + Prekidač koraka promjene @@ -10181,7 +10197,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Nudge Up - Nudge Up + Korak na gore @@ -10189,7 +10205,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Nudge Down - Nudge Down + Korak na dolje @@ -10197,7 +10213,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Nudge Left - Nudge Left + Korak na lijevo @@ -10205,7 +10221,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Nudge Right - Nudge Right + Korak na desno @@ -10213,7 +10229,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Nudge Extend - Nudge Extend + Proširi za korak @@ -10221,7 +10237,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Nudge Shrink - Nudge Shrink + Smanji za korak @@ -10229,7 +10245,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Nudge Rotate Left - Nudge Rotate Left + Zakreni za korak na lijevo @@ -10237,7 +10253,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Nudge Rotate Right - Nudge Rotate Right + Zakreni za korak na desno @@ -10258,12 +10274,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Preflight checks... - Preflight checks... + Radije provjeriti... Checks several characteristics of this model before exporting to IFC - Checks several characteristics of this model before exporting to IFC + Provjerava nekoliko karakteristika ovog modela prije izvoza u IFC @@ -10276,7 +10292,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Create an empty NativeIFC project - Create an empty NativeIFC project + Napravite prazan NativeIFC projekt @@ -10284,12 +10300,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Manage project... - Manage project... + Upravljanje projektom... Setup your BIM project - Setup your BIM project + Podesite svoj BIM projekt @@ -10297,12 +10313,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Reextrude - Reextrude + Reextrude (replika) Recreates an extruded Structure from a selected face - Recreates an extruded Structure from a selected face + Obnavlja ekstrudiranu (istisnutu) strukturu s odabranog lica @@ -10310,12 +10326,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Reorder children - Reorder children + Presloži objekte potomke Reorder children of selected object - Reorder children of selected object + Promijeni redoslijed potomaka odabranog objekta @@ -10323,12 +10339,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Reset colors - Reset colors + Resetiraj boje Resets the colors of this object from its cloned original - Resets the colors of this object from its cloned original + Poništava boje ovog objekta s njegovog kloniranog izvornika @@ -10336,12 +10352,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Rewire - Rewire + Ponovno ožičenje Recreates wires from selected objects - Recreates wires from selected objects + Ponovno stvara žice iz odabranih objekata @@ -10349,12 +10365,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet BIM Setup... - BIM Setup... + BIM Podešavanja... Set some common FreeCAD preferences for BIM workflow - Set some common FreeCAD preferences for BIM workflow + Postavite neke uobičajene FreeCAD postavke za BIM tijek rada @@ -10362,7 +10378,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Shape-based view - Shape-based view + Prikaz temeljen na obliku @@ -10391,12 +10407,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Sketch - Sketch + Skica Creates a new sketch in the current working plane - Creates a new sketch in the current working plane + Stvara novu skicu u trenutnoj radnoj ravnini @@ -10404,12 +10420,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Slab - Slab + Ploča Creates a slab from a planar shape - Creates a slab from a planar shape + Stvara ploču od planarnog oblika @@ -10422,7 +10438,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Creates a new TechDraw page from a template - Creates a new TechDraw page from a template + Stvara novu TechDraw stranicu iz predloška @@ -10435,7 +10451,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Creates a TechDraw view from a section plane or 2D objects - Creates a TechDraw view from a section plane or 2D objects + Stvara TechDraw pogled iz presječne ravnine ili 2D objekata @@ -10448,7 +10464,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Create a text in the current 3D view or TechDraw page - Create a text in the current 3D view or TechDraw page + Napravite tekst u trenutnom 3D prikazu ili TechDraw stranici @@ -10456,12 +10472,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Toggle bottom panels - Toggle bottom panels + Prikaži/sakrij donje ploče Toggle bottom dock panels on/off - Toggle bottom dock panels on/off + Prebaci ploče izvještaja uključeno/isključeno @@ -10469,12 +10485,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Move to Trash - Move to Trash + Premjesti u Smeće Moves the selected objects to the Trash folder - Moves the selected objects to the Trash folder + Premješta odabrane objekte u mapu Smeće @@ -10482,12 +10498,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet BIM Tutorial - BIM Tutorial + BIM Vježbe Starts or continues the BIM in-game tutorial - Starts or continues the BIM in-game tutorial + Pokreće ili nastavlja BIM in-game vodič @@ -10495,12 +10511,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Unclone - Unclone + Unclone (deklonirati) Makes a selected clone object independent from its original - Makes a selected clone object independent from its original + Napravi odabrani klonirani objekt neovisnim od izvornog objekta @@ -10508,12 +10524,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Views manager - Views manager + Rukovatelj pogleda Shows or hides the views manager - Shows or hides the views manager + Prikaži ili sakrij rukovatelj pogleda @@ -10521,12 +10537,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet BIM Welcome screen - BIM Welcome screen + BIM ekran dobrodošlice Show the BIM workbench welcome screen - Show the BIM workbench welcome screen + Prikaži BIM ekran dobrodošlice radne površine @@ -10534,12 +10550,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Manage doors and windows... - Manage doors and windows... + Rukovanje vratima i prozorima... Manage the different doors and windows of your BIM project - Manage the different doors and windows of your BIM project + Rukovanje različitim vratima i prozorima u BIM projektu @@ -10547,12 +10563,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Working Plane Front - Working Plane Front + Pročelje Radne ravnine Set the working plane to Front - Set the working plane to Front + Postavi Radnu ravninu na pročelje @@ -10560,12 +10576,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Working Plane Side - Working Plane Side + Radna ravnina sa strane Set the working plane to Side - Set the working plane to Side + Postavi Radnu ravninu na pogled sa strane @@ -10573,12 +10589,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Working Plane Top - Working Plane Top + Radna ravnina pogled odozgo Set the working plane to Top - Set the working plane to Top + Postavi Radnu ravninu na pogled odozgo @@ -10586,12 +10602,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Working Plane View - Working Plane View + Pogled na Radnu ravninu Aligns the view on the current item in BIM Views window or on the current working plane - Aligns the view on the current item in BIM Views window or on the current working plane + Poravnava pogled na trenutnu stavku u prozoru BIM Pogledi ili na trenutnoj radnoj ravnini @@ -10599,12 +10615,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Shows the current unsaved changes in the IFC file - Shows the current unsaved changes in the IFC file + Prikazuje trenutne nespremljene promjene u IFC datoteci IFC Diff... - IFC Diff... + IFC razlika... @@ -10612,12 +10628,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Expands the children of the selected objects or document - Expands the children of the selected objects or document + Proširuje potomke odabranih objekata ili dokumenta IFC Expand - IFC Expand + IFC proširiti @@ -10625,12 +10641,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Converts the active document to an IFC document - Converts the active document to an IFC document + Pretvara aktivni dokument u IFC dokument Convert document - Convert document + Pretvori dokument @@ -10638,12 +10654,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Converts the current selection to an IFC project - Converts the current selection to an IFC project + Pretvara trenutni odabir u IFC projekt Make IFC project - Make IFC project + Stvori IFC projekt @@ -10651,12 +10667,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Saves the current IFC document - Saves the current IFC document + Sprema trenutni IFC dokument Save IFC file - Save IFC file + Spremi IFC datoteku @@ -10664,12 +10680,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Saves the current IFC document as another file - Saves the current IFC document as another file + Sprema trenutni IFC dokument kao drugu datoteku Save IFC file as... - Save IFC file as... + Spremi IFC datoteku kao... @@ -10677,12 +10693,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Shows a dialog to update IfcOpenShell - Shows a dialog to update IfcOpenShell + Prikazuje dijaloški okvir za ažuriranje IfcOpenShell IfcOpenShell update - IfcOpenShell update + IfcOpenShell ažuriranja @@ -10690,7 +10706,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet IFC diff - IFC diff + IFC razlika @@ -10698,32 +10714,32 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet BIM Setup - BIM Setup + BIM Podešavanja This dialog will help you to set FreeCAD up for efficient BIM workflow by setting a couple of typical FreeCAD options. This dialog can be accessed again anytime from menu Manage -> Setup, and more options are available under menu Edit -> Preferences. - This dialog will help you to set FreeCAD up for efficient BIM workflow by setting a couple of typical FreeCAD options. This dialog can be accessed again anytime from menu Manage -> Setup, and more options are available under menu Edit -> Preferences. + Ovaj će vam dijalog pomoći da postavite FreeCAD za učinkovit BIM tijek rada postavljanjem nekoliko tipičnih opcija FreeCAD-a. Ovom dijaloškom okviru može se ponovno pristupiti bilo kada u izborniku Upravljati - Podešavanje i dodatne mogućnosti dostupne su u izborniku Uredi - Postavke. Hover your mouse on each setting for additional info. - Hover your mouse on each setting for additional info. + Zadržite miša na svakoj postavci za dodatne informacije. Preferred working units - Preferred working units + Preferirane radne mjerne jedinice Default size of a grid square - Default size of a grid square + Zadana veličina kvadrata rešetke Main grid line every - Main grid line every + Glavna linija svakih @@ -10735,12 +10751,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Default text size - Default text size + Zadana veličina teksta Default dimension style - Default dimension style + Zadani stil dimenzije @@ -10750,27 +10766,27 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Open a new document at startup - Open a new document at startup + Otvori novi dokument kod pokretanja Default line width - Default line width + Zadana širina linije <html><head/><body><p>Your name (optional). You can also add your email like this: John Doe &lt;john@doe.com&gt;. Location in preferences: <span style=" font-weight:600;">General &gt; Document &gt; Author name</span></p></body></html> - <html><head/><body><p>Your name (optional). You can also add your email like this: John Doe &lt;john@doe.com&gt;. Location in preferences: <span style=" font-weight:600;">General &gt; Document &gt; Author name</span></p></body></html> + <html><head/><body><p>Vaše ime (nije obavezno). Možete dodati i svoju e-poštu ovako: John Doe &lt;john@doe.com&gt;. Lokacija u postavkama: <span style=" font-weight:600;">General &gt; Document &gt; Ime Autora</span></p></body></html> Number of backup files - Number of backup files + Broj spremljenih (backup) datoteka <html><head/><body><p>Default line width. Location in preferences: <span style=" font-weight:600;">Display &gt; Part colors &gt; Default line width, Draft &gt; Visual settings &gt; Default line width</span></p></body></html> - <html><head/><body><p>Default line width. Location in preferences: <span style=" font-weight:600;">Display &gt; Part colors &gt; Default line width, Draft &gt; Visual settings &gt; Default line width</span></p></body></html> + <html><head/><body><p>Zadana širina linije. Lokacija u postavkama: <span style=" font-weight:600;">Prikaz &gt; Boje dijelova &gt; Zadana širina linije, Nacrt &gt; Vizualne postavke &gt; Zadana širina linije</span></p></body></html> @@ -10780,12 +10796,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Default font - Default font + Zadani font (pismo) Auto (continuously adapts to the current view) - Auto (continuously adapts to the current view) + Automatski (kontinuirano se prilagođava trenutnom prikazu) @@ -10805,32 +10821,32 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Default grid position - Default grid position + Zadani položaj mreže <html><head/><body><p>The number of decimals you wish to see used in the interface controls and measurements. Location in preferences: <span style=" font-weight:600;">General &gt; Units &gt; Number of decimals</span></p></body></html> - <html><head/><body><p>The number of decimals you wish to see used in the interface controls and measurements. Location in preferences: <span style=" font-weight:600;">General &gt; Units &gt; Number of decimals</span></p></body></html> + <html><head/><body><p>Broj decimala koji želite da se koristi u kontrolama i mjerenjima sučelja. Lokacija u postavkama: <span style=" font-weight:600;">Općenito &gt; Jedinice &gt; Broj decimala</span></p></body></html> <html><head/><body><p>Default font. Location in preferences: <span style=" font-weight:600;">Draft &gt; Texts and dimensions &gt; Font family, TechDraw &gt; TechDraw 1 &gt; Label Font</span></p></body></html> - <html><head/><body><p>Default font. Location in preferences: <span style=" font-weight:600;">Draft &gt; Texts and dimensions &gt; Font family, TechDraw &gt; TechDraw 1 &gt; Label Font</span></p></body></html> + <html><head/><body><p>Zadani font. Lokacija u postavkama: <span style=" font-weight:600;">Skica &gt; Tekstovi i dimenzije &gt; Obitelj fontova, TehnCrtanje &gt; TehnCrtanje 1 &gt; Font oznake</span></p></body></html> <html><head/><body><p>Default dimension arrow size. Location in preferences: <span style=" font-weight:600;">TechDraw &gt; TechDraw 2 &gt; Arrow size, Draft &gt; Texts and dimensions &gt; Arrow size</span></p></body></html> - <html><head/><body><p>Default dimension arrow size. Location in preferences: <span style=" font-weight:600;">TechDraw &gt; TechDraw 2 &gt; Arrow size, Draft &gt; Texts and dimensions &gt; Arrow size</span></p></body></html> + <html><head/><body><p>Zadana veličina strelice dimenzije. Lokacija u postavkama: <span style=" font-weight:600;">TehnCrtanje &gt; TehnCrtanje 2 &gt; Veličina strelice, Nacrt &gt; Tekstovi i dimenzije &gt; Veličina strelice</span></p></body></html> <html><head/><body><p>Default dimension style. Location in preferences: <span style=" font-weight:600;">Draft &gt; Texts and dimensions &gt; Arrow style, TechDraw &gt; TechDraw 2 &gt; Arrow Style</span></p></body></html> - <html><head/><body><p>Default dimension style. Location in preferences: <span style=" font-weight:600;">Draft &gt; Texts and dimensions &gt; Arrow style, TechDraw &gt; TechDraw 2 &gt; Arrow Style</span></p></body></html> + <html><head/><body><p>Zadani stil dimenzija. Lokacija u postavkama: <span style=" font-weight:600;">Skica &gt; Tekstovi i dimenzije &gt; Stil strelice, TehnCrtanje &gt; TehnCrtanje 2 &gt; Stil strelice</span></p></body></html> dot - dot + točka @@ -10840,177 +10856,177 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet slash - slash + kosa crta thick slash - thick slash + debela kosa crta Default author for new files - Default author for new files + Zadani autor za nove datoteke <html><head/><body><p>How many small squares between each main line of the grid. Location in preferences: <span style=" font-weight:600;">Draft &gt; Grid and snapping &gt; Main line every</span></p></body></html> - <html><head/><body><p>How many small squares between each main line of the grid. Location in preferences: <span style=" font-weight:600;">Draft &gt; Grid and snapping &gt; Main line every</span></p></body></html> + <html><head/><body><p>Koliko ima malih kvadratića između svake glavne linije rešetke. Lokacija u postavkama: <span style=" font-weight:600;">Skica &gt; Mreža i hvatanje &gt; Glavna linija svakih</span></p></body></html> <html><head/><body><p>The unit you prefer to work with, that will be used everywhere: in dialogs, measurements and dimensions. However, you can enter any other unit anytime. For example, if you configured FreeCAD to work in millimeters, you can still enter measures as &quot;10m&quot; or &quot;5ft&quot;. You can also change the default unit system anytime without causing any modification to your model. Location in preferences: <span style=" font-weight:600;">General &gt; Default unit system</span></p></body></html> - <html><head/><body><p>The unit you prefer to work with, that will be used everywhere: in dialogs, measurements and dimensions. However, you can enter any other unit anytime. For example, if you configured FreeCAD to work in millimeters, you can still enter measures as &quot;10m&quot; or &quot;5ft&quot;. You can also change the default unit system anytime without causing any modification to your model. Location in preferences: <span style=" font-weight:600;">General &gt; Default unit system</span></p></body></html> + <html><head/><body><p>Jedinica s kojom želite raditi, koja će se koristiti posvuda: u dijalozima, mjerenjima i dimenzijama. Međutim, možete unijeti bilo koju drugu jedinicu bilo kada. Na primjer, ako ste konfigurirali FreeCAD da radi u milimetrima, još uvijek možete unijeti mjere kao &quot;10m&quot; ili &quot;5ft&quot;. Također možete promijeniti zadani sustav jedinica u bilo kojem trenutku bez ikakvih izmjena na vašem modelu. Lokacija u postavkama: <span style=" font-weight:600;">Općenito &gt; Zadani sustav jedinica</span></p></body></html> square(s) - square(s) + kvadrat(i) <html><head/><body><p>The number of backup files to keep when saving a file. Location in preferences: <span style=" font-weight:600;">General &gt; Document &gt; Maximum number of backup files</span></p></body></html> - <html><head/><body><p>The number of backup files to keep when saving a file. Location in preferences: <span style=" font-weight:600;">General &gt; Document &gt; Maximum number of backup files</span></p></body></html> + <html><head/><body><p>Broj datoteka sigurnosne kopije koje treba zadržati prilikom spremanja datoteke. Lokacija u postavkama: <span style=" font-weight:600;">Općenito &gt; Dokument &gt; Maksimalan broj datoteka sigurnosne kopije</span></p></body></html> <html><head/><body><p>Optional license you wish to use for new files. Keep &quot;All rights reserved&quot; if you don't wish to use any particular license. Location in preferences: <span style=" font-weight:600;">General &gt; Document &gt; Default license</span></p></body></html> - <html><head/><body><p>Optional license you wish to use for new files. Keep &quot;All rights reserved&quot; if you don't wish to use any particular license. Location in preferences: <span style=" font-weight:600;">General &gt; Document &gt; Default license</span></p></body></html> + <html><head/><body><p>Neobavezna licenca koju želite koristiti za nove datoteke. Zadrži &quot;Sva prava pridržana&quot; ako ne želite koristiti nikakvu određenu licencu. Lokacija u postavkama: <span style=" font-weight:600;">Općenito &gt; Dokument &gt; Zadana licenca</span></p></body></html> All rights reserved (no specific license) - All rights reserved (no specific license) + Sva prava zadržana (nema posebne licence) millimeters - millimeters + milimetara centimeters - centimeters + centimetara meters - meters + metara inches - inches + inča feet - feet + stopa architectural - architectural + arhitekturalno Default license for new files - Default license for new files + Zadana licenca za nove datoteke <html><head/><body><p>This is the size of the smallest square of the grid. Location in preferences: <span style=" font-weight:600;">Draft &gt; Grid and snapping &gt; Grid spacing</span></p></body></html> - <html><head/><body><p>This is the size of the smallest square of the grid. Location in preferences: <span style=" font-weight:600;">Draft &gt; Grid and snapping &gt; Grid spacing</span></p></body></html> + <html><head/><body><p>Ovo je veličina najmanjeg kvadrata rešetke. Lokacija u postavkama: <span style=" font-weight:600;">Skica &gt; Mreža i hvatanje &gt; Razmak mreže</span></p></body></html> <html><head/><body><p>The default color of construction geometry. Location in preferences: <span style=" font-weight:600;">Draft &gt; General &gt; Construction geometry color</span></p></body></html> - <html><head/><body><p>The default color of construction geometry. Location in preferences: <span style=" font-weight:600;">Draft &gt; General &gt; Construction geometry color</span></p></body></html> + <html><head/><body><p>Zadana boja konstrukcijske geometrije. Lokacija u postavkama: <span style=" font-weight:600;">Skica &gt; Općenito &gt; Boja konstrukcijske geometrije</span></p></body></html> <html><head/><body><p>The default color for helper objects such as grids and axes. Location in preferences: <span style=" font-weight:600;">BIM &gt; Defaults &gt; Helpers</span></p></body></html> - <html><head/><body><p>The default color for helper objects such as grids and axes. Location in preferences: <span style=" font-weight:600;">BIM &gt; Defaults &gt; Helpers</span></p></body></html> + <html><head/><body><p>Zadana boja za pomoćne objekte kao što su mreže i osi. Lokacija u postavkama: <span style=" font-weight:600;">BIM &gt; Zadane postavke &gt; Pomoćnici</span></p></body></html> Plain background: - Plain background: + Jednobojna pozadina: <html><head/><body><p>The default size of texts and dimension texts. Location in preferences: <span style=" font-weight:600;">Draft &gt; Texts and dimensions &gt; Font size, TechDraw &gt; TechDraw 2 &gt; Font size</span></p></body></html> - <html><head/><body><p>The default size of texts and dimension texts. Location in preferences: <span style=" font-weight:600;">Draft &gt; Texts and dimensions &gt; Font size, TechDraw &gt; TechDraw 2 &gt; Font size</span></p></body></html> + <html><head/><body><p>Zadana veličina tekstova i tekstova dimenzija. Lokacija u postavkama: <span style=" font-weight:600;">Skica &gt; Tekstovi i dimenzije &gt; Veličina fonta, TehnCrtanje &gt; TehnCrtanje 2 &gt; Veličina fonta</span></p></body></html> Default dimension arrow size - Default dimension arrow size + Zadana veličina strelice dimenzije Missing Workbenches - Missing Workbenches + Nedostaju radne površine Fill with default values - Fill with default values + Ispuni sa zadanim vrijednostima Choose one of the presets in this list to fill all the settings below with predetermined values. Then, adjust to your likings - Choose one of the presets in this list to fill all the settings below with predetermined values. Then, adjust to your likings + Odaberite jednu od unaprijed postavljenih postavki na ovom popisu da biste sve postavke u nastavku ispunili unaprijed određenim vrijednostima. Zatim prilagodite svojim željama Choose your preferred working unit... - Choose your preferred working unit... + Odaberite željenu radnu jedinicu... Centimeters - Centimeters + Centimetara Meters - Meters + Metara US / Imperial - US / Imperial + US / Imperial Default camera altitude - Default camera altitude + Zadana visina kamere This is the altitude of the camera when you create a blank file. Good values are between 5 (view a few centimeters wide) and 5000 (view a few meters wide) - This is the altitude of the camera when you create a blank file. Good values are between 5 (view a few centimeters wide) and 5000 (view a few meters wide) + Ovo je visina kamere kada stvorite praznu datoteku. Dobre vrijednosti su između 5 (pogled širok nekoliko centimetara) i 5000 (pogled širok nekoliko metara) <html><head/><body><p>Check this to make FreeCAD start with a new blank document. Location in preferences: <span style=" font-weight:600;">General &gt; Document &gt; Create new document at startup</span></p></body></html> - <html><head/><body><p>Check this to make FreeCAD start with a new blank document. Location in preferences: <span style=" font-weight:600;">General &gt; Document &gt; Create new document at startup</span></p></body></html> + <html><head/><body><p>Označite to kako biste FreeCAD započeli s novim praznim dokumentom. Lokacija u postavkama:<span style=" font-weight:600;">Općenito &gt; Dokument &gt; Stvaranje novog dokumenta prilikom pokretanja</span></p></body></html> <html><head/><body><p>The default color of faces in the 3D view. Location in preferences: <span style=" font-weight:600;">Display &gt; Part Color &gt; Default shape color</span></p></body></html> - <html><head/><body><p>The default color of faces in the 3D view. Location in preferences: <span style=" font-weight:600;">Display &gt; Part Color &gt; Default shape color</span></p></body></html> + <html><head/><body><p>;Zadana boja lica 3D prikaza. Lokacija u postavkama: <span style=" font-weight:600;">Prikaz &gt; Boje objekta&gt; Zadana boja objekta</span></p></body></html> Construction: - Construction: + Konstrukcija: Helpers: - Helpers: + Pomagači: @@ -11020,42 +11036,42 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Lines: - Lines: + Linije: <html><head/><body><p>The default color of lines in the 3D view. Location in preferences: <span style=" font-weight:600;">Display &gt; Part Colors &gt; Default line color, Draft &gt; Visual settings &gt; Default line color</span></p></body></html> - <html><head/><body><p>The default color of lines in the 3D view. Location in preferences: <span style=" font-weight:600;">Display &gt; Part Colors &gt; Default line color, Draft &gt; Visual settings &gt; Default line color</span></p></body></html> + <html><head/><body><p>Zadana boja linija 3D prikaza. Lokacija u postavkama: <span style=" font-weight:600;">Prikaz &gt; Boje objekta &gt; Zadana boja linije, Nacrt &gt; Vizualne postavke &gt; Zadana boja linije</span></p></body></html> Gradient top: - Gradient top: + Gradient gornji: <html><head/><body><p>The top color of the 3D view background gradient. Location in preferences: <span style=" font-weight:600;">Display &gt; Colors &gt; Color gradient</span></p></body></html> - <html><head/><body><p>The top color of the 3D view background gradient. Location in preferences: <span style=" font-weight:600;">Display &gt; Colors &gt; Color gradient</span></p></body></html> + <html><head/><body><p>Gornja boja gradijenta pozadine 3D prikaza. Lokacija u postavkama: <span style=" font-weight:600;">Prikaz &gt; Boje &gt; Gradient boje</span></p></body></html> Gradient bottom: - Gradient bottom: + Gradient donji: <html><head/><body><p>The bottom color of the 3D view background gradient. Location in preferences: <span style=" font-weight:600;">Display &gt; Colors &gt; Color gradient</span></p></body></html> - <html><head/><body><p>The bottom color of the 3D view background gradient. Location in preferences: <span style=" font-weight:600;">Display &gt; Colors &gt; Color gradient</span></p></body></html> + <html><head/><body><p>Donja boja gradijenta pozadine 3D prikaza. Lokacija u postavkama: <span style=" font-weight:600;">Prikaz &gt; Boje &gt; Gradijent boje</span></p></body></html> <html><head/><body><p>Where the grid appears at FreeCAD startup. Location in preferences: <span style=" font-weight:600;">Draft &gt; General &gt; Default working plane</span></p></body></html> - <html><head/><body><p>Where the grid appears at FreeCAD startup. Location in preferences: <span style=" font-weight:600;">Draft &gt; General &gt; Default working plane</span></p></body></html> + <html><head/><body><p>Gdje se mreža pojavljuje pri pokretanju FreeCAD-a. Lokacija u postavkama: <span style=" font-weight:600;">Skica &gt; Općenito &gt; Zadana radna ravnina</span></p></body></html> <html><head/><body><p><b>Tip</b>: You are currently using FreeCAD version %1. Consider using the <a href="https://github.com/FreeCAD/FreeCAD/releases"><span style=" text-decoration: underline; color:#0000ff;">latest development version %2</span></a>, which brings all the latest improvements to FreeCAD.</p></body></html> - <html><head/><body><p><b>Tip</b>: You are currently using FreeCAD version %1. Consider using the <a href="https://github.com/FreeCAD/FreeCAD/releases"><span style=" text-decoration: underline; color:#0000ff;">latest development version %2</span></a>, which brings all the latest improvements to FreeCAD.</p></body></html> + <html><head/><body><p><b>Savjet</b>: Trenutno koristite FreeCAD verziju %1. Razmislite o upotrebi <a href="https://github.com/FreeCAD/FreeCAD/releases"><span style=" text-decoration: underline; color:#0000ff;">najnovije razvojne verzije %2</span> </a>, koji donosi sva najnovija poboljšanja FreeCAD-a.</p></body></html> @@ -11065,32 +11081,32 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet The background color when switched to simple color - The background color when switched to simple color + Boja pozadine kada se prebaci na jednostavnu boju The color to use for texts and dimensions - The color to use for texts and dimensions + Boja koja se koristi za tekst i dimenzije 3D view background - 3D view background + 3D Pogled, boja pozadine Geometry color - Geometry color + Boja geometrije <html><head/><body><p><span style=" font-weight:600;">Tip</span>: You might also want to set the appropriate snapping modes on the Snapping toolbar. Enabling only the snap positions that you need will make drawing in FreeCAD considerably faster.</p></body></html> - <html><head/><body><p><span style=" font-weight:600;">Tip</span>: You might also want to set the appropriate snapping modes on the Snapping toolbar. Enabling only the snap positions that you need will make drawing in FreeCAD considerably faster.</p></body></html> + <html><head/><body><p><span style=" font-weight:600;">Tip</span>: Možda biste željeli postaviti i odgovarajuće načine hvata nja alatnoj traci Privuci na. Omogućivanje samo potrebnih položaja za hvatanje znatno će ubrzati crtanje u FreeCAD-u.</p></body></html> <b>IfcOpenShell</b> is missing on your system. IfcOpenShell is needed to import or export IFC files to/from FreeCAD. Check <a href="https://www.freecadweb.org/wiki/Arch_IFC">this wiki page</a> to know more, or <a href="#install">download and install it</a> directly.</p> - <b>IfcOpenShell</b> is missing on your system. IfcOpenShell is needed to import or export IFC files to/from FreeCAD. Check <a href="https://www.freecadweb.org/wiki/Arch_IFC">this wiki page</a> to know more, or <a href="#install">download and install it</a> directly.</p> + <b>IfcOpenShell</b> nedostaje na vašem sustavu. IfcOpenShell je potreban za uvoz ili izvoz IFC datoteka u/iz FreeCAD-a. Provjerite <a href="https://www.freecadweb.org/wiki/Arch_IFC">ovu wiki stranicu</a> da biste saznali više ili je <a href="#install">preuzmite i instalirajte</a> izravno.</p> @@ -11098,12 +11114,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Remove Shape from BIM - Remove Shape from BIM + Ukloni Oblik iz BIM Removes cubic shapes from BIM components - Removes cubic shapes from BIM components + Uklanja kubične oblike iz BIM komponenti @@ -11111,12 +11127,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Toggle IFC B-rep flag - Toggle IFC B-rep flag + Uključi/isključi IFC B-rep oznaku Force an object to be exported as B-rep or not - Force an object to be exported as B-rep or not + Nametni da li će objekt biti izvežen kao B-rep ili neće diff --git a/src/Mod/BIM/Resources/translations/Arch_hu.qm b/src/Mod/BIM/Resources/translations/Arch_hu.qm index f5d4101487cf..e891dfb779a1 100644 Binary files a/src/Mod/BIM/Resources/translations/Arch_hu.qm and b/src/Mod/BIM/Resources/translations/Arch_hu.qm differ diff --git a/src/Mod/BIM/Resources/translations/Arch_hu.ts b/src/Mod/BIM/Resources/translations/Arch_hu.ts index 292108937f27..35d293ac3f4e 100644 --- a/src/Mod/BIM/Resources/translations/Arch_hu.ts +++ b/src/Mod/BIM/Resources/translations/Arch_hu.ts @@ -3405,7 +3405,7 @@ kiválasszák a mértékegységet a fájl megnyitásakor. - + Category Kategória @@ -3421,7 +3421,7 @@ kiválasszák a mértékegységet a fájl megnyitásakor. - + Length @@ -3596,7 +3596,7 @@ kiválasszák a mértékegységet a fájl megnyitásakor. Nem tudott kiszámítani egy alakzatot - + Equipment Felszerelési tárgy @@ -3707,7 +3707,7 @@ kiválasszák a mértékegységet a fájl megnyitásakor. Szelvény - + Site Oldal @@ -3737,7 +3737,7 @@ kiválasszák a mértékegységet a fájl megnyitásakor. - + Roof Tető @@ -3857,7 +3857,7 @@ Ha Futás = 0, akkor a futás kiszámítása úgy történik, hogy a magasság m Elölnézet - + External Reference Külső hivatkozás @@ -3965,7 +3965,7 @@ Ha Futás = 0, akkor a futás kiszámítása úgy történik, hogy a magasság m Külső hivatkozás készítése - + Frame Keret @@ -4030,7 +4030,7 @@ Ha Futás = 0, akkor a futás kiszámítása úgy történik, hogy a magasság m Az alakzatfájltár a következő URL-címről tölthető le, és a makrók mappájába telepíthető: - + Window Ablak @@ -4119,7 +4119,7 @@ Ha Futás = 0, akkor a futás kiszámítása úgy történik, hogy a magasság m - + Remove Törlés @@ -4128,12 +4128,12 @@ Ha Futás = 0, akkor a futás kiszámítása úgy történik, hogy a magasság m - + Add Hozzáad - + @@ -4185,7 +4185,7 @@ Ha Futás = 0, akkor a futás kiszámítása úgy történik, hogy a magasság m - + Type Típus @@ -4289,7 +4289,7 @@ Ha Futás = 0, akkor a futás kiszámítása úgy történik, hogy a magasság m Sikeresen kiírva - + Truss Kereszttartó @@ -4330,17 +4330,17 @@ Ha Futás = 0, akkor a futás kiszámítása úgy történik, hogy a magasság m Hiba: a IfcOpenShell verziója túl régi - + Project Terv - + Stairs Lépcsők - + Railing Korlátok @@ -4377,12 +4377,12 @@ Ha Futás = 0, akkor a futás kiszámítása úgy történik, hogy a magasság m - + Material Anyag - + MultiMaterial Többféle anyagú @@ -4449,7 +4449,7 @@ Ha Futás = 0, akkor a futás kiszámítása úgy történik, hogy a magasság m - + Grid Rács @@ -4635,17 +4635,17 @@ Ha Futás = 0, akkor a futás kiszámítása úgy történik, hogy a magasság m Forgatás - + Panel Panel - + View of Nézete a - + PanelSheet Panel lap @@ -4696,7 +4696,7 @@ Ha Futás = 0, akkor a futás kiszámítása úgy történik, hogy a magasság m Ennek az objektumnak nincs felülete - + Curtain Wall Függönyfal @@ -4707,12 +4707,12 @@ Ha Futás = 0, akkor a futás kiszámítása úgy történik, hogy a magasság m Függönyfal létrehozás - + Pipe Cső - + Connector Csatlakozó @@ -4839,7 +4839,7 @@ Ha Futás = 0, akkor a futás kiszámítása úgy történik, hogy a magasság m CSV file exportálása - + Export CSV File CSV fájl exportálás @@ -4851,7 +4851,7 @@ Ha Futás = 0, akkor a futás kiszámítása úgy történik, hogy a magasság m - + Description Leírás @@ -4859,7 +4859,7 @@ Ha Futás = 0, akkor a futás kiszámítása úgy történik, hogy a magasság m - + Value Érték @@ -4867,7 +4867,7 @@ Ha Futás = 0, akkor a futás kiszámítása úgy történik, hogy a magasság m - + Unit Egység @@ -4974,7 +4974,7 @@ Szint létrehozása megszakítva. van egy nulla alakja - + Toggle subcomponents Al összetevők ki-/ bekapcsolása @@ -5074,7 +5074,7 @@ Szint létrehozása megszakítva. Új tulajdonságkészlet - + Rebar Újrahálózás @@ -5090,7 +5090,7 @@ Szint létrehozása megszakítva. Válasszon egy alap nézetet a tárgy szerkezetén - + Section Szakasz @@ -5186,7 +5186,7 @@ Szint létrehozása megszakítva. Sík középpontja a fenti listában szereplő tárgyakon - + Building Épület @@ -5224,7 +5224,7 @@ Building creation aborted. Épület létrehozás - + Space Térköz @@ -5234,22 +5234,22 @@ Building creation aborted. Térköz létrehozás - + Set text position Szöveg helyzet beállítása - + Space boundaries Terület határvonalak - + Wall Fal - + Walls can only be based on Part or Mesh objects Falat csak az Alkotórész vagy Háló tárgyhoz húzhat @@ -5320,7 +5320,7 @@ Building creation aborted. changed 'Normal' to [0, 0, 1] to preserve extrusion direction - changed 'Normal' to [0, 0, 1] to preserve extrusion direction + a 'Normal' értéket [0, 0, 1]-re változtattam, hogy megmaradjon a kihúzás iránya @@ -5368,58 +5368,58 @@ Building creation aborted. tartalmaz felületet, amelyek nem tartoznak semmilyen szilárd testhez - + Survey Felmérés - + Set description Leírás megadása - + Clear Törlés - + Copy Length Másolás hossza - + Copy Area Másolási terület - + Export CSV Exportálás CSVbe - + Area Terület - + Total Összesen - + Object doesn't have settable IFC attributes A tárgy nem rendelkezik beállítható IFC-jellemzőkkel - + Disabling B-rep force flag of object A tárgy B-rep erőjelzőjének letiltása - + Enabling B-rep force flag of object A tárgy B-rep erőjelzőjének engedélyezése @@ -5465,12 +5465,12 @@ Building creation aborted. Összetevő létrehozás - + Key Kulcs - + The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: A tárgy nem rendelkezik Ifc tulajdonságattribútummal. Törölje a táblázat létrehozását a tárgyhoz: @@ -5701,8 +5701,8 @@ 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 @@ -5971,167 +5971,167 @@ Building creation aborted. A tartók vastagsága - + The base terrain of this site A terület alapvető formája - + The street and house number of this site, with postal box or apartment number if needed Ennek a területnek az utca és házszáma, posta fiókkal vagy a lakás számmal szükség esetén - + The postal or zip code of this site Ennek a területnek a postai vagy irányítószáma - + The city of this site A városhoz ezen a területen - + The region, province or county of this site Ehhez a területhez tartozó régió, tartomány vagy megye - + The country of this site A terület országa - + The latitude of this site Ehhez a területhez tartozó szélesség - + Angle between the true North and the North direction in this document A valódi észak és az ebben a dokumentumban lévő északi irány közti különbség - + The elevation of level 0 of this site Ennek a területnek a magassági 0 szintje - + A URL that shows this site in a mapping website 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 - + The perimeter length of the projected area A vetített terület kerületi hossza - + The volume of earth to be added to this terrain Ehhez a terephez adandó föld térfogata - + The volume of earth to be removed from this terrain Ebből a terepből kivonandó föld térfogata - + An extrusion vector to use when performing boolean operations Logikai művelet végzése során használatos kihúzási vektor - + Remove splitters from the resulting shape Távolítsa el az eredményül kapott alakzat darabolóit - + An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates 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 - + The time zone where this site is located Az adott (földrajzi!) hely időzónája - + An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one Egy opcionális EPW fájl ennek az területnek a helyzetéhez. A webhely dokumentációjában megtudhatja, hogyan szerezhet be egyet - + Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module Mutassa vagy nem, a szél rózsa diagramot. Napenergia diagram léptéket használ. Szükséges a katicabogár modul - + Show solar diagram or not Szoláris ábrát megjeleníti vagy nem - + The scale of the solar diagram Szoláris diagram léptéke - + The position of the solar diagram Nap helyzet diagram - + The color of the solar diagram Nap diagram színe - + When set to 'True North' the whole geometry will be rotated to match the true north of this site Ha beállított az "igazi észak", az egész geometria forgatva lesz, hogy megfeleljen az oldal igazi északi részéhez - + Show compass or not Tájoló megjelenítésének ki/be kapcsolása - + The rotation of the Compass relative to the Site Iránytű forgatása az oldalhoz viszonyítva - + The position of the Compass relative to the Site placement Iránytű elhelyezkedése az oldal elhelyezkedéséhez viszonyítva - + Update the Declination value based on the compass rotation A deklináció értékének frissítése az iránytű elfordulása alapján @@ -7475,128 +7475,128 @@ Building creation aborted. - + The name of the font Betűtípus neve - + The size of the text font A betűtípus mérete - + The objects that make the boundaries of this space object A tárgyak, amelyek a térben lévő tárgyak határait alkotják - + Identical to Horizontal Area Azonos a vízszintes területtel - + The finishing of the floor of this space Ennek a területnek az aljzat burkolata - + The finishing of the walls of this space Ennek a területnek a fal burkolata - + The finishing of the ceiling of this space Ennek a területnek a mennyezet burkolata - + Objects that are included inside this space, such as furniture Tárgyak, melyek szerepelnek ebben a térben, mint például a bútorok - + The type of this space Ennek a térnek a típusa - + The thickness of the floor finish Padlóburkolat vastagsága - + The number of people who typically occupy this space Az emberek száma, akik általában elfoglalják ezt a teret - + The electric power needed to light this space in Watts A villamos energia Wattban amely szükséges ennek a helynek a megvilágításához - + The electric power needed by the equipment of this space in Watts Az eszközhöz ebben a helyiségben szükséges elektromos áram Wattban - + If True, Equipment Power will be automatically filled by the equipment included in this space Ha igaz, az eszköz energiát a területen szereplő berendezések alapján automatikusan számítja - + The type of air conditioning of this space A helynek a légkondicionáló típusa - + Specifies if this space is internal or external Itt adható meg, ha ez a terület belső vagy külső - + Defines the calculation type for the horizontal area and its perimeter length Meghatározza a vízszintes terület és a kerület hosszának számítási típusát - + The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data A megjelenítendő szöveg. Használja a $area, $label, $tag, $longname, $description és a befejezéseknél $floor, $walls, $ceiling adatokat a megfelelő adatok beillesztéséhez - + The color of the area text A terület szöveg színe - + The size of the first line of text A szöveg első sorának a mérete - + The space between the lines of text A szövegsorok közötti térköz - + The position of the text. Leave (0,0,0) for automatic position A szöveg helyzete. Hagyja (0,0,0) értéken az automatikus pozicionáláshoz - + The justification of the text A szöveges indoklása - + The number of decimals to use for calculated texts A számításhoz használt szövegek tizedesjegyek száma - + Show the unit suffix Mértékegység utótag megjelenítése @@ -8493,7 +8493,7 @@ Building creation aborted. Command - + Transform @@ -8711,23 +8711,23 @@ CTRL+PgUp a nyújtás kiterjesztéséhezCTRL+PgDown a nyújtás zsugorításáho Az IfcOpenShell nem található ezen a rendszeren. Az IFC-támogatás letiltva - + Objects structure Tárgy felépítés - + Attribute Jellemzők - - + + Value Érték - + Property Tulajdonság @@ -8787,13 +8787,18 @@ CTRL+PgUp a nyújtás kiterjesztéséhezCTRL+PgDown a nyújtás zsugorításáho A fájl nem található - + IFC Explorer IFC felfedező - + + IfcSite element was not found in %s. Unable to explore. + IfcSite element was not found in %s. Unable to explore. + + + Error in entity Egység hibája @@ -8933,22 +8938,22 @@ CTRL+PgUp a nyújtás kiterjesztéséhezCTRL+PgDown a nyújtás zsugorításáho Új réteg - + Create Leader Referenciavonal létrehozása - - + + Preview Előnézet - - + + Options Beállítások @@ -8963,97 +8968,97 @@ CTRL+PgUp a nyújtás kiterjesztéséhezCTRL+PgDown a nyújtás zsugorításáho Nem lehetséges a összekötés, mert a fő dokumentum le van zárva. - + No structure in cache. Please refresh. Nincs struktúra a gyorsítótárban. Kérjük, frissítse. - + It is not possible to insert this object because the document has been closed. Az adott tárgyat nem lehet beszúrni, mert a dokumentumot lezárták. - + Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed Hiba: InventorLoader vagy CadExchanger kiegészítőket telepíteni kell - + Error: Unable to download Hiba: Letöltés nem lehetséges - + Insertion point Beillesztési pont - + Origin Kezdőpont - + Top left Bal felső - + Top center Középen fent - + Top right Jobb felső - + Middle left Bal középen - + Middle center Középre központosított - + Middle right Jobbra középen - + Bottom left Bal alsó - + Bottom center Alul középen - + Bottom right Jobb alsó - + Cannot open URL Nem lehet megnyitni az URL-t - + Could not fetch library contents Nem tudta lekérni a könyvtár tartalmát - + No results fetched from online library Nincs eredmény az online könyvtárból - + Warning, this can take several minutes! Figyelem, ez több percig is eltarthat! diff --git a/src/Mod/BIM/Resources/translations/Arch_it.qm b/src/Mod/BIM/Resources/translations/Arch_it.qm index 3612445d08fa..e2e6bf63e103 100644 Binary files a/src/Mod/BIM/Resources/translations/Arch_it.qm and b/src/Mod/BIM/Resources/translations/Arch_it.qm differ diff --git a/src/Mod/BIM/Resources/translations/Arch_it.ts b/src/Mod/BIM/Resources/translations/Arch_it.ts index d318600fe88c..ff36e2e034a6 100644 --- a/src/Mod/BIM/Resources/translations/Arch_it.ts +++ b/src/Mod/BIM/Resources/translations/Arch_it.ts @@ -792,7 +792,7 @@ Utils -> Crea un progetto IFC Layers manager - Gestore dei livelli + Gestore dei layer @@ -1077,27 +1077,27 @@ Utils -> Crea un progetto IFC Levels - Levels + Livelli Level height - Level height + Altezza del livello Number of levels - Number of levels + Numero di livelli Bind levels to vertical axes - Bind levels to vertical axes + Associa i livelli agli assi verticali Define a working plane for each level - Define a working plane for each level + Definire un piano di lavoro per ogni livello @@ -2554,7 +2554,7 @@ invece del'ambiente di lavoro web FreeCAD Visual - Visuale + Visualizzazione @@ -3394,7 +3394,7 @@ unit to work with when opening the file. - + Category Categoria @@ -3410,7 +3410,7 @@ unit to work with when opening the file. - + Length @@ -3585,7 +3585,7 @@ unit to work with when opening the file. Impossibile calcolare una forma - + Equipment Arredo @@ -3696,7 +3696,7 @@ unit to work with when opening the file. Profilo - + Site Sito @@ -3726,7 +3726,7 @@ unit to work with when opening the file. - + Roof Tetto @@ -3846,7 +3846,7 @@ Se Base = 0 allora la Base viene calcolata in modo che l'altezza sia la stessa d Di fronte - + External Reference Riferimento esterno @@ -3954,7 +3954,7 @@ Se Base = 0 allora la Base viene calcolata in modo che l'altezza sia la stessa d Crea riferimento esterno - + Frame Telaio @@ -4019,7 +4019,7 @@ Se Base = 0 allora la Base viene calcolata in modo che l'altezza sia la stessa d La libreria shapefile può essere scaricata dal seguente URL e installata nella cartella delle macro: - + Window Finestra @@ -4108,7 +4108,7 @@ Se Base = 0 allora la Base viene calcolata in modo che l'altezza sia la stessa d - + Remove Rimuovi @@ -4117,12 +4117,12 @@ Se Base = 0 allora la Base viene calcolata in modo che l'altezza sia la stessa d - + Add Aggiungi - + @@ -4174,7 +4174,7 @@ Se Base = 0 allora la Base viene calcolata in modo che l'altezza sia la stessa d - + Type Tipo @@ -4278,7 +4278,7 @@ Se Base = 0 allora la Base viene calcolata in modo che l'altezza sia la stessa d Scritto correttamente - + Truss Travatura @@ -4319,17 +4319,17 @@ Se Base = 0 allora la Base viene calcolata in modo che l'altezza sia la stessa d Errore: la versione IfcOpenShell è troppo vecchia - + Project Progetto - + Stairs Scale - + Railing Ringhiera @@ -4366,12 +4366,12 @@ Se Base = 0 allora la Base viene calcolata in modo che l'altezza sia la stessa d - + Material Materiale - + MultiMaterial Multi materiale @@ -4438,7 +4438,7 @@ Se Base = 0 allora la Base viene calcolata in modo che l'altezza sia la stessa d - + Grid Griglia @@ -4475,12 +4475,12 @@ Se Base = 0 allora la Base viene calcolata in modo che l'altezza sia la stessa d Create span - Create span + Crea intervallo Remove span - Remove span + Rimuovi intervallo @@ -4510,17 +4510,17 @@ Se Base = 0 allora la Base viene calcolata in modo che l'altezza sia la stessa d Dent length - Dent length + Lunghezza mensola Dent width - Dent width + Larghezza mensola Dent height - Dent height + Altezza mensola @@ -4624,17 +4624,17 @@ Se Base = 0 allora la Base viene calcolata in modo che l'altezza sia la stessa d Rotazione - + Panel Pannello - + View of Vista di - + PanelSheet Pannello @@ -4685,7 +4685,7 @@ Se Base = 0 allora la Base viene calcolata in modo che l'altezza sia la stessa d Questo oggetto non ha una faccia - + Curtain Wall Facciata continua @@ -4696,12 +4696,12 @@ Se Base = 0 allora la Base viene calcolata in modo che l'altezza sia la stessa d Crea una facciata continua - + Pipe Tubo - + Connector Raccordo @@ -4828,7 +4828,7 @@ Se Base = 0 allora la Base viene calcolata in modo che l'altezza sia la stessa d Esporta file CSV - + Export CSV File Esporta file CSV @@ -4840,7 +4840,7 @@ Se Base = 0 allora la Base viene calcolata in modo che l'altezza sia la stessa d - + Description Descrizione @@ -4848,7 +4848,7 @@ Se Base = 0 allora la Base viene calcolata in modo che l'altezza sia la stessa d - + Value Valore @@ -4856,7 +4856,7 @@ Se Base = 0 allora la Base viene calcolata in modo che l'altezza sia la stessa d - + Unit Unità @@ -4963,7 +4963,7 @@ Creazione del Piano interrotta. ha una forma nulla - + Toggle subcomponents Attiva/disattiva sottocomponenti @@ -5063,7 +5063,7 @@ Creazione del Piano interrotta. Nuovo set di proprietà - + Rebar Armatura @@ -5079,7 +5079,7 @@ Creazione del Piano interrotta. Seleziona una faccia di base su un oggetto strutturale - + Section Seziona @@ -5175,7 +5175,7 @@ Creazione del Piano interrotta. Centra il piano sugli oggetti nella lista precedente - + Building Edificio @@ -5213,7 +5213,7 @@ Creazione Edificio interrotta. Crea Edificio - + Space Spazio @@ -5223,22 +5223,22 @@ Creazione Edificio interrotta. Crea Spazio - + Set text position Imposta posizione testo - + Space boundaries Confini dello Spazio - + Wall Muro - + Walls can only be based on Part or Mesh objects I Muri possono essere basati solo su oggetti Parte o Mesh @@ -5309,7 +5309,7 @@ Creazione Edificio interrotta. changed 'Normal' to [0, 0, 1] to preserve extrusion direction - changed 'Normal' to [0, 0, 1] to preserve extrusion direction + cambiato 'Normale' in [0, 0, 1] per mantenere la direzione di estrusione @@ -5357,58 +5357,58 @@ Creazione Edificio interrotta. contiene delle facce che non fanno parte di nessun solido - + Survey Ispeziona - + Set description Imposta una descrizione - + Clear Pulisci - + Copy Length Copia Lunghezza - + Copy Area Copia Area - + Export CSV Esporta CSV - + Area Area - + Total Totale - + Object doesn't have settable IFC attributes L'oggetto non ha attributi IFC impostabili - + Disabling B-rep force flag of object Disabilita la rappresentazione B-rep forzata dell'oggetto - + Enabling B-rep force flag of object Abilita la rappresentazione B-rep forzata dell'oggetto @@ -5454,12 +5454,12 @@ Creazione Edificio interrotta. Crea Componente - + Key Chiave - + The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: L'oggetto non ha un attributo IfcProperties. Annulla la creazione del foglio di calcolo per l'oggetto: @@ -5690,8 +5690,8 @@ Creazione Edificio interrotta. L'energia richiesta da questa apparecchiatura in watt - - + + The type of this building Il tipo di questo edificio @@ -5960,167 +5960,167 @@ Creazione Edificio interrotta. Thickness of the legs - + The base terrain of this site Il terreno base di questo sito - + The street and house number of this site, with postal box or apartment number if needed La via e il numero civico di questo sito, con il codice postale o il numero dell'appartamento se necessario - + The postal or zip code of this site Il codice postale di questo sito - + The city of this site La città di questo sito - + The region, province or county of this site La regione, la provincia o il paese di questo sito - + The country of this site Il paese di questo sito - + The latitude of this site La latitudine di questo sito - + Angle between the true North and the North direction in this document Angolo tra il Nord vero e la direzione nord in questo documento - + The elevation of level 0 of this site L'elevazione del livello 0 di questo sito - + A URL that shows this site in a mapping website 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 - + The perimeter length of the projected area La lunghezza perimetrale dell'area proiettata - + The volume of earth to be added to this terrain Il volume di terra da aggiungere a questo terreno - + The volume of earth to be removed from this terrain Il volume di terra che deve essere rimosso da questo terreno - + An extrusion vector to use when performing boolean operations Un vettore di estrusione da utilizzare quando si eseguono le operazioni booleane - + Remove splitters from the resulting shape Rimuovi splitter dalla forma risultante - + An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates 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 - + The time zone where this site is located Il fuso orario in cui si trova questo sito - + An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one Un file EPW opzionale per la posizione di questo sito. Fare riferimento alla documentazione del comando Sito per sapere come ottenerne uno - + Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module Mostra o nasconde il diagramma della rosa dei venti. Usa la scala del grafico solare. Richiede il modulo Ladybug - + Show solar diagram or not Mostra o no il diagramma solare - + The scale of the solar diagram La scala del diagramma solare - + The position of the solar diagram La posizione del diagramma solare - + The color of the solar diagram Il colore del diagramma solare - + When set to 'True North' the whole geometry will be rotated to match the true north of this site Quando impostato su 'Vero Nord' l'intera geometria sarà ruotata per coincidere con il vero nord di questo sito - + Show compass or not Mostra la bussola o no - + The rotation of the Compass relative to the Site La rotazione della bussola relativa al sito - + The position of the Compass relative to the Site placement La posizione della Bussola rispetto al posizionamento del Sito - + Update the Declination value based on the compass rotation Aggiorna il valore del Declinazione in base alla rotazione della bussola @@ -6227,7 +6227,7 @@ Creazione Edificio interrotta. Crossing point of the path on the profile. - Crossing point of the path on the profile. + Punto di attraversamento del percorso sul profilo. @@ -6317,7 +6317,7 @@ Creazione Edificio interrotta. Opens the subcomponents that have a hinge defined - Opens the subcomponents that have a hinge defined + Apre i sottocomponenti che hanno una cerniera definita @@ -6694,19 +6694,19 @@ Creazione Edificio interrotta. The dent length of this element - The dent length of this element + La lunghezza della mensola di questo elemento The dent height of this element - The dent height of this element + L'altezza della mensola di questo elemento The dents of this element - The dents of this element + Le mensole di questo elemento @@ -6741,7 +6741,7 @@ Creazione Edificio interrotta. The dent width of this element - The dent width of this element + La larghezza della mensola di questo elemento @@ -6776,7 +6776,7 @@ Creazione Edificio interrotta. The length of the down floor of this element - The length of the down floor of this element + La lunghezza del pianerottolo di partenza di questo elemento @@ -7199,7 +7199,7 @@ Creazione Edificio interrotta. An optional custom bubble number - An optional custom bubble number + Una pallinatura opzionale personalizzata @@ -7464,128 +7464,128 @@ Creazione Edificio interrotta. - + The name of the font Il nome del carattere - + The size of the text font La dimensione del carattere di testo - + The objects that make the boundaries of this space object Gli oggetti che delimitano i confini di questo oggetto Spazio - + Identical to Horizontal Area Identical to Horizontal Area - + The finishing of the floor of this space La finitura del pavimento di questo spazio - + The finishing of the walls of this space La finitura dei muri di questo spazio - + The finishing of the ceiling of this space La finitura del soffitto di questo spazio - + Objects that are included inside this space, such as furniture Oggetti che sono inclusi all'interno di questo spazio, come mobili - + The type of this space Il tipo di questo spazio - + The thickness of the floor finish Lo spessore della finitura del pavimento - + The number of people who typically occupy this space Il numero di persone che in genere occupano questo spazio - + The electric power needed to light this space in Watts L'energia elettrica in Watt necessaria per illuminare questo spazio - + The electric power needed by the equipment of this space in Watts La potenza in Watt necessaria per gli apparecchi di questo spazio - + If True, Equipment Power will be automatically filled by the equipment included in this space Se true, la Potenza Apparecchi viene compilata automaticamente con le apparecchiature contenute in questo spazio - + The type of air conditioning of this space Il tipo di aria condizionata di questo spazio - + Specifies if this space is internal or external Specifica se questo spazio è interno o esterno - + Defines the calculation type for the horizontal area and its perimeter length Definisce il tipo di calcolo per l'area orizzontale e la sua lunghezza perimetrale - + The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data Il testo da mostrare. Usa $area, $label, $tag, $longname, $description e per le finiture $floor, $walls, $ceiling per inserire i rispettivi dati - + The color of the area text Il colore dell'area di testo - + The size of the first line of text La dimensione della prima riga di testo - + The space between the lines of text Lo spazio tra le righe di testo - + The position of the text. Leave (0,0,0) for automatic position La posizione del testo. Lasciare (0,0,0) per la posizione automatica - + The justification of the text La giustificazione del testo - + The number of decimals to use for calculated texts Il numero di decimali da utilizzare per i testi calcolati - + Show the unit suffix Visualizza il suffisso dell'unità @@ -7612,7 +7612,7 @@ Creazione Edificio interrotta. The width of this wall. Not used if this wall is based on a face. Disabled and ignored if Base object (ArchSketch) provides the information. - The width of this wall. Not used if this wall is based on a face. Disabled and ignored if Base object (ArchSketch) provides the information. + La larghezza di questa parete. Non utilizzata se questa parete è basata su una faccia. Disabilitata e ignorata se l'oggetto Base (ArchSketch) fornisce le informazioni. @@ -8482,7 +8482,7 @@ Creazione Edificio interrotta. Command - + Transform @@ -8700,23 +8700,23 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet IfcOpenShell non è stato trovato nel sistema. Il supporto IFC è stato disabilitato - + Objects structure Struttura degli oggetti - + Attribute Attributo - - + + Value Valore - + Property Proprietà @@ -8776,13 +8776,18 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet File non trovato - + IFC Explorer IFC Explorer - + + IfcSite element was not found in %s. Unable to explore. + IfcSite element was not found in %s. Unable to explore. + + + Error in entity Errore nell'entità @@ -8919,25 +8924,25 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet New Layer - Nuovo livello + Nuovo Layer - + Create Leader Crea freccia - - + + Preview Anteprima - - + + Options Opzioni @@ -8952,97 +8957,97 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Non è possibile collegarsi perché il documento principale è chiuso. - + No structure in cache. Please refresh. Nessuna struttura nella cache. Si prega aggiornare. - + It is not possible to insert this object because the document has been closed. Non è possibile inserire questo oggetto perché il documento è stato chiuso. - + Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed Errore: impossibile importare i file SAT - InventorLoader o CadExchanger addon devono essere installati - + Error: Unable to download Errore: impossibile scaricare - + Insertion point Punto di inserimento - + Origin Origine - + Top left In alto a sinistra - + Top center In alto al centro - + Top right In alto a destra - + Middle left In mezzo a sinistra - + Middle center In mezzo al centro - + Middle right In mezzo a destra - + Bottom left In basso a sinistra - + Bottom center In basso al centro - + Bottom right In basso a destra - + Cannot open URL Impossibile aprire l'URL - + Could not fetch library contents Impossibile recuperare il contenuto della libreria - + No results fetched from online library Nessun risultato recuperato dalla libreria online - + Warning, this can take several minutes! Attenzione, questo può richiedere alcuni minuti! @@ -9458,12 +9463,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Add level - Add level + Aggiungi livello Add proxy - Add proxy + Aggiungi proxy @@ -10025,7 +10030,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Manage layers... - Gestione livelli... + Gestione layer... @@ -11028,7 +11033,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Toggle IFC B-rep flag - Toggle IFC B-rep flag + Attiva/Disattiva flag IFC B-rep diff --git a/src/Mod/BIM/Resources/translations/Arch_ja.qm b/src/Mod/BIM/Resources/translations/Arch_ja.qm index 70b1c30ae475..4f74c24abff2 100644 Binary files a/src/Mod/BIM/Resources/translations/Arch_ja.qm and b/src/Mod/BIM/Resources/translations/Arch_ja.qm differ diff --git a/src/Mod/BIM/Resources/translations/Arch_ja.ts b/src/Mod/BIM/Resources/translations/Arch_ja.ts index 0df6350a29b1..34c61c727c6e 100644 --- a/src/Mod/BIM/Resources/translations/Arch_ja.ts +++ b/src/Mod/BIM/Resources/translations/Arch_ja.ts @@ -3395,7 +3395,7 @@ unit to work with when opening the file. - + Category カテゴリ @@ -3411,7 +3411,7 @@ unit to work with when opening the file. - + Length @@ -3586,7 +3586,7 @@ unit to work with when opening the file. Couldn't compute a shape - + Equipment 設備品 @@ -3697,7 +3697,7 @@ unit to work with when opening the file. プロファイル - + Site サイト @@ -3727,7 +3727,7 @@ unit to work with when opening the file. - + Roof Roof @@ -3847,7 +3847,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela 前面 - + External Reference External Reference @@ -3955,7 +3955,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Create external reference - + Frame Frame @@ -4020,7 +4020,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela The shapefile library can be downloaded from the following URL and installed in your macros folder: - + Window ウィンドウ @@ -4109,7 +4109,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Remove 削除 @@ -4118,12 +4118,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Add 追加 - + @@ -4175,7 +4175,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Type タイプ @@ -4279,7 +4279,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Successfully written - + Truss Truss @@ -4320,17 +4320,17 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Error: your IfcOpenShell version is too old - + Project プロジェクト - + Stairs 階段 - + Railing Railing @@ -4367,12 +4367,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Material マテリアル - + MultiMaterial 複合マテリアル @@ -4439,7 +4439,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Grid グリッド @@ -4625,17 +4625,17 @@ If Run = 0 then the run is calculated so that the height is the same as the rela 回転 - + Panel Panel - + View of View of - + PanelSheet PanelSheet @@ -4686,7 +4686,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela This object has no face - + Curtain Wall カーテンウォール @@ -4697,12 +4697,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela カーテンウォールを作成 - + Pipe パイプ - + Connector Connector @@ -4829,7 +4829,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela CSVファイルをエクスポート - + Export CSV File CSVファイルをエクスポート @@ -4841,7 +4841,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Description 説明 @@ -4849,7 +4849,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Value @@ -4857,7 +4857,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Unit 単位 @@ -4964,7 +4964,7 @@ Floor creation aborted. has a null shape - + Toggle subcomponents Toggle subcomponents @@ -5064,7 +5064,7 @@ Floor creation aborted. New property set - + Rebar 鉄筋 @@ -5080,7 +5080,7 @@ Floor creation aborted. Please select a base face on a structural object - + Section セクション @@ -5176,7 +5176,7 @@ Floor creation aborted. Centers the plane on the objects in the list above - + Building ビルディング @@ -5214,7 +5214,7 @@ Building creation aborted. Create Building - + Space スペース @@ -5224,22 +5224,22 @@ Building creation aborted. Create Space - + Set text position Set text position - + Space boundaries Space boundaries - + Wall - + Walls can only be based on Part or Mesh objects Walls can only be based on Part or Mesh objects @@ -5310,7 +5310,7 @@ Building creation aborted. changed 'Normal' to [0, 0, 1] to preserve extrusion direction - changed 'Normal' to [0, 0, 1] to preserve extrusion direction + 押し出し方向を維持するために 'Normal' を [0, 0, 1] に変更しました @@ -5358,58 +5358,58 @@ Building creation aborted. contains faces that are not part of any solid - + Survey 調査 - + Set description Set description - + Clear クリア - + Copy Length Copy Length - + Copy Area Copy Area - + Export CSV Export CSV - + Area 面積 - + Total 合計 - + Object doesn't have settable IFC attributes Object doesn't have settable IFC attributes - + Disabling B-rep force flag of object Disabling B-rep force flag of object - + Enabling B-rep force flag of object Enabling B-rep force flag of object @@ -5455,12 +5455,12 @@ Building creation aborted. Create Component - + Key Key - + The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: @@ -5691,8 +5691,8 @@ Building creation aborted. The electric power needed by this equipment in Watts - - + + The type of this building The type of this building @@ -5961,167 +5961,167 @@ Building creation aborted. Thickness of the legs - + The base terrain of this site The base terrain of this site - + The street and house number of this site, with postal box or apartment number if needed The street and house number of this site, with postal box or apartment number if needed - + The postal or zip code of this site The postal or zip code of this site - + The city of this site The city of this site - + The region, province or county of this site The region, province or county of this site - + The country of this site The country of this site - + The latitude of this site The latitude of this site - + Angle between the true North and the North direction in this document Angle between the true North and the North direction in this document - + The elevation of level 0 of this site The elevation of level 0 of this site - + A URL that shows this site in a mapping website 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 - + The perimeter length of the projected area The perimeter length of the projected area - + The volume of earth to be added to this terrain The volume of earth to be added to this terrain - + The volume of earth to be removed from this terrain The volume of earth to be removed from this terrain - + An extrusion vector to use when performing boolean operations An extrusion vector to use when performing boolean operations - + Remove splitters from the resulting shape Remove splitters from the resulting shape - + An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates 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 - + The time zone where this site is located The time zone where this site is located - + An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one - + Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module 風配図の表示の有無。 太陽位置図の尺度が使われます。これにはLadybugモジュールが必要です。 - + Show solar diagram or not 太陽位置図の表示の有無 - + The scale of the solar diagram 太陽位置図の尺度 - + The position of the solar diagram 太陽位置図の位置 - + The color of the solar diagram 太陽位置図の色 - + When set to 'True North' the whole geometry will be rotated to match the true north of this site When set to 'True North' the whole geometry will be rotated to match the true north of this site - + Show compass or not Show compass or not - + The rotation of the Compass relative to the Site The rotation of the Compass relative to the Site - + The position of the Compass relative to the Site placement The position of the Compass relative to the Site placement - + Update the Declination value based on the compass rotation Update the Declination value based on the compass rotation @@ -7465,128 +7465,128 @@ Building creation aborted. - + The name of the font フォントの名前 - + The size of the text font 文字のフォントの大きさ - + The objects that make the boundaries of this space object The objects that make the boundaries of this space object - + Identical to Horizontal Area Identical to Horizontal Area - + The finishing of the floor of this space The finishing of the floor of this space - + The finishing of the walls of this space The finishing of the walls of this space - + The finishing of the ceiling of this space The finishing of the ceiling of this space - + Objects that are included inside this space, such as furniture Objects that are included inside this space, such as furniture - + The type of this space The type of this space - + The thickness of the floor finish The thickness of the floor finish - + The number of people who typically occupy this space The number of people who typically occupy this space - + The electric power needed to light this space in Watts The electric power needed to light this space in Watts - + The electric power needed by the equipment of this space in Watts The electric power needed by the equipment of this space in Watts - + If True, Equipment Power will be automatically filled by the equipment included in this space If True, Equipment Power will be automatically filled by the equipment included in this space - + The type of air conditioning of this space The type of air conditioning of this space - + Specifies if this space is internal or external Specifies if this space is internal or external - + Defines the calculation type for the horizontal area and its perimeter length Defines the calculation type for the horizontal area and its perimeter length - + The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data - + The color of the area text The color of the area text - + The size of the first line of text The size of the first line of text - + The space between the lines of text The space between the lines of text - + The position of the text. Leave (0,0,0) for automatic position The position of the text. Leave (0,0,0) for automatic position - + The justification of the text The justification of the text - + The number of decimals to use for calculated texts The number of decimals to use for calculated texts - + Show the unit suffix Show the unit suffix @@ -8483,7 +8483,7 @@ Building creation aborted. Command - + Transform @@ -8701,23 +8701,23 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet IfcOpenShell was not found on this system. IFC support is disabled - + Objects structure Objects structure - + Attribute Attribute - - + + Value - + Property プロパティ @@ -8777,13 +8777,18 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet ファイルが見つかりませんでした - + IFC Explorer IFC Explorer - + + IfcSite element was not found in %s. Unable to explore. + IfcSite element was not found in %s. Unable to explore. + + + Error in entity Error in entity @@ -8923,22 +8928,22 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet 新規レイヤー - + Create Leader 引出線を作成 - - + + Preview プレビュー - - + + Options オプション @@ -8953,97 +8958,97 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet It is not possible to link because the main document is closed. - + No structure in cache. Please refresh. No structure in cache. Please refresh. - + It is not possible to insert this object because the document has been closed. It is not possible to insert this object because the document has been closed. - + Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed エラー:SATファイルをインポートできません。InventorLoaderまたはCadExchanger拡張機能がインストールされている必要があります。 - + Error: Unable to download Error: Unable to download - + Insertion point Insertion point - + Origin 原点 - + Top left 左上 - + Top center Top center - + Top right 右上 - + Middle left Middle left - + Middle center Middle center - + Middle right Middle right - + Bottom left 左下 - + Bottom center Bottom center - + Bottom right 右下 - + Cannot open URL Cannot open URL - + Could not fetch library contents Could not fetch library contents - + No results fetched from online library No results fetched from online library - + Warning, this can take several minutes! Warning, this can take several minutes! diff --git a/src/Mod/BIM/Resources/translations/Arch_ka.qm b/src/Mod/BIM/Resources/translations/Arch_ka.qm index 3d0374ad0557..1828a4feb6b5 100644 Binary files a/src/Mod/BIM/Resources/translations/Arch_ka.qm and b/src/Mod/BIM/Resources/translations/Arch_ka.qm differ diff --git a/src/Mod/BIM/Resources/translations/Arch_ka.ts b/src/Mod/BIM/Resources/translations/Arch_ka.ts index ca27c145e008..23f63cd4ec93 100644 --- a/src/Mod/BIM/Resources/translations/Arch_ka.ts +++ b/src/Mod/BIM/Resources/translations/Arch_ka.ts @@ -3392,7 +3392,7 @@ unit to work with when opening the file. - + Category კატეგორია @@ -3408,7 +3408,7 @@ unit to work with when opening the file. - + Length @@ -3583,7 +3583,7 @@ unit to work with when opening the file. ფიგურის გამოთვლის შეცდომა - + Equipment აპარატურა @@ -3694,7 +3694,7 @@ unit to work with when opening the file. პროფილი - + Site საიტი @@ -3724,7 +3724,7 @@ unit to work with when opening the file. - + Roof სახურავი @@ -3844,7 +3844,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela წინა - + External Reference გარე მიმართვა @@ -3952,7 +3952,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela ობიექტის ფაილიდან ჩასმა მასზე ბმის გამოყენებით - + Frame ჩარჩო @@ -4017,7 +4017,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Shapefile ბიბლიოთეკის ჩამოტვირთვა შესაძლებელია შემდეგი URL-დან. დაინსტალირდება თქვენს მაკროების საქაღალდეში: - + Window ფანჯარა @@ -4106,7 +4106,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Remove წაშლა @@ -4115,12 +4115,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Add დამატება - + @@ -4172,7 +4172,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Type ტიპი @@ -4276,7 +4276,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela წარმატებით ჩაიწერა - + Truss ფერმა @@ -4317,17 +4317,17 @@ If Run = 0 then the run is calculated so that the height is the same as the rela შეცდომა: თქვენი IfcOpenShell ვერსია ძალიან ძველია - + Project პროექტი - + Stairs კიბეები - + Railing მოაჯირი @@ -4364,12 +4364,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Material მასალა - + MultiMaterial მულტიმასალა @@ -4436,7 +4436,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Grid ბადე @@ -4622,17 +4622,17 @@ If Run = 0 then the run is calculated so that the height is the same as the rela შემობრუნება - + Panel ზოლი - + View of ხედი - + PanelSheet პანელის ფურცელი @@ -4683,7 +4683,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela ამ ობიექტს ზედაპირი არ გააჩნია - + Curtain Wall გამჭვირვალე ფასადი @@ -4694,12 +4694,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela გამჭვირვალე ფასადის შექმნა - + Pipe ფაიფი - + Connector დამკავშირებელი @@ -4826,7 +4826,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela CSV ფაილის გატანა - + Export CSV File CSV ფაილის გატანა @@ -4838,7 +4838,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Description აღწერა @@ -4846,7 +4846,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Value მნიშვნელობა @@ -4854,7 +4854,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Unit საზომი ერთეულები @@ -4961,7 +4961,7 @@ Floor creation aborted. აქვს ცარიელი ფორმა - + Toggle subcomponents ქვეკომპონენტების ჩართ/გამორთ @@ -5061,7 +5061,7 @@ Floor creation aborted. ახალი თვისებების ჯგუფი - + Rebar არმატურა @@ -5077,7 +5077,7 @@ Floor creation aborted. გთხოვთ, აირჩიეთ ბაზისური ზედაპირი ან სტრუქტურული ობიექტი - + Section სექცია @@ -5173,7 +5173,7 @@ Floor creation aborted. სიბრტყის ზემოთ მოცემულ სიაში არსებულ ობიექტებზე დაცენტრება - + Building შენობა @@ -5211,7 +5211,7 @@ Building creation aborted. შენობის შექმნა - + Space გამოტოვება @@ -5221,22 +5221,22 @@ Building creation aborted. სივრცის შექმნა - + Set text position ტექსტის პოზიციის დაყენება - + Space boundaries სივრცის საზღვრები - + Wall კედელი - + Walls can only be based on Part or Mesh objects კედლები შეიძლება დაფუძნებული იყოს ნაწილის ან ბადის ობიექტებზე @@ -5355,58 +5355,58 @@ Building creation aborted. შეიცავს ზედაპირებს, რომელიც არცერთი მყარი სხეულის ნაწილი არაა - + Survey მიმოხილვა - + Set description აღწერის დაყენება - + Clear გასუფთავება - + Copy Length სიგრძის კოპირება - + Copy Area უბნის კოპირება - + Export CSV CVS-ში გატანა - + Area ფართობი - + Total ჯამში - + Object doesn't have settable IFC attributes ობიექტს არ აქვს დაყენებადი IFC ატრიბუტები - + Disabling B-rep force flag of object ობიექტის B-rep ალმის ძალით გამორთვა - + Enabling B-rep force flag of object ობიექტის B-rep ალმის ძალით ჩართვა @@ -5452,12 +5452,12 @@ Building creation aborted. კომპონენტის შექმნა - + Key გასაღები - + The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: ობიექტს არ აქვს IfcProperties ატრიბუტი. ობიექტისთვის ელცხრილის შექმნის გაუქმება: @@ -5688,8 +5688,8 @@ Building creation aborted. ამ აღჭურვილობისთვის საჭირო ელექტროენერგია ვატებში - - + + The type of this building შენობის ტიპი @@ -5958,167 +5958,167 @@ Building creation aborted. ფეხების სისქე - + The base terrain of this site ამ ადგილის ძირითადი რელიეფი - + The street and house number of this site, with postal box or apartment number if needed ამ ადგილის ქუჩა და ბინის ნომერი. საჭიროების შემთხვევაში დაურთეთ საფოსტო კოდი და ბინის ნომერი - + The postal or zip code of this site ამ ადგილის საფოსტო ან ზიპ კოდი - + The city of this site რომელ ქალაქში მდებარეობს ეს ადგილი - + The region, province or county of this site რომელ რეგიონს, პროვინციას ან გუბერნიას მიეკუთვნება ეს ადგილი - + The country of this site რომელ ქვეყანაშია ეს ადგილი - + The latitude of this site ამ ადგილის განედი - + Angle between the true North and the North direction in this document კუთხე ნამდვილ ჩრდილოეთსა და ამ დოკუმენტში ჩრდილო მიმართულებას შორის - + The elevation of level 0 of this site ამ ადგილის ნულოვანი დონის სიმაღლე - + A URL that shows this site in a mapping website 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 სიბრტყეზე - + The perimeter length of the projected area პროექციის ფართობის პერიმეტრის სიგრძე - + The volume of earth to be added to this terrain რელიეფზე დამატებული მიწის რაოდენობა - + The volume of earth to be removed from this terrain რელიეფიდან გატანილი მიწის მოცულობა - + An extrusion vector to use when performing boolean operations ბულევური ოპერაციების შესრულებისას გამოყენებული გამოწნევის ვექტორი - + Remove splitters from the resulting shape მიღებული ფიგურიდან გამყოფების ამოღება - + An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates არასავალდებულო წანაცვლება მოდელის (0,0,0) საწყისსა და გეოკოორდინატებით მითითებულ წერტილს შორის - + The type of this object ობიექტის ტიპი - + The time zone where this site is located ამ ადგილის მდებარეობის დროის სარტყელი - + An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one ამ ადგილის მდებარეობის არასავალდებული EPW ფაილი. მიმართეთ დოკუმენტაციას, რომ გაიგოთ, როგორ მიიღოთ იგი - + Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module "ქარის ვარდის" დიაგრამის ჩვენება თუ არა. იყენებს მზის დიაგრამის მასშტაბს. სჭირდება Ladybug მოდული - + Show solar diagram or not მზის დიაგრამის ჩვენების ჩართ/გამორთ - + The scale of the solar diagram მზის დიაგრამის მასშტაბი - + The position of the solar diagram მზის დიაგრამის პოზიცია - + The color of the solar diagram მზის დიაგრამის ფერი - + When set to 'True North' the whole geometry will be rotated to match the true north of this site როდესაც დაყენებულია „ჭეშმარიტ ჩრდილოეთზე“, მთელი გეომეტრია შემობრუნდება ამ ადგილის ნამდვილი ჩრდილოეთის შესატყვისად - + Show compass or not კომპასის ჩვენების ჩართ/გამორთ - + The rotation of the Compass relative to the Site კომპასის ტრიალი ადგილთან მიმართებაში - + The position of the Compass relative to the Site placement კომპასის პოზიცია ადგილის მდებარეობასთან მიმართებაში - + Update the Declination value based on the compass rotation დახრის მნიშვნელობის განახლება კომპასის ბრუნვის საფუძველზე @@ -7468,128 +7468,128 @@ Building creation aborted. - + The name of the font ფონტის სახელი - + The size of the text font ფონტის ზომა - + The objects that make the boundaries of this space object ობიექტები, რომლებიც ქმნიან ამ სივრცული ობიექტის საზღვრებს - + Identical to Horizontal Area იდენტური ჰორიზონტალური ღერძების - + The finishing of the floor of this space ამ ფართის იატაკის გაწყობა - + The finishing of the walls of this space ამ ფართის კედლების გაწყობა - + The finishing of the ceiling of this space ამ ფართის ჭერის გაწყობა - + Objects that are included inside this space, such as furniture ობიექტები, რომლებიც შედის ამ სივრცეში, მაგ. ავეჯი - + The type of this space ზონის ტიპი - + The thickness of the floor finish იატაკის დაფარვის სისქე - + The number of people who typically occupy this space ამ სივრცის დამკავებელი ხალხის ტიპიური რაოდენობა - + The electric power needed to light this space in Watts ამ სივრცის გასანათებლად საჭირო ელექტროენერგია ვატებში - + The electric power needed by the equipment of this space in Watts ამ ადგილზე არსებული აღჭურვილობისთვის საჭირო ელექტროენერგია ვატებში - + If True, Equipment Power will be automatically filled by the equipment included in this space თუ ჩართულია, აპარატურის სიმძლავრე ავტომატურად შეივსება ამ სივრცეში შემავალი აღჭურვილობის მიერ - + The type of air conditioning of this space ამ სივრცის კონდიცირების ტიპი - + Specifies if this space is internal or external განსაზღვრა, ეს სივრცე შიდაა თუ გარე - + Defines the calculation type for the horizontal area and its perimeter length Defines the calculation type for the horizontal area and its perimeter length - + The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data საჩვენებელი ტექსტი. გამოიყენეთ ცვლადები $area, $label, $tag, $longname, $description და დასრულებისთვის $floor, $walls და $ceiling შესაბამისი მონაცემების ჩასასმელად - + The color of the area text მონიშნული ტექსტის ფერი - + The size of the first line of text ტექსტის პირველი ხაზის ზომა - + The space between the lines of text ტექსტის ხაზებს შორის ადგილი - + The position of the text. Leave (0,0,0) for automatic position ტექსტის პოზიცია. ავტომატური მდებარეობისთვის დატოვეთ (0,0,0) - + The justification of the text ტექსტის სწორება - + The number of decimals to use for calculated texts გენერირებულ ტექსტებში წილადი რიცხვების სიზუსტე - + Show the unit suffix საზომი ერთეულის ჩვენება @@ -8486,7 +8486,7 @@ Building creation aborted. Command - + Transform @@ -8704,23 +8704,23 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet IfcOpenShell was not found on this system. IFC support is disabled - + Objects structure ობიექტის სტრუქტურა - + Attribute ატრიბუტი - - + + Value მნიშვნელობა - + Property თვისება @@ -8780,13 +8780,18 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet ფაილი ვერ მოიძებნა - + IFC Explorer IFC დამთვალიერებელი - + + IfcSite element was not found in %s. Unable to explore. + IfcSite element was not found in %s. Unable to explore. + + + Error in entity ელემენტის შეცდომა @@ -8926,22 +8931,22 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet ახალი ფენა - + Create Leader გატანის შექმნა - - + + Preview გადახედვა - - + + Options პარამეტრები @@ -8956,97 +8961,97 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet It is not possible to link because the main document is closed. - + No structure in cache. Please refresh. სტრუქტურა კეშში არაა. გთხოვთ განაახლოთ. - + It is not possible to insert this object because the document has been closed. It is not possible to insert this object because the document has been closed. - + Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed - + Error: Unable to download შეცდომა: გადმოწერა შეუძლებელია - + Insertion point ჩასმის წერტილი - + Origin კოორდინატების საწყისი - + Top left ზედა მარცხენა - + Top center ზედა ცენტრი - + Top right ზედა მარჯვენა - + Middle left შუა მარცხენა - + Middle center ცენტრის შუაში - + Middle right შუა მარჯვენა - + Bottom left ქვედა მარცხენა - + Bottom center ძირის ცენტრში - + Bottom right ქვედა მარჯვენა - + Cannot open URL ბმულის გახსნა შეუძლებელია - + Could not fetch library contents ბიბლიოთეკის შიგთავსის მიღების შეცდომა - + No results fetched from online library ონლაინ ბიბლიოთეკიდან პასუხები არ დაბრუნდა - + Warning, this can take several minutes! გაფრთხილება. ოპერაციას რამდენიმე წუთი შეიძლება დასჭირდეს! diff --git a/src/Mod/BIM/Resources/translations/Arch_ko.qm b/src/Mod/BIM/Resources/translations/Arch_ko.qm index dd047dacd487..2a9e799b1c36 100644 Binary files a/src/Mod/BIM/Resources/translations/Arch_ko.qm and b/src/Mod/BIM/Resources/translations/Arch_ko.qm differ diff --git a/src/Mod/BIM/Resources/translations/Arch_ko.ts b/src/Mod/BIM/Resources/translations/Arch_ko.ts index f3ba8fc20f28..3a84b605b794 100644 --- a/src/Mod/BIM/Resources/translations/Arch_ko.ts +++ b/src/Mod/BIM/Resources/translations/Arch_ko.ts @@ -3393,7 +3393,7 @@ IFC 파일은 "항상" 메트릭 단위로 작성됩니다. 임페리얼 단위 - + Category 카테고리 @@ -3409,7 +3409,7 @@ IFC 파일은 "항상" 메트릭 단위로 작성됩니다. 임페리얼 단위 - + Length @@ -3584,7 +3584,7 @@ IFC 파일은 "항상" 메트릭 단위로 작성됩니다. 임페리얼 단위 모양을 계산할 수 없습니다 - + Equipment 장비 @@ -3695,7 +3695,7 @@ IFC 파일은 "항상" 메트릭 단위로 작성됩니다. 임페리얼 단위 윤곽 - + Site 사이트 @@ -3725,7 +3725,7 @@ IFC 파일은 "항상" 메트릭 단위로 작성됩니다. 임페리얼 단위 - + Roof 지붕 @@ -3845,7 +3845,7 @@ Run = 0인 경우 Height가 상대 프로파일과 동일하도록 Run이 계산 정면 - + External Reference 외부 참조 @@ -3953,7 +3953,7 @@ Run = 0인 경우 Height가 상대 프로파일과 동일하도록 Run이 계산 외부 참조 만들기 - + Frame 프레임 @@ -4018,7 +4018,7 @@ Run = 0인 경우 Height가 상대 프로파일과 동일하도록 Run이 계산 Shapefile 라이브러리는 다음 URL에서 다운로드하여 매크로 폴더에 설치할 수 있습니다: - + Window 작업창 @@ -4107,7 +4107,7 @@ Run = 0인 경우 Height가 상대 프로파일과 동일하도록 Run이 계산 - + Remove 제거 @@ -4116,12 +4116,12 @@ Run = 0인 경우 Height가 상대 프로파일과 동일하도록 Run이 계산 - + Add 추가하기 - + @@ -4173,7 +4173,7 @@ Run = 0인 경우 Height가 상대 프로파일과 동일하도록 Run이 계산 - + Type 유형 @@ -4277,7 +4277,7 @@ Run = 0인 경우 Height가 상대 프로파일과 동일하도록 Run이 계산 작성을 성공했습니다 - + Truss 트러스 @@ -4318,17 +4318,17 @@ Run = 0인 경우 Height가 상대 프로파일과 동일하도록 Run이 계산 오류: IfcOpenShell 의 버전이 오래되었습니다 - + Project 프로젝트 - + Stairs 계단 - + Railing 난간 @@ -4365,12 +4365,12 @@ Run = 0인 경우 Height가 상대 프로파일과 동일하도록 Run이 계산 - + Material 재료 - + MultiMaterial 다중 재료 @@ -4437,7 +4437,7 @@ Run = 0인 경우 Height가 상대 프로파일과 동일하도록 Run이 계산 - + Grid 격자 @@ -4623,17 +4623,17 @@ Run = 0인 경우 Height가 상대 프로파일과 동일하도록 Run이 계산 회전 - + Panel 패널 - + View of 보기 - + PanelSheet 패널 시트 @@ -4684,7 +4684,7 @@ Run = 0인 경우 Height가 상대 프로파일과 동일하도록 Run이 계산 면이 없음 - + Curtain Wall 외벽 @@ -4695,12 +4695,12 @@ Run = 0인 경우 Height가 상대 프로파일과 동일하도록 Run이 계산 외벽 만들기 - + Pipe 파이프 - + Connector 커넥터 @@ -4827,7 +4827,7 @@ Run = 0인 경우 Height가 상대 프로파일과 동일하도록 Run이 계산 CSV 파일로 내보내기 - + Export CSV File CSV 파일로 내보내기 @@ -4839,7 +4839,7 @@ Run = 0인 경우 Height가 상대 프로파일과 동일하도록 Run이 계산 - + Description 설명 @@ -4847,7 +4847,7 @@ Run = 0인 경우 Height가 상대 프로파일과 동일하도록 Run이 계산 - + Value @@ -4855,7 +4855,7 @@ Run = 0인 경우 Height가 상대 프로파일과 동일하도록 Run이 계산 - + Unit 단위 @@ -4962,7 +4962,7 @@ Floor creation aborted. 널 모양이 있습니다 - + Toggle subcomponents 하위 구성요소 전환 @@ -5062,7 +5062,7 @@ Floor creation aborted. 새로운 속성 집합 - + Rebar 철근 @@ -5078,7 +5078,7 @@ Floor creation aborted. 구조물 객체의 기본 면을 선택하십시오 - + Section 단면 @@ -5174,7 +5174,7 @@ Floor creation aborted. 위 목록의 객체에 맞게 평면을 중앙에 맞춥니다. - + Building 빌딩 @@ -5212,7 +5212,7 @@ Building creation aborted. 건물 만들기 - + Space 공간 @@ -5222,22 +5222,22 @@ Building creation aborted. 공간 만들기 - + Set text position 글자 위치 설정 - + Space boundaries 공간 경계 - + Wall - + Walls can only be based on Part or Mesh objects 벽은 Part 또는 Mesh 객체만 기준으로 할 수 있습니다 @@ -5356,58 +5356,58 @@ Building creation aborted. 모든 솔리드에 속하지 않는 면을 포함 - + Survey 탐색 - + Set description 설명 설정 - + Clear 지우기 - + Copy Length 길이 복사 - + Copy Area 범위 복사 - + Export CSV CSV로 내보내기 - + Area 면적 - + Total 합계 - + Object doesn't have settable IFC attributes Object doesn't have settable IFC attributes - + Disabling B-rep force flag of object Disabling B-rep force flag of object - + Enabling B-rep force flag of object Enabling B-rep force flag of object @@ -5453,12 +5453,12 @@ Building creation aborted. 구성 요소 만들기 - + Key - + The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: 객체에 IfcProperties 특성이 없습니다. 객체에 대한 스프레드시트 생성을 취소합니다: @@ -5689,8 +5689,8 @@ Building creation aborted. 이 장비에 필요한 와트 단위 전력 - - + + The type of this building 건물의 종류 @@ -5959,167 +5959,167 @@ Building creation aborted. 다리의 두께 - + The base terrain of this site 이 사이트의 기본 지형 - + The street and house number of this site, with postal box or apartment number if needed 필요한 경우 우편함 또는 아파트 번호가 포함된 이 사이트의 거리 및 집 번호 - + The postal or zip code of this site 이 사이트의 우편번호 - + The city of this site 이 사이트의 도시 - + The region, province or county of this site 이 사이트의 지역, 지방 또는 군 - + The country of this site 이 사이트의 국가 - + The latitude of this site 이 사이트의 위도 - + Angle between the true North and the North direction in this document 이 문서에서 실제 북향과 북향 사이의 각도 - + The elevation of level 0 of this site 이 사이트의 레벨 0의 고도 - + A URL that shows this site in a mapping website 매핑 웹 사이트에 이 사이트를 표시하는 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 평면 위에 이 오브젝트의 투영 면적 - + The perimeter length of the projected area 투영 영역의 둘레 길이 - + The volume of earth to be added to this terrain 이 지형에 추가할 토량 - + The volume of earth to be removed from this terrain 이 지형에서 제거할 토량 - + An extrusion vector to use when performing boolean operations 부울 연산을 수행할 때 사용하는 압출 벡터 - + Remove splitters from the resulting shape 결과 모양에서 스플리터 제거 - + An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates 모형 (0,0,0) 원점과 지오 좌표로 표시된 점 사이의 선택적 오프셋 - + The type of this object 이 객체의 유형 - + The time zone where this site is located 이 사이트가 위치한 시간대 - + An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one 이 사이트의 위치에 대한 선택적인 EPW 파일입니다. 사이트 설명서를 참조하여 하나를 얻는 방법을 확인하십시오 - + Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module Wind rose diagram을 표시하거나 표시하지 않습니다. solar diagram scale을 사용합니다. Ladybug 모듈이 필요합니다 - + Show solar diagram or not 솔라 다이어그램 표시 여부 - + The scale of the solar diagram 태양 다이어그램의 스케일 - + The position of the solar diagram 태양 다이어그램의 위치 - + The color of the solar diagram 태양 다이어그램의 색 - + When set to 'True North' the whole geometry will be rotated to match the true north of this site 'True North'으로 설정하면 전체 지오메트리가 이 사이트의 정북쪽과 일치하도록 회전됩니다 - + Show compass or not 나침반 표시 여부 - + The rotation of the Compass relative to the Site 대지에 대한 나침반의 회전 - + The position of the Compass relative to the Site placement 사이트 배치에 대한 컴퍼스의 위치 - + Update the Declination value based on the compass rotation 나침반 회전을 기준으로 경사값 업데이트 @@ -7463,128 +7463,128 @@ Building creation aborted. - + The name of the font 글꼴 이름 - + The size of the text font 텍스트 글꼴 크기 - + The objects that make the boundaries of this space object 이 공간 객체의 경계를 이루는 객체 - + Identical to Horizontal Area Identical to Horizontal Area - + The finishing of the floor of this space 이 공간의 바닥 끝 - + The finishing of the walls of this space 이 공간의 벽 끝 - + The finishing of the ceiling of this space 이 공간의 천장 끝 - + Objects that are included inside this space, such as furniture 가구와 같이 이 공간 안에 포함된 객체 - + The type of this space 이 공간의 유형 - + The thickness of the floor finish 바닥 두께 - + The number of people who typically occupy this space 일반적으로 이 공간을 차지하는 사람들의 수 - + The electric power needed to light this space in Watts 이 공간을 밝히는 데 필요한 와트 단위 전력 - + The electric power needed by the equipment of this space in Watts 이 공간의 장비에 필요한 와트 단위 전력 - + If True, Equipment Power will be automatically filled by the equipment included in this space 참이면 이 공간에 포함된 장비에 의해 장비 파워가 자동으로 채워집니다 - + The type of air conditioning of this space 이 공간의 공기 조절 유형 - + Specifies if this space is internal or external 이 공간이 내부인지 외부인지 지정합니다 - + Defines the calculation type for the horizontal area and its perimeter length Defines the calculation type for the horizontal area and its perimeter length - + The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data - + The color of the area text 영역 텍스트 색 - + The size of the first line of text 텍스트의 첫 번째 줄의 크기 - + The space between the lines of text 텍스트 줄 간격 - + The position of the text. Leave (0,0,0) for automatic position 텍스트의 위치. 자동 위치를 위해 (0,0,0) 을 남깁니다 - + The justification of the text 텍스트 행 고르기 - + The number of decimals to use for calculated texts 계산된 텍스트에 사용할 소수점 수 - + Show the unit suffix 단위 접미사 표시 @@ -8481,7 +8481,7 @@ Building creation aborted. Command - + Transform @@ -8699,23 +8699,23 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet IfcOpenShell was not found on this system. IFC support is disabled - + Objects structure Objects structure - + Attribute Attribute - - + + Value - + Property 속성 @@ -8775,13 +8775,18 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet 파일을 찾을 수 없습니다 - + IFC Explorer IFC Explorer - + + IfcSite element was not found in %s. Unable to explore. + IfcSite element was not found in %s. Unable to explore. + + + Error in entity Error in entity @@ -8921,22 +8926,22 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet New Layer - + Create Leader Create Leader - - + + Preview Preview - - + + Options 옵션 @@ -8951,97 +8956,97 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet It is not possible to link because the main document is closed. - + No structure in cache. Please refresh. No structure in cache. Please refresh. - + It is not possible to insert this object because the document has been closed. It is not possible to insert this object because the document has been closed. - + Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed - + Error: Unable to download Error: Unable to download - + Insertion point Insertion point - + Origin 원점 - + Top left 왼쪽 상단 - + Top center Top center - + Top right 오른쪽 상단 - + Middle left Middle left - + Middle center Middle center - + Middle right Middle right - + Bottom left 왼쪽 하단 - + Bottom center Bottom center - + Bottom right 오른쪽 하단 - + Cannot open URL Cannot open URL - + Could not fetch library contents Could not fetch library contents - + No results fetched from online library No results fetched from online library - + Warning, this can take several minutes! Warning, this can take several minutes! diff --git a/src/Mod/BIM/Resources/translations/Arch_lt.qm b/src/Mod/BIM/Resources/translations/Arch_lt.qm index e7d93d7bc59f..5707c2fc83d6 100644 Binary files a/src/Mod/BIM/Resources/translations/Arch_lt.qm and b/src/Mod/BIM/Resources/translations/Arch_lt.qm differ diff --git a/src/Mod/BIM/Resources/translations/Arch_lt.ts b/src/Mod/BIM/Resources/translations/Arch_lt.ts index 576d2258a417..b67d58066a98 100644 --- a/src/Mod/BIM/Resources/translations/Arch_lt.ts +++ b/src/Mod/BIM/Resources/translations/Arch_lt.ts @@ -3406,7 +3406,7 @@ unit to work with when opening the file. - + Category Kategorija @@ -3422,7 +3422,7 @@ unit to work with when opening the file. - + Length @@ -3597,7 +3597,7 @@ unit to work with when opening the file. Couldn't compute a shape - + Equipment Equipment @@ -3708,7 +3708,7 @@ unit to work with when opening the file. Profilis - + Site Aikštelė @@ -3738,7 +3738,7 @@ unit to work with when opening the file. - + Roof Stogas @@ -3858,7 +3858,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Iš priekio - + External Reference External Reference @@ -3966,7 +3966,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Create external reference - + Frame Rėmas @@ -4031,7 +4031,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela The shapefile library can be downloaded from the following URL and installed in your macros folder: - + Window Langas @@ -4120,7 +4120,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Remove Pašalinti @@ -4129,12 +4129,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Add Pridėti - + @@ -4186,7 +4186,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Type Rūšis @@ -4290,7 +4290,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Successfully written - + Truss Santvara @@ -4331,17 +4331,17 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Error: your IfcOpenShell version is too old - + Project Projektas - + Stairs Laiptai - + Railing Railing @@ -4378,12 +4378,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Material Medžiaga - + MultiMaterial MultiMaterial @@ -4450,7 +4450,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Grid Tinklelis @@ -4636,17 +4636,17 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Rotation - + Panel Skydas - + View of View of - + PanelSheet PanelSheet @@ -4697,7 +4697,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela This object has no face - + Curtain Wall Curtain Wall @@ -4708,12 +4708,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Create Curtain Wall - + Pipe Vamzdis - + Connector Connector @@ -4840,7 +4840,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Export CSV file - + Export CSV File Export CSV File @@ -4852,7 +4852,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Description Aprašymas @@ -4860,7 +4860,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Value Reikšmė @@ -4868,7 +4868,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Unit Vienetas @@ -4975,7 +4975,7 @@ Floor creation aborted. has a null shape - + Toggle subcomponents Toggle subcomponents @@ -5075,7 +5075,7 @@ Floor creation aborted. New property set - + Rebar Armatūra @@ -5091,7 +5091,7 @@ Floor creation aborted. Please select a base face on a structural object - + Section Pjūvis @@ -5187,7 +5187,7 @@ Floor creation aborted. Centers the plane on the objects in the list above - + Building Building @@ -5225,7 +5225,7 @@ Building creation aborted. Create Building - + Space Erdvė @@ -5235,22 +5235,22 @@ Building creation aborted. Create Space - + Set text position Set text position - + Space boundaries Space boundaries - + Wall Siena - + Walls can only be based on Part or Mesh objects Walls can only be based on Part or Mesh objects @@ -5369,58 +5369,58 @@ Building creation aborted. contains faces that are not part of any solid - + Survey Apklausa - + Set description Set description - + Clear Išvalyti - + Copy Length Copy Length - + Copy Area Copy Area - + Export CSV Export CSV - + Area Plotas - + Total Viso - + Object doesn't have settable IFC attributes Object doesn't have settable IFC attributes - + Disabling B-rep force flag of object Disabling B-rep force flag of object - + Enabling B-rep force flag of object Enabling B-rep force flag of object @@ -5466,12 +5466,12 @@ Building creation aborted. Create Component - + Key Mygtukas - + The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: @@ -5702,8 +5702,8 @@ Building creation aborted. The electric power needed by this equipment in Watts - - + + The type of this building The type of this building @@ -5972,167 +5972,167 @@ Building creation aborted. Thickness of the legs - + The base terrain of this site The base terrain of this site - + The street and house number of this site, with postal box or apartment number if needed The street and house number of this site, with postal box or apartment number if needed - + The postal or zip code of this site The postal or zip code of this site - + The city of this site The city of this site - + The region, province or county of this site The region, province or county of this site - + The country of this site The country of this site - + The latitude of this site The latitude of this site - + Angle between the true North and the North direction in this document Angle between the true North and the North direction in this document - + The elevation of level 0 of this site The elevation of level 0 of this site - + A URL that shows this site in a mapping website 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 - + The perimeter length of the projected area The perimeter length of the projected area - + The volume of earth to be added to this terrain The volume of earth to be added to this terrain - + The volume of earth to be removed from this terrain The volume of earth to be removed from this terrain - + An extrusion vector to use when performing boolean operations An extrusion vector to use when performing boolean operations - + Remove splitters from the resulting shape Remove splitters from the resulting shape - + An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates 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 - + The time zone where this site is located The time zone where this site is located - + An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one - + Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module - + Show solar diagram or not Show solar diagram or not - + The scale of the solar diagram The scale of the solar diagram - + The position of the solar diagram The position of the solar diagram - + The color of the solar diagram The color of the solar diagram - + When set to 'True North' the whole geometry will be rotated to match the true north of this site When set to 'True North' the whole geometry will be rotated to match the true north of this site - + Show compass or not Show compass or not - + The rotation of the Compass relative to the Site The rotation of the Compass relative to the Site - + The position of the Compass relative to the Site placement The position of the Compass relative to the Site placement - + Update the Declination value based on the compass rotation Update the Declination value based on the compass rotation @@ -7476,128 +7476,128 @@ Building creation aborted. - + The name of the font The name of the font - + The size of the text font The size of the text font - + The objects that make the boundaries of this space object The objects that make the boundaries of this space object - + Identical to Horizontal Area Identical to Horizontal Area - + The finishing of the floor of this space The finishing of the floor of this space - + The finishing of the walls of this space The finishing of the walls of this space - + The finishing of the ceiling of this space The finishing of the ceiling of this space - + Objects that are included inside this space, such as furniture Objects that are included inside this space, such as furniture - + The type of this space The type of this space - + The thickness of the floor finish The thickness of the floor finish - + The number of people who typically occupy this space The number of people who typically occupy this space - + The electric power needed to light this space in Watts The electric power needed to light this space in Watts - + The electric power needed by the equipment of this space in Watts The electric power needed by the equipment of this space in Watts - + If True, Equipment Power will be automatically filled by the equipment included in this space If True, Equipment Power will be automatically filled by the equipment included in this space - + The type of air conditioning of this space The type of air conditioning of this space - + Specifies if this space is internal or external Specifies if this space is internal or external - + Defines the calculation type for the horizontal area and its perimeter length Defines the calculation type for the horizontal area and its perimeter length - + The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data - + The color of the area text The color of the area text - + The size of the first line of text The size of the first line of text - + The space between the lines of text The space between the lines of text - + The position of the text. Leave (0,0,0) for automatic position The position of the text. Leave (0,0,0) for automatic position - + The justification of the text The justification of the text - + The number of decimals to use for calculated texts The number of decimals to use for calculated texts - + Show the unit suffix Show the unit suffix @@ -8494,7 +8494,7 @@ Building creation aborted. Command - + Transform @@ -8712,23 +8712,23 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet IfcOpenShell was not found on this system. IFC support is disabled - + Objects structure Objects structure - + Attribute Attribute - - + + Value Reikšmė - + Property Savybė @@ -8788,13 +8788,18 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Failas nerastas - + IFC Explorer IFC Explorer - + + IfcSite element was not found in %s. Unable to explore. + IfcSite element was not found in %s. Unable to explore. + + + Error in entity Error in entity @@ -8934,22 +8939,22 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet New Layer - + Create Leader Create Leader - - + + Preview Peržiūrėti - - + + Options Parinktys @@ -8964,97 +8969,97 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet It is not possible to link because the main document is closed. - + No structure in cache. Please refresh. No structure in cache. Please refresh. - + It is not possible to insert this object because the document has been closed. It is not possible to insert this object because the document has been closed. - + Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed - + Error: Unable to download Error: Unable to download - + Insertion point Insertion point - + Origin Koordinačių pradžia - + Top left Viršuje kairėje - + Top center Top center - + Top right Viršuje dešinėje - + Middle left Middle left - + Middle center Middle center - + Middle right Middle right - + Bottom left Apačioje kairėje - + Bottom center Bottom center - + Bottom right Apačioje dešinėje - + Cannot open URL Cannot open URL - + Could not fetch library contents Could not fetch library contents - + No results fetched from online library No results fetched from online library - + Warning, this can take several minutes! Warning, this can take several minutes! diff --git a/src/Mod/BIM/Resources/translations/Arch_nl.qm b/src/Mod/BIM/Resources/translations/Arch_nl.qm index e429261730b0..f7a01b805b45 100644 Binary files a/src/Mod/BIM/Resources/translations/Arch_nl.qm and b/src/Mod/BIM/Resources/translations/Arch_nl.qm differ diff --git a/src/Mod/BIM/Resources/translations/Arch_nl.ts b/src/Mod/BIM/Resources/translations/Arch_nl.ts index c8931562020a..8fd2aef4f92d 100644 --- a/src/Mod/BIM/Resources/translations/Arch_nl.ts +++ b/src/Mod/BIM/Resources/translations/Arch_nl.ts @@ -3400,7 +3400,7 @@ Echter, sommige BIM programma's zullen deze conversie factor gebruiken bij het k - + Category Categorie @@ -3416,7 +3416,7 @@ Echter, sommige BIM programma's zullen deze conversie factor gebruiken bij het k - + Length @@ -3591,7 +3591,7 @@ Echter, sommige BIM programma's zullen deze conversie factor gebruiken bij het k Kon geen vorm berekenen - + Equipment Uitrusting @@ -3702,7 +3702,7 @@ Echter, sommige BIM programma's zullen deze conversie factor gebruiken bij het k Profiel - + Site Bouwterrein @@ -3732,7 +3732,7 @@ Echter, sommige BIM programma's zullen deze conversie factor gebruiken bij het k - + Roof Dak @@ -3852,7 +3852,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Voorzijde - + External Reference Externe referentie @@ -3960,7 +3960,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Maak externe referentie - + Frame Kader @@ -4025,7 +4025,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela The shapefile library can be downloaded from the following URL and installed in your macros folder: - + Window Raam @@ -4114,7 +4114,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Remove Verwijderen @@ -4123,12 +4123,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Add Toevoegen - + @@ -4180,7 +4180,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Type Type @@ -4284,7 +4284,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Met succes geschreven - + Truss Truss @@ -4325,17 +4325,17 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Error: your IfcOpenShell version is too old - + Project Project - + Stairs Trap - + Railing Railing @@ -4372,12 +4372,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Material Materiaal - + MultiMaterial MultiMaterial @@ -4444,7 +4444,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Grid Raster @@ -4630,17 +4630,17 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Rotatie - + Panel Panel - + View of Weergave van - + PanelSheet PanelSheet @@ -4691,7 +4691,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela This object has no face - + Curtain Wall Curtain Wall @@ -4702,12 +4702,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Create Curtain Wall - + Pipe Pijp - + Connector Connector @@ -4834,7 +4834,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Export CSV file - + Export CSV File Exporteren CSV bestand @@ -4846,7 +4846,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Description Omschrijving @@ -4854,7 +4854,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Value Waarde @@ -4862,7 +4862,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Unit Eenheid @@ -4969,7 +4969,7 @@ Floor creation aborted. has a null shape - + Toggle subcomponents Toggle subcomponents @@ -5069,7 +5069,7 @@ Floor creation aborted. Nieuwe eigenschapset - + Rebar Wapening @@ -5085,7 +5085,7 @@ Floor creation aborted. Please select a base face on a structural object - + Section Deel @@ -5181,7 +5181,7 @@ Floor creation aborted. Centers the plane on the objects in the list above - + Building Gebouw @@ -5219,7 +5219,7 @@ Building creation aborted. Create Building - + Space Ruimte @@ -5229,22 +5229,22 @@ Building creation aborted. Create Space - + Set text position Set text position - + Space boundaries Space boundaries - + Wall Muur - + Walls can only be based on Part or Mesh objects Walls can only be based on Part or Mesh objects @@ -5363,58 +5363,58 @@ Building creation aborted. contains faces that are not part of any solid - + Survey Enquête - + Set description Beschrijving instellen - + Clear Wissen - + Copy Length Lengte kopiëren - + Copy Area Kopieer gebied - + Export CSV Exporteer CSV - + Area Oppervlakte - + Total Totaal - + Object doesn't have settable IFC attributes Object doesn't have settable IFC attributes - + Disabling B-rep force flag of object Disabling B-rep force flag of object - + Enabling B-rep force flag of object Enabling B-rep force flag of object @@ -5460,12 +5460,12 @@ Building creation aborted. Creëer Component - + Key Sleutel - + The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: @@ -5696,8 +5696,8 @@ Building creation aborted. The electric power needed by this equipment in Watts - - + + The type of this building The type of this building @@ -5966,167 +5966,167 @@ Building creation aborted. Thickness of the legs - + The base terrain of this site The base terrain of this site - + The street and house number of this site, with postal box or apartment number if needed The street and house number of this site, with postal box or apartment number if needed - + The postal or zip code of this site The postal or zip code of this site - + The city of this site The city of this site - + The region, province or county of this site The region, province or county of this site - + The country of this site The country of this site - + The latitude of this site The latitude of this site - + Angle between the true North and the North direction in this document Angle between the true North and the North direction in this document - + The elevation of level 0 of this site The elevation of level 0 of this site - + A URL that shows this site in a mapping website 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 - + The perimeter length of the projected area The perimeter length of the projected area - + The volume of earth to be added to this terrain The volume of earth to be added to this terrain - + The volume of earth to be removed from this terrain The volume of earth to be removed from this terrain - + An extrusion vector to use when performing boolean operations An extrusion vector to use when performing boolean operations - + Remove splitters from the resulting shape Remove splitters from the resulting shape - + An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates 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 - + The time zone where this site is located The time zone where this site is located - + An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one - + Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module - + Show solar diagram or not Show solar diagram or not - + The scale of the solar diagram The scale of the solar diagram - + The position of the solar diagram The position of the solar diagram - + The color of the solar diagram The color of the solar diagram - + When set to 'True North' the whole geometry will be rotated to match the true north of this site When set to 'True North' the whole geometry will be rotated to match the true north of this site - + Show compass or not Show compass or not - + The rotation of the Compass relative to the Site The rotation of the Compass relative to the Site - + The position of the Compass relative to the Site placement The position of the Compass relative to the Site placement - + Update the Declination value based on the compass rotation Update the Declination value based on the compass rotation @@ -7470,128 +7470,128 @@ Building creation aborted. - + The name of the font De naam van het lettertype - + The size of the text font De grootte van het lettertype - + The objects that make the boundaries of this space object The objects that make the boundaries of this space object - + Identical to Horizontal Area Identical to Horizontal Area - + The finishing of the floor of this space The finishing of the floor of this space - + The finishing of the walls of this space The finishing of the walls of this space - + The finishing of the ceiling of this space The finishing of the ceiling of this space - + Objects that are included inside this space, such as furniture Objects that are included inside this space, such as furniture - + The type of this space The type of this space - + The thickness of the floor finish The thickness of the floor finish - + The number of people who typically occupy this space The number of people who typically occupy this space - + The electric power needed to light this space in Watts The electric power needed to light this space in Watts - + The electric power needed by the equipment of this space in Watts The electric power needed by the equipment of this space in Watts - + If True, Equipment Power will be automatically filled by the equipment included in this space If True, Equipment Power will be automatically filled by the equipment included in this space - + The type of air conditioning of this space The type of air conditioning of this space - + Specifies if this space is internal or external Specifies if this space is internal or external - + Defines the calculation type for the horizontal area and its perimeter length Defines the calculation type for the horizontal area and its perimeter length - + The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data - + The color of the area text The color of the area text - + The size of the first line of text The size of the first line of text - + The space between the lines of text The space between the lines of text - + The position of the text. Leave (0,0,0) for automatic position The position of the text. Leave (0,0,0) for automatic position - + The justification of the text The justification of the text - + The number of decimals to use for calculated texts The number of decimals to use for calculated texts - + Show the unit suffix Show the unit suffix @@ -7799,7 +7799,7 @@ Building creation aborted. &Annotation - Aantekening + Aantekening @@ -8488,7 +8488,7 @@ Building creation aborted. Command - + Transform @@ -8706,23 +8706,23 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet IfcOpenShell was not found on this system. IFC support is disabled - + Objects structure Objects structure - + Attribute Attribute - - + + Value Waarde - + Property Eigenschap @@ -8782,13 +8782,18 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Bestand niet gevonden - + IFC Explorer IFC Explorer - + + IfcSite element was not found in %s. Unable to explore. + IfcSite element was not found in %s. Unable to explore. + + + Error in entity Error in entity @@ -8928,22 +8933,22 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Nieuwe Laag - + Create Leader Maak Leider - - + + Preview Voorbeeldweergave - - + + Options Opties @@ -8958,97 +8963,97 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet It is not possible to link because the main document is closed. - + No structure in cache. Please refresh. No structure in cache. Please refresh. - + It is not possible to insert this object because the document has been closed. It is not possible to insert this object because the document has been closed. - + Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed - + Error: Unable to download Error: Unable to download - + Insertion point Insertion point - + Origin Oorsprong - + Top left Linksboven - + Top center Top center - + Top right Rechtsboven - + Middle left Middle left - + Middle center Middle center - + Middle right Middle right - + Bottom left Linksonder - + Bottom center Bottom center - + Bottom right Rechts Onder - + Cannot open URL Cannot open URL - + Could not fetch library contents Could not fetch library contents - + No results fetched from online library No results fetched from online library - + Warning, this can take several minutes! Warning, this can take several minutes! diff --git a/src/Mod/BIM/Resources/translations/Arch_pl.qm b/src/Mod/BIM/Resources/translations/Arch_pl.qm index bad8a25ffb75..6470b209f594 100644 Binary files a/src/Mod/BIM/Resources/translations/Arch_pl.qm and b/src/Mod/BIM/Resources/translations/Arch_pl.qm differ diff --git a/src/Mod/BIM/Resources/translations/Arch_pl.ts b/src/Mod/BIM/Resources/translations/Arch_pl.ts index e967bee738af..8a430ef2ce91 100644 --- a/src/Mod/BIM/Resources/translations/Arch_pl.ts +++ b/src/Mod/BIM/Resources/translations/Arch_pl.ts @@ -3463,7 +3463,7 @@ które pozwalają na wybór systemu miar przy otwieraniu pliku. - + Category Kategoria @@ -3479,7 +3479,7 @@ które pozwalają na wybór systemu miar przy otwieraniu pliku. - + Length @@ -3654,7 +3654,7 @@ które pozwalają na wybór systemu miar przy otwieraniu pliku. Nie można obliczyć kształtu - + Equipment Wyposażenie @@ -3765,7 +3765,7 @@ które pozwalają na wybór systemu miar przy otwieraniu pliku. Kontur - + Site Teren @@ -3795,7 +3795,7 @@ które pozwalają na wybór systemu miar przy otwieraniu pliku. - + Roof Dach @@ -3916,7 +3916,7 @@ Jeśli Rozpiętość = 0, wówczas Rozpiętość jest obliczana tak, aby wysoko Przed - + External Reference Odniesienie zewnętrzne @@ -4024,7 +4024,7 @@ Jeśli Rozpiętość = 0, wówczas Rozpiętość jest obliczana tak, aby wysoko Utwórz zewnętrzny odnośnik - + Frame Rama @@ -4089,7 +4089,7 @@ Jeśli Rozpiętość = 0, wówczas Rozpiętość jest obliczana tak, aby wysoko Biblioteka shapefile może zostać pobrana z następującego adresu URL i zainstalowana w folderze makrodefinicji: - + Window Okno @@ -4178,7 +4178,7 @@ Jeśli Rozpiętość = 0, wówczas Rozpiętość jest obliczana tak, aby wysoko - + Remove Usuń @@ -4187,12 +4187,12 @@ Jeśli Rozpiętość = 0, wówczas Rozpiętość jest obliczana tak, aby wysoko - + Add Dodaj - + @@ -4244,7 +4244,7 @@ Jeśli Rozpiętość = 0, wówczas Rozpiętość jest obliczana tak, aby wysoko - + Type Typ @@ -4348,7 +4348,7 @@ Jeśli Rozpiętość = 0, wówczas Rozpiętość jest obliczana tak, aby wysoko Zapisano pomyślnie - + Truss Wiązar @@ -4389,17 +4389,17 @@ Jeśli Rozpiętość = 0, wówczas Rozpiętość jest obliczana tak, aby wysoko Błąd: Używana biblioteka IfcOpenShell jest zbyt stara - + Project Projekt - + Stairs Schody - + Railing Balustrada @@ -4436,12 +4436,12 @@ Jeśli Rozpiętość = 0, wówczas Rozpiętość jest obliczana tak, aby wysoko - + Material Materiał - + MultiMaterial Wielomateriałowy @@ -4508,7 +4508,7 @@ Jeśli Rozpiętość = 0, wówczas Rozpiętość jest obliczana tak, aby wysoko - + Grid Siatka @@ -4694,17 +4694,17 @@ Jeśli Rozpiętość = 0, wówczas Rozpiętość jest obliczana tak, aby wysoko Obracanie - + Panel Panel - + View of Widok - + PanelSheet Arkusz Panelu @@ -4755,7 +4755,7 @@ Jeśli Rozpiętość = 0, wówczas Rozpiętość jest obliczana tak, aby wysoko Obiekt nie ma powierzchni - + Curtain Wall Ściana kurtynowa @@ -4766,12 +4766,12 @@ Jeśli Rozpiętość = 0, wówczas Rozpiętość jest obliczana tak, aby wysoko Utwórz ścianę kurtynową - + Pipe Rura - + Connector Kształtka @@ -4898,7 +4898,7 @@ Jeśli Rozpiętość = 0, wówczas Rozpiętość jest obliczana tak, aby wysoko Eksportuj do pliku CSV - + Export CSV File Eksportuj plik CSV @@ -4910,7 +4910,7 @@ Jeśli Rozpiętość = 0, wówczas Rozpiętość jest obliczana tak, aby wysoko - + Description Opis @@ -4918,7 +4918,7 @@ Jeśli Rozpiętość = 0, wówczas Rozpiętość jest obliczana tak, aby wysoko - + Value Wartość @@ -4926,7 +4926,7 @@ Jeśli Rozpiętość = 0, wówczas Rozpiętość jest obliczana tak, aby wysoko - + Unit Jednostka @@ -5033,7 +5033,7 @@ Tworzenie piętra zostało przerwane. ma kształt zerowy - + Toggle subcomponents Pokaż komponenty podrzędne @@ -5133,7 +5133,7 @@ Tworzenie piętra zostało przerwane. Nowy zestaw właściwości - + Rebar Zbrojenie @@ -5149,7 +5149,7 @@ Tworzenie piętra zostało przerwane. Zaznacz płaszczyznę podstawy na obiekcie konstrukcyjnym - + Section Przekrój @@ -5245,7 +5245,7 @@ Tworzenie piętra zostało przerwane. Wyśrodkuje płaszczyznę na obiektach znajdujących się powyżej - + Building Budynek @@ -5283,7 +5283,7 @@ Tworzenie budynku zostało przerwane. Utwórz budynek - + Space Przestrzeń @@ -5293,22 +5293,22 @@ Tworzenie budynku zostało przerwane. Utwórz przestrzeń - + Set text position Ustal położenie tekstu - + Space boundaries Granice przestrzeni - + Wall Ściana - + Walls can only be based on Part or Mesh objects Ściany mogą być oparta wyłącznie na obiektach Części lub Siatki @@ -5380,7 +5380,7 @@ Utwórz kilka, aby zdefiniować typy ścian. changed 'Normal' to [0, 0, 1] to preserve extrusion direction - changed 'Normal' to [0, 0, 1] to preserve extrusion direction + zmieniono "Normalny" na [0, 0, 1], aby zachować kierunek wyciągnięcia @@ -5428,58 +5428,58 @@ Utwórz kilka, aby zdefiniować typy ścian. zawiera ściany, które nie są częścią żadnej bryły - + Survey Spis wymiarów - + Set description Wprowadź opis - + Clear Wyczyść - + Copy Length Skopiuj długość - + Copy Area Skopiuj powierzchnię - + Export CSV Eksportuj CSV - + Area Powierzchnia - + Total Łącznie - + Object doesn't have settable IFC attributes Obiekt nie posiada ustawialnych Atrybutów IFC - + Disabling B-rep force flag of object Wyłączenie wymuszenia flagi B-rep obiektu - + Enabling B-rep force flag of object Włączenie wymuszenia flagi B-rep obiektu @@ -5525,12 +5525,12 @@ Utwórz kilka, aby zdefiniować typy ścian. Utwórz komponent - + Key Klucz - + The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: Obiekt nie posiada atrybutu właściwości IFC. Anuluj tworzenie arkusza kalkulacyjnego dla obiektu: @@ -5761,8 +5761,8 @@ Utwórz kilka, aby zdefiniować typy ścian. Zapotrzebowanie na moc elektryczną osprzętu w Watach [W] - - + + The type of this building Typ tego budynku @@ -6032,167 +6032,167 @@ jeśli wysokość tych obiektów jest ustawiona na 0 Grubość podpór - + The base terrain of this site Teren bazowy tej działki - + The street and house number of this site, with postal box or apartment number if needed Ulica i numer domu danej lokalizacji, z kodem pocztowym lub numerem mieszkania w razie potrzeby - + The postal or zip code of this site Kod pocztowy działki budowlanej - + The city of this site Miasto lokalizacji - + The region, province or county of this site Region, województwo lub powiat, w którym znajduje się teren - + The country of this site Kraj lokalizacji - + The latitude of this site Szerokość geograficzna lokalizacji - + Angle between the true North and the North direction in this document Kat pomiędzy kierunkiem północy geograficznej a północą w tym projekcie - + The elevation of level 0 of this site Wysokość bezwzględna poziomu 0 lokalizacji - + A URL that shows this site in a mapping website 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 - + The perimeter length of the projected area Długość obwodu rzutowanej powierzchni - + The volume of earth to be added to this terrain Objętość ziemi, która ma zostać dodana do tego terenu - + The volume of earth to be removed from this terrain Objętość ziemi, która ma zostać usunięta z tego terenu - + An extrusion vector to use when performing boolean operations Wektor wyciągnięcia, który będzie używany podczas wykonywania operacji logicznych - + Remove splitters from the resulting shape Usuń elementy dzielące z otrzymanego kształtu - + An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates 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 - + The time zone where this site is located Strefa czasowa, w której znajduje się ta lokalizacja - + An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one Opcjonalny plik EPW dla lokalizacji tej działki. Sprawdź dokumentację działki, aby dowiedzieć się, jak go uzyskać - + Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module Pokaż schemat róży wiatrów lub nie. Wykorzystuje skalę diagramu słonecznego. Wymaga modułu Ladybug - + Show solar diagram or not Pokaż diagram słońca lub nie - + The scale of the solar diagram Skala diagramu słońca - + The position of the solar diagram Położenie diagramu słońca - + The color of the solar diagram Kolor diagramu słońca - + When set to 'True North' the whole geometry will be rotated to match the true north of this site Po ustawieniu opcji "Rzeczywista północ" cała geometria zostanie obrócona, aby dopasować ją do rzeczywistej północy tego terenu - + Show compass or not Pokaż lub ukryj kompas - + The rotation of the Compass relative to the Site Położenie kompasu względem lokalizacji terenu - + The position of the Compass relative to the Site placement Położenie kompasu względem lokalizacji terenu - + Update the Declination value based on the compass rotation Zaktualizuj wartość Deklinacji w oparciu o obrót kompasu @@ -7539,128 +7539,128 @@ obiekty bez brył też będą cięte, z możliwością pojawienia się błędów - + The name of the font Nazwa czcionki - + The size of the text font Rozmiar czcionki - + The objects that make the boundaries of this space object Obiekty, które tworzą granice tego obiektu przestrzeni - + Identical to Horizontal Area Identyczny z poziomym obszarem - + The finishing of the floor of this space Wykończenie podłogi tej przestrzeni - + The finishing of the walls of this space Wykończenie ścian tej przestrzeni - + The finishing of the ceiling of this space Wykończenie sufitu tej przestrzeni - + Objects that are included inside this space, such as furniture Obiekty znajdujące się w tej przestrzeni, takie jak meble - + The type of this space Rodzaj pomieszczenia - + The thickness of the floor finish Grubość wykończenia posadzki - + The number of people who typically occupy this space Liczba osób zwykle przebywających w tej przestrzeni - + The electric power needed to light this space in Watts Moc elektryczna w watach potrzebna do oświetlenia tej przestrzeni - + The electric power needed by the equipment of this space in Watts Zapotrzebowanie mocy elektrycznej urządzeń w tej przestrzeni w watach - + If True, Equipment Power will be automatically filled by the equipment included in this space Jeśli opcja ta jest zaznaczona, pole Sprzęt Zasilający zostanie automatycznie uzupełnione przez wyposażenie zawarte w tym miejscu - + The type of air conditioning of this space Typ klimatyzacji pomieszczenia - + Specifies if this space is internal or external Określa, czy ta przestrzeń jest wewnętrzna czy zewnętrzna - + Defines the calculation type for the horizontal area and its perimeter length Określa typ obliczeń dla obszaru poziomego i długości jego obwodu. - + The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data Tekst do wyświetlenia. Użyj zapisu $area, $label, $tag, $longname, $description i dla wykończeń $floor, $walls, $ceiling, aby wstawić odpowiednie dane. - + The color of the area text Kolor tekstu pola powierzchni - + The size of the first line of text Rozmiar pierwszej linii tekstu - + The space between the lines of text Odstęp między liniami tekstu - + The position of the text. Leave (0,0,0) for automatic position Położenie tekstu. Pozostaw (0,0,0) jako pozycja automatyczna - + The justification of the text Justowanie tekstu - + The number of decimals to use for calculated texts Liczba miejsc po przecinku, która ma być stosowana w tekstach obliczeniowych - + Show the unit suffix Pokaż symbol jednostki @@ -8559,7 +8559,7 @@ lub tworzy otwór w komponencie Command - + Transform @@ -8794,23 +8794,23 @@ CTRL+/ do przełączania między trybem automatycznym i ręcznym. Obsługa IFC jest wyłączona. - + Objects structure Struktura obiektów - + Attribute Atrybut - - + + Value Wartość - + Property Właściwość @@ -8870,13 +8870,18 @@ CTRL+/ do przełączania między trybem automatycznym i ręcznym. Nie znaleziono pliku - + IFC Explorer Przeglądarka IFC - + + IfcSite element was not found in %s. Unable to explore. + IfcSite element was not found in %s. Unable to explore. + + + Error in entity Błąd w jednostce @@ -9016,22 +9021,22 @@ CTRL+/ do przełączania między trybem automatycznym i ręcznym. Nowa warstwa - + Create Leader Tworzy linię odniesienia - - + + Preview Podgląd - - + + Options Opcje @@ -9046,97 +9051,97 @@ CTRL+/ do przełączania między trybem automatycznym i ręcznym. Nie można utworzyć łącza, ponieważ główny dokument jest zamknięty. - + No structure in cache. Please refresh. Brak struktury w pamięci podręcznej. Odśwież. - + It is not possible to insert this object because the document has been closed. Nie można wstawić tego obiektu, ponieważ dokument został zamknięty. - + Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed Błąd: Nie można importować plików SAT – dodatek InventorLoader lub CadExchanger musi być zainstalowany. - + Error: Unable to download Błąd: Nie można pobrać - + Insertion point Punkt bazowy - + Origin Odniesienie położenia - + Top left Lewy górny - + Top center Góra, środek - + Top right Prawy górny - + Middle left Lewy pośrodku - + Middle center Środek - + Middle right Prawy pośrodku - + Bottom left Lewy dolny - + Bottom center Środek na dole - + Bottom right Prawy dolny - + Cannot open URL Nie można otworzyć adresu URL - + Could not fetch library contents Nie udało się pobrać zawartości biblioteki - + No results fetched from online library Brak wyników pobranych z biblioteki online - + Warning, this can take several minutes! Uwaga, może to potrwać kilka minut! diff --git a/src/Mod/BIM/Resources/translations/Arch_pt-BR.qm b/src/Mod/BIM/Resources/translations/Arch_pt-BR.qm index cf83b2fc9c1e..bf6aa80b8c6d 100644 Binary files a/src/Mod/BIM/Resources/translations/Arch_pt-BR.qm and b/src/Mod/BIM/Resources/translations/Arch_pt-BR.qm differ diff --git a/src/Mod/BIM/Resources/translations/Arch_pt-BR.ts b/src/Mod/BIM/Resources/translations/Arch_pt-BR.ts index 32cf45124db7..8250def8aede 100644 --- a/src/Mod/BIM/Resources/translations/Arch_pt-BR.ts +++ b/src/Mod/BIM/Resources/translations/Arch_pt-BR.ts @@ -6,7 +6,7 @@ BIM material - BIM material + Material BIM @@ -3385,7 +3385,7 @@ No entanto, alguns aplicativos BIM usarão este fator para escolher com qual uni - + Category Categoria @@ -3401,7 +3401,7 @@ No entanto, alguns aplicativos BIM usarão este fator para escolher com qual uni - + Length @@ -3575,7 +3575,7 @@ No entanto, alguns aplicativos BIM usarão este fator para escolher com qual uni Não foi possível calcular uma forma. - + Equipment Equipamento @@ -3686,7 +3686,7 @@ No entanto, alguns aplicativos BIM usarão este fator para escolher com qual uni Perfil - + Site Sítio @@ -3716,7 +3716,7 @@ No entanto, alguns aplicativos BIM usarão este fator para escolher com qual uni - + Roof Telhado @@ -3836,7 +3836,7 @@ Se a extensão = 0, ela será calculada de modo que a altura seja a mesma do per Frente - + External Reference Referência externa @@ -3944,7 +3944,7 @@ Se a extensão = 0, ela será calculada de modo que a altura seja a mesma do per Criar referência externa - + Frame Quadro @@ -4009,7 +4009,7 @@ Se a extensão = 0, ela será calculada de modo que a altura seja a mesma do per A biblioteca de shapefile pode ser baixada da seguinte URL e instalada na sua pasta de macros: - + Window Janela @@ -4098,7 +4098,7 @@ Se a extensão = 0, ela será calculada de modo que a altura seja a mesma do per - + Remove Remover @@ -4107,12 +4107,12 @@ Se a extensão = 0, ela será calculada de modo que a altura seja a mesma do per - + Add Adicionar - + @@ -4164,7 +4164,7 @@ Se a extensão = 0, ela será calculada de modo que a altura seja a mesma do per - + Type Tipo @@ -4268,7 +4268,7 @@ Se a extensão = 0, ela será calculada de modo que a altura seja a mesma do per Gravado com sucesso - + Truss Treliça @@ -4309,17 +4309,17 @@ Se a extensão = 0, ela será calculada de modo que a altura seja a mesma do per Erro: a sua versão de IfcOpenShell é muito antiga - + Project Projeto - + Stairs Escada - + Railing Corrimão @@ -4356,12 +4356,12 @@ Se a extensão = 0, ela será calculada de modo que a altura seja a mesma do per - + Material Material - + MultiMaterial MultiMaterial @@ -4428,7 +4428,7 @@ Se a extensão = 0, ela será calculada de modo que a altura seja a mesma do per - + Grid Grade @@ -4614,17 +4614,17 @@ Se a extensão = 0, ela será calculada de modo que a altura seja a mesma do per Rotação - + Panel Painel - + View of Vista de - + PanelSheet Folha de Painel @@ -4675,7 +4675,7 @@ Se a extensão = 0, ela será calculada de modo que a altura seja a mesma do per Este objeto não possui faces - + Curtain Wall Parede de cortina @@ -4686,12 +4686,12 @@ Se a extensão = 0, ela será calculada de modo que a altura seja a mesma do per Criar parede de cortina - + Pipe Tubulação - + Connector Conector @@ -4818,7 +4818,7 @@ Se a extensão = 0, ela será calculada de modo que a altura seja a mesma do per Exportar arquivo CSV - + Export CSV File Exportar um arquivo CSV @@ -4830,7 +4830,7 @@ Se a extensão = 0, ela será calculada de modo que a altura seja a mesma do per - + Description Descrição @@ -4838,7 +4838,7 @@ Se a extensão = 0, ela será calculada de modo que a altura seja a mesma do per - + Value Valor @@ -4846,7 +4846,7 @@ Se a extensão = 0, ela será calculada de modo que a altura seja a mesma do per - + Unit Unidade @@ -4945,7 +4945,7 @@ Floor creation aborted. tem uma forma nula - + Toggle subcomponents Alternar subcomponentes @@ -5045,7 +5045,7 @@ Floor creation aborted. Novo conjunto de propriedades - + Rebar Ferragem @@ -5061,7 +5061,7 @@ Floor creation aborted. Por favor, selecione uma face de base em um objeto estrutural - + Section Seção @@ -5157,7 +5157,7 @@ Floor creation aborted. Centraliza o plano na lista de objetos acima - + Building Edificação @@ -5189,7 +5189,7 @@ Criação de edifício abortada. Criar o edifício - + Space Espaço @@ -5199,22 +5199,22 @@ Criação de edifício abortada. Criar Espaço - + Set text position Definir a posição do texto - + Space boundaries Limites do espaço - + Wall Parede - + Walls can only be based on Part or Mesh objects Paredes só podem basear-se em objetos de malha ou parte (peça) @@ -5285,7 +5285,7 @@ Criação de edifício abortada. changed 'Normal' to [0, 0, 1] to preserve extrusion direction - changed 'Normal' to [0, 0, 1] to preserve extrusion direction + mudou 'Normal' para [0, 0, 1] para preservar a direção de extrusão @@ -5333,58 +5333,58 @@ Criação de edifício abortada. contém faces que não pertencem a nenhum sólido - + Survey Quantitativo - + Set description Definir descrição - + Clear Limpar - + Copy Length Copiar comprimento - + Copy Area Copiar área - + Export CSV Exportar para CSV - + Area Área - + Total Total - + Object doesn't have settable IFC attributes Este objeto não possuí atributos IFC configuráveis - + Disabling B-rep force flag of object Desativando o modo Brep deste objeto - + Enabling B-rep force flag of object Ativando o modo Brep deste objeto @@ -5430,12 +5430,12 @@ Criação de edifício abortada. Criar Componente - + Key Chave - + The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: O objeto não tem o atributo IfcProperties. Cancelar criação de planilha para o objeto: @@ -5666,8 +5666,8 @@ 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 @@ -5936,167 +5936,167 @@ Criação de edifício abortada. Espessura das pernas - + The base terrain of this site O terreno de base deste sítio - + The street and house number of this site, with postal box or apartment number if needed A rua e número de casa deste site, com número de apartamento ou caixa postal se necessário - + The postal or zip code of this site O código postal deste sítio - + The city of this site A cidade deste terreno - + The region, province or county of this site A região, província ou distrito deste site - + The country of this site O país deste terreno - + The latitude of this site A latitude deste terreno - + Angle between the true North and the North direction in this document Ângulo entre o norte verdadeiro e a direção do norte neste documento - + The elevation of level 0 of this site A elevação do nível 0 deste terreno - + A URL that shows this site in a mapping website 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 - + The perimeter length of the projected area O comprimento do perímetro da área projetada - + The volume of earth to be added to this terrain O volume de terra a ser adicionado a este terreno - + The volume of earth to be removed from this terrain O volume de terra a ser retirado deste terreno - + An extrusion vector to use when performing boolean operations Um vetor de extrusão usado para operações booleanas - + Remove splitters from the resulting shape Retira as arestas divisoras da forma resultante - + An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates 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 - + The time zone where this site is located O fuso horário onde este local está localizado - + An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one Um arquivo EPW opcional para a localização deste site. Consulte a documentação do Site para saber como obter um - + Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module Mostra um diagrama de rosa de ventos ou não. Usa a escala do diagrama solar. Precisa do módulo Ladybug - + Show solar diagram or not Mostrar o diagrama solar ou não - + The scale of the solar diagram A escala do diagrama solar - + The position of the solar diagram A posição do diagrama solar - + The color of the solar diagram A cor do diagrama solar - + When set to 'True North' the whole geometry will be rotated to match the true north of this site Quando definido como 'Norte Verdadeiro', toda a geometria será girada para coincidir com o verdadeiro norte deste local - + Show compass or not Mostra bússola ou não - + The rotation of the Compass relative to the Site A rotação da Bússola relativa ao Local - + The position of the Compass relative to the Site placement A posição da Bússola relativa ao posicionamento do local - + Update the Declination value based on the compass rotation Atualizar o valor Declinação baseado na rotação do compasso @@ -7440,128 +7440,128 @@ Criação de edifício abortada. - + The name of the font O nome da fonte - + The size of the text font O tamanho do texto - + The objects that make the boundaries of this space object Os objetos que constituem os limites deste espaço - + Identical to Horizontal Area Idêntico à área horizontal - + The finishing of the floor of this space O acabamento do piso deste espaço - + The finishing of the walls of this space O acabamento das paredes deste espaço - + The finishing of the ceiling of this space O acabamento do teto deste espaço - + Objects that are included inside this space, such as furniture Objetos que são incluídos dentro deste espaço, por exemplo o mobiliário - + The type of this space O tipo deste espaço - + The thickness of the floor finish A espessura do revestimento de piso - + The number of people who typically occupy this space O número de pessoas que normalmente ocupam este espaço - + The electric power needed to light this space in Watts A energia elétrica necessária para iluminar este espaço em Watts - + The electric power needed by the equipment of this space in Watts A energia elétrica necessária para os equipamentos deste espaço, em Watts - + If True, Equipment Power will be automatically filled by the equipment included in this space Se isto for marcado, a propriedade Equipment Power será automaticamente preenchida pelos equipamentos incluídos nesse espaço - + The type of air conditioning of this space O tipo de ar condicionado deste espaço - + Specifies if this space is internal or external Especifica se este espaço é interno ou externo - + Defines the calculation type for the horizontal area and its perimeter length Determina o tipo de cálculo para a área horizontal e o perímetro - + The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data O texto a ser exibido. Use $area, $label, $tag, $longname, $description, ou $floor, $walls ou $ceiling para os acabamentos, para inserir os respectivos dados - + The color of the area text A cor do texto da área - + The size of the first line of text O tamanho da primeira linha de texto - + The space between the lines of text O espaço entre as linhas de texto - + The position of the text. Leave (0,0,0) for automatic position A posição do texto. Deixe (0, 0,0) para posição automática - + The justification of the text A justificação do texto - + The number of decimals to use for calculated texts O número de casas decimais a serem usadas para textos calculados - + Show the unit suffix Mostrar o sufixo de unidade @@ -8458,7 +8458,7 @@ Criação de edifício abortada. Command - + Transform @@ -8676,23 +8676,23 @@ CTRL+PgUp para estender a extrusion, CTRL+PgDown para encolher a extrusion, CTRL IfcOpenShell não foi encontrado neste sistema. O suporte ao formato IFC está desativado - + Objects structure Estrutura dos objetos - + Attribute Atributo - - + + Value Valor - + Property Propriedade @@ -8752,13 +8752,18 @@ CTRL+PgUp para estender a extrusion, CTRL+PgDown para encolher a extrusion, CTRL Arquivo não encontrado - + IFC Explorer Explorador Ifc - + + IfcSite element was not found in %s. Unable to explore. + IfcSite element was not found in %s. Unable to explore. + + + Error in entity Erro em entidade @@ -8898,22 +8903,22 @@ CTRL+PgUp para estender a extrusion, CTRL+PgDown para encolher a extrusion, CTRL Nova Camada - + Create Leader Criar uma linha de chamada - - + + Preview Pré-visualização - - + + Options Opções @@ -8928,97 +8933,97 @@ CTRL+PgUp para estender a extrusion, CTRL+PgDown para encolher a extrusion, CTRL Não é possível vincular porque o documento principal foi fechado. - + No structure in cache. Please refresh. Não há estrutura no cache. Por favor atualize o documento - + It is not possible to insert this object because the document has been closed. Não foi possível inserir este objeto porque o documento já foi fechado. - + Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed Erro: Impossível importar arquivos SAT - O addon InventorLoader ou CadExchanger deve estar instalado - + Error: Unable to download Erro: Não foi possível baixar - + Insertion point Ponto de intersecção - + Origin Origem - + Top left Superior esquerdo - + Top center Superior centro - + Top right Superior direito - + Middle left Meio esquerdo - + Middle center Meio centro - + Middle right Meio direita - + Bottom left Inferior esquerdo - + Bottom center Inferior centro - + Bottom right Inferior direito - + Cannot open URL Não é possível abrir o URL - + Could not fetch library contents Não foi possível baixar o conteúdo da biblioteca - + No results fetched from online library Nenhum resultado obtido da biblioteca online - + Warning, this can take several minutes! Cuidado, isto pode levar alguns minutos! diff --git a/src/Mod/BIM/Resources/translations/Arch_pt-PT.qm b/src/Mod/BIM/Resources/translations/Arch_pt-PT.qm index 890ef79a6092..58586a767481 100644 Binary files a/src/Mod/BIM/Resources/translations/Arch_pt-PT.qm and b/src/Mod/BIM/Resources/translations/Arch_pt-PT.qm differ diff --git a/src/Mod/BIM/Resources/translations/Arch_pt-PT.ts b/src/Mod/BIM/Resources/translations/Arch_pt-PT.ts index 59dececc625c..d82fced28453 100644 --- a/src/Mod/BIM/Resources/translations/Arch_pt-PT.ts +++ b/src/Mod/BIM/Resources/translations/Arch_pt-PT.ts @@ -492,7 +492,7 @@ Deixe em branco para usar todos os objetos do documento Alphabetical - Alphabetical + Alfabeticamente @@ -1707,7 +1707,7 @@ Utils -> Make IFC project Save as... - Save as... + Guardar como... @@ -2260,7 +2260,7 @@ p, li { white-space: pre-wrap; } Ask every time - Perguntar todas as vezes + Perguntar sempre @@ -3398,7 +3398,7 @@ No entanto, alguns aplicativos BIM usarão este fator para escolher com qual uni - + Category Categoria @@ -3414,7 +3414,7 @@ No entanto, alguns aplicativos BIM usarão este fator para escolher com qual uni - + Length @@ -3589,7 +3589,7 @@ No entanto, alguns aplicativos BIM usarão este fator para escolher com qual uni Não foi possível calcular uma forma - + Equipment Equipamentos @@ -3700,7 +3700,7 @@ No entanto, alguns aplicativos BIM usarão este fator para escolher com qual uni Perfil - + Site sítio @@ -3730,7 +3730,7 @@ No entanto, alguns aplicativos BIM usarão este fator para escolher com qual uni - + Roof Telhado @@ -3850,7 +3850,7 @@ Se executar = 0, então a execução é calculada de modo que a altura seja a me Frente - + External Reference Referência Externa @@ -3958,7 +3958,7 @@ Se executar = 0, então a execução é calculada de modo que a altura seja a me Criar referência externa - + Frame Moldura @@ -4023,7 +4023,7 @@ Se executar = 0, então a execução é calculada de modo que a altura seja a me A biblioteca de shapefile pode ser baixada do seguinte URL e instalada na sua pasta de macros: - + Window Janela @@ -4112,7 +4112,7 @@ Se executar = 0, então a execução é calculada de modo que a altura seja a me - + Remove Remover @@ -4121,12 +4121,12 @@ Se executar = 0, então a execução é calculada de modo que a altura seja a me - + Add Adicionar - + @@ -4178,7 +4178,7 @@ Se executar = 0, então a execução é calculada de modo que a altura seja a me - + Type Tipo @@ -4282,7 +4282,7 @@ Se executar = 0, então a execução é calculada de modo que a altura seja a me Gravado com sucesso - + Truss Treliça @@ -4323,17 +4323,17 @@ Se executar = 0, então a execução é calculada de modo que a altura seja a me Erro: a sua versão de IfcOpenShell é muito antiga - + Project Projeto - + Stairs Escadas - + Railing Gradeamento @@ -4370,12 +4370,12 @@ Se executar = 0, então a execução é calculada de modo que a altura seja a me - + Material Material - + MultiMaterial MultiMaterial @@ -4442,7 +4442,7 @@ Se executar = 0, então a execução é calculada de modo que a altura seja a me - + Grid Grelha @@ -4628,17 +4628,17 @@ Se executar = 0, então a execução é calculada de modo que a altura seja a me Rotação - + Panel Painel - + View of Vista de - + PanelSheet PanelSheet @@ -4689,7 +4689,7 @@ Se executar = 0, então a execução é calculada de modo que a altura seja a me Este objeto não possui face - + Curtain Wall Parede de cortina @@ -4700,12 +4700,12 @@ Se executar = 0, então a execução é calculada de modo que a altura seja a me Criar parede cortina - + Pipe Tubo - + Connector Connector @@ -4832,7 +4832,7 @@ Se executar = 0, então a execução é calculada de modo que a altura seja a me Export CSV file - + Export CSV File Export CSV File @@ -4844,7 +4844,7 @@ Se executar = 0, então a execução é calculada de modo que a altura seja a me - + Description Descrição @@ -4852,7 +4852,7 @@ Se executar = 0, então a execução é calculada de modo que a altura seja a me - + Value Valor @@ -4860,7 +4860,7 @@ Se executar = 0, então a execução é calculada de modo que a altura seja a me - + Unit Unidade @@ -4967,7 +4967,7 @@ Criação de piso abortada. has a null shape - + Toggle subcomponents Toggle subcomponents @@ -5067,7 +5067,7 @@ Criação de piso abortada. New property set - + Rebar Armadura de reforço @@ -5083,7 +5083,7 @@ Criação de piso abortada. Please select a base face on a structural object - + Section Secção @@ -5179,7 +5179,7 @@ Criação de piso abortada. Centers the plane on the objects in the list above - + Building Edifício @@ -5217,7 +5217,7 @@ Building creation aborted. Create Building - + Space Espaço @@ -5227,22 +5227,22 @@ Building creation aborted. Create Space - + Set text position Set text position - + Space boundaries Space boundaries - + Wall Wall - + Walls can only be based on Part or Mesh objects Walls can only be based on Part or Mesh objects @@ -5361,58 +5361,58 @@ Building creation aborted. contains faces that are not part of any solid - + Survey Recolha de dados - + Set description Set description - + Clear Limpar - + Copy Length Copy Length - + Copy Area Copy Area - + Export CSV Export CSV - + Area Área - + Total Total - + Object doesn't have settable IFC attributes Object doesn't have settable IFC attributes - + Disabling B-rep force flag of object Disabling B-rep force flag of object - + Enabling B-rep force flag of object Enabling B-rep force flag of object @@ -5458,12 +5458,12 @@ Building creation aborted. Create Component - + Key Key - + The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: @@ -5694,8 +5694,8 @@ Building creation aborted. The electric power needed by this equipment in Watts - - + + The type of this building The type of this building @@ -5964,167 +5964,167 @@ Building creation aborted. Thickness of the legs - + The base terrain of this site The base terrain of this site - + The street and house number of this site, with postal box or apartment number if needed The street and house number of this site, with postal box or apartment number if needed - + The postal or zip code of this site The postal or zip code of this site - + The city of this site The city of this site - + The region, province or county of this site The region, province or county of this site - + The country of this site The country of this site - + The latitude of this site The latitude of this site - + Angle between the true North and the North direction in this document Angle between the true North and the North direction in this document - + The elevation of level 0 of this site The elevation of level 0 of this site - + A URL that shows this site in a mapping website 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 - + The perimeter length of the projected area The perimeter length of the projected area - + The volume of earth to be added to this terrain The volume of earth to be added to this terrain - + The volume of earth to be removed from this terrain The volume of earth to be removed from this terrain - + An extrusion vector to use when performing boolean operations An extrusion vector to use when performing boolean operations - + Remove splitters from the resulting shape Remove splitters from the resulting shape - + An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates 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 - + The time zone where this site is located The time zone where this site is located - + An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one - + Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module - + Show solar diagram or not Show solar diagram or not - + The scale of the solar diagram The scale of the solar diagram - + The position of the solar diagram The position of the solar diagram - + The color of the solar diagram The color of the solar diagram - + When set to 'True North' the whole geometry will be rotated to match the true north of this site When set to 'True North' the whole geometry will be rotated to match the true north of this site - + Show compass or not Show compass or not - + The rotation of the Compass relative to the Site The rotation of the Compass relative to the Site - + The position of the Compass relative to the Site placement The position of the Compass relative to the Site placement - + Update the Declination value based on the compass rotation Update the Declination value based on the compass rotation @@ -7468,128 +7468,128 @@ Building creation aborted. - + The name of the font The name of the font - + The size of the text font The size of the text font - + The objects that make the boundaries of this space object The objects that make the boundaries of this space object - + Identical to Horizontal Area Identical to Horizontal Area - + The finishing of the floor of this space The finishing of the floor of this space - + The finishing of the walls of this space The finishing of the walls of this space - + The finishing of the ceiling of this space The finishing of the ceiling of this space - + Objects that are included inside this space, such as furniture Objects that are included inside this space, such as furniture - + The type of this space The type of this space - + The thickness of the floor finish The thickness of the floor finish - + The number of people who typically occupy this space The number of people who typically occupy this space - + The electric power needed to light this space in Watts The electric power needed to light this space in Watts - + The electric power needed by the equipment of this space in Watts The electric power needed by the equipment of this space in Watts - + If True, Equipment Power will be automatically filled by the equipment included in this space If True, Equipment Power will be automatically filled by the equipment included in this space - + The type of air conditioning of this space The type of air conditioning of this space - + Specifies if this space is internal or external Specifies if this space is internal or external - + Defines the calculation type for the horizontal area and its perimeter length Defines the calculation type for the horizontal area and its perimeter length - + The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data - + The color of the area text The color of the area text - + The size of the first line of text The size of the first line of text - + The space between the lines of text The space between the lines of text - + The position of the text. Leave (0,0,0) for automatic position The position of the text. Leave (0,0,0) for automatic position - + The justification of the text The justification of the text - + The number of decimals to use for calculated texts The number of decimals to use for calculated texts - + Show the unit suffix Show the unit suffix @@ -8486,7 +8486,7 @@ Building creation aborted. Command - + Transform @@ -8704,23 +8704,23 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet IfcOpenShell was not found on this system. IFC support is disabled - + Objects structure Objects structure - + Attribute Attribute - - + + Value Valor - + Property Propriedade @@ -8780,13 +8780,18 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Ficheiro não encontrado - + IFC Explorer IFC Explorer - + + IfcSite element was not found in %s. Unable to explore. + IfcSite element was not found in %s. Unable to explore. + + + Error in entity Error in entity @@ -8926,22 +8931,22 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet New Layer - + Create Leader Criar chamada - - + + Preview Pré-visualizar - - + + Options Opções @@ -8956,97 +8961,97 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet It is not possible to link because the main document is closed. - + No structure in cache. Please refresh. No structure in cache. Please refresh. - + It is not possible to insert this object because the document has been closed. It is not possible to insert this object because the document has been closed. - + Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed - + Error: Unable to download Error: Unable to download - + Insertion point Insertion point - + Origin Origem - + Top left Topo Esquerdo - + Top center Top center - + Top right Topo Direito - + Middle left Middle left - + Middle center Middle center - + Middle right Middle right - + Bottom left Base esquerda - + Bottom center Bottom center - + Bottom right Base direita - + Cannot open URL Cannot open URL - + Could not fetch library contents Could not fetch library contents - + No results fetched from online library No results fetched from online library - + Warning, this can take several minutes! Warning, this can take several minutes! diff --git a/src/Mod/BIM/Resources/translations/Arch_ro.qm b/src/Mod/BIM/Resources/translations/Arch_ro.qm index 000afc02f246..215c9b276670 100644 Binary files a/src/Mod/BIM/Resources/translations/Arch_ro.qm and b/src/Mod/BIM/Resources/translations/Arch_ro.qm differ diff --git a/src/Mod/BIM/Resources/translations/Arch_ro.ts b/src/Mod/BIM/Resources/translations/Arch_ro.ts index ac19c59bddf7..fc40b455ed93 100644 --- a/src/Mod/BIM/Resources/translations/Arch_ro.ts +++ b/src/Mod/BIM/Resources/translations/Arch_ro.ts @@ -3406,7 +3406,7 @@ unitate cu care să lucreze la deschiderea fișierului. - + Category Categorie @@ -3422,7 +3422,7 @@ unitate cu care să lucreze la deschiderea fișierului. - + Length @@ -3596,7 +3596,7 @@ unitate cu care să lucreze la deschiderea fișierului. Nu s-a putut calcula o formă - + Equipment Echipament @@ -3707,7 +3707,7 @@ unitate cu care să lucreze la deschiderea fișierului. Profil - + Site Teren @@ -3737,7 +3737,7 @@ unitate cu care să lucreze la deschiderea fișierului. - + Roof Acoperiș @@ -3857,7 +3857,7 @@ Dacă rulează = 0, atunci rularea este calculată astfel încât înălțimea s Din față - + External Reference Referință externă @@ -3965,7 +3965,7 @@ Dacă rulează = 0, atunci rularea este calculată astfel încât înălțimea s Creează o referință externă - + Frame Cadru @@ -4030,7 +4030,7 @@ Dacă rulează = 0, atunci rularea este calculată astfel încât înălțimea s Biblioteca de forma poate fi descarcata de la urmatorul URL si instalata in folderul macro: - + Window Fereastră @@ -4119,7 +4119,7 @@ Dacă rulează = 0, atunci rularea este calculată astfel încât înălțimea s - + Remove Elimină @@ -4128,12 +4128,12 @@ Dacă rulează = 0, atunci rularea este calculată astfel încât înălțimea s - + Add Adaugă - + @@ -4185,7 +4185,7 @@ Dacă rulează = 0, atunci rularea este calculată astfel încât înălțimea s - + Type Tip @@ -4289,7 +4289,7 @@ Dacă rulează = 0, atunci rularea este calculată astfel încât înălțimea s Scris cu succes - + Truss Adevărat @@ -4330,17 +4330,17 @@ Dacă rulează = 0, atunci rularea este calculată astfel încât înălțimea s Eroare: versiunea de IfcOpenShell este prea veche - + Project Proiect - + Stairs Scări - + Railing Cale @@ -4377,12 +4377,12 @@ Dacă rulează = 0, atunci rularea este calculată astfel încât înălțimea s - + Material Materialul - + MultiMaterial Multimaterial @@ -4449,7 +4449,7 @@ Dacă rulează = 0, atunci rularea este calculată astfel încât înălțimea s - + Grid Grilă @@ -4635,17 +4635,17 @@ Dacă rulează = 0, atunci rularea este calculată astfel încât înălțimea s Rotație - + Panel Panou - + View of Vedere a - + PanelSheet Plăci @@ -4696,7 +4696,7 @@ Dacă rulează = 0, atunci rularea este calculată astfel încât înălțimea s Acest obiect nu are nicio față - + Curtain Wall Perete de cortină @@ -4707,12 +4707,12 @@ Dacă rulează = 0, atunci rularea este calculată astfel încât înălțimea s Creează perete de cortină - + Pipe Teava - + Connector Conector @@ -4839,7 +4839,7 @@ Dacă rulează = 0, atunci rularea este calculată astfel încât înălțimea s Exportă fișierul CSV - + Export CSV File Exportă fișierul CSV @@ -4851,7 +4851,7 @@ Dacă rulează = 0, atunci rularea este calculată astfel încât înălțimea s - + Description Descriere @@ -4859,7 +4859,7 @@ Dacă rulează = 0, atunci rularea este calculată astfel încât înălțimea s - + Value Valoare @@ -4867,7 +4867,7 @@ Dacă rulează = 0, atunci rularea este calculată astfel încât înălțimea s - + Unit Unitate @@ -4974,7 +4974,7 @@ Crearea etajelor a fost întreruptă. are o formă nulă - + Toggle subcomponents Comutare subcomponente @@ -5074,7 +5074,7 @@ Crearea etajelor a fost întreruptă. Set nou de proprietăți - + Rebar Armatură @@ -5090,7 +5090,7 @@ Crearea etajelor a fost întreruptă. Vă rugăm să selectaţi o faţă de bază pe un obiect structural - + Section Secţiune @@ -5186,7 +5186,7 @@ Crearea etajelor a fost întreruptă. Centrează planul pe obiectele din lista de mai sus - + Building Construcţia @@ -5224,7 +5224,7 @@ Crearea de construcții a fost întreruptă. Creează o clădire - + Space Spaţiu @@ -5234,22 +5234,22 @@ Crearea de construcții a fost întreruptă. Crează spațiu - + Set text position Setează poziția textului - + Space boundaries Limitele spațiului - + Wall Perete - + Walls can only be based on Part or Mesh objects Zidurile pot fi bazate numai pe obiecte Piesă sau Plasă @@ -5368,58 +5368,58 @@ Crearea de construcții a fost întreruptă. conține fețe care nu fac parte din niciun solid - + Survey Sondaj - + Set description Setează descrierea - + Clear Șterge - + Copy Length Copiază lungimea - + Copy Area Copiază zona - + Export CSV Exportă CSV - + Area Suprafață - + Total Total - + Object doesn't have settable IFC attributes Object doesn't have settable IFC attributes - + Disabling B-rep force flag of object Disabling B-rep force flag of object - + Enabling B-rep force flag of object Enabling B-rep force flag of object @@ -5465,12 +5465,12 @@ Crearea de construcții a fost întreruptă. Creare componentă - + Key Cheie - + The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: Obiectul nu are un atribut IfcProprietăți. Anulați crearea foii de calcul pentru obiect: @@ -5701,8 +5701,8 @@ Crearea de construcții a fost întreruptă. Energia electrică necesară acestui echipament în wați - - + + The type of this building Tipul acestei clădiri @@ -5971,167 +5971,167 @@ Crearea de construcții a fost întreruptă. Grosimea picioarelor - + The base terrain of this site Terenul de bază al acestui site - + The street and house number of this site, with postal box or apartment number if needed Strada și numărul casei acestui loc, cu numărul cutiei poștale sau al apartamentului, dacă este necesar - + The postal or zip code of this site Codul poștal al acestui site - + The city of this site Orașul acestui site - + The region, province or county of this site Regiunea, provincia sau județul acestui sit - + The country of this site Țara acestui site - + The latitude of this site Latitudinea acestui site - + Angle between the true North and the North direction in this document Unghiul între adevăratul nord și direcția nordului în acest document - + The elevation of level 0 of this site Creştere a nivelului 0 al acestui site - + A URL that shows this site in a mapping website 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 - + The perimeter length of the projected area Perimetrul lungimetru al suprafeţei proiectate - + The volume of earth to be added to this terrain Volumul de pământ care trebuie adăugat pe acest teren - + The volume of earth to be removed from this terrain Volumul de pământ care trebuie îndepărtat de pe acest teren - + An extrusion vector to use when performing boolean operations Un vector de extrudare utilizat la efectuarea operațiilor booleene - + Remove splitters from the resulting shape Elimină scindările din forma rezultată - + An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates Un opţional offset între originea modelului (0,0,0) şi punctul indicat de geocoordonate - + The type of this object Tipul acestui obiect - + The time zone where this site is located Fusul orar în care acest site este localizat - + An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one Un fișier EPW opțional pentru locația acestui site. Consultați documentația Site-ului pentru a ști cum să obțineți unul - + Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module Arată sau nu diagrama trandafirilor de vânt. Folosește scala de diagramă solară. Ai nevoie de modulul Ladybug - + Show solar diagram or not Arată diagrama solară sau nu - + The scale of the solar diagram Scara diagramei solare - + The position of the solar diagram Poziția diagramei solare - + The color of the solar diagram Culoarea diagramei solare - + When set to 'True North' the whole geometry will be rotated to match the true north of this site Când este setat pe 'True Nord' întreaga geometrie va fi rotită pentru a se potrivi cu adevăratul nord al acestui site - + Show compass or not Arată busola sau nu - + The rotation of the Compass relative to the Site Rotația busolei în raport cu site-ul - + The position of the Compass relative to the Site placement Poziția busolei în raport cu plasamentul site-ului - + Update the Declination value based on the compass rotation Actualizează valoarea declinării pe baza rotației busolei @@ -7475,128 +7475,128 @@ Crearea de construcții a fost întreruptă. - + The name of the font Numele fontului - + The size of the text font Dimensiunea fontului de text - + The objects that make the boundaries of this space object Obiectele care fac limitele acestui obiect spațial - + Identical to Horizontal Area Identical to Horizontal Area - + The finishing of the floor of this space Finalizarea podelei acestui spaţiu - + The finishing of the walls of this space Terminarea zidurilor acestui spaţiu - + The finishing of the ceiling of this space Finalizarea plafonului acestui spațiu - + Objects that are included inside this space, such as furniture Obiectele care sunt incluse în acest spațiu, cum ar fi mobila - + The type of this space Tipul acestui spaţiu - + The thickness of the floor finish Grosimea finalizării podelei - + The number of people who typically occupy this space Numărul de oameni care de obicei ocupă acest spațiu - + The electric power needed to light this space in Watts Energia electrică necesară pentru a aprinde acest spațiu în wați - + The electric power needed by the equipment of this space in Watts Energia electrică necesară echipamentului acestui spațiu în wați - + If True, Equipment Power will be automatically filled by the equipment included in this space Dacă este adevărat, Echipamentul de alimentare va fi completat automat de echipamentul inclus în acest spațiu - + The type of air conditioning of this space Tipul de aer condiţionat din acest spaţiu - + Specifies if this space is internal or external Specifică dacă acest spațiu este intern sau extern - + Defines the calculation type for the horizontal area and its perimeter length Defines the calculation type for the horizontal area and its perimeter length - + The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data Textul de afișat. Utilizați $area, $label, $tag, $longname, $description și pentru finalizare $floor, $walls, $ceiling pentru a insera datele respective - + The color of the area text Culoarea textului zonei - + The size of the first line of text Dimensiunea primei linii de text - + The space between the lines of text Spațiul dintre liniile de text - + The position of the text. Leave (0,0,0) for automatic position Poziția textului. Lăsați (0,0,0) pentru poziția automată - + The justification of the text Justificarea textului - + The number of decimals to use for calculated texts Numărul de zecimale utilizate pentru textele calculate - + Show the unit suffix Arată sufixul unității @@ -8493,7 +8493,7 @@ Crearea de construcții a fost întreruptă. Command - + Transform @@ -8711,23 +8711,23 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet IfcOpenShell was not found on this system. IFC support is disabled - + Objects structure Objects structure - + Attribute Attribute - - + + Value Valoare - + Property Proprietate @@ -8787,13 +8787,18 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Fișier nu a fost găsit - + IFC Explorer IFC Explorer - + + IfcSite element was not found in %s. Unable to explore. + IfcSite element was not found in %s. Unable to explore. + + + Error in entity Error in entity @@ -8933,22 +8938,22 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet New Layer - + Create Leader Create Leader - - + + Preview Previzualizare - - + + Options Opţiuni @@ -8963,97 +8968,97 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet It is not possible to link because the main document is closed. - + No structure in cache. Please refresh. No structure in cache. Please refresh. - + It is not possible to insert this object because the document has been closed. It is not possible to insert this object because the document has been closed. - + Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed - + Error: Unable to download Error: Unable to download - + Insertion point Insertion point - + Origin Origine - + Top left Stânga sus - + Top center Top center - + Top right Dreapta sus - + Middle left Middle left - + Middle center Middle center - + Middle right Middle right - + Bottom left Stânga jos - + Bottom center Bottom center - + Bottom right Dreapta jos - + Cannot open URL Cannot open URL - + Could not fetch library contents Could not fetch library contents - + No results fetched from online library No results fetched from online library - + Warning, this can take several minutes! Warning, this can take several minutes! diff --git a/src/Mod/BIM/Resources/translations/Arch_ru.qm b/src/Mod/BIM/Resources/translations/Arch_ru.qm index 338fc11ffda9..f2c9c68cd32a 100644 Binary files a/src/Mod/BIM/Resources/translations/Arch_ru.qm and b/src/Mod/BIM/Resources/translations/Arch_ru.qm differ diff --git a/src/Mod/BIM/Resources/translations/Arch_ru.ts b/src/Mod/BIM/Resources/translations/Arch_ru.ts index 14d7751fb0fa..088a5c0578bf 100644 --- a/src/Mod/BIM/Resources/translations/Arch_ru.ts +++ b/src/Mod/BIM/Resources/translations/Arch_ru.ts @@ -3385,7 +3385,7 @@ unit to work with when opening the file. - + Category Категория @@ -3401,7 +3401,7 @@ unit to work with when opening the file. - + Length @@ -3576,7 +3576,7 @@ unit to work with when opening the file. Не удалось вычислить форму - + Equipment Оборудование @@ -3687,7 +3687,7 @@ unit to work with when opening the file. Профиль - + Site Местность @@ -3717,7 +3717,7 @@ unit to work with when opening the file. - + Roof Крыша @@ -3837,7 +3837,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Спереди - + External Reference Внешняя ссылка @@ -3945,7 +3945,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Создать внешнюю ссылку - + Frame Каркас @@ -4010,7 +4010,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Shapefile библиотека может быть загружена и установлена в папку макросов по следующему адресу: - + Window Окно @@ -4099,7 +4099,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Remove Удалить @@ -4108,12 +4108,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Add Добавить - + @@ -4165,7 +4165,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Type Тип @@ -4269,7 +4269,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Успешно записано - + Truss Ферма @@ -4310,17 +4310,17 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Ошибка: ваша версия IfcOpenShell устарела - + Project Проект - + Stairs Лестницы - + Railing Перила @@ -4357,12 +4357,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Material Материал - + MultiMaterial МультиМатериал @@ -4429,7 +4429,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Grid Сетка @@ -4615,17 +4615,17 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Вращение - + Panel Панель - + View of Вид - + PanelSheet Лист панели @@ -4676,7 +4676,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Объект не имеет грани - + Curtain Wall Фасад @@ -4687,12 +4687,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Добавить фасад - + Pipe Труба - + Connector Коннектор @@ -4819,7 +4819,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Экспорт в. CSV - + Export CSV File Экспортировать файл CSV @@ -4831,7 +4831,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Description Описание @@ -4839,7 +4839,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Value Значение @@ -4847,7 +4847,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Unit Единица измерения @@ -4954,7 +4954,7 @@ Floor creation aborted. Имеет пустую форму - + Toggle subcomponents Переключить подкомпоненты @@ -5054,7 +5054,7 @@ Floor creation aborted. Новый набор свойств - + Rebar Арматура @@ -5070,7 +5070,7 @@ Floor creation aborted. Пожалуйста, выберите базовую грань структурного объекта - + Section Разрез (Сечение) @@ -5166,7 +5166,7 @@ Floor creation aborted. Центровать плоскость по объектам в списке - + Building Здание @@ -5204,7 +5204,7 @@ Building creation aborted. Создать Здание - + Space Пространство @@ -5214,22 +5214,22 @@ Building creation aborted. Задать пространство - + Set text position Задать положение текста - + Space boundaries Границы зоны - + Wall Стена - + Walls can only be based on Part or Mesh objects Стены могут основываться только на объектах Part или Mesh @@ -5300,7 +5300,7 @@ Building creation aborted. changed 'Normal' to [0, 0, 1] to preserve extrusion direction - changed 'Normal' to [0, 0, 1] to preserve extrusion direction + изменено «Normal» на [0, 0, 1] для сохранения направления выдавливания @@ -5348,58 +5348,58 @@ Building creation aborted. содержит грани, которые не являются частью каких-либо тел - + Survey Анализ - + Set description Задать описание - + Clear Очистить - + Copy Length Копировать длину - + Copy Area Копировать Площадь - + Export CSV Экспортировать в CSV - + Area Площадь - + Total Всего - + Object doesn't have settable IFC attributes Объект не имеет настраиваемых IFC-параметров - + Disabling B-rep force flag of object Отключение флага силы B-rep объекта - + Enabling B-rep force flag of object Включение флага силы B-rep объекта @@ -5445,12 +5445,12 @@ Building creation aborted. Создать компонент - + Key Ключ - + The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: Объект не имеет атрибута IfcProperties. Отменить создание таблицы для объекта: @@ -5681,8 +5681,8 @@ Building creation aborted. Электрическая мощность в ваттах, необходимая оборудованию - - + + The type of this building Тип здания @@ -5951,167 +5951,167 @@ Building creation aborted. Толщина стержней - + The base terrain of this site Базовый рельеф местности - + The street and house number of this site, with postal box or apartment number if needed Номер улицы и дома этой местности, почтовый ящик или номер квартиры при необходимости - + The postal or zip code of this site Почтовый индекс данной строительной площадки - + The city of this site Название города данной строительной площадки - + The region, province or county of this site Регион, область или страна этой местности - + The country of this site Страна в которой эта местность находится - + The latitude of this site Широта местности - + Angle between the true North and the North direction in this document Угол между истинным севером и направлением севера в документе - + The elevation of level 0 of this site Высотная отметка нулевого уровня местности - + A URL that shows this site in a mapping website Ссылка для показа участка на картографическом сайте - + 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 - + The perimeter length of the projected area Длина периметра проецируемой площади - + The volume of earth to be added to this terrain Объем земли, добавляемый к рельефу - + The volume of earth to be removed from this terrain Объем земли, исключаемый из рельефа - + An extrusion vector to use when performing boolean operations Вектор выдавливания, используемый при выполнении булевых операций - + Remove splitters from the resulting shape Удалить разделители из полученной фигуры - + An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates Опционально смещение между началом координат модели (0,0,0) и точкой, обозначенную геокоординатами - + The type of this object Тип данного объекта - + The time zone where this site is located Часовой пояс данной строительной площадки - + An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one Необязательный файл EPW для размещения этой местности. Обратитесь к документации по местности, чтобы узнать, как получить его - + Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module Показать диаграмму "Роза ветров". Использует масштаб солнечной диаграммы. Нужен модуль Ladybug - + Show solar diagram or not Показывать инсоляционный график или нет - + The scale of the solar diagram Масштаб инсоляционного графика - + The position of the solar diagram Положение инсоляционного графика - + The color of the solar diagram Цвет инсоляционного графика - + When set to 'True North' the whole geometry will be rotated to match the true north of this site Когда установлено «Истинный север», вся геометрия будет вращаться, чтобы соответствовать истинному северу этого участка - + Show compass or not Показывать компас или нет - + The rotation of the Compass relative to the Site Поворот компаса относительно местности - + The position of the Compass relative to the Site placement Позиция компаса относительно размещения местности - + Update the Declination value based on the compass rotation Обновить значение наклона на основе ротации компаса @@ -7455,128 +7455,128 @@ Building creation aborted. - + The name of the font Название шрифта - + The size of the text font Размер шрифта текста - + The objects that make the boundaries of this space object Объекты, образующие границу данного пространственного объекта - + Identical to Horizontal Area Идентично горизонтальной области - + The finishing of the floor of this space Отделка пола этого помещения - + The finishing of the walls of this space Отделка стен зоны - + The finishing of the ceiling of this space Отделка потолка этого помещения - + Objects that are included inside this space, such as furniture Предметы, находящиеся внутри этого пространства, например мебель - + The type of this space Тип этого помещения - + The thickness of the floor finish Толщина отделки пола - + The number of people who typically occupy this space Типичное количество людей, находящихся в этом помещении - + The electric power needed to light this space in Watts Электрическая мощность в ваттах, необходимая для освещения зоны - + The electric power needed by the equipment of this space in Watts Электрическая мощность в ваттах, необходимая оборудованию в зоне - + If True, Equipment Power will be automatically filled by the equipment included in this space Если истина, мощность оборудования будет автоматически рассчитана на основе оборудовании, находящегося в помещении - + The type of air conditioning of this space Тип кондиционирования зоны - + Specifies if this space is internal or external Указывает, является ли эта зона внутренней или внешней - + Defines the calculation type for the horizontal area and its perimeter length Определяет тип расчета горизонтальной площади и длины ее периметра - + The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data Текст для показа. Используйте $area, $label, $tag, $longname, $description и для отделки $floor, $walls, $ceiling, чтобы вставить соответствующие данные - + The color of the area text Цвет области текста - + The size of the first line of text Размер первой строки текста - + The space between the lines of text Пространство между строками текста - + The position of the text. Leave (0,0,0) for automatic position Положение текста. Оставьте (0,0,0) для автоматического расположения - + The justification of the text Выравнивание текста - + The number of decimals to use for calculated texts Количество десятичных знаков для генерируемых текстов - + Show the unit suffix Показать единицу измерения @@ -8473,7 +8473,7 @@ Building creation aborted. Command - + Transform @@ -8691,23 +8691,23 @@ CTRL+PgUp для удлинения выдавливанияCTRL+PgDown для IfcOpenShell не найден в этой системе. Поддержка IFC отключена - + Objects structure Структура объектов - + Attribute Атрибут - - + + Value Значение - + Property Свойство @@ -8767,13 +8767,18 @@ CTRL+PgUp для удлинения выдавливанияCTRL+PgDown для Файл не найден - + IFC Explorer IFC-проводник - + + IfcSite element was not found in %s. Unable to explore. + IfcSite element was not found in %s. Unable to explore. + + + Error in entity Ошибка в сущности @@ -8913,22 +8918,22 @@ CTRL+PgUp для удлинения выдавливанияCTRL+PgDown для Новый слой - + Create Leader Создать выноску - - + + Preview Предварительный просмотр - - + + Options Параметры @@ -8943,97 +8948,97 @@ CTRL+PgUp для удлинения выдавливанияCTRL+PgDown для Ссылка невозможна, так как основной документ закрыт. - + No structure in cache. Please refresh. Нет структуры в кэше. Пожалуйста обновите. - + It is not possible to insert this object because the document has been closed. Невозможно вставить этот объект, так как документ был закрыт. - + Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed Ошибка: невозможно импортировать файлы SAT — необходимо установить дополнение InventorLoader или CadExchanger - + Error: Unable to download Ошибка: Не удалось загрузить - + Insertion point Точка вставки - + Origin Начало координат - + Top left Верхний левый угол - + Top center Вверху в центре - + Top right Верхний правый угол - + Middle left Посередине слева - + Middle center Посредине в центре - + Middle right Посередине справа - + Bottom left Нижний левый угол - + Bottom center Внизу по центру - + Bottom right Нижний правый угол - + Cannot open URL Невозможно открыть URL - + Could not fetch library contents Не удалось получить содержимое библиотеки - + No results fetched from online library Нет результатов, полученных из онлайн библиотеки - + Warning, this can take several minutes! Внимание, это может занять несколько минут! diff --git a/src/Mod/BIM/Resources/translations/Arch_sl.qm b/src/Mod/BIM/Resources/translations/Arch_sl.qm index d481de555047..2407c901b1ff 100644 Binary files a/src/Mod/BIM/Resources/translations/Arch_sl.qm and b/src/Mod/BIM/Resources/translations/Arch_sl.qm differ diff --git a/src/Mod/BIM/Resources/translations/Arch_sl.ts b/src/Mod/BIM/Resources/translations/Arch_sl.ts index 8df03d3ecda3..58cea3d7af7e 100644 --- a/src/Mod/BIM/Resources/translations/Arch_sl.ts +++ b/src/Mod/BIM/Resources/translations/Arch_sl.ts @@ -3405,7 +3405,7 @@ da se pri odpiranju datoteke izbere delovne enote. - + Category Skupina @@ -3421,7 +3421,7 @@ da se pri odpiranju datoteke izbere delovne enote. - + Length @@ -3596,7 +3596,7 @@ da se pri odpiranju datoteke izbere delovne enote. Ni bilo možno izračunati oblike - + Equipment Oprema @@ -3707,7 +3707,7 @@ da se pri odpiranju datoteke izbere delovne enote. Profil - + Site Lokacija @@ -3737,7 +3737,7 @@ da se pri odpiranju datoteke izbere delovne enote. - + Roof Streha @@ -3857,7 +3857,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Spredaj - + External Reference Zunanji sklic @@ -3965,7 +3965,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Ustvari zunanji sklic - + Frame Ogrodje @@ -4030,7 +4030,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Knjižnico z oblikovnimi (shape) datotekami je mogoče prenesti s sledečga naslova in namestiti v vašo mapo z makri: - + Window Okno @@ -4119,7 +4119,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Remove Odstrani @@ -4128,12 +4128,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Add Dodaj - + @@ -4185,7 +4185,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Type Vrsta @@ -4289,7 +4289,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Uspešno zapisano - + Truss Paličje @@ -4330,17 +4330,17 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Napaka: različica knjižnice IfcOpenShell je prestara - + Project Projekt - + Stairs Stopnice - + Railing Ograja @@ -4377,12 +4377,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Material Snov - + MultiMaterial Plastovina @@ -4449,7 +4449,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Grid Mreža @@ -4635,17 +4635,17 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Zasuk - + Panel Plošča - + View of Pogled na - + PanelSheet Pola plošč @@ -4696,7 +4696,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Predmet nima nobene ploskve - + Curtain Wall Steklena fasada @@ -4707,12 +4707,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Ustvari stekleno fasado - + Pipe Cev - + Connector Spojnik @@ -4839,7 +4839,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Izvozi datoteko CSV - + Export CSV File Izvozi CSV datoteko @@ -4851,7 +4851,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Description Opis @@ -4859,7 +4859,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Value Vrednost @@ -4867,7 +4867,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Unit Enota @@ -4974,7 +4974,7 @@ Ustvarjanje etaže prekinjeno. ima ničelno obliko - + Toggle subcomponents Preklapljanje podsestavin @@ -5074,7 +5074,7 @@ Ustvarjanje etaže prekinjeno. Nov nabor lastnosti - + Rebar Armaturna palica @@ -5090,7 +5090,7 @@ Ustvarjanje etaže prekinjeno. Izberite izhodiščno ploskev na nosilnem gradniku - + Section Presek @@ -5186,7 +5186,7 @@ Ustvarjanje etaže prekinjeno. Usredini ravnino na predmete z zgornjega seznama - + Building Zgradba @@ -5222,7 +5222,7 @@ Ustvarjanj stavbe prekinjeno. Ustvari stavbo - + Space Prostor @@ -5232,22 +5232,22 @@ Ustvarjanj stavbe prekinjeno. Ustvari prostor - + Set text position Nastavi položaj besedila - + Space boundaries Meje prostora - + Wall Stena - + Walls can only be based on Part or Mesh objects Stene so lahko osnovane le na delih (part) ali ploskovjih @@ -5366,58 +5366,58 @@ Ustvarjanj stavbe prekinjeno. vsebuje ploskve, ki niso del nobenega telesa - + Survey Popis - + Set description Določi opis - + Clear Počisti - + Copy Length Kopiraj dolžino - + Copy Area Kopiraj površino - + Export CSV Izvozi CSV - + Area Površina - + Total Skupaj - + Object doesn't have settable IFC attributes Object doesn't have settable IFC attributes - + Disabling B-rep force flag of object Disabling B-rep force flag of object - + Enabling B-rep force flag of object Enabling B-rep force flag of object @@ -5463,12 +5463,12 @@ Ustvarjanj stavbe prekinjeno. Ustvari sestavino - + Key Ključ - + The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: Predmet nima značilke IfcProperties. Prekliči ustvarjanje preglednice za predmet: @@ -5699,8 +5699,8 @@ Ustvarjanj stavbe prekinjeno. Električna energija v vatih, ki jo ta oprema rabi - - + + The type of this building Vrsta te zgradbe @@ -5969,167 +5969,167 @@ Ustvarjanj stavbe prekinjeno. Debelina krakov - + The base terrain of this site Izhodiščni teren te lokacije - + The street and house number of this site, with postal box or apartment number if needed Ulica/naselje in hišna številka lokacije, po potrebi s številko poštnega predala ali stanovanja - + The postal or zip code of this site Poštna številka te lokacije - + The city of this site Mesto/občina te lokacije - + The region, province or county of this site Pokrajina, provinca ali okrožje lokacije - + The country of this site Država te lokacije - + The latitude of this site Zemljepisna širina te lokacije - + Angle between the true North and the North direction in this document Prikazan kot med pravim severom in severno smerjo v dokumentu - + The elevation of level 0 of this site Nadmorska višina pritličja (ravèn 0) te lokacije - + A URL that shows this site in a mapping website 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 - + The perimeter length of the projected area Obseg preslikave območja - + The volume of earth to be added to this terrain Prostornina nasutja, ki bo dodan terenu - + The volume of earth to be removed from this terrain Prostornina izkopa na tem terenu - + An extrusion vector to use when performing boolean operations Vektor izrivanja, ki se ga uporabi pri izvajanju logičnih operacij - + Remove splitters from the resulting shape Odstrani razdelilce iz končne oblike - + An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates Neobvezen odmik med izhodiščem modela (0,0,0) in točko podano v zemljepisnih sorednicah - + The type of this object Vrsta tega predmeta - + The time zone where this site is located Časovni pas, v katerem je ta lokacija - + An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one Možnost datoteke EPW za položaj te lokacije. Če želite izvedeti, kako se jo pridobi, si oglejte dokumentacijo o Lokacij - + Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module Prikaži ali ne prikaži vetrovne rože. Uporablja merilo sončnega diagrama. Potreben je modul Ladybug - + Show solar diagram or not Prikaži ali ne prikaži sonečga diagrama - + The scale of the solar diagram Merilo sončnega diagrama - + The position of the solar diagram Položaj sončnega diagrama - + The color of the solar diagram Barva sončnega diagrama - + When set to 'True North' the whole geometry will be rotated to match the true north of this site Ko je nastavljeno na "Pravi sever", bo celotna geometrija zasukana tako, da bo odgovarjala pravemu severu te situacije - + Show compass or not Prikaži ali ne prikaži kompasa - + The rotation of the Compass relative to the Site Zasuk kompasa glede na Lokacijo - + The position of the Compass relative to the Site placement Položaj kompasa glede na postavitev Lokacije - + Update the Declination value based on the compass rotation Posodobi odklon na podlagi zasukanosti kompasa @@ -7473,128 +7473,128 @@ Ustvarjanj stavbe prekinjeno. - + The name of the font Naziv pisave - + The size of the text font Velikost pisave besedila - + The objects that make the boundaries of this space object Predmeti, ki zamejujejo ta prostor - + Identical to Horizontal Area Identical to Horizontal Area - + The finishing of the floor of this space Končna obdelava tal tega prostora - + The finishing of the walls of this space Končna obdelava sten tega prostora - + The finishing of the ceiling of this space Končna obdelava stropa tega prostora - + Objects that are included inside this space, such as furniture Premeti, ki so zajeti v tem prostoru, kot npr. pohištvo - + The type of this space Vrsta tega prostora - + The thickness of the floor finish Debelina končne obdelave tal - + The number of people who typically occupy this space Običajno število oseb v tem prostoru - + The electric power needed to light this space in Watts Električna moč v watih, potrebna za osvetlitev tega prostora - + The electric power needed by the equipment of this space in Watts Električna moč v watih, potrebna za naprave v tem prostoru - + If True, Equipment Power will be automatically filled by the equipment included in this space Če drži, bo moč opreme samodejno izpolnjena glede na opremo v tem prostoru - + The type of air conditioning of this space Vrsta klimatizacije tega prostora - + Specifies if this space is internal or external Določa, ali je prostor notranji ali zunanji - + Defines the calculation type for the horizontal area and its perimeter length Defines the calculation type for the horizontal area and its perimeter length - + The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data - + The color of the area text Barva besedila površine - + The size of the first line of text Velikost prve vrstice besedila - + The space between the lines of text Razmik med vrsticami besedila - + The position of the text. Leave (0,0,0) for automatic position Položaj besedila. Pustite (0,0,0) za samodejni položaj - + The justification of the text Poravnava besedila - + The number of decimals to use for calculated texts Število decimalk, ki naj se jih uporabi za besedila izračunov - + Show the unit suffix Prikaži pripono enote @@ -8491,7 +8491,7 @@ Ustvarjanj stavbe prekinjeno. Command - + Transform @@ -8709,23 +8709,23 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet IfcOpenShell-a ni mogoče najti v vašem sistemu. Podpora IFC-ja je onemogočena - + Objects structure Ustroj predmeta - + Attribute Značilka - - + + Value Vrednost - + Property Lastnost @@ -8785,13 +8785,18 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Datoteke ni mogoče najti - + IFC Explorer IFC-raziskovalec - + + IfcSite element was not found in %s. Unable to explore. + IfcSite element was not found in %s. Unable to explore. + + + Error in entity Napaka enote @@ -8931,22 +8936,22 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Nova plast - + Create Leader Ustvari opisnico - - + + Preview Predogled - - + + Options Možnosti @@ -8961,97 +8966,97 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet It is not possible to link because the main document is closed. - + No structure in cache. Please refresh. V predpomnilniku ni zgradbe. Osvežite. - + It is not possible to insert this object because the document has been closed. Tega predmeta ni mogoče vstaviti, ker je dokument zaprt. - + Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed Napaka: datoteke SAT ni mogoče uvoziti - nameščen mora biti dodatek InventorLoader ali CadExchange - + Error: Unable to download Napaka: Ni mogoče prenesti - + Insertion point Vstavitvena točka - + Origin Izhodišče - + Top left Zgoraj levo - + Top center Zgoraj sredinsko - + Top right Zgoraj desno - + Middle left Levo v sredini - + Middle center V središču - + Middle right Desno v sredini - + Bottom left Spodaj levo - + Bottom center Spodaj sredinsko - + Bottom right Spodaj desno - + Cannot open URL Spletnega naslova ni mogoče odpreti - + Could not fetch library contents Vsebin knjižnice ni bilo mogoče prenesti - + No results fetched from online library Ni prenešenih zadetkov s spletne knjižnice - + Warning, this can take several minutes! Pozor, lahko traja precej časa! diff --git a/src/Mod/BIM/Resources/translations/Arch_sr-CS.qm b/src/Mod/BIM/Resources/translations/Arch_sr-CS.qm index 299f9ba24722..d12da85861f9 100644 Binary files a/src/Mod/BIM/Resources/translations/Arch_sr-CS.qm and b/src/Mod/BIM/Resources/translations/Arch_sr-CS.qm differ diff --git a/src/Mod/BIM/Resources/translations/Arch_sr-CS.ts b/src/Mod/BIM/Resources/translations/Arch_sr-CS.ts index bf8ed7cbc524..65b20a7c4ccd 100644 --- a/src/Mod/BIM/Resources/translations/Arch_sr-CS.ts +++ b/src/Mod/BIM/Resources/translations/Arch_sr-CS.ts @@ -604,12 +604,12 @@ Utils -> Make IFC project Default structure - Default structure + Unapred zadata struktura Create a default structure (IfcProject, IfcSite, IfcBuilding and IfcBuildingStorey)? Replying "No" will only create an IfcProject. You can then add the structure manually later. - Create a default structure (IfcProject, IfcSite, IfcBuilding and IfcBuildingStorey)? Replying "No" will only create an IfcProject. You can then add the structure manually later. + Zadaj unapred strukturu (IfcProject, IfcSite, IfcBuilding i IfcBuildingStorey)? Ako izabereš "Ne" napravitiće se samo IfcProject. Struktura se može kasnije ručno dodati. @@ -3406,7 +3406,7 @@ jedinicama treba raditi prilikom otvaranja datoteke. - + Category Kategorija @@ -3417,12 +3417,12 @@ jedinicama treba raditi prilikom otvaranja datoteke. Preset - Preset + Profil - + Length @@ -3597,7 +3597,7 @@ jedinicama treba raditi prilikom otvaranja datoteke. Couldn't compute a shape - + Equipment Pokućstvo @@ -3690,17 +3690,17 @@ jedinicama treba raditi prilikom otvaranja datoteke. Create profile - Create profile + Napravi profil Profile settings - Profile settings + Izbor profila Create Profile - Create Profile + Napravi profil @@ -3708,7 +3708,7 @@ jedinicama treba raditi prilikom otvaranja datoteke. Presek - + Site Gradilište @@ -3738,7 +3738,7 @@ jedinicama treba raditi prilikom otvaranja datoteke. - + Roof Krov @@ -3858,7 +3858,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Spreda - + External Reference Spoljašnji objekat @@ -3966,7 +3966,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Create external reference - + Frame Okvir @@ -4031,7 +4031,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela The shapefile library can be downloaded from the following URL and installed in your macros folder: - + Window Prozor @@ -4120,7 +4120,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Remove Ukloni @@ -4129,12 +4129,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Add Dodaj - + @@ -4186,7 +4186,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Type Vrsta @@ -4290,7 +4290,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Successfully written - + Truss Rešetkasti krovni nosač @@ -4331,17 +4331,17 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Error: your IfcOpenShell version is too old - + Project Projekat - + Stairs Stepenište - + Railing Railing @@ -4378,12 +4378,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Material Materijal - + MultiMaterial MultiMaterial @@ -4450,7 +4450,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Grid Koordinatna mreža @@ -4636,17 +4636,17 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Obrtanje - + Panel Panel - + View of View of - + PanelSheet Tabela panela @@ -4697,7 +4697,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela This object has no face - + Curtain Wall Zid zavesa @@ -4708,12 +4708,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Create Curtain Wall - + Pipe Cev - + Connector Fiting @@ -4840,7 +4840,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Export CSV file - + Export CSV File Export CSV File @@ -4852,7 +4852,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Description Opis @@ -4860,7 +4860,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Value Vrednost @@ -4868,7 +4868,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Unit Merna jedinica @@ -4921,7 +4921,7 @@ Floor creation aborted. Axis - Osa + Ose @@ -4975,7 +4975,7 @@ Floor creation aborted. has a null shape - + Toggle subcomponents Sakrij/Prikaži komponente objekta @@ -5075,7 +5075,7 @@ Floor creation aborted. New property set - + Rebar Armatura @@ -5091,7 +5091,7 @@ Floor creation aborted. Please select a base face on a structural object - + Section Presek @@ -5187,7 +5187,7 @@ Floor creation aborted. Centers the plane on the objects in the list above - + Building Zgrada @@ -5225,7 +5225,7 @@ Building creation aborted. Create Building - + Space Prostor @@ -5235,22 +5235,22 @@ Building creation aborted. Create Space - + Set text position Set text position - + Space boundaries Space boundaries - + Wall Zid - + Walls can only be based on Part or Mesh objects Walls can only be based on Part or Mesh objects @@ -5321,7 +5321,7 @@ Building creation aborted. changed 'Normal' to [0, 0, 1] to preserve extrusion direction - changed 'Normal' to [0, 0, 1] to preserve extrusion direction + da bi se sačuvao pravac ekstruzije 'Normala' promenjena u [0, 0, 1] @@ -5369,58 +5369,58 @@ Building creation aborted. contains faces that are not part of any solid - + Survey Istraži model - + Set description Set description - + Clear Obriši - + Copy Length Copy Length - + Copy Area Copy Area - + Export CSV Export CSV - + Area Area - + Total Total - + Object doesn't have settable IFC attributes Object doesn't have settable IFC attributes - + Disabling B-rep force flag of object Disabling B-rep force flag of object - + Enabling B-rep force flag of object Enabling B-rep force flag of object @@ -5466,12 +5466,12 @@ Building creation aborted. Create Component - + Key Key - + The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: @@ -5702,8 +5702,8 @@ Building creation aborted. The electric power needed by this equipment in Watts - - + + The type of this building The type of this building @@ -5972,167 +5972,167 @@ Building creation aborted. Thickness of the legs - + The base terrain of this site The base terrain of this site - + The street and house number of this site, with postal box or apartment number if needed The street and house number of this site, with postal box or apartment number if needed - + The postal or zip code of this site The postal or zip code of this site - + The city of this site The city of this site - + The region, province or county of this site The region, province or county of this site - + The country of this site The country of this site - + The latitude of this site The latitude of this site - + Angle between the true North and the North direction in this document Angle between the true North and the North direction in this document - + The elevation of level 0 of this site The elevation of level 0 of this site - + A URL that shows this site in a mapping website 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 - + The perimeter length of the projected area Dužina obima projicirane oblasti - + The volume of earth to be added to this terrain The volume of earth to be added to this terrain - + The volume of earth to be removed from this terrain The volume of earth to be removed from this terrain - + An extrusion vector to use when performing boolean operations An extrusion vector to use when performing boolean operations - + Remove splitters from the resulting shape Remove splitters from the resulting shape - + An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates 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 - + The time zone where this site is located The time zone where this site is located - + An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one - + Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module - + Show solar diagram or not Show solar diagram or not - + The scale of the solar diagram The scale of the solar diagram - + The position of the solar diagram The position of the solar diagram - + The color of the solar diagram The color of the solar diagram - + When set to 'True North' the whole geometry will be rotated to match the true north of this site When set to 'True North' the whole geometry will be rotated to match the true north of this site - + Show compass or not Show compass or not - + The rotation of the Compass relative to the Site The rotation of the Compass relative to the Site - + The position of the Compass relative to the Site placement The position of the Compass relative to the Site placement - + Update the Declination value based on the compass rotation Update the Declination value based on the compass rotation @@ -7476,128 +7476,128 @@ Building creation aborted. - + The name of the font The name of the font - + The size of the text font The size of the text font - + The objects that make the boundaries of this space object The objects that make the boundaries of this space object - + Identical to Horizontal Area Identical to Horizontal Area - + The finishing of the floor of this space The finishing of the floor of this space - + The finishing of the walls of this space The finishing of the walls of this space - + The finishing of the ceiling of this space The finishing of the ceiling of this space - + Objects that are included inside this space, such as furniture Objects that are included inside this space, such as furniture - + The type of this space The type of this space - + The thickness of the floor finish The thickness of the floor finish - + The number of people who typically occupy this space The number of people who typically occupy this space - + The electric power needed to light this space in Watts The electric power needed to light this space in Watts - + The electric power needed by the equipment of this space in Watts The electric power needed by the equipment of this space in Watts - + If True, Equipment Power will be automatically filled by the equipment included in this space If True, Equipment Power will be automatically filled by the equipment included in this space - + The type of air conditioning of this space The type of air conditioning of this space - + Specifies if this space is internal or external Specifies if this space is internal or external - + Defines the calculation type for the horizontal area and its perimeter length Defines the calculation type for the horizontal area and its perimeter length - + The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data - + The color of the area text The color of the area text - + The size of the first line of text The size of the first line of text - + The space between the lines of text The space between the lines of text - + The position of the text. Leave (0,0,0) for automatic position The position of the text. Leave (0,0,0) for automatic position - + The justification of the text The justification of the text - + The number of decimals to use for calculated texts The number of decimals to use for calculated texts - + Show the unit suffix Show the unit suffix @@ -7745,7 +7745,7 @@ Building creation aborted. Drafting tools - Drafting tools + Alatke za crtanje @@ -7755,37 +7755,37 @@ Building creation aborted. 3D/BIM tools - 3D/BIM tools + 3D BIM alatke Annotation tools - Annotation tools + Аlatke za napomene 2D modification tools - 2D modification tools + 2D alatke za izmene Manage tools - Manage tools + Alatke za upravljanje General modification tools - General modification tools + Opšte alatke za izmene Object modification tools - Object modification tools + Alatke za izmene objekata 3D modification tools - 3D modification tools + 3D alatke za izmene @@ -7795,7 +7795,7 @@ Building creation aborted. &3D/BIM - &3D/BIM + &3D/BIM @@ -7810,17 +7810,17 @@ Building creation aborted. &Snapping - &Snapping + &Hvatanje &Modify - &Modify + &Izmeni &Manage - &Manage + &Upravljaj @@ -7835,7 +7835,7 @@ Building creation aborted. &Utils - &Utils + &Korisne alatke @@ -7848,12 +7848,12 @@ Building creation aborted. Profile - Presek + Profil Creates a profile - Creates a profile + Napravi profil @@ -8392,12 +8392,12 @@ Building creation aborted. Select non-manifold meshes - Izaberi geometriju bez mnogostrukosti + Izaberi mreže bez mnogostrukosti Selects all non-manifold meshes from the document or from the selected groups - Izaberi iz dokumenta ili izabrane grupe sve mreže bez mnogostrukosti + Izaberi sve mreže bez mnogostrukosti iz dokumenta ili izabrane grupe @@ -8494,7 +8494,7 @@ Building creation aborted. Command - + Transform @@ -8573,7 +8573,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Snapping - Snapping + Hvatanje @@ -8712,23 +8712,23 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet IfcOpenShell was not found on this system. IFC support is disabled - + Objects structure Objects structure - + Attribute Attribute - - + + Value Vrednost - + Property Osobina @@ -8788,13 +8788,18 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Datoteka nije nađena - + IFC Explorer Istraži IFC datoteku - + + IfcSite element was not found in %s. Unable to explore. + IfcSite element was not found in %s. Unable to explore. + + + Error in entity Error in entity @@ -8934,22 +8939,22 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Novi sloj - + Create Leader Napravi pokaznu liniju - - + + Preview Pregled - - + + Options Opcije @@ -8964,97 +8969,97 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet It is not possible to link because the main document is closed. - + No structure in cache. Please refresh. No structure in cache. Please refresh. - + It is not possible to insert this object because the document has been closed. It is not possible to insert this object because the document has been closed. - + Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed - + Error: Unable to download Error: Unable to download - + Insertion point Insertion point - + Origin Koordinatni početak - + Top left Odozgo sleva - + Top center Top center - + Top right Odozgo sdesna - + Middle left Middle left - + Middle center Middle center - + Middle right Middle right - + Bottom left Odozdo sleva - + Bottom center Bottom center - + Bottom right Odozdo sdesna - + Cannot open URL Cannot open URL - + Could not fetch library contents Could not fetch library contents - + No results fetched from online library No results fetched from online library - + Warning, this can take several minutes! Warning, this can take several minutes! @@ -9623,7 +9628,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Generic 3D tools - Generic 3D tools + Opšte 3D alatke @@ -10320,12 +10325,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Sketch - Sketch + Skica Creates a new sketch in the current working plane - Creates a new sketch in the current working plane + Napravi skicu na trenutnoj radnoj ravni @@ -10437,7 +10442,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Views manager - Menadžer pogleda + Upravljaj pogledima @@ -10515,7 +10520,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Working Plane View - Working Plane View + Pogled na radnu ravan diff --git a/src/Mod/BIM/Resources/translations/Arch_sr.qm b/src/Mod/BIM/Resources/translations/Arch_sr.qm index 2cb9c6220824..c9e564257185 100644 Binary files a/src/Mod/BIM/Resources/translations/Arch_sr.qm and b/src/Mod/BIM/Resources/translations/Arch_sr.qm differ diff --git a/src/Mod/BIM/Resources/translations/Arch_sr.ts b/src/Mod/BIM/Resources/translations/Arch_sr.ts index 5bdf6e73b56c..2b1913b29b84 100644 --- a/src/Mod/BIM/Resources/translations/Arch_sr.ts +++ b/src/Mod/BIM/Resources/translations/Arch_sr.ts @@ -604,12 +604,12 @@ Utils -> Make IFC project Default structure - Default structure + Унапред задата структура Create a default structure (IfcProject, IfcSite, IfcBuilding and IfcBuildingStorey)? Replying "No" will only create an IfcProject. You can then add the structure manually later. - Create a default structure (IfcProject, IfcSite, IfcBuilding and IfcBuildingStorey)? Replying "No" will only create an IfcProject. You can then add the structure manually later. + Задај унапред структуру (IfcProject, IfcSite, IfcBuilding and IfcBuildingStorey)? Ако изабереш "Не" направитиће се само IfcProject. Структура се може касније ручно додати. @@ -1097,7 +1097,7 @@ Utils -> Make IFC project Define a working plane for each level - Define a working plane for each level + Поглед на радну раван @@ -3406,7 +3406,7 @@ unit to work with when opening the file. - + Category Категорија @@ -3422,7 +3422,7 @@ unit to work with when opening the file. - + Length @@ -3597,7 +3597,7 @@ unit to work with when opening the file. Couldn't compute a shape - + Equipment Покућство @@ -3690,17 +3690,17 @@ unit to work with when opening the file. Create profile - Create profile + Направи профил Profile settings - Profile settings + Избор профила Create Profile - Create Profile + Направи профил @@ -3708,7 +3708,7 @@ unit to work with when opening the file. Профил - + Site Градилиште @@ -3738,7 +3738,7 @@ unit to work with when opening the file. - + Roof Кров @@ -3858,7 +3858,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Спреда - + External Reference Спољашњи објекат @@ -3966,7 +3966,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Create external reference - + Frame Оквир @@ -4031,7 +4031,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela The shapefile library can be downloaded from the following URL and installed in your macros folder: - + Window Прозор @@ -4120,7 +4120,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Remove Уклони @@ -4129,12 +4129,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Add Додај - + @@ -4186,7 +4186,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Type Врста @@ -4290,7 +4290,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Successfully written - + Truss Решеткасти кровни носач @@ -4331,17 +4331,17 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Error: your IfcOpenShell version is too old - + Project Пројекат - + Stairs Степениште - + Railing Railing @@ -4378,12 +4378,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Material Материјал - + MultiMaterial MultiMaterial @@ -4450,7 +4450,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Grid Координатна мрежа @@ -4636,17 +4636,17 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Обртање - + Panel Панел - + View of View of - + PanelSheet Табела панела @@ -4697,7 +4697,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela This object has no face - + Curtain Wall Зид завеса @@ -4708,12 +4708,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Create Curtain Wall - + Pipe Цев - + Connector Фитинг @@ -4840,7 +4840,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Export CSV file - + Export CSV File Export CSV File @@ -4852,7 +4852,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Description Опис @@ -4860,7 +4860,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Value Вредност @@ -4868,7 +4868,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Unit Мерна јединица @@ -4921,7 +4921,7 @@ Floor creation aborted. Axis - Оса + Осе @@ -4975,7 +4975,7 @@ Floor creation aborted. has a null shape - + Toggle subcomponents Сакриј/Прикажи компоненте објекта @@ -5075,7 +5075,7 @@ Floor creation aborted. New property set - + Rebar Арматура @@ -5091,7 +5091,7 @@ Floor creation aborted. Please select a base face on a structural object - + Section Пресек @@ -5187,7 +5187,7 @@ Floor creation aborted. Centers the plane on the objects in the list above - + Building Зграда @@ -5225,7 +5225,7 @@ Building creation aborted. Create Building - + Space Простор @@ -5235,22 +5235,22 @@ Building creation aborted. Create Space - + Set text position Set text position - + Space boundaries Space boundaries - + Wall Зид - + Walls can only be based on Part or Mesh objects Walls can only be based on Part or Mesh objects @@ -5321,7 +5321,7 @@ Building creation aborted. changed 'Normal' to [0, 0, 1] to preserve extrusion direction - changed 'Normal' to [0, 0, 1] to preserve extrusion direction + да би се сачувао правац екструзије 'Нормала' промењена у [0, 0, 1] @@ -5369,58 +5369,58 @@ Building creation aborted. contains faces that are not part of any solid - + Survey Истражи модел - + Set description Set description - + Clear Обриши - + Copy Length Copy Length - + Copy Area Copy Area - + Export CSV Export CSV - + Area Area - + Total Total - + Object doesn't have settable IFC attributes Object doesn't have settable IFC attributes - + Disabling B-rep force flag of object Disabling B-rep force flag of object - + Enabling B-rep force flag of object Enabling B-rep force flag of object @@ -5466,12 +5466,12 @@ Building creation aborted. Create Component - + Key Key - + The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: @@ -5702,8 +5702,8 @@ Building creation aborted. The electric power needed by this equipment in Watts - - + + The type of this building The type of this building @@ -5972,167 +5972,167 @@ Building creation aborted. Thickness of the legs - + The base terrain of this site The base terrain of this site - + The street and house number of this site, with postal box or apartment number if needed The street and house number of this site, with postal box or apartment number if needed - + The postal or zip code of this site The postal or zip code of this site - + The city of this site The city of this site - + The region, province or county of this site The region, province or county of this site - + The country of this site The country of this site - + The latitude of this site The latitude of this site - + Angle between the true North and the North direction in this document Angle between the true North and the North direction in this document - + The elevation of level 0 of this site The elevation of level 0 of this site - + A URL that shows this site in a mapping website 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 - + The perimeter length of the projected area Дужина обима пројициране области - + The volume of earth to be added to this terrain The volume of earth to be added to this terrain - + The volume of earth to be removed from this terrain The volume of earth to be removed from this terrain - + An extrusion vector to use when performing boolean operations An extrusion vector to use when performing boolean operations - + Remove splitters from the resulting shape Remove splitters from the resulting shape - + An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates 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 - + The time zone where this site is located The time zone where this site is located - + An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one - + Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module - + Show solar diagram or not Show solar diagram or not - + The scale of the solar diagram The scale of the solar diagram - + The position of the solar diagram The position of the solar diagram - + The color of the solar diagram The color of the solar diagram - + When set to 'True North' the whole geometry will be rotated to match the true north of this site When set to 'True North' the whole geometry will be rotated to match the true north of this site - + Show compass or not Show compass or not - + The rotation of the Compass relative to the Site The rotation of the Compass relative to the Site - + The position of the Compass relative to the Site placement The position of the Compass relative to the Site placement - + Update the Declination value based on the compass rotation Update the Declination value based on the compass rotation @@ -7476,128 +7476,128 @@ Building creation aborted. - + The name of the font The name of the font - + The size of the text font The size of the text font - + The objects that make the boundaries of this space object The objects that make the boundaries of this space object - + Identical to Horizontal Area Identical to Horizontal Area - + The finishing of the floor of this space The finishing of the floor of this space - + The finishing of the walls of this space The finishing of the walls of this space - + The finishing of the ceiling of this space The finishing of the ceiling of this space - + Objects that are included inside this space, such as furniture Objects that are included inside this space, such as furniture - + The type of this space The type of this space - + The thickness of the floor finish The thickness of the floor finish - + The number of people who typically occupy this space The number of people who typically occupy this space - + The electric power needed to light this space in Watts The electric power needed to light this space in Watts - + The electric power needed by the equipment of this space in Watts The electric power needed by the equipment of this space in Watts - + If True, Equipment Power will be automatically filled by the equipment included in this space If True, Equipment Power will be automatically filled by the equipment included in this space - + The type of air conditioning of this space The type of air conditioning of this space - + Specifies if this space is internal or external Specifies if this space is internal or external - + Defines the calculation type for the horizontal area and its perimeter length Defines the calculation type for the horizontal area and its perimeter length - + The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data - + The color of the area text The color of the area text - + The size of the first line of text The size of the first line of text - + The space between the lines of text The space between the lines of text - + The position of the text. Leave (0,0,0) for automatic position The position of the text. Leave (0,0,0) for automatic position - + The justification of the text The justification of the text - + The number of decimals to use for calculated texts The number of decimals to use for calculated texts - + Show the unit suffix Show the unit suffix @@ -7745,7 +7745,7 @@ Building creation aborted. Drafting tools - Drafting tools + Алатке за цртање @@ -7755,37 +7755,37 @@ Building creation aborted. 3D/BIM tools - 3D/BIM tools + 3Д БИМ алатке Annotation tools - Annotation tools + Алатке за напомене 2D modification tools - 2D modification tools + 2Д алатке за измене Manage tools - Manage tools + Алатке за управљање General modification tools - General modification tools + Опште алатке за измене Object modification tools - Object modification tools + Алатке за измене објеката 3D modification tools - 3D modification tools + 3Д алатке за измене @@ -7795,7 +7795,7 @@ Building creation aborted. &3D/BIM - &3D/BIM + &3Д/БИМ @@ -7810,17 +7810,17 @@ Building creation aborted. &Snapping - &Snapping + &Хватање &Modify - &Modify + &Измени &Manage - &Manage + &Управљај @@ -7835,7 +7835,7 @@ Building creation aborted. &Utils - &Utils + &Корисне алатке @@ -7853,7 +7853,7 @@ Building creation aborted. Creates a profile - Creates a profile + Направи профил @@ -8392,12 +8392,12 @@ Building creation aborted. Select non-manifold meshes - Изабери геометрију без многострукости + Изабери мреже без многострукости Selects all non-manifold meshes from the document or from the selected groups - Изабери из документа или изабране групе све мреже без многострукости + Изабери све мреже без многострукости из документа или изабране групе @@ -8494,7 +8494,7 @@ Building creation aborted. Command - + Transform @@ -8573,7 +8573,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Snapping - Snapping + Хватање @@ -8712,23 +8712,23 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet IfcOpenShell was not found on this system. IFC support is disabled - + Objects structure Objects structure - + Attribute Attribute - - + + Value Вредност - + Property Оcобина @@ -8788,13 +8788,18 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Датотека није нађена - + IFC Explorer Истражи IFC датотеку - + + IfcSite element was not found in %s. Unable to explore. + IfcSite element was not found in %s. Unable to explore. + + + Error in entity Error in entity @@ -8934,22 +8939,22 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Нови слој - + Create Leader Направи показну линију - - + + Preview Преглед - - + + Options Опције @@ -8964,97 +8969,97 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet It is not possible to link because the main document is closed. - + No structure in cache. Please refresh. No structure in cache. Please refresh. - + It is not possible to insert this object because the document has been closed. It is not possible to insert this object because the document has been closed. - + Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed - + Error: Unable to download Error: Unable to download - + Insertion point Insertion point - + Origin Координатни почетак - + Top left Одозго слева - + Top center Top center - + Top right Одозго сдесна - + Middle left Middle left - + Middle center Middle center - + Middle right Middle right - + Bottom left Одоздо слева - + Bottom center Bottom center - + Bottom right Одоздо сдесна - + Cannot open URL Cannot open URL - + Could not fetch library contents Could not fetch library contents - + No results fetched from online library No results fetched from online library - + Warning, this can take several minutes! Warning, this can take several minutes! @@ -9623,7 +9628,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Generic 3D tools - Generic 3D tools + Опште 3Д алатке @@ -10320,12 +10325,12 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Sketch - Sketch + Скица Creates a new sketch in the current working plane - Creates a new sketch in the current working plane + Направи скицу на тренутној радној равни @@ -10437,7 +10442,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Views manager - Менаџер погледа + Управљај погледима diff --git a/src/Mod/BIM/Resources/translations/Arch_sv-SE.qm b/src/Mod/BIM/Resources/translations/Arch_sv-SE.qm index d0462e6b3641..350f6e07451a 100644 Binary files a/src/Mod/BIM/Resources/translations/Arch_sv-SE.qm and b/src/Mod/BIM/Resources/translations/Arch_sv-SE.qm differ diff --git a/src/Mod/BIM/Resources/translations/Arch_sv-SE.ts b/src/Mod/BIM/Resources/translations/Arch_sv-SE.ts index 3aa77c163235..f6ae8af9a706 100644 --- a/src/Mod/BIM/Resources/translations/Arch_sv-SE.ts +++ b/src/Mod/BIM/Resources/translations/Arch_sv-SE.ts @@ -3404,7 +3404,7 @@ unit to work with when opening the file. - + Category Kategori @@ -3420,7 +3420,7 @@ unit to work with when opening the file. - + Length @@ -3595,7 +3595,7 @@ unit to work with when opening the file. Kunde inte beräkna en form - + Equipment Utrustning @@ -3706,7 +3706,7 @@ unit to work with when opening the file. Profil - + Site Plats @@ -3736,7 +3736,7 @@ unit to work with when opening the file. - + Roof Tak @@ -3856,7 +3856,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Front - + External Reference Extern referens @@ -3964,7 +3964,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Create external reference - + Frame Ram @@ -4029,7 +4029,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela The shapefile library can be downloaded from the following URL and installed in your macros folder: - + Window Fönster @@ -4118,7 +4118,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Remove Ta bort @@ -4127,12 +4127,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Add Lägg till - + @@ -4184,7 +4184,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Type Typ @@ -4288,7 +4288,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Framgångsrikt skriven - + Truss Truss @@ -4329,17 +4329,17 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Error: your IfcOpenShell version is too old - + Project Projekt - + Stairs Trappa - + Railing Railing @@ -4376,12 +4376,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Material Material - + MultiMaterial MultiMaterial @@ -4448,7 +4448,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Grid Rutnät @@ -4634,17 +4634,17 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Rotation - + Panel Panel - + View of Vy över - + PanelSheet PanelSheet @@ -4695,7 +4695,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Detta objekt har ingen yta - + Curtain Wall Curtain Wall @@ -4706,12 +4706,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Create Curtain Wall - + Pipe Rör - + Connector Connector @@ -4838,7 +4838,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Exportera CSV-fil - + Export CSV File Exportera CSV-fil @@ -4850,7 +4850,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Description Beskrivning @@ -4858,7 +4858,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Value Värde @@ -4866,7 +4866,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Unit Enhet @@ -4973,7 +4973,7 @@ Floor creation aborted. has a null shape - + Toggle subcomponents Växla underkomponenter @@ -5073,7 +5073,7 @@ Floor creation aborted. New property set - + Rebar armeringsjärn @@ -5089,7 +5089,7 @@ Floor creation aborted. Please select a base face on a structural object - + Section Sektionering @@ -5185,7 +5185,7 @@ Floor creation aborted. Centers the plane on the objects in the list above - + Building Byggnad @@ -5223,7 +5223,7 @@ Building creation aborted. Skapa byggnad - + Space Utrymme @@ -5233,22 +5233,22 @@ Building creation aborted. Skapa utrymme - + Set text position Set text position - + Space boundaries Space boundaries - + Wall Vägg - + Walls can only be based on Part or Mesh objects Walls can only be based on Part or Mesh objects @@ -5367,58 +5367,58 @@ Building creation aborted. contains faces that are not part of any solid - + Survey Inspektera - + Set description Ange beskrivning - + Clear Rensa - + Copy Length Kopiera längd - + Copy Area Kopiera område - + Export CSV Exportera CSV - + Area Area - + Total Totalt - + Object doesn't have settable IFC attributes Object doesn't have settable IFC attributes - + Disabling B-rep force flag of object Disabling B-rep force flag of object - + Enabling B-rep force flag of object Enabling B-rep force flag of object @@ -5464,12 +5464,12 @@ Building creation aborted. Skapa komponent - + Key Nyckel - + The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: @@ -5700,8 +5700,8 @@ Building creation aborted. The electric power needed by this equipment in Watts - - + + The type of this building The type of this building @@ -5970,167 +5970,167 @@ Building creation aborted. Tjocklek på benen - + The base terrain of this site The base terrain of this site - + The street and house number of this site, with postal box or apartment number if needed The street and house number of this site, with postal box or apartment number if needed - + The postal or zip code of this site The postal or zip code of this site - + The city of this site The city of this site - + The region, province or county of this site The region, province or county of this site - + The country of this site The country of this site - + The latitude of this site The latitude of this site - + Angle between the true North and the North direction in this document Angle between the true North and the North direction in this document - + The elevation of level 0 of this site The elevation of level 0 of this site - + A URL that shows this site in a mapping website 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 - + The perimeter length of the projected area The perimeter length of the projected area - + The volume of earth to be added to this terrain The volume of earth to be added to this terrain - + The volume of earth to be removed from this terrain The volume of earth to be removed from this terrain - + An extrusion vector to use when performing boolean operations An extrusion vector to use when performing boolean operations - + Remove splitters from the resulting shape Remove splitters from the resulting shape - + An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates 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 - + The time zone where this site is located The time zone where this site is located - + An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one - + Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module - + Show solar diagram or not Show solar diagram or not - + The scale of the solar diagram The scale of the solar diagram - + The position of the solar diagram The position of the solar diagram - + The color of the solar diagram The color of the solar diagram - + When set to 'True North' the whole geometry will be rotated to match the true north of this site When set to 'True North' the whole geometry will be rotated to match the true north of this site - + Show compass or not Visa kompass eller inte - + The rotation of the Compass relative to the Site The rotation of the Compass relative to the Site - + The position of the Compass relative to the Site placement The position of the Compass relative to the Site placement - + Update the Declination value based on the compass rotation Update the Declination value based on the compass rotation @@ -7474,128 +7474,128 @@ Building creation aborted. - + The name of the font The name of the font - + The size of the text font The size of the text font - + The objects that make the boundaries of this space object The objects that make the boundaries of this space object - + Identical to Horizontal Area Identical to Horizontal Area - + The finishing of the floor of this space The finishing of the floor of this space - + The finishing of the walls of this space The finishing of the walls of this space - + The finishing of the ceiling of this space The finishing of the ceiling of this space - + Objects that are included inside this space, such as furniture Objects that are included inside this space, such as furniture - + The type of this space The type of this space - + The thickness of the floor finish The thickness of the floor finish - + The number of people who typically occupy this space The number of people who typically occupy this space - + The electric power needed to light this space in Watts The electric power needed to light this space in Watts - + The electric power needed by the equipment of this space in Watts The electric power needed by the equipment of this space in Watts - + If True, Equipment Power will be automatically filled by the equipment included in this space If True, Equipment Power will be automatically filled by the equipment included in this space - + The type of air conditioning of this space The type of air conditioning of this space - + Specifies if this space is internal or external Specifies if this space is internal or external - + Defines the calculation type for the horizontal area and its perimeter length Defines the calculation type for the horizontal area and its perimeter length - + The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data - + The color of the area text The color of the area text - + The size of the first line of text The size of the first line of text - + The space between the lines of text The space between the lines of text - + The position of the text. Leave (0,0,0) for automatic position The position of the text. Leave (0,0,0) for automatic position - + The justification of the text The justification of the text - + The number of decimals to use for calculated texts The number of decimals to use for calculated texts - + Show the unit suffix Visa enhetssuffixet @@ -8492,7 +8492,7 @@ Building creation aborted. Command - + Transform @@ -8710,23 +8710,23 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet IfcOpenShell was not found on this system. IFC support is disabled - + Objects structure Objects structure - + Attribute Attribute - - + + Value Värde - + Property Egenskap @@ -8786,13 +8786,18 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Fil ej funnen - + IFC Explorer IFC Explorer - + + IfcSite element was not found in %s. Unable to explore. + IfcSite element was not found in %s. Unable to explore. + + + Error in entity Error in entity @@ -8932,22 +8937,22 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Nytt lager - + Create Leader Skapa ledare - - + + Preview Förhandsvisning - - + + Options Alternativ @@ -8962,97 +8967,97 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet It is not possible to link because the main document is closed. - + No structure in cache. Please refresh. No structure in cache. Please refresh. - + It is not possible to insert this object because the document has been closed. It is not possible to insert this object because the document has been closed. - + Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed - + Error: Unable to download Error: Unable to download - + Insertion point Insertion point - + Origin Origo - + Top left Topp vänster - + Top center Top center - + Top right Topp höger - + Middle left Middle left - + Middle center Middle center - + Middle right Middle right - + Bottom left Botten vänster - + Bottom center Bottom center - + Bottom right Botten höger - + Cannot open URL Cannot open URL - + Could not fetch library contents Could not fetch library contents - + No results fetched from online library No results fetched from online library - + Warning, this can take several minutes! Warning, this can take several minutes! diff --git a/src/Mod/BIM/Resources/translations/Arch_tr.qm b/src/Mod/BIM/Resources/translations/Arch_tr.qm index 0774241b0d77..99a624a55331 100644 Binary files a/src/Mod/BIM/Resources/translations/Arch_tr.qm and b/src/Mod/BIM/Resources/translations/Arch_tr.qm differ diff --git a/src/Mod/BIM/Resources/translations/Arch_tr.ts b/src/Mod/BIM/Resources/translations/Arch_tr.ts index 5f07fda2b560..46aa310dcd3c 100644 --- a/src/Mod/BIM/Resources/translations/Arch_tr.ts +++ b/src/Mod/BIM/Resources/translations/Arch_tr.ts @@ -106,7 +106,7 @@ Parent - Parent + Ebeveyn @@ -149,7 +149,7 @@ BIM Server - BIM Server + Bim Server @@ -407,7 +407,7 @@ Belgedeki tüm nesneleri kullanmak için boş bırakın IFC Properties Manager - IFC Properties Manager + IFC Özellik Yöneticisi @@ -437,7 +437,7 @@ Belgedeki tüm nesneleri kullanmak için boş bırakın Only show matches - Only show matches + Sadece eşleşmeleri göster @@ -468,22 +468,22 @@ Belgedeki tüm nesneleri kullanmak için boş bırakın Classification manager - Classification manager + Sınıflandırma yöneticisi Objects && Materials - Objects && Materials + Nesneler ve Mazlemeler Only visible objects - Only visible objects + Sadece görünen nesneler Sort by: - Sort by: + Şuna göre sırala: @@ -497,7 +497,7 @@ Belgedeki tüm nesneleri kullanmak için boş bırakın IFC type - IFC type + IFC tipi @@ -510,12 +510,12 @@ Belgedeki tüm nesneleri kullanmak için boş bırakın Model structure - Model structure + Model yapısı Object / Material - Object / Material + Nesne / Malzeme @@ -525,7 +525,7 @@ Belgedeki tüm nesneleri kullanmak için boş bırakın Available classification systems - Available classification systems + Mevcut sınıflandırma sistemleri @@ -535,7 +535,7 @@ Belgedeki tüm nesneleri kullanmak için boş bırakın Apply the selected class to selected materials - Apply the selected class to selected materials + Seçilen sınıfı seçilen malzemelere uygula @@ -545,7 +545,7 @@ Belgedeki tüm nesneleri kullanmak için boş bırakın Use this class as material name - Use this class as material name + Bu sınıfı malzeme adı olarak kullan @@ -555,7 +555,7 @@ Belgedeki tüm nesneleri kullanmak için boş bırakın Prefix with class name when applying - Prefix with class name when applying + Uygularken sınıf adını önek olarak kullan @@ -597,7 +597,7 @@ Utils -> Make IFC project Do not ask again - Do not ask again + Bir daha sorma @@ -3404,7 +3404,7 @@ Ancak bazı BIM uygulamaları dosya açılırken seçilen faktörü uygular. - + Category Kategori @@ -3420,7 +3420,7 @@ Ancak bazı BIM uygulamaları dosya açılırken seçilen faktörü uygular. - + Length @@ -3595,7 +3595,7 @@ Ancak bazı BIM uygulamaları dosya açılırken seçilen faktörü uygular.Couldn't compute a shape - + Equipment Ekipman @@ -3706,7 +3706,7 @@ Ancak bazı BIM uygulamaları dosya açılırken seçilen faktörü uygular.Yan görünüm - + Site Alan @@ -3736,7 +3736,7 @@ Ancak bazı BIM uygulamaları dosya açılırken seçilen faktörü uygular. - + Roof Roof @@ -3856,7 +3856,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Ön - + External Reference External Reference @@ -3964,7 +3964,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Create external reference - + Frame Frame @@ -4029,7 +4029,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela The shapefile library can be downloaded from the following URL and installed in your macros folder: - + Window Pencere @@ -4118,7 +4118,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Remove Kaldır @@ -4127,12 +4127,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Add Ekle - + @@ -4184,7 +4184,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Type Türü @@ -4288,7 +4288,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Successfully written - + Truss Truss @@ -4329,17 +4329,17 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Error: your IfcOpenShell version is too old - + Project Proje - + Stairs Merdivenler - + Railing Railing @@ -4376,12 +4376,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Material Malzeme - + MultiMaterial MultiMaterial @@ -4448,7 +4448,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Grid Izgara @@ -4634,17 +4634,17 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Rotation - + Panel Panel - + View of View of - + PanelSheet PanelSheet @@ -4695,7 +4695,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela This object has no face - + Curtain Wall Curtain Wall @@ -4706,12 +4706,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Create Curtain Wall - + Pipe Boru - + Connector Connector @@ -4838,7 +4838,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Export CSV file - + Export CSV File Export CSV File @@ -4850,7 +4850,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Description Açıklama @@ -4858,7 +4858,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Value Değer @@ -4866,7 +4866,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Unit Birim @@ -4973,7 +4973,7 @@ Floor creation aborted. has a null shape - + Toggle subcomponents Toggle subcomponents @@ -5073,7 +5073,7 @@ Floor creation aborted. New property set - + Rebar İnşaat demiri @@ -5089,7 +5089,7 @@ Floor creation aborted. Please select a base face on a structural object - + Section Kesişim @@ -5185,7 +5185,7 @@ Floor creation aborted. Centers the plane on the objects in the list above - + Building İnşa ediliyor @@ -5223,7 +5223,7 @@ Building creation aborted. Create Building - + Space Uzay, Boşluk, Alan @@ -5233,22 +5233,22 @@ Building creation aborted. Create Space - + Set text position Set text position - + Space boundaries Space boundaries - + Wall Wall - + Walls can only be based on Part or Mesh objects Walls can only be based on Part or Mesh objects @@ -5367,58 +5367,58 @@ Building creation aborted. contains faces that are not part of any solid - + Survey Anket - + Set description Set description - + Clear Temizle - + Copy Length Copy Length - + Copy Area Copy Area - + Export CSV Export CSV - + Area Alan - + Total Toplam - + Object doesn't have settable IFC attributes Object doesn't have settable IFC attributes - + Disabling B-rep force flag of object Disabling B-rep force flag of object - + Enabling B-rep force flag of object Enabling B-rep force flag of object @@ -5464,12 +5464,12 @@ Building creation aborted. Create Component - + Key Key - + The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: @@ -5700,8 +5700,8 @@ Building creation aborted. The electric power needed by this equipment in Watts - - + + The type of this building The type of this building @@ -5970,167 +5970,167 @@ Building creation aborted. Thickness of the legs - + The base terrain of this site The base terrain of this site - + The street and house number of this site, with postal box or apartment number if needed The street and house number of this site, with postal box or apartment number if needed - + The postal or zip code of this site The postal or zip code of this site - + The city of this site The city of this site - + The region, province or county of this site The region, province or county of this site - + The country of this site The country of this site - + The latitude of this site The latitude of this site - + Angle between the true North and the North direction in this document Angle between the true North and the North direction in this document - + The elevation of level 0 of this site The elevation of level 0 of this site - + A URL that shows this site in a mapping website 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 - + The perimeter length of the projected area The perimeter length of the projected area - + The volume of earth to be added to this terrain The volume of earth to be added to this terrain - + The volume of earth to be removed from this terrain The volume of earth to be removed from this terrain - + An extrusion vector to use when performing boolean operations An extrusion vector to use when performing boolean operations - + Remove splitters from the resulting shape Remove splitters from the resulting shape - + An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates 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 - + The time zone where this site is located The time zone where this site is located - + An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one - + Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module - + Show solar diagram or not Show solar diagram or not - + The scale of the solar diagram The scale of the solar diagram - + The position of the solar diagram The position of the solar diagram - + The color of the solar diagram The color of the solar diagram - + When set to 'True North' the whole geometry will be rotated to match the true north of this site When set to 'True North' the whole geometry will be rotated to match the true north of this site - + Show compass or not Show compass or not - + The rotation of the Compass relative to the Site The rotation of the Compass relative to the Site - + The position of the Compass relative to the Site placement The position of the Compass relative to the Site placement - + Update the Declination value based on the compass rotation Update the Declination value based on the compass rotation @@ -7474,128 +7474,128 @@ Building creation aborted. - + The name of the font The name of the font - + The size of the text font The size of the text font - + The objects that make the boundaries of this space object The objects that make the boundaries of this space object - + Identical to Horizontal Area Identical to Horizontal Area - + The finishing of the floor of this space The finishing of the floor of this space - + The finishing of the walls of this space The finishing of the walls of this space - + The finishing of the ceiling of this space The finishing of the ceiling of this space - + Objects that are included inside this space, such as furniture Objects that are included inside this space, such as furniture - + The type of this space The type of this space - + The thickness of the floor finish The thickness of the floor finish - + The number of people who typically occupy this space The number of people who typically occupy this space - + The electric power needed to light this space in Watts The electric power needed to light this space in Watts - + The electric power needed by the equipment of this space in Watts The electric power needed by the equipment of this space in Watts - + If True, Equipment Power will be automatically filled by the equipment included in this space If True, Equipment Power will be automatically filled by the equipment included in this space - + The type of air conditioning of this space The type of air conditioning of this space - + Specifies if this space is internal or external Specifies if this space is internal or external - + Defines the calculation type for the horizontal area and its perimeter length Defines the calculation type for the horizontal area and its perimeter length - + The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data - + The color of the area text The color of the area text - + The size of the first line of text The size of the first line of text - + The space between the lines of text The space between the lines of text - + The position of the text. Leave (0,0,0) for automatic position The position of the text. Leave (0,0,0) for automatic position - + The justification of the text The justification of the text - + The number of decimals to use for calculated texts The number of decimals to use for calculated texts - + Show the unit suffix Show the unit suffix @@ -8493,7 +8493,7 @@ Building creation aborted. Command - + Transform @@ -8698,7 +8698,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet IFC type - IFC type + IFC tipi @@ -8711,23 +8711,23 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet IfcOpenShell was not found on this system. IFC support is disabled - + Objects structure Objects structure - + Attribute Attribute - - + + Value Değer - + Property Özellik @@ -8787,13 +8787,18 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Dosya bulunamadı - + IFC Explorer IFC Explorer - + + IfcSite element was not found in %s. Unable to explore. + IfcSite element was not found in %s. Unable to explore. + + + Error in entity Error in entity @@ -8933,22 +8938,22 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet New Layer - + Create Leader Kılavuz Oluştur - - + + Preview Önizleme - - + + Options Seçenekler @@ -8963,97 +8968,97 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet It is not possible to link because the main document is closed. - + No structure in cache. Please refresh. No structure in cache. Please refresh. - + It is not possible to insert this object because the document has been closed. It is not possible to insert this object because the document has been closed. - + Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed - + Error: Unable to download Error: Unable to download - + Insertion point Insertion point - + Origin Orijin - + Top left Sol üst - + Top center Top center - + Top right Sağ üst - + Middle left Middle left - + Middle center Middle center - + Middle right Middle right - + Bottom left Alt sol - + Bottom center Bottom center - + Bottom right Sağ alt - + Cannot open URL Cannot open URL - + Could not fetch library contents Could not fetch library contents - + No results fetched from online library No results fetched from online library - + Warning, this can take several minutes! Warning, this can take several minutes! diff --git a/src/Mod/BIM/Resources/translations/Arch_uk.qm b/src/Mod/BIM/Resources/translations/Arch_uk.qm index 1c93b4475cda..38d3acd9ed49 100644 Binary files a/src/Mod/BIM/Resources/translations/Arch_uk.qm and b/src/Mod/BIM/Resources/translations/Arch_uk.qm differ diff --git a/src/Mod/BIM/Resources/translations/Arch_uk.ts b/src/Mod/BIM/Resources/translations/Arch_uk.ts index 88150453f406..531199a88381 100644 --- a/src/Mod/BIM/Resources/translations/Arch_uk.ts +++ b/src/Mod/BIM/Resources/translations/Arch_uk.ts @@ -3448,7 +3448,7 @@ unit to work with when opening the file. - + Category Категорія @@ -3464,7 +3464,7 @@ unit to work with when opening the file. - + Length @@ -3639,7 +3639,7 @@ unit to work with when opening the file. Не вдалось обчислити форму - + Equipment Обладнання @@ -3750,7 +3750,7 @@ unit to work with when opening the file. Профіль - + Site Ділянка @@ -3780,7 +3780,7 @@ unit to work with when opening the file. - + Roof Дах @@ -3900,7 +3900,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Спереду - + External Reference Зовнішній референс @@ -4008,7 +4008,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Створити зовнішній референс - + Frame Рамка @@ -4073,7 +4073,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Бібліотеку shapefile можна завантажити за вказаною нижче URL-адресою та встановити у теці macros: - + Window Вікно @@ -4162,7 +4162,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Remove Вилучити @@ -4171,12 +4171,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Add Додати - + @@ -4228,7 +4228,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Type Тип @@ -4332,7 +4332,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Записано успішно - + Truss Ферма @@ -4373,17 +4373,17 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Помилка: ваша версія IfcOpenShell застаріла - + Project Проєкт - + Stairs Сходи - + Railing Поручні @@ -4420,12 +4420,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Material Матеріал - + MultiMaterial Мультиматеріал @@ -4492,7 +4492,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Grid Сітка @@ -4678,17 +4678,17 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Обертання - + Panel Панель - + View of Вид - + PanelSheet Панель @@ -4739,7 +4739,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Цей об'єкт не має поверхні - + Curtain Wall Навісні стіни @@ -4750,12 +4750,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Створити Навісні Стіни - + Pipe Труба - + Connector З'єднувач @@ -4882,7 +4882,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Експортувати файл CSV - + Export CSV File Експортувати Файл CSV @@ -4894,7 +4894,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Description Опис @@ -4902,7 +4902,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Value Значення @@ -4910,7 +4910,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Unit Одиниця @@ -5017,7 +5017,7 @@ Floor creation aborted. має нульову форму - + Toggle subcomponents Перемикання підкомпонентів @@ -5117,7 +5117,7 @@ Floor creation aborted. Новий набір властивостей - + Rebar Арматура @@ -5133,7 +5133,7 @@ Floor creation aborted. Будь ласка, виберіть базову поверхню на конструктивному об'єкті - + Section Розріз @@ -5229,7 +5229,7 @@ Floor creation aborted. Центрує площину на об'єктах зі списку вище - + Building Будівля @@ -5267,7 +5267,7 @@ Building creation aborted. Створити Будівлю - + Space Проміжок @@ -5277,22 +5277,22 @@ Building creation aborted. Задати простір - + Set text position Вказати положення тексту - + Space boundaries Просторові кордони - + Wall Стіна - + Walls can only be based on Part or Mesh objects Стіни можуть бути створені лише на основі об'єктів "Частина" або "Сітка" @@ -5411,58 +5411,58 @@ Building creation aborted. містить поверхні, які не належать жодному суцільному тілу - + Survey Перегляд - + Set description Додати опис - + Clear Очистити - + Copy Length Копіювати довжину - + Copy Area Копіювати площу - + Export CSV Експортувати CSV - + Area Площа - + Total Всього - + Object doesn't have settable IFC attributes Object doesn't have settable IFC attributes - + Disabling B-rep force flag of object Disabling B-rep force flag of object - + Enabling B-rep force flag of object Enabling B-rep force flag of object @@ -5508,12 +5508,12 @@ Building creation aborted. Створити Компонент - + Key Ключ - + The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: Об'єкт не має атрибуту IfcProperties. Скасувати створення таблиці для об'єкта: @@ -5744,8 +5744,8 @@ Building creation aborted. Електрична потужність, необхідна цьому обладнанню у Ватах - - + + The type of this building Тип цієї будівлі @@ -6014,167 +6014,167 @@ Building creation aborted. Товщина ніжок - + The base terrain of this site Базовий ландшафт цієї ділянки - + The street and house number of this site, with postal box or apartment number if needed Вулиця та номер будинку цієї ділянки, а також номер поштової скриньки або квартири, якщо потрібно - + The postal or zip code of this site Поштовий індекс або zip-код цієї ділянки - + The city of this site Місто цієї ділянки - + The region, province or county of this site Регіон, провінція або округ цієї ділянки - + The country of this site Країна цієї ділянки - + The latitude of this site Широта цієї ділянки - + Angle between the true North and the North direction in this document Кут між істинною північчю та північним напрямком у цьому документі - + The elevation of level 0 of this site Висота рівня 0 цієї ділянки - + A URL that shows this site in a mapping website 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 - + The perimeter length of the projected area Довжина периметра проєктованої території - + The volume of earth to be added to this terrain Об'єм землі, який буде додано до цього ландшафту - + The volume of earth to be removed from this terrain Об'єм землі, що буде видалений з цієї місцевості - + An extrusion vector to use when performing boolean operations Вектор витиснення треба використовувати при виконанні логічних операцій - + Remove splitters from the resulting shape Видалити розгалужувачі з отриманої форми - + An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates Необов'язкове зміщення між початковими координатами моделі (0,0,0) і точкою, вказаною геокоординатами - + The type of this object Тип цього об'єкта - + The time zone where this site is located Часовий пояс, в якому знаходиться ця ділянка - + An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one Додатковий EPW-файл для розташування цього сайту. Зверніться до документації сайту, щоб дізнатися, як його отримати - + Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module Показувати діаграму рози вітрів чи ні. Використовувати шкалу сонячної діаграми. Потрібен модуль "Сонечко" - + Show solar diagram or not Показувати сонячну діаграму чи ні - + The scale of the solar diagram Шкала сонячної діаграми - + The position of the solar diagram Розташування сонячної діаграми - + The color of the solar diagram Колір сонячної діаграми - + When set to 'True North' the whole geometry will be rotated to match the true north of this site Якщо встановлено значення "Істинна північ", вся геометрія буде повернута відповідно до справжньої півночі цього сайту - + Show compass or not Показувати компас чи ні - + The rotation of the Compass relative to the Site Обертання компаса відносно Сайту - + The position of the Compass relative to the Site placement Положення компаса відносно розміщення Сайту - + Update the Declination value based on the compass rotation Оновлення значення Схилення на основі обертання компаса @@ -7518,128 +7518,128 @@ Building creation aborted. - + The name of the font Назва шрифту - + The size of the text font Розмір шрифту тексту - + The objects that make the boundaries of this space object Об'єкти, що утворюють межі цього просторового об'єкта - + Identical to Horizontal Area Identical to Horizontal Area - + The finishing of the floor of this space Кінцева обробка підлоги цього простору - + The finishing of the walls of this space Кінцева обробка стін цього простору - + The finishing of the ceiling of this space Кінцева обробка стелі цього простору - + Objects that are included inside this space, such as furniture Об'єкти, що входять до цього простору, такі як меблі - + The type of this space Тип цього простору - + The thickness of the floor finish Товщина покриття підлоги - + The number of people who typically occupy this space Кількість людей, які зазвичай займають цей простір - + The electric power needed to light this space in Watts Електроенергія, необхідна для освітлення цього простору у Ватах - + The electric power needed by the equipment of this space in Watts Електрична потужність, необхідна для обладнання цього простору у Ватах - + If True, Equipment Power will be automatically filled by the equipment included in this space Якщо істина, потужність обладнання буде автоматично заповнена обладнанням, що входить до цього простору - + The type of air conditioning of this space Тип кондиціонування цього приміщення - + Specifies if this space is internal or external Вказує, чи є цей простір внутрішнім або зовнішнім - + Defines the calculation type for the horizontal area and its perimeter length Defines the calculation type for the horizontal area and its perimeter length - + The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data Текст для показу. Використовуйте $area, $label, $tag, $longname, $description і для оздоблення $floor, $walls, $ceiling, щоб вставити відповідні дані - + The color of the area text Колір тексту області - + The size of the first line of text Розмір першого рядка тексту - + The space between the lines of text Простір між рядками тексту - + The position of the text. Leave (0,0,0) for automatic position Позиція тексту. Залиште (0,0,0) для автоматичного позиціонування - + The justification of the text Обґрунтування тексту - + The number of decimals to use for calculated texts Кількість знаків після коми для обчислюваних текстів - + Show the unit suffix Показати суфікс одиниці виміру @@ -8536,7 +8536,7 @@ Building creation aborted. Command - + Transform @@ -8754,23 +8754,23 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet IfcOpenShell не знайдено в системі. Відключено підтримку IFC - + Objects structure Objects structure - + Attribute Атрибут - - + + Value Значення - + Property Властивість @@ -8830,13 +8830,18 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Файл не знайдено - + IFC Explorer Провідник IFC - + + IfcSite element was not found in %s. Unable to explore. + IfcSite element was not found in %s. Unable to explore. + + + Error in entity Помилка в сутності @@ -8976,22 +8981,22 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Новий шар - + Create Leader Create Leader - - + + Preview Попередній перегляд - - + + Options Параметри @@ -9006,97 +9011,97 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Неможливо зробити посилання, тому що основний документ закритий. - + No structure in cache. Please refresh. Немає структури в кеші. Будь ласка, оновіть. - + It is not possible to insert this object because the document has been closed. Неможливо вставити цей об'єкт, тому що документ було закрито. - + Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed Помилка: Не вдалося імпортувати SAT файли - мають бути встановленні додатки InventorLoader або CadExchanger - + Error: Unable to download Помилка: Неможливо завантажити - + Insertion point Точка вставки - + Origin Початок координат - + Top left Вгорі ліворуч - + Top center Зверху у центрі - + Top right Вгорі праворуч - + Middle left Зліва посередині - + Middle center Посередині по центру - + Middle right Посередині праворуч - + Bottom left Знизу ліворуч - + Bottom center Знизу по центру - + Bottom right Знизу праворуч - + Cannot open URL Не вдалося відкрити URL - + Could not fetch library contents Не вдалося отримати вміст бібліотеки - + No results fetched from online library Не отримано жодного результату з онлайн-бібліотеки - + Warning, this can take several minutes! Попередження, це може зайняти декілька хвилин! diff --git a/src/Mod/BIM/Resources/translations/Arch_val-ES.qm b/src/Mod/BIM/Resources/translations/Arch_val-ES.qm index b9b8dee9b663..80ce740b856e 100644 Binary files a/src/Mod/BIM/Resources/translations/Arch_val-ES.qm and b/src/Mod/BIM/Resources/translations/Arch_val-ES.qm differ diff --git a/src/Mod/BIM/Resources/translations/Arch_val-ES.ts b/src/Mod/BIM/Resources/translations/Arch_val-ES.ts index 499d207da324..b63778628eae 100644 --- a/src/Mod/BIM/Resources/translations/Arch_val-ES.ts +++ b/src/Mod/BIM/Resources/translations/Arch_val-ES.ts @@ -3381,7 +3381,7 @@ unit to work with when opening the file. - + Category Categoria @@ -3397,7 +3397,7 @@ unit to work with when opening the file. - + Length @@ -3572,7 +3572,7 @@ unit to work with when opening the file. Couldn't compute a shape - + Equipment Equipament @@ -3683,7 +3683,7 @@ unit to work with when opening the file. Perfil - + Site Lloc @@ -3713,7 +3713,7 @@ unit to work with when opening the file. - + Roof Roof @@ -3833,7 +3833,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Alçat - + External Reference External Reference @@ -3941,7 +3941,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Create external reference - + Frame Frame @@ -4006,7 +4006,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela The shapefile library can be downloaded from the following URL and installed in your macros folder: - + Window Finestra @@ -4095,7 +4095,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Remove Elimina @@ -4104,12 +4104,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Add Afegir - + @@ -4161,7 +4161,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Type Tipus @@ -4265,7 +4265,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Successfully written - + Truss Truss @@ -4306,17 +4306,17 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Error: your IfcOpenShell version is too old - + Project Projecte - + Stairs Escales - + Railing Railing @@ -4353,12 +4353,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Material Material - + MultiMaterial MultiMaterial @@ -4425,7 +4425,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Grid Quadrícula @@ -4611,17 +4611,17 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Rotation - + Panel Panel - + View of View of - + PanelSheet PanelSheet @@ -4672,7 +4672,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela This object has no face - + Curtain Wall Curtain Wall @@ -4683,12 +4683,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Create Curtain Wall - + Pipe Tub - + Connector Connector @@ -4815,7 +4815,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Export CSV file - + Export CSV File Export CSV File @@ -4827,7 +4827,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Description Descripció @@ -4835,7 +4835,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Value Valor @@ -4843,7 +4843,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Unit Unitat @@ -4950,7 +4950,7 @@ Floor creation aborted. has a null shape - + Toggle subcomponents Toggle subcomponents @@ -5050,7 +5050,7 @@ Floor creation aborted. New property set - + Rebar Rebar @@ -5066,7 +5066,7 @@ Floor creation aborted. Please select a base face on a structural object - + Section Secció @@ -5162,7 +5162,7 @@ Floor creation aborted. Centers the plane on the objects in the list above - + Building Construcció @@ -5200,7 +5200,7 @@ Building creation aborted. Create Building - + Space Espai @@ -5210,22 +5210,22 @@ Building creation aborted. Create Space - + Set text position Set text position - + Space boundaries Space boundaries - + Wall Wall - + Walls can only be based on Part or Mesh objects Walls can only be based on Part or Mesh objects @@ -5344,58 +5344,58 @@ Building creation aborted. contains faces that are not part of any solid - + Survey Recollida de dades - + Set description Set description - + Clear Neteja - + Copy Length Copy Length - + Copy Area Copy Area - + Export CSV Export CSV - + Area Àrea - + Total Total - + Object doesn't have settable IFC attributes Object doesn't have settable IFC attributes - + Disabling B-rep force flag of object Disabling B-rep force flag of object - + Enabling B-rep force flag of object Enabling B-rep force flag of object @@ -5441,12 +5441,12 @@ Building creation aborted. Create Component - + Key Key - + The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: @@ -5677,8 +5677,8 @@ Building creation aborted. The electric power needed by this equipment in Watts - - + + The type of this building The type of this building @@ -5947,167 +5947,167 @@ Building creation aborted. Thickness of the legs - + The base terrain of this site The base terrain of this site - + The street and house number of this site, with postal box or apartment number if needed The street and house number of this site, with postal box or apartment number if needed - + The postal or zip code of this site The postal or zip code of this site - + The city of this site The city of this site - + The region, province or county of this site The region, province or county of this site - + The country of this site The country of this site - + The latitude of this site The latitude of this site - + Angle between the true North and the North direction in this document Angle between the true North and the North direction in this document - + The elevation of level 0 of this site The elevation of level 0 of this site - + A URL that shows this site in a mapping website 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 - + The perimeter length of the projected area The perimeter length of the projected area - + The volume of earth to be added to this terrain The volume of earth to be added to this terrain - + The volume of earth to be removed from this terrain The volume of earth to be removed from this terrain - + An extrusion vector to use when performing boolean operations An extrusion vector to use when performing boolean operations - + Remove splitters from the resulting shape Remove splitters from the resulting shape - + An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates 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 - + The time zone where this site is located The time zone where this site is located - + An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one - + Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module - + Show solar diagram or not Show solar diagram or not - + The scale of the solar diagram The scale of the solar diagram - + The position of the solar diagram The position of the solar diagram - + The color of the solar diagram The color of the solar diagram - + When set to 'True North' the whole geometry will be rotated to match the true north of this site When set to 'True North' the whole geometry will be rotated to match the true north of this site - + Show compass or not Show compass or not - + The rotation of the Compass relative to the Site The rotation of the Compass relative to the Site - + The position of the Compass relative to the Site placement The position of the Compass relative to the Site placement - + Update the Declination value based on the compass rotation Update the Declination value based on the compass rotation @@ -7451,128 +7451,128 @@ Building creation aborted. - + The name of the font The name of the font - + The size of the text font The size of the text font - + The objects that make the boundaries of this space object The objects that make the boundaries of this space object - + Identical to Horizontal Area Identical to Horizontal Area - + The finishing of the floor of this space The finishing of the floor of this space - + The finishing of the walls of this space The finishing of the walls of this space - + The finishing of the ceiling of this space The finishing of the ceiling of this space - + Objects that are included inside this space, such as furniture Objects that are included inside this space, such as furniture - + The type of this space The type of this space - + The thickness of the floor finish The thickness of the floor finish - + The number of people who typically occupy this space The number of people who typically occupy this space - + The electric power needed to light this space in Watts The electric power needed to light this space in Watts - + The electric power needed by the equipment of this space in Watts The electric power needed by the equipment of this space in Watts - + If True, Equipment Power will be automatically filled by the equipment included in this space If True, Equipment Power will be automatically filled by the equipment included in this space - + The type of air conditioning of this space The type of air conditioning of this space - + Specifies if this space is internal or external Specifies if this space is internal or external - + Defines the calculation type for the horizontal area and its perimeter length Defines the calculation type for the horizontal area and its perimeter length - + The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data - + The color of the area text The color of the area text - + The size of the first line of text The size of the first line of text - + The space between the lines of text The space between the lines of text - + The position of the text. Leave (0,0,0) for automatic position The position of the text. Leave (0,0,0) for automatic position - + The justification of the text The justification of the text - + The number of decimals to use for calculated texts The number of decimals to use for calculated texts - + Show the unit suffix Show the unit suffix @@ -8469,7 +8469,7 @@ Building creation aborted. Command - + Transform @@ -8687,23 +8687,23 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet IfcOpenShell was not found on this system. IFC support is disabled - + Objects structure Objects structure - + Attribute Attribute - - + + Value Valor - + Property Propietat @@ -8763,13 +8763,18 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet No s'ha trobat el fitxer. - + IFC Explorer IFC Explorer - + + IfcSite element was not found in %s. Unable to explore. + IfcSite element was not found in %s. Unable to explore. + + + Error in entity Error in entity @@ -8909,22 +8914,22 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet New Layer - + Create Leader Create Leader - - + + Preview Previsualització - - + + Options Opcions @@ -8939,97 +8944,97 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet It is not possible to link because the main document is closed. - + No structure in cache. Please refresh. No structure in cache. Please refresh. - + It is not possible to insert this object because the document has been closed. It is not possible to insert this object because the document has been closed. - + Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed - + Error: Unable to download Error: Unable to download - + Insertion point Insertion point - + Origin Origen - + Top left Superior esquerra - + Top center Top center - + Top right Superior dreta - + Middle left Middle left - + Middle center Middle center - + Middle right Middle right - + Bottom left Inferior esquerra - + Bottom center Bottom center - + Bottom right Inferior dreta - + Cannot open URL Cannot open URL - + Could not fetch library contents Could not fetch library contents - + No results fetched from online library No results fetched from online library - + Warning, this can take several minutes! Warning, this can take several minutes! diff --git a/src/Mod/BIM/Resources/translations/Arch_zh-CN.qm b/src/Mod/BIM/Resources/translations/Arch_zh-CN.qm index 014cc61600d2..de482edb6d0b 100644 Binary files a/src/Mod/BIM/Resources/translations/Arch_zh-CN.qm and b/src/Mod/BIM/Resources/translations/Arch_zh-CN.qm differ diff --git a/src/Mod/BIM/Resources/translations/Arch_zh-CN.ts b/src/Mod/BIM/Resources/translations/Arch_zh-CN.ts index 4a60d9034780..602d9106fb5a 100644 --- a/src/Mod/BIM/Resources/translations/Arch_zh-CN.ts +++ b/src/Mod/BIM/Resources/translations/Arch_zh-CN.ts @@ -6,7 +6,7 @@ BIM material - BIM material + BIM材料 @@ -106,7 +106,7 @@ Parent - Parent + 父级 @@ -144,17 +144,17 @@ The name of the BIM Server you are currently connecting to. Change settings in the BIM preferences - The name of the BIM Server you are currently connecting to. Change settings in the BIM preferences + 您当前连接的 BIM 服务器名称。更改 BIM 首选项中的设置 BIM Server - BIM Server + BIM服务器 The list of projects present on the BIM Server - The list of projects present on the BIM Server + 当前BIM服务器上的项目列表 @@ -336,7 +336,14 @@ CSV 导出注意事项:在Libreoffice中,您可以通过右键单击工作 An optional semicolon (;) separated list of property:value filters. Prepend ! to a property name to invert the effect of the filter (exclude objects that match the filter). Objects whose property contains the value will be matched. Examples of valid filters (everything is case-insensitive): Name:Wall - Will only consider objects with 'wall' in their name (internal name); !Name:Wall - Will only consider objects which DON'T have 'wall' in their name (internal name); Description:Win - Will only consider objects with 'win' in their description; !Label:Win - Will only consider objects which DO NOT have 'win' in their label; IfcType:Wall - Will only consider objects which Ifc Type is 'Wall'; !Tag:Wall - Will only consider objects which tag is NOT 'Wall'. If you leave this field empty, no filtering is applied - An optional semicolon (;) separated list of property:value filters. Prepend ! to a property name to invert the effect of the filter (exclude objects that match the filter). Objects whose property contains the value will be matched. Examples of valid filters (everything is case-insensitive): Name:Wall - Will only consider objects with 'wall' in their name (internal name); !Name:Wall - Will only consider objects which DON'T have 'wall' in their name (internal name); Description:Win - Will only consider objects with 'win' in their description; !Label:Win - Will only consider objects which DO NOT have 'win' in their label; IfcType:Wall - Will only consider objects which Ifc Type is 'Wall'; !Tag:Wall - Will only consider objects which tag is NOT 'Wall'. If you leave this field empty, no filtering is applied + 以分号(;)分隔的可选“属性:值”过滤列表。属性名前加感叹号!表示取反(即排除与过滤器匹配的对象)。那些包含所列属性值的对象将被匹配到。一些有效的过滤器示例(大小写不敏感): +Name:Wall —— 将只包含 name(内部名称)值是 Wall 的对象; +!Name:Wall —— 将包含所有 name(内部名称)值不是 Wall 的对象; +Description:Win —— 将只包含 Description 值是 Win 的对象; +!Label:Win —— 将包含所有 Label 值不是 Win 的对象; +IfcType:Wall —— 将只包含 IfcType 值是 Wall 的对象; +!Tag:Wall —— 将包含所有 Tag 值不是 Wall 的对象。 +如果你将此字段留空,将不应用任何过滤器。 @@ -425,7 +432,7 @@ CSV 导出注意事项:在Libreoffice中,您可以通过右键单击工作 Only visible BIM objects - Only visible BIM objects + 仅可见的BIM对象 @@ -450,7 +457,7 @@ CSV 导出注意事项:在Libreoffice中,您可以通过右键单击工作 List of IFC properties for the selected objects. Double-click to edit, drag and drop to reorganize - List of IFC properties for the selected objects. Double-click to edit, drag and drop to reorganize + 选中对象的 IFC 属性列表。双击可进行编辑,拖动可重新排序 @@ -471,17 +478,17 @@ CSV 导出注意事项:在Libreoffice中,您可以通过右键单击工作 Classification manager - Classification manager + 分类管理器 Objects && Materials - Objects && Materials + 对象/材料 Only visible objects - Only visible objects + 仅可见对象 @@ -513,12 +520,12 @@ CSV 导出注意事项:在Libreoffice中,您可以通过右键单击工作 Model structure - Model structure + 模型结构 Object / Material - Object / Material + 对象/材料 @@ -528,27 +535,27 @@ CSV 导出注意事项:在Libreoffice中,您可以通过右键单击工作 Available classification systems - Available classification systems + 可用分类系统 Classification systems found on this computer - Classification systems found on this computer + 此电脑上找到的分类系统 Apply the selected class to selected materials - Apply the selected class to selected materials + 将选中的类应用到所选材料 << Apply to selected - << Apply to selected + << 应用到所选 Use this class as material name - Use this class as material name + 使用此类作为材料名称 @@ -558,32 +565,32 @@ CSV 导出注意事项:在Libreoffice中,您可以通过右键单击工作 Prefix with class name when applying - Prefix with class name when applying + 应用时以类名作为前缀 XML or IFC files of several classification systems can be downloaded from <a href="https://github.com/Moult/IfcClassification">https://github.com/Moult/IfcClassification</a> and placed in %s - XML or IFC files of several classification systems can be downloaded from <a href="https://github.com/Moult/IfcClassification">https://github.com/Moult/IfcClassification</a> and placed in %s + 一些分类系统的 XML 或 IFC 文件可以从<a href="https://github.com/Moult/IfcClassification">https://github.com/Moult/IfcClassification</a> 下载并存放到 %s Single IFC document - Single IFC document + 单个 IFC 文档 Do you wish to convert this document to an IFC document? Replying 'Yes' will automatically turn all new objects to IFC, while 'No' will allow you to have both IFC and non-IFC elements in the file. - Do you wish to convert this document to an IFC document? Replying 'Yes' will automatically turn all new objects to IFC, while 'No' will allow you to have both IFC and non-IFC elements in the file. + 您想要将此文档转换为 IFC 文档吗? 回复“是”将自动将所有新对象转换到 IFC,而“否”将允许您在文件中同时使用 IFC 和非 IFC 元素。 Add a default building structure (IfcSite, IfcBuilding and IfcBuildingStorey). You can also add the structure manually later. - Add a default building structure (IfcSite, IfcBuilding and IfcBuildingStorey). You can also add the structure manually later. + 添加默认构造结构 (IfcSite、IfcBuilding和IfcBuildingStorey)。您也可以在之后手动添加。 Also create a default structure - Also create a default structure + 同时创建默认结构 @@ -591,31 +598,30 @@ CSV 导出注意事项:在Libreoffice中,您可以通过右键单击工作 and that document won't be turned into an IFC document automatically. You can still turn a FreeCAD document into an IFC document manually, using Utils -> Make IFC project - If this is checked, you won't be asked again when creating a new FreeCAD document, -and that document won't be turned into an IFC document automatically. -You can still turn a FreeCAD document into an IFC document manually, using -Utils -> Make IFC project + 如果选中此选项,则在创建新的 FreeCAD 文档时不会再次询问您,并且该文档不会自动转换为 IFC 文档。 +您仍然可以手动将 FreeCAD 文档转换为 IFC 文档,方法是使用 +工具 -> 创建 IFC 工程 Do not ask again - Do not ask again + 不再询问 Default structure - Default structure + 默认结构 Create a default structure (IfcProject, IfcSite, IfcBuilding and IfcBuildingStorey)? Replying "No" will only create an IfcProject. You can then add the structure manually later. - Create a default structure (IfcProject, IfcSite, IfcBuilding and IfcBuildingStorey)? Replying "No" will only create an IfcProject. You can then add the structure manually later. + 创建默认结构(IfcProject、IfcSite、IfcBuilding和 IfcBuildingStorey)?回复“否”将只创建一个 IfcProject,稍后您可以手动添加其它结构。 One or more IFC documents contained in this FreeCAD document have been modified, but were not saved. They will automatically be saved now. - One or more IFC documents contained in this FreeCAD document have been modified, but were not saved. They will automatically be saved now. + 此 FreeCAD 文档中包含的一个或多个 IFC 文档已被修改,但尚未保存,现在它们将自动保存。 @@ -626,43 +632,50 @@ Utils -> Make IFC project IFC Elements Manager - IFC Elements Manager + IFC 元素管理器 <html><head/><body><p>This dialog lets you change the IFC type and material associated with any BIM object in this document. Double-click the IFC type to change, or use the drop-down menu below the list.</p></body></html> - <html><head/><body><p>This dialog lets you change the IFC type and material associated with any BIM object in this document. Double-click the IFC type to change, or use the drop-down menu below the list.</p></body></html> + <html><head/><body><p>此对话框允许您更改与此文档中任何 BIM 对象关联的 IFC 类型和材料。双击要更改的 IFC 类型,或使用列表下方的下拉菜单。</p></body></html> only visible BIM objects - only visible BIM objects + 仅可见的 BIM 对象 order by: - order by: + 排序方式: change type to: - change type to: + 更改类型为: change material to: - change material to: + 更改材料为: IFC Quantities Manager - IFC Quantities Manager + IFC 数量管理器 <html><head/><body><p>Checked quantities will be exported to IFC. Quantities marked with a warning sign indicate a zero value that you might need to check. Clicking a column header will apply to all selected items.</p><p><span style=" font-weight:600;">Warning</span>: Horizontal area is the area obtained when projecting the object on the ground (X,Y) plane, but vertical area is the sum of all areas of the faces that are vertical (orthogonal to the ground plane), so a wall will have its both faces counted.</p><p>Length, width and height values can be changed here, but beware, it might change the geometry!</p></body></html> - <html><head/><body><p>Checked quantities will be exported to IFC. Quantities marked with a warning sign indicate a zero value that you might need to check. Clicking a column header will apply to all selected items.</p><p><span style=" font-weight:600;">Warning</span>: Horizontal area is the area obtained when projecting the object on the ground (X,Y) plane, but vertical area is the sum of all areas of the faces that are vertical (orthogonal to the ground plane), so a wall will have its both faces counted.</p><p>Length, width and height values can be changed here, but beware, it might change the geometry!</p></body></html> + <html> +<head /> +<body> + <p>检查的数量将输出到 IFC。标有警告表示有0值可能需要您检查。单击列标题将应用于所有选定项目。</p> + <p><span style=" font-weight:600;">警告:</span>水平面积是将物体投影到地面(X, Y)平面上获得的面积,但垂直面积是所有垂直面(与地面正交)的面积之和,因此墙壁的两个面都会被计算在内。</p> + <p>长度、宽度和高度值都可以在这里改变,但务必小心可能会改变几何形状!</p> +</body> +</html> @@ -673,122 +686,124 @@ Utils -> Make IFC project IFC import options - IFC import options + IFC 导入选项 How the IFC file will initially be imported: Only one object, only project structure, or all individual objects. - How the IFC file will initially be imported: Only one object, only project structure, or all individual objects. + IFC 文件的初始导入方式:仅一个对象、仅项目结构,还是所有单个对象。 Only root object (default) - Only root object (default) + 仅根对象 (默认) Project structure (levels) - Project structure (levels) + 项目结构(层级) All individual IFC objects - All individual IFC objects + 所有单个 IFC 对象 Initial import - Initial import + 初始导入 This defines how the IFC data is stored in the FreeCAD document. 'Single IFC document' means that the FreeCAD document is the IFC document, anything you create in it belongs to the IFC document too. 'Use IFC document object' means that an object will be created inside the FreeCAD document to represent the IFC document. You will be able to add non-IFC objects alongside. - This defines how the IFC data is stored in the FreeCAD document. 'Single IFC document' means that the FreeCAD document is the IFC document, anything you create in it belongs to the IFC document too. 'Use IFC document object' means that an object will be created inside the FreeCAD document to represent the IFC document. You will be able to add non-IFC objects alongside. + 这定义了 IFC 数据在 FreeCAD 文档中的存储方式。 +“单个 IFC 文档”表示 FreeCAD 文档就是 IFC 文档,您在其中创建的任何内容也属于 IFC 文档。 +“使用 IFC 文档对象”表示将在 FreeCAD 文档内创建一个对象来表示 IFC 文档,这将使得您能够添加非 IFC 的对象。 Locked (IFC objects only) - Locked (IFC objects only) + 已锁定 (仅 IFC 对象) Unlocked (non-IFC objects permitted) - Unlocked (non-IFC objects permitted) + 已解锁(允许使用非 IFC 对象) Lock document - Lock document + 锁定文档 Representation type - Representation type + 代表类型 The type of object created at import. Mesh is faster, but Shapes are more precise. You can convert between the two anytime by right-clicking the object tree - The type of object created at import. Mesh is faster, but Shapes are more precise. You can convert between the two anytime by right-clicking the object tree + 导入时创建的对象类型。网格速度更快,但形状更精确。 您可以通过右键单击对象树随时在两者之间进行转换 Load the shape (slower) - Load the shape (slower) + 加载形状(较慢) Load 3D representation only, no shape (default) - Load 3D representation only, no shape (default) + 仅加载 3D 表示,无形状 (默认) No 3D representation at all - No 3D representation at all + 根本没有 3D 表示 If this is checked, the workbench specified in Start preferences will be loaded after import - If this is checked, the workbench specified in Start preferences will be loaded after import + 如果选中此选项,则导入后将加载“开始”首选项中指定的工作台 Switch workbench after import - Switch workbench after import + 导入后切换工作台 Preload property sets of all objects. It is advised to leave this unchecked and load property sets later, only when needed - Preload property sets of all objects. It is advised to leave this unchecked and load property sets later, only when needed + 预加载所有对象的属性集。建议不要勾选此项,之后只加载需要的属性 Preload property sets - Preload property sets + 预加载属性集 Preload all materials fo the file. It is advised to leave this unchecked and load materials later, only when needed - Preload all materials fo the file. It is advised to leave this unchecked and load materials later, only when needed + 预加载文件的所有材料。建议不要勾选此项,之后只加载需要的材料 Preload materials - Preload materials + 预加载材料 Preload all layers of the file. It is advised to leave this unchecked and load layers later, only when needed - Preload all layers of the file. It is advised to leave this unchecked and load layers later, only when needed + 预加载文件的所有层级。建议不要勾选此项,稍后只加载需要的图层 Preload layers - Preload layers + 预加载图层 If this is unchecked, these settings will be applied automatically next time. You can change this later under menu Edit -> Preferences -> BIM -> Native IFC - If this is unchecked, these settings will be applied automatically next time. You can change this later under menu Edit -> Preferences -> BIM -> Native IFC + 如果未选中此项,这些设置将在下次自动应用。您可以稍后在菜单“编辑” -> “首选项” -> “BIM” -> “本地 IFC”下更改此设置 @@ -803,7 +818,7 @@ Utils -> Make IFC project Adds this layer to an IFC project - Adds this layer to an IFC project + 将此图层添加到 IFC 项目 @@ -824,12 +839,12 @@ Utils -> Make IFC project Assign selected objects to the selected layer - Assign selected objects to the selected layer + 将选中对象分配到选定图层 Assign - Assign + 分配 @@ -848,7 +863,7 @@ Utils -> Make IFC project Choose a material - Choose a material + 选择材料 @@ -858,12 +873,12 @@ Utils -> Make IFC project New nudge value: - New nudge value: + 新微调值: Below are the phases currently configured for this model: - Below are the phases currently configured for this model: + 以下是当前为该模型配置的阶段: @@ -873,62 +888,62 @@ Utils -> Make IFC project Test results - Test results + 测试结果 Results of test: - Results of test: + 测试结果: to Report panel - to Report panel + 报告面板 BIM Project Setup - BIM Project Setup + BIM 项目设置 This screen allows you to configure a new BIM project in FreeCAD. - This screen allows you to configure a new BIM project in FreeCAD. + 该屏幕允许您在 FreeCAD 中配置一个新的 BIM 项目。 Use preset... - Use preset... + 使用预设... Saves the current document as a template, including all the current BIM settings - Saves the current document as a template, including all the current BIM settings + 保存当前文档为模板,包括当前所有的 BIM 设置 Save template... - Save template... + 保存模板... Loads the contents of a FCStd file into the active document, applying all the BIM settings stored in it if any - Loads the contents of a FCStd file into the active document, applying all the BIM settings stored in it if any + 将 FCStd 文件中的内容加载到活动文档中,并应用其中所有的 BIM 设置 Load template... - Load template... + 加载模板... Create new document - Create new document + 创建新文档 Project name - Project name + 项目名称 @@ -943,17 +958,17 @@ Utils -> Make IFC project If this is checked, a human figure will be added, which helps greatly to give a sense of scale when viewing the model - If this is checked, a human figure will be added, which helps greatly to give a sense of scale when viewing the model + 如果选中此项将添加一个人形,这将有助于在查看模型时给定一种参考 Add a human figure - Add a human figure + 添加一个人影 The site object contains all the data relative to the project location. Later on, you can attach a physical object representing the terrain. - The site object contains all the data relative to the project location. Later on, you can attach a physical object representing the terrain. + 地点对象包括了所有与项目位置有关的数据。稍后您可以附加一个代表地形的物理对象。 @@ -963,7 +978,7 @@ Utils -> Make IFC project Elevation - Elevation + 海拔 @@ -973,7 +988,7 @@ Utils -> Make IFC project Default Site - Default Site + 默认地点 @@ -984,12 +999,12 @@ Utils -> Make IFC project ° - ° + ° Longitude - Longitude + 纬度 @@ -999,62 +1014,62 @@ Utils -> Make IFC project Latitude - Latitude + 经度 N - N + 北纬 Create Building - Create Building + 创建建筑 This will configure a single building for this project. If your project is made of several buildings, you can duplicate it after creation and update its properties. - This will configure a single building for this project. If your project is made of several buildings, you can duplicate it after creation and update its properties. + 这将为该项目配置单个建筑物。如果您的项目由多座建筑物组成,您可以在创建后复制并更新其属性。 Gross building length - Gross building length + 建筑总长度 Gross building width - Gross building width + 建筑总宽度 Default Building - Default Building + 默认建筑 Number of H axes - Number of H axes + 水平(H)轴数量 Distance between H axes - Distance between H axes + 水平(H)轴间距 Number of V axes - Number of V axes + 垂直(V)轴数量 Distance between V axes - Distance between V axes + 垂直(V)轴间距 Main use - Main use + 主要用途 @@ -1063,47 +1078,47 @@ Utils -> Make IFC project 0 - 0 + 0 Axes line width - Axes line width + 轴线宽度 Axes color - Axes color + 轴线颜色 Levels - Levels + 层级 Level height - Level height + 层高度 Number of levels - Number of levels + 层数量 Bind levels to vertical axes - Bind levels to vertical axes + 将层绑定到垂直轴 Define a working plane for each level - Define a working plane for each level + 为每层定义一个工作平面 Default groups to be added to each level - Default groups to be added to each level + 添加到每层的默认组 @@ -1118,67 +1133,67 @@ Utils -> Make IFC project The above settings can be saved as a preset. Presets are stored as .txt files in your FreeCAD user folder - The above settings can be saved as a preset. Presets are stored as .txt files in your FreeCAD user folder + 上述设置可以保存为预设。预设以 .txt 格式存储在 FreeCAD 用户文件夹中 Save preset - Save preset + 保存预设​​​​​​​ This screen lists all the components of the current document. You can select them to create a FreeCAD spreadsheet containing information from them. - This screen lists all the components of the current document. You can select them to create a FreeCAD spreadsheet containing information from them. + 此屏幕列出了当前文档的所有组件。您可以选择它们来创建包含其中信息的 FreeCAD 电子表格。 This dialogue window will help you to generate list of components, dimensions, materials from a opened BIM file for Quantity Surveyor purposes. - This dialogue window will help you to generate list of components, dimensions, materials from a opened BIM file for Quantity Surveyor purposes. + 此对话框将帮助您从打开的 BIM 文件中生成组件、尺寸、材料列表,以提供给造价师使用。 Select from these options the values you want from each component. FreeCAD will generate a line in the spreadsheet with these values (if they are present). - Select from these options the values you want from each component. FreeCAD will generate a line in the spreadsheet with these values (if they are present). + 从这些选项中选择您需要的每个组件的值。FreeCAD 将在电子表格中生成一行,其中包含这些值(如果存在的话)。 object.Length - object.Length + 对象.长度 Shape.Volume - Shape.Volume + 形状.体积 object.Label - object.Label + 对象.标签 count - count + 数量 Select these components from the list if you want to hide the rest of them and move to Survey mode. - Select these components from the list if you want to hide the rest of them and move to Survey mode. + 如果要隐藏其余组件并切换到测量模式,请从列表中选择这些组件。 Select these components from the list if you want to hide the rest of them and move to schedule definition mode. - Select these components from the list if you want to hide the rest of them and move to schedule definition mode. + 如果要隐藏其余组件并切换到排程定义模式,请从列表中选择这些组件。 Spaces manager - Spaces manager + 空间管理器 This screen will allow you to check the spaces configuration of your project and change some attributes. - This screen will allow you to check the spaces configuration of your project and change some attributes. + 此屏将允许您检查项目的空间配置并更改一些属性。 @@ -1207,34 +1222,34 @@ Utils -> Make IFC project Occupants - Occupants + 占用者 1.00 m² - 1.00 m² + 1.00 m² Electric consumption - Electric consumption + 耗电量 0 - 0 + 0 0 W - 0 W + 0瓦 Space information - Space information + 空间信息 @@ -1244,17 +1259,17 @@ Utils -> Make IFC project Level - Level + 层级 Level name - Level name + 层级名称 W - W + @@ -1264,12 +1279,12 @@ Utils -> Make IFC project IFC representation of - IFC representation of + IFC 代表 GroupBox - GroupBox + 分组框 @@ -1284,42 +1299,52 @@ Utils -> Make IFC project Welcome to the BIM workbench! - Welcome to the BIM workbench! + 欢迎来到 BIM 工作台! <html><head/><body><p>This appears to be the first time that you are using the BIM workbench. If you press OK, the next screen will propose you to set a couple of typical FreeCAD options that are suitable for BIM work. You can change these options anytime later under menu <span style=" font-weight:600;">Manage -&gt; BIM Setup...</span></p></body></html> - <html><head/><body><p>This appears to be the first time that you are using the BIM workbench. If you press OK, the next screen will propose you to set a couple of typical FreeCAD options that are suitable for BIM work. You can change these options anytime later under menu <span style=" font-weight:600;">Manage -&gt; BIM Setup...</span></p></body></html> + <html> +<head/> +<body> + <p>这似乎是您第一次使用 BIM 工作台。如果点击“确定”,下一页将建议您设置适合 BIM 工作的几个典型 FreeCAD 选项。您可以在以下菜单随时更改这些选项:<span style=" font-weight:600;">管理 -&gt; BIM 设置...</span></p> +</body> +</html> How to get started? - How to get started? + 如何开始? FreeCAD is a complex application. If this is your first contact with FreeCAD, or you have never worked with 3D or BIM before, you might want to take our <a href="https://wiki.freecad.org/BIM_ingame_tutorial">BIM tutorial</a> first (Also available under menu <span style=" font-weight:600;">Help -&gt; BIM Tutorial</span>). - FreeCAD is a complex application. If this is your first contact with FreeCAD, or you have never worked with 3D or BIM before, you might want to take our <a href="https://wiki.freecad.org/BIM_ingame_tutorial">BIM tutorial</a> first (Also available under menu <span style=" font-weight:600;">Help -&gt; BIM Tutorial</span>). + FreeCAD 是一个复杂的应用程序。如果这是您第一次接触 FreeCAD,或者您以前从未使用过 3D 或BIM,您可能需要先学习我们的 <a href="https://wiki.freecad.org/BIM_ingame_tutorial">BIM 教程</a> (也能在 <span style=" font-weight:600;">帮助 -&gt; BIM 教程</span>菜单下找到)。 The BIM workbench also has a <a href="https://wiki.freecad.org/BIM_Workbench">complete documentation</a> available under the Help menu. The "what's this?" button will also open the help page of any tool from the toolbars. - The BIM workbench also has a <a href="https://wiki.freecad.org/BIM_Workbench">complete documentation</a> available under the Help menu. The "what's this?" button will also open the help page of any tool from the toolbars. + BIM 工作台还在帮助菜单下提供了一份 <a href="https://wiki.freecad.org/BIM_Workbench">完整文档</a>。“这是什么?”按钮还可打开工具栏中任何工具的帮助页面。 A good way to start building a BIM model is by setting up basic characteristics of your project, under menu <span style=" font-weight:600;">Manage -&gt; Project setup</span>. You can also directly configure different floor plans for your project, under menu <span style=" font-weight:600;">Manage -&gt; Levels.</span> - A good way to start building a BIM model is by setting up basic characteristics of your project, under menu <span style=" font-weight:600;">Manage -&gt; Project setup</span>. You can also directly configure different floor plans for your project, under menu <span style=" font-weight:600;">Manage -&gt; Levels.</span> + 开始构建 BIM 模型的一个好方法是设置项目的基本特征,在菜单 <span style=" font-weight:600;">管理 -&gt; 项目设置</span>下。您还可以直接在菜单<span style=" font-weight:600;">管理 -&gt; 楼层</span>下为您的项目配置不同的楼层平面图。 There is no mandatory behaviour here though, and you can also start creating walls and columns directly, and care about organizing things in levels later. - There is no mandatory behaviour here though, and you can also start creating walls and columns directly, and care about organizing things in levels later. + 不过这里并没有强制行为,您也可以直接开始创建墙壁和柱子,稍后再关心如何按楼层组织它们。 <html><head/><body><p>You might also want to start from an existing floor plan or 3D model made in another application. Under menu <span style=" font-weight:600;">File -&gt; Import</span>, you will find a wide range of file formats that can be imported into FreeCAD.</p></body></html> - <html><head/><body><p>You might also want to start from an existing floor plan or 3D model made in another application. Under menu <span style=" font-weight:600;">File -&gt; Import</span>, you will find a wide range of file formats that can be imported into FreeCAD.</p></body></html> + <html> +<head/> +<body> + <p>您可能还想从其他应用程序生成的现有平面图或 3D 模型开始。在<span style=" font-weight:600;">文件 -&gt; 导入</span>菜单下,您会发现多种可以导入 FreeCAD 的文件格式。</p> +</body> +</html> @@ -1388,7 +1413,7 @@ Utils -> Make IFC project Multi-material definition - Multi-material definition + 多种材料定义 @@ -1535,7 +1560,7 @@ Utils -> Make IFC project classManager - classManager + 类管理器 @@ -1552,7 +1577,7 @@ Utils -> Make IFC project Custom properties - Custom properties + 自定义属性 @@ -1562,7 +1587,7 @@ Utils -> Make IFC project Can only contain alphanumerical characters and no spaces. Use CamelCase typing to define spaces automatically - Can only contain alphanumerical characters and no spaces. Use CamelCase typing to define spaces automatically + 只能包含字母数字字符,不能包含空格。使用驼峰大小写自动定义间隔 @@ -1573,12 +1598,12 @@ Utils -> Make IFC project A description for this property, can be in any language. - A description for this property, can be in any language. + 此属性的描述,可以用任何语言。 The property will be hidden in the interface, and can only be modified via Python script - The property will be hidden in the interface, and can only be modified via Python script + 该属性将在界面中隐藏,只能通过 Python 脚本进行修改 @@ -1588,7 +1613,7 @@ Utils -> Make IFC project The property is visible but cannot be modified by the user - The property is visible but cannot be modified by the user + 该属性可见,但用户无法修改 @@ -1603,12 +1628,12 @@ Utils -> Make IFC project Library browser - Library browser + 库浏览器 Inserts the selected object in the current document - Inserts the selected object in the current document + 在当前文档中插入选中的对象 @@ -1618,12 +1643,12 @@ Utils -> Make IFC project or - or + Links the selected object in the current document. Only works in Offline mode - Links the selected object in the current document. Only works in Offline mode + 在当前文档中链接所选对象。仅在离线模式下工作 @@ -1633,17 +1658,17 @@ Utils -> Make IFC project Search: - Search: + 搜索: Search external websites - Search external websites + 搜索外部网站 ... - ... + @@ -1653,57 +1678,57 @@ Utils -> Make IFC project Save thumbnails when saving a file - Save thumbnails when saving a file + 保存文件时存储缩略图 If this is checked, the library doesn't need to be installed. Contents will be fetched online. - If this is checked, the library doesn't need to be installed. Contents will be fetched online. + 如果选中此项,则库不需要安装。内容将在线获取。 Online mode - Online mode + 在线模式 Open the search results inside FreeCAD's web browser instead of the system browser - Open the search results inside FreeCAD's web browser instead of the system browser + 在 FreeCAD 内置浏览器中打开搜索结果而不是调用系统浏览器 Open search in FreeCAD web view - Open search in FreeCAD web view + 在 FreeCAD 内置浏览器中打开搜索 Opens a 3D preview of the selected file. - Opens a 3D preview of the selected file. + 打开选中文件的 3D 预览。 Preview model in 3D view - Preview model in 3D view + 在 3D 视图中预览模型 Show available alternative file formats for library items (STEP, IFC, etc...) - Show available alternative file formats for library items (STEP, IFC, etc...) + 显示库项目可用的替代文件格式(STEP,IFC 等等) Display alternative formats - Display alternative formats + 显示替代格式 Note: STEP and BREP files can be placed at custom location. FCStd and IFC files will be placed where objects are defined in the file. - Note: STEP and BREP files can be placed at custom location. FCStd and IFC files will be placed where objects are defined in the file. + 注意:STEP 和 BREP 文件可以放置在自定义位置。而 FCStd 和 IFC 文件将放置在定义对象的位置。 Save thumbnails - Save thumbnails + 保存缩略图 @@ -1713,27 +1738,33 @@ Utils -> Make IFC project IFC Preflight - IFC Preflight + IFC 预检 <html><head/><body><p>The following test will check your model or the selected object(s) and their children for conformity to some IFC standards.</p><p><span style=" font-weight:600;">Important</span>: None of the failed tests below will prevent exporting IFC files, nor do these tests guarantee that your IFC files meets some specific quality or standard requirement. They are there to help you assess what is and what is not in your exported file. It's for you to choose which item is of importance to you or not. Hovering the mouse over each description will give you more information to decide.</p><p>After a test is run, clicking the corresponding button will give you more information to help you to fix problems.</p><p>The <a href="http://www.buildingsmart-tech.org/specifications"><span style=" text-decoration: underline; color:#0000ff;">official IFC website</span></a> contains a lot of useful information about IFC standards.</p></body></html> - <html><head/><body><p>The following test will check your model or the selected object(s) and their children for conformity to some IFC standards.</p><p><span style=" font-weight:600;">Important</span>: None of the failed tests below will prevent exporting IFC files, nor do these tests guarantee that your IFC files meets some specific quality or standard requirement. They are there to help you assess what is and what is not in your exported file. It's for you to choose which item is of importance to you or not. Hovering the mouse over each description will give you more information to decide.</p><p>After a test is run, clicking the corresponding button will give you more information to help you to fix problems.</p><p>The <a href="http://www.buildingsmart-tech.org/specifications"><span style=" text-decoration: underline; color:#0000ff;">official IFC website</span></a> contains a lot of useful information about IFC standards.</p></body></html> + <html><head/><body> +<p>以下测试将检查您的模型或所选对象及其子对象是否符合某些 IFC 标准。</p> +<p><span style=" font-weight:600;">重要:</span> +以下任何失败的测试都不会阻止导出 IFC 文件,这些测试也不能保证您的 IFC 文件满足某些特定的质量或标准要求。它们可以帮助您评估导出文件中包含和不包含的内容。您可以选择哪些项目对您很重要或不重要。将鼠标悬停在每个描述上将为您提供更多信息以供决定。</p> +<p>测试运行后,单击相应的按钮将为您提供更多信息,以帮助您解决问题。</p> +<p><a href="http://www.buildingsmart-tech.org/specifications"><span style=" text-decoration: underline; color:#0000ff;">IFC 官方网站</span></a>包含许多有关 IFC 标准的有用信息。</p> +</body></html> Warning, this can take some time! - Warning, this can take some time! + 警告,这可能需要一些时间! Run all tests - Run all tests + 执行所有测试 Work on - Work on + 工作于 @@ -1743,12 +1774,12 @@ Utils -> Make IFC project All visible objects - All visible objects + 所有可见对象 Whole document - Whole document + 整个文件 @@ -1758,12 +1789,12 @@ Utils -> Make IFC project <html><head/><body><p>IFC export in FreeCAD is performed by an open-source third-party library called IfcOpenShell. To be able to export to the newer IFC4 standard, IfcOpenShell must have been compiled with IFC4 support enabled. This test will check if IFC4 support is available in your version of IfcOpenShell. If not, you will only be able to export IFC files in the older IFC2x3 standard. Note that some applications out there still have incomplete or inexistent IFC4 support, so in some cases IFC2x3 might still work better.</p></body></html> - <html><head/><body><p>IFC export in FreeCAD is performed by an open-source third-party library called IfcOpenShell. To be able to export to the newer IFC4 standard, IfcOpenShell must have been compiled with IFC4 support enabled. This test will check if IFC4 support is available in your version of IfcOpenShell. If not, you will only be able to export IFC files in the older IFC2x3 standard. Note that some applications out there still have incomplete or inexistent IFC4 support, so in some cases IFC2x3 might still work better.</p></body></html> + <html><head/><body><p>FreeCAD 中的 IFC 导出由名为 IfcOpenShell 的开源第三方库执行。为了能够导出到较新的 IFC4 标准,IfcOpenShell 必须在启用 IFC4 支持的情况下进行编译。此测试将检查您的 IfcOpenShell 版本是否支持 IFC4。如果没有,您将只能导出较旧的 IFC2x3 标准的 IFC 文件。请注意,有些程序仍然对 IFC4 的支持不完整,因此在某些情况下,IFC2x3 可能仍然工作得更好。</p></body></html> Is IFC4 support enabled? - Is IFC4 support enabled? + 是否启用了IFC4支持? @@ -1788,7 +1819,7 @@ Utils -> Make IFC project Project structure - Project structure + 项目结构 @@ -1798,7 +1829,7 @@ Utils -> Make IFC project Are all storeys part of a building? - Are all storeys part of a building? + 所有楼层都是建筑物的一部分吗? @@ -1808,7 +1839,7 @@ Utils -> Make IFC project Are all BIM objects part of a level? - Are all BIM objects part of a level? + 所有 BIM 对象是否属于同一个层级? @@ -1818,7 +1849,7 @@ Utils -> Make IFC project Are all buildings part of a site? - Are all buildings part of a site? + 所有建筑是否都属于同一地点? @@ -1828,7 +1859,7 @@ Utils -> Make IFC project Is there at least one site, one building and one level in the model? - Is there at least one site, one building and one level in the model? + 模型中是否至少有一个站点、一个建筑物和一个层级? @@ -1843,7 +1874,7 @@ Utils -> Make IFC project Are all BIM objects solid and valid? - Are all BIM objects solid and valid? + 所有的 BIM 对象是否是实体且有效? @@ -1853,7 +1884,7 @@ Utils -> Make IFC project Are all BIM objects of a defined IFC type? - Are all BIM objects of a defined IFC type? + 所有 BIM 对象都是定义的 IFC 类型吗? @@ -1913,7 +1944,7 @@ Utils -> Make IFC project Optional/Compatibility - Optional/Compatibility + 可选/兼容性 @@ -1923,7 +1954,7 @@ Utils -> Make IFC project Are all object exportable as extrusions? - Are all object exportable as extrusions? + 所有对象都可以导出为拉伸吗? @@ -1943,7 +1974,7 @@ Utils -> Make IFC project Are all lines bigger than 1/32 inches (minimum accepted by Revit)? - Are all lines bigger than 1/32 inches (minimum accepted by Revit)? + 是否所有线条都大于1/32英寸(Revit可接受的最小值)? @@ -1953,7 +1984,7 @@ Utils -> Make IFC project Is IfcRectangleProfileDef export disabled? (Revit only) - Is IfcRectangleProfileDef export disabled? (Revit only) + IfcRectangleProfileDef导出是否已禁用?(仅Revit) @@ -1969,12 +2000,12 @@ Utils -> Make IFC project Order alphabetically - Order alphabetically + 按字母顺序排序 BIM tutorial - BIM tutorial + BIM 教程 @@ -2000,12 +2031,12 @@ p, li { white-space: pre-wrap; } Tasks to complete: - Tasks to complete: + 待完成的任务: Goal1 - Goal1 + 目标1 @@ -2016,47 +2047,47 @@ p, li { white-space: pre-wrap; } Goal2 - Goal2 + 目标2 << Previous - << Previous + << 上一个 Next >> - Next >> + 下一个 >> Element - Element + 元素 Level - Level + 层级 Doors and windows - Doors and windows + 门和窗 This screen lists all the windows of the current document. You can modify them individually or together - This screen lists all the windows of the current document. You can modify them individually or together + 该屏幕列出了当前文档的所有窗口。您可以单独或一起修改它们 Group by: - Group by: + 分组: Do not group - Do not group + 不分组 @@ -2078,18 +2109,18 @@ p, li { white-space: pre-wrap; } Total number of doors: - Total number of doors: + 门的总数: Total number of windows: - Total number of windows: + 窗的总数: 0 - 0 + 0 @@ -2130,32 +2161,32 @@ p, li { white-space: pre-wrap; } Initial import - Initial import + 初始导入 How the IFC file will initially be imported: Only one object, only project structure, or all individual objects. - How the IFC file will initially be imported: Only one object, only project structure, or all individual objects. + IFC 文件的初始导入方式:仅一个对象、仅项目结构,还是所有单个对象。 Only root object (default) - Only root object (default) + 仅根对象 (默认) Project structure (levels) - Project structure (levels) + 项目结构(层级) All individual IFC objects - All individual IFC objects + 所有单个 IFC 对象 Representation type - Representation type + 代表类型 @@ -2170,12 +2201,12 @@ p, li { white-space: pre-wrap; } Load 3D representation only, no shape (default) - Load 3D representation only, no shape (default) + 仅加载 3D 表示,无形状 (默认) No 3D representation at all - No 3D representation at all + 根本没有 3D 表示 @@ -2195,7 +2226,7 @@ p, li { white-space: pre-wrap; } Preload property sets - Preload property sets + 预加载属性集 @@ -2205,7 +2236,7 @@ p, li { white-space: pre-wrap; } Preload materials - Preload materials + 预加载材料 @@ -2215,7 +2246,7 @@ p, li { white-space: pre-wrap; } Preload layers - Preload layers + 预加载图层 @@ -2419,7 +2450,7 @@ p, li { white-space: pre-wrap; } Do not compute areas for objects with more than - Do not compute areas for objects with more than + 不要计算对象面积,如果大于 @@ -2497,21 +2528,19 @@ a Footprint display mode BIM server - BIM server + BIM 服务器 The URL of a BIM server instance (www.bimserver.org) to connect to. - The URL of a BIM server instance (www.bimserver.org) to connect to. + 要连接的 BIM 服务器实例的 URL (www.bimserver.org)。 If this is selected, the "Open BIM Server in browser" button will open the BIM Server interface in an external browser instead of the FreeCAD web workbench - If this is selected, the "Open BIM Server in browser" -button will open the BIM Server interface in an external browser -instead of the FreeCAD web workbench + 如果选中此选项,“在浏览器中打开 BIM 服务”按钮将在外部浏览器,而不是 FreeCAD 的 Web 工作台中打开 BIM 服务界面 @@ -2561,22 +2590,22 @@ instead of the FreeCAD web workbench Wall color - Wall color + 墙壁颜色 Structure color - Structure color + 结构颜色 Rebar color - Rebar color + 钢筋颜色 Window glass transparency - Window glass transparency + 窗口玻璃透明度 @@ -2587,27 +2616,27 @@ instead of the FreeCAD web workbench Window glass color - Window glass color + 窗户玻璃颜色 Panel color - Panel color + 面板颜色 Helper color (grids, axes, etc.) - Helper color (grids, axes, etc.) + 助手颜色(网格、轴等) Space transparency - Space transparency + 空间透明度 Space line style - Space line style + 空间线样式 @@ -2632,7 +2661,7 @@ instead of the FreeCAD web workbench Space line color - Space line color + 空间线颜色 @@ -2642,42 +2671,42 @@ instead of the FreeCAD web workbench Use sketches for walls - Use sketches for walls + 把草图应用于墙壁 Pipe diameter - Pipe diameter + 管径 Rebar diameter - Rebar diameter + 钢筋直径 Rebar offset - Rebar offset + 钢筋偏移 Stair length - Stair length + 楼梯长度 Stair width - Stair width + 楼梯宽度 Stair height - Stair height + 楼梯高度 Number of stair steps - Number of stair steps + 楼梯步数 @@ -2756,13 +2785,13 @@ if you start getting crashes when you set multiple cores. Parametric BIM objects - Parametric BIM objects + 参数化 BIM 对象 Non-parametric BIM objects - Non-parametric BIM objects + 非参数化 BIM 对象 @@ -2982,7 +3011,7 @@ If using Netgen, make sure that it is available. Builtin and Mefisto mesher options - Builtin and Mefisto mesher options + 内置和梅菲斯托网格选项 @@ -3393,7 +3422,7 @@ unit to work with when opening the file. - + Category 类别 @@ -3409,7 +3438,7 @@ unit to work with when opening the file. - + Length @@ -3584,7 +3613,7 @@ unit to work with when opening the file. 无法计算形状 - + Equipment 设备 @@ -3695,7 +3724,7 @@ unit to work with when opening the file. 轮廓 - + Site 场地 @@ -3726,7 +3755,7 @@ unit to work with when opening the file. - + Roof 屋顶 @@ -3846,7 +3875,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela 前视 - + External Reference 外部参考 @@ -3954,7 +3983,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela 创建外部参考 - + Frame 框架 @@ -4019,7 +4048,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Shapefile 库可以从下面的 URL 下载并安装在您的宏文件夹中: - + Window 窗口 @@ -4108,7 +4137,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Remove 删除 @@ -4117,12 +4146,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Add 添加 - + @@ -4174,7 +4203,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Type 类型 @@ -4278,7 +4307,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela 写入成功 - + Truss 桁架 @@ -4319,17 +4348,17 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Error: your IfcOpenShell version is too old - + Project 项目 - + Stairs 楼梯 - + Railing Railing @@ -4366,12 +4395,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Material 材质 - + MultiMaterial MultiMaterial @@ -4438,7 +4467,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Grid 网格 @@ -4624,17 +4653,17 @@ If Run = 0 then the run is calculated so that the height is the same as the rela 旋转 - + Panel Panel - + View of View of - + PanelSheet PanelSheet @@ -4685,7 +4714,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela This object has no face - + Curtain Wall Curtain Wall @@ -4696,12 +4725,12 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Create Curtain Wall - + Pipe 管状 - + Connector Connector @@ -4828,7 +4857,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela 导出CSV文件 - + Export CSV File 导出CSV文件 @@ -4840,7 +4869,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Description 描述 @@ -4848,7 +4877,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Value @@ -4856,7 +4885,7 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Unit 单位 @@ -4963,7 +4992,7 @@ Floor creation aborted. has a null shape - + Toggle subcomponents Toggle subcomponents @@ -5063,7 +5092,7 @@ Floor creation aborted. New property set - + Rebar 钢筋 @@ -5079,7 +5108,7 @@ Floor creation aborted. Please select a base face on a structural object - + Section 截面 @@ -5175,7 +5204,7 @@ Floor creation aborted. Centers the plane on the objects in the list above - + Building 建筑 @@ -5213,7 +5242,7 @@ Building creation aborted. Create Building - + Space 空间 @@ -5223,22 +5252,22 @@ Building creation aborted. Create Space - + Set text position Set text position - + Space boundaries Space boundaries - + Wall Wall - + Walls can only be based on Part or Mesh objects Walls can only be based on Part or Mesh objects @@ -5357,58 +5386,58 @@ Building creation aborted. contains faces that are not part of any solid - + Survey 调查 - + Set description Set description - + Clear 清除 - + Copy Length Copy Length - + Copy Area Copy Area - + Export CSV 导出 CSV - + Area 区域 - + Total 总计 - + Object doesn't have settable IFC attributes Object doesn't have settable IFC attributes - + Disabling B-rep force flag of object Disabling B-rep force flag of object - + Enabling B-rep force flag of object Enabling B-rep force flag of object @@ -5454,12 +5483,12 @@ Building creation aborted. Create Component - + Key Key - + The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: @@ -5690,8 +5719,8 @@ Building creation aborted. The electric power needed by this equipment in Watts - - + + The type of this building The type of this building @@ -5960,167 +5989,167 @@ Building creation aborted. Thickness of the legs - + The base terrain of this site The base terrain of this site - + The street and house number of this site, with postal box or apartment number if needed The street and house number of this site, with postal box or apartment number if needed - + The postal or zip code of this site The postal or zip code of this site - + The city of this site The city of this site - + The region, province or county of this site The region, province or county of this site - + The country of this site The country of this site - + The latitude of this site The latitude of this site - + Angle between the true North and the North direction in this document Angle between the true North and the North direction in this document - + The elevation of level 0 of this site The elevation of level 0 of this site - + A URL that shows this site in a mapping website 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 - + The perimeter length of the projected area The perimeter length of the projected area - + The volume of earth to be added to this terrain The volume of earth to be added to this terrain - + The volume of earth to be removed from this terrain The volume of earth to be removed from this terrain - + An extrusion vector to use when performing boolean operations An extrusion vector to use when performing boolean operations - + Remove splitters from the resulting shape Remove splitters from the resulting shape - + An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates 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 - + The time zone where this site is located The time zone where this site is located - + An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one - + Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module - + Show solar diagram or not Show solar diagram or not - + The scale of the solar diagram The scale of the solar diagram - + The position of the solar diagram The position of the solar diagram - + The color of the solar diagram The color of the solar diagram - + When set to 'True North' the whole geometry will be rotated to match the true north of this site When set to 'True North' the whole geometry will be rotated to match the true north of this site - + Show compass or not Show compass or not - + The rotation of the Compass relative to the Site The rotation of the Compass relative to the Site - + The position of the Compass relative to the Site placement The position of the Compass relative to the Site placement - + Update the Declination value based on the compass rotation Update the Declination value based on the compass rotation @@ -7464,128 +7493,128 @@ Building creation aborted. - + The name of the font The name of the font - + The size of the text font The size of the text font - + The objects that make the boundaries of this space object The objects that make the boundaries of this space object - + Identical to Horizontal Area Identical to Horizontal Area - + The finishing of the floor of this space The finishing of the floor of this space - + The finishing of the walls of this space The finishing of the walls of this space - + The finishing of the ceiling of this space The finishing of the ceiling of this space - + Objects that are included inside this space, such as furniture Objects that are included inside this space, such as furniture - + The type of this space The type of this space - + The thickness of the floor finish The thickness of the floor finish - + The number of people who typically occupy this space The number of people who typically occupy this space - + The electric power needed to light this space in Watts The electric power needed to light this space in Watts - + The electric power needed by the equipment of this space in Watts The electric power needed by the equipment of this space in Watts - + If True, Equipment Power will be automatically filled by the equipment included in this space If True, Equipment Power will be automatically filled by the equipment included in this space - + The type of air conditioning of this space The type of air conditioning of this space - + Specifies if this space is internal or external Specifies if this space is internal or external - + Defines the calculation type for the horizontal area and its perimeter length Defines the calculation type for the horizontal area and its perimeter length - + The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data - + The color of the area text The color of the area text - + The size of the first line of text The size of the first line of text - + The space between the lines of text The space between the lines of text - + The position of the text. Leave (0,0,0) for automatic position The position of the text. Leave (0,0,0) for automatic position - + The justification of the text The justification of the text - + The number of decimals to use for calculated texts The number of decimals to use for calculated texts - + Show the unit suffix Show the unit suffix @@ -8482,7 +8511,7 @@ Building creation aborted. Command - + Transform @@ -8700,23 +8729,23 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet IfcOpenShell was not found on this system. IFC support is disabled - + Objects structure Objects structure - + Attribute Attribute - - + + Value - + Property 属性 @@ -8776,13 +8805,18 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet 文件未找到 - + IFC Explorer IFC Explorer - + + IfcSite element was not found in %s. Unable to explore. + IfcSite element was not found in %s. Unable to explore. + + + Error in entity Error in entity @@ -8922,22 +8956,22 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet 新图层 - + Create Leader 创建领导者 - - + + Preview 预览 - - + + Options 选项 @@ -8952,97 +8986,97 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet It is not possible to link because the main document is closed. - + No structure in cache. Please refresh. No structure in cache. Please refresh. - + It is not possible to insert this object because the document has been closed. It is not possible to insert this object because the document has been closed. - + Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed - + Error: Unable to download Error: Unable to download - + Insertion point Insertion point - + Origin 原点 - + Top left 左上 - + Top center Top center - + Top right 右上 - + Middle left Middle left - + Middle center Middle center - + Middle right Middle right - + Bottom left 左下 - + Bottom center Bottom center - + Bottom right 右下 - + Cannot open URL Cannot open URL - + Could not fetch library contents Could not fetch library contents - + No results fetched from online library No results fetched from online library - + Warning, this can take several minutes! Warning, this can take several minutes! @@ -9328,7 +9362,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet Save preset - Save preset + 保存预设​​​​​​​ @@ -10647,7 +10681,7 @@ CTRL+PgUp to extend extrusionCTRL+PgDown to shrink extrusionCTRL+/ to switch bet 0 - 0 + 0 diff --git a/src/Mod/BIM/Resources/translations/Arch_zh-TW.qm b/src/Mod/BIM/Resources/translations/Arch_zh-TW.qm index 3819ed629a1c..e3e6041e5109 100644 Binary files a/src/Mod/BIM/Resources/translations/Arch_zh-TW.qm and b/src/Mod/BIM/Resources/translations/Arch_zh-TW.qm differ diff --git a/src/Mod/BIM/Resources/translations/Arch_zh-TW.ts b/src/Mod/BIM/Resources/translations/Arch_zh-TW.ts index 81d34188f4ea..488518711622 100644 --- a/src/Mod/BIM/Resources/translations/Arch_zh-TW.ts +++ b/src/Mod/BIM/Resources/translations/Arch_zh-TW.ts @@ -229,7 +229,7 @@ An optional unit to express the resulting value. Ex: m^3 (you can also write m³ or m3) - 表示結果值的可選單位。例如 m^3 (你也可以寫成 m³ 或 m3) + 表示結果值的可選單位。例如:m^3 (你也可以寫成 m³ 或 m3) @@ -360,7 +360,7 @@ Leave blank to use all objects from the document BimServer URL: - BimServer URL: + BimServer 網址: @@ -865,7 +865,7 @@ Utils -> Make IFC project Add... - Add... + 新增... @@ -1075,7 +1075,7 @@ Utils -> Make IFC project Levels - 樓層 + 總層數 @@ -1339,12 +1339,12 @@ Utils -> Make IFC project Refresh - 重新運算 + 重新整理 List of files to be committed: - 要提交的檔案列表: + 要提交的檔案列表: @@ -1532,7 +1532,7 @@ Utils -> Make IFC project classManager - classManager + 分類管理員 @@ -1956,7 +1956,7 @@ Utils -> Make IFC project Form - 格式 + 形式 @@ -2336,12 +2336,12 @@ p, li { white-space: pre-wrap; } By default, new objects will have their "Move with host" property set to False, which means they won't move when their host object is moved. - 新物件之"跟隨主體(host)移動"屬性預設是 False, 這表示當主體物件移動時他們不會跟著動. + 新物件之"跟隨宿主移動"屬性預設是 False,這表示當宿主物件移動時他們不會跟著動。 Set "Move with host" property to True by default - 設定"跟隨主體移動"屬性預設值為 True + 設定"跟隨宿主移動"屬性預設值為 True @@ -2766,7 +2766,7 @@ if you start getting crashes when you set multiple cores. One compound per floor - 每一層一個組件 + 每層樓一個組件 @@ -2936,7 +2936,7 @@ are placed in a 'Group' instead. Scaling factor - 縮放因數 + 縮放係數 @@ -2988,7 +2988,7 @@ If using Netgen, make sure that it is available. Netgen mesher options - Netgen 網格產生器參數 + Netgen 網格產生器選項 @@ -3000,9 +3000,9 @@ If using Netgen, make sure that it is available. Grading value to use for meshing using Netgen. This value describes how fast the mesh size decreases. The gradient of the local mesh size h(x) is bound by |Δh(x)| ≤ 1/value. - 使用 Netgen 作網格之分級值. -此值描述網格尺寸減小的速度. -局部網格尺寸的梯度 h(x) 是以 |Δh(x)| ≤ 1/值 為界. + 使用 Netgen 作網格之分級值。 +此值描述網格尺寸減小的速度。 +局部網格尺寸的梯度 h(x) 是以 |Δh(x)| ≤ 1/值 為界。 @@ -3359,7 +3359,7 @@ unit to work with when opening the file. Please select at least an axis object - Please select at least an axis object + 請至少選擇一個軸物件 @@ -3390,7 +3390,7 @@ unit to work with when opening the file. - + Category 類別 @@ -3406,7 +3406,7 @@ unit to work with when opening the file. - + Length @@ -3464,7 +3464,7 @@ unit to work with when opening the file. Facemaker returned an error - Facemaker returned an error + Facemaker 回傳錯誤 @@ -3531,13 +3531,13 @@ unit to work with when opening the file. Choose another Structure object: - Choose another Structure object: + 選擇另一個結構物件: The chosen object is not a Structure - The chosen object is not a Structure + 所選物件不是結構 @@ -3581,14 +3581,14 @@ unit to work with when opening the file. 無法計算形狀 - + Equipment 設備 You must select a base shape object and optionally a mesh object - 您必須選擇一個基本形狀物件和一個網格物件(可選) + 您必須選擇一個基本形狀物件和可選擇性地選擇一個網格物件 @@ -3674,17 +3674,17 @@ unit to work with when opening the file. Create profile - Create profile + 建立輪廓 Profile settings - Profile settings + 輪廓設定 Create Profile - Create Profile + 建立輪廓 @@ -3692,7 +3692,7 @@ unit to work with when opening the file. 輪廓 - + Site 基地 @@ -3722,7 +3722,7 @@ unit to work with when opening the file. - + Roof 屋頂 @@ -3825,7 +3825,7 @@ IdRel:用於自動計算的相對輪廓的 ID。 Cut Plane options - Cut Plane options + 剖切面選項 @@ -3835,7 +3835,7 @@ IdRel:用於自動計算的相對輪廓的 ID。 Behind - Behind + 背後 @@ -3843,24 +3843,24 @@ IdRel:用於自動計算的相對輪廓的 ID。 前視圖 - + External Reference 外部參考 TransientReference property to ReferenceMode - TransientReference property to ReferenceMode + 參考模式的瞬態參考屬性 Upgrading - Upgrading + 升級中 Part not found in file - Part not found in file + 檔案中未找到零件 @@ -3873,7 +3873,7 @@ IdRel:用於自動計算的相對輪廓的 ID。 Error removing splitter - Error removing splitter + 移除分離器時發生錯誤 @@ -3888,13 +3888,13 @@ IdRel:用於自動計算的相對輪廓的 ID。 Unable to get lightWeight node for object referenced in - Unable to get lightWeight node for object referenced in + 無法取得引用的物件的 lightWeight 節點 Invalid lightWeight node for object referenced in - Invalid lightWeight node for object referenced in + 引用的物件的 lightWeight 節點無效 @@ -3902,7 +3902,7 @@ IdRel:用於自動計算的相對輪廓的 ID。 Invalid root node in - Invalid root node in + 無效的根節點 @@ -3922,7 +3922,7 @@ IdRel:用於自動計算的相對輪廓的 ID。 Part to use: - Part to use: + 使用零件: @@ -3933,17 +3933,17 @@ IdRel:用於自動計算的相對輪廓的 ID。 None (Use whole object) - None (Use whole object) + 無(使用整個物件) Reference files - Reference files + 參考檔案 Choose reference file - Choose reference file + 選擇參考檔案 @@ -3951,7 +3951,7 @@ IdRel:用於自動計算的相對輪廓的 ID。 建立外部參考 - + Frame 框架 @@ -3968,22 +3968,22 @@ IdRel:用於自動計算的相對輪廓的 ID。 Shapes elevation - Shapes elevation + 形狀立面圖 Choose which field provides shapes elevations: - Choose which field provides shapes elevations: + 選擇提供形狀高程的欄位: No shape found in this file - No shape found in this file + 在此檔中找不到形狀 Shapefile module not found - Shapefile module not found + 找不到 shapefile 模組 @@ -3998,17 +3998,17 @@ IdRel:用於自動計算的相對輪廓的 ID。 Could not download shapefile module. Aborting. - Could not download shapefile module. Aborting. + 無法下載 shapefile 模組,中斷。 Shapefile module not downloaded. Aborting. - Shapefile module not downloaded. Aborting. + Shapefile 模組未下載,中斷。 Shapefile module not found. Aborting. - Shapefile module not found. Aborting. + 找不到 shapefile 模組,中斷。 @@ -4016,7 +4016,7 @@ IdRel:用於自動計算的相對輪廓的 ID。 Shapefile 函式庫可以自以下網址下載並安裝在您的巨集目錄: - + Window @@ -4025,12 +4025,12 @@ IdRel:用於自動計算的相對輪廓的 ID。 Create Window - Create Window + 建立窗戶 Choose a face on an existing object or select a preset - Choose a face on an existing object or select a preset + 選擇現有物件上的面或選擇預設 @@ -4040,39 +4040,39 @@ IdRel:用於自動計算的相對輪廓的 ID。 No Width and/or Height constraint in window sketch. Window not resized. - No Width and/or Height constraint in window sketch. Window not resized. + 窗戶草圖中沒有寬度和/或高度拘束。窗戶未調整大小。 No window found. Cannot continue. - No window found. Cannot continue. + 找不到窗戶,無法繼續。 Window options - Window options + 窗戶選項 Auto include in host object - Auto include in host object + 自動包含在宿主物件 Sill height - Sill height + 窗臺高度 This window has no defined opening - This window has no defined opening + 此窗戶有沒定義的開口 Get selected edge - Get selected edge + 取得選定的邊 @@ -4082,12 +4082,12 @@ IdRel:用於自動計算的相對輪廓的 ID。 Window elements - Window elements + 窗戶元件 Hole wire - Hole wire + 孔線 @@ -4097,7 +4097,7 @@ IdRel:用於自動計算的相對輪廓的 ID。 Pick selected - 挑選 + 挑選選定的 @@ -4105,7 +4105,7 @@ IdRel:用於自動計算的相對輪廓的 ID。 - + Remove 移除 @@ -4114,12 +4114,12 @@ IdRel:用於自動計算的相對輪廓的 ID。 - + Add 新增 - + @@ -4148,7 +4148,7 @@ IdRel:用於自動計算的相對輪廓的 ID。 Wires - Wires + @@ -4171,7 +4171,7 @@ IdRel:用於自動計算的相對輪廓的 ID。 - + Type 類型 @@ -4193,18 +4193,18 @@ IdRel:用於自動計算的相對輪廓的 ID。 Hinge - Hinge + 轉軸 Opening mode - Opening mode + 開啟模式 + default - + default + + 預設 @@ -4214,29 +4214,29 @@ IdRel:用於自動計算的相對輪廓的 ID。 If this is checked, the default Offset value of this window will be added to the value entered here - If this is checked, the default Offset value of this window will be added to the value entered here + 如果選取此選項,則該視窗的預設偏移值將新增至此處輸入的值 Press to retrieve the selected edge - Press to retrieve the selected edge + 按此鍵擷取選定的邊緣 Invert opening direction - Invert opening direction + 反轉開啟方向 Invert hinge position - Invert hinge position + 反轉轉軸位置 Axis System - Axis System + 軸系統 @@ -4246,7 +4246,7 @@ IdRel:用於自動計算的相對輪廓的 ID。 Create Axis System - Create Axis System + 建立軸系統 @@ -4272,10 +4272,10 @@ IdRel:用於自動計算的相對輪廓的 ID。 Successfully written - Successfully written + 成功寫入 - + Truss 桁架 @@ -4316,17 +4316,17 @@ IdRel:用於自動計算的相對輪廓的 ID。 錯誤:您的 IfcOpenShell 版本太舊 - + Project 專案 - + Stairs 樓梯 - + Railing 扶手 @@ -4363,12 +4363,12 @@ IdRel:用於自動計算的相對輪廓的 ID。 - + Material 材質 - + MultiMaterial 多重材質 @@ -4406,7 +4406,7 @@ IdRel:用於自動計算的相對輪廓的 ID。 file %s successfully created. - file %s successfully created. + 檔案 %s 已成功建立。 @@ -4435,7 +4435,7 @@ IdRel:用於自動計算的相對輪廓的 ID。 - + Grid 格線 @@ -4517,7 +4517,7 @@ IdRel:用於自動計算的相對輪廓的 ID。 Dent height - Dent height + 凸面高度 @@ -4532,37 +4532,37 @@ IdRel:用於自動計算的相對輪廓的 ID。 Major diameter of holes - Major diameter of holes + 孔的大徑 Minor diameter of holes - Minor diameter of holes + 孔的小徑 Spacing between holes - Spacing between holes + 孔間距 Number of grooves - Number of grooves + 溝槽數目 Depth of grooves - Depth of grooves + 溝槽深度 Height of grooves - Height of grooves + 溝槽高度 Spacing between grooves - Spacing between grooves + 溝槽之間的間距 @@ -4572,7 +4572,7 @@ IdRel:用於自動計算的相對輪廓的 ID。 Length of down floor - Length of down floor + 下樓板長度 @@ -4582,32 +4582,32 @@ IdRel:用於自動計算的相對輪廓的 ID。 Depth of treads - Depth of treads + 踏步深度 Precast options - Precast options + 預製選項 Dents list - Dents list + 凸面清單 Add dent - Add dent + 加上凸面 Remove dent - Remove dent + 移除凸面 Slant - Slant + 傾斜 @@ -4621,17 +4621,17 @@ IdRel:用於自動計算的相對輪廓的 ID。 旋轉 - + Panel 面板 - + View of View of - + PanelSheet 面板表格 @@ -4682,7 +4682,7 @@ IdRel:用於自動計算的相對輪廓的 ID。 此物件沒有面 - + Curtain Wall 帷幕牆 @@ -4693,12 +4693,12 @@ IdRel:用於自動計算的相對輪廓的 ID。 建立帷幕牆 - + Pipe - + Connector 連接器 @@ -4802,7 +4802,7 @@ IdRel:用於自動計算的相對輪廓的 ID。 Unable to retrieve value from object - Unable to retrieve value from object + 無法從物件中檢索值 @@ -4817,27 +4817,27 @@ IdRel:用於自動計算的相對輪廓的 ID。 Import CSV file - Import CSV file + 匯入 CSV 檔 Export CSV file - Export CSV file + 匯出 CSV 檔 - + Export CSV File - Export CSV File + 匯出 CSV 檔 Unable to recognize that file type - Unable to recognize that file type + 無法辨識該檔案類型 - + Description 說明 @@ -4845,7 +4845,7 @@ IdRel:用於自動計算的相對輪廓的 ID。 - + Value @@ -4853,14 +4853,14 @@ IdRel:用於自動計算的相對輪廓的 ID。 - + Unit 單位 Schedule - Schedule + 排程 @@ -4884,24 +4884,24 @@ You can change that in the preferences. There is no valid object in the selection. Floor creation aborted. - There is no valid object in the selection. + 選擇中沒有有效物件。 -Floor creation aborted. +樓板建立已中止。 Create Floor - Create Floor + 建立樓板 Create Axis - Create Axis + 建立軸 Distances (mm) and angles (deg) between axes - 軸之間的距離 (毫米) 和角度 (度) + 軸之間的距離 (mm) 和角度 (度) @@ -4926,12 +4926,12 @@ Floor creation aborted. Found a shape containing curves, triangulating - Found a shape containing curves, triangulating + 找出一個包含曲線的形狀,進行三角測量 Successfully imported - Successfully imported + 成功匯入 @@ -4960,7 +4960,7 @@ Floor creation aborted. 有一空形狀 - + Toggle subcomponents 切換子組件 @@ -5014,7 +5014,7 @@ Floor creation aborted. Hosts - 主體 + 宿主 @@ -5060,7 +5060,7 @@ Floor creation aborted. 新增屬性集 - + Rebar 鋼筋 @@ -5076,7 +5076,7 @@ Floor creation aborted. 請於結構物件上選取一個基礎面 - + Section 剖面 @@ -5172,7 +5172,7 @@ Floor creation aborted. 將平面置於上面列表中物件的中心 - + Building 建築 @@ -5186,31 +5186,29 @@ Building object is not allowed to accept Site and Building objects. Site and Building objects will be removed from the selection. You can change that in the preferences. - You can put anything but Site and Building objects in a Building object. + 您可以將基地和建築物件以外的任何物件放入建築物件中。 -Building object is not allowed to accept Site and Building objects. +建築物件不允許接受基地和建築物件。 -Site and Building objects will be removed from the selection. +基地和建築物件將從選擇中刪除。 -You can change that in the preferences. +您可以在偏好設定中更改它。 There is no valid object in the selection. Building creation aborted. - There is no valid object in the selection. - -Building creation aborted. + 選擇中沒有有效物件,中斷建築物建立。 Create Building - Create Building + 建立建築物 - + Space 空間 @@ -5220,22 +5218,22 @@ Building creation aborted. 建立空間 - + Set text position 設定文字位置 - + Space boundaries 空間邊界 - + Wall - + Walls can only be based on Part or Mesh objects 牆壁只能基於零件或網格物件 @@ -5306,7 +5304,7 @@ Building creation aborted. changed 'Normal' to [0, 0, 1] to preserve extrusion direction - changed 'Normal' to [0, 0, 1] to preserve extrusion direction + 將「正常」改為 [0, 0, 1] 以保留擠壓方向 @@ -5331,81 +5329,81 @@ Building creation aborted. is not closed - is not closed + 未封閉 is not valid - is not valid + 無效 doesn't contain any solid - doesn't contain any solid + 不包含任何實心 contains a non-closed solid - contains a non-closed solid + 包含非封閉實心 contains faces that are not part of any solid - contains faces that are not part of any solid + 包含不屬於任何實心的面 - + Survey 查詢 - + Set description - Set description + 設定描述 - + Clear 清除 - + Copy Length 拷貝長度 - + Copy Area 拷貝區域 - + Export CSV - Export CSV + 匯出 CSV - + Area 區域 - + Total - Total + 總計 - + Object doesn't have settable IFC attributes 物件沒有可設定的 IFC 屬性 - + Disabling B-rep force flag of object 停用物件的 B-rep 強制旗標 - + Enabling B-rep force flag of object 啟用物件的 B-rep 強制旗標 @@ -5417,7 +5415,7 @@ Building creation aborted. Grouping - Grouping + 分組 @@ -5427,22 +5425,22 @@ Building creation aborted. Ungrouping - Ungrouping + 取消群組 Split Mesh - Split Mesh + 分割網格 Mesh to Shape - Mesh to Shape + 網格(Mesh) 轉換為形狀(Shape) All good! No problems found - All good! No problems found + 一切都好!沒有發現問題 @@ -5451,12 +5449,12 @@ Building creation aborted. 建立組件 - + Key Key - + The object doesn't have an IfcProperties attribute. Cancel spreadsheet creation for object: 此物件沒有 IfcProperties 屬性,取消建立物件試算表: @@ -5499,12 +5497,12 @@ Building creation aborted. Structural System - Structural System + 結構系統 Create a structural system from a selected structure and axis - Create a structural system from a selected structure and axis + 從選定的結構和軸建立結構系統 @@ -5517,7 +5515,7 @@ Building creation aborted. Creates a structure from scratch or from a selected object (sketch, wire, face or solid) - Creates a structure from scratch or from a selected object (sketch, wire, face or solid) + 從頭開始或從選取的物件(草圖、線、面或實心)建立結構 @@ -5612,7 +5610,7 @@ 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 + 用於建構該物件輪廓的facemaker類型 @@ -5687,11 +5685,11 @@ Building creation aborted. 此設備所需要的電力(瓦特) - - + + The type of this building - The type of this building + 這個建築的類型 @@ -5777,7 +5775,7 @@ Building creation aborted. If true, display offset will affect the origin mark too - If true, display offset will affect the origin mark too + 如果為真,顯示偏移也會影響原點標記 @@ -5787,7 +5785,7 @@ Building creation aborted. The font to be used for texts - The font to be used for texts + 用於文字的字體 @@ -5797,7 +5795,7 @@ Building creation aborted. The individual face colors - The individual face colors + 個別面顏色 @@ -5887,7 +5885,7 @@ Building creation aborted. Automatically set size from contents - Automatically set size from contents + 根據內容自動設定大小 @@ -5928,13 +5926,13 @@ Building creation aborted. Thickness of the web - Thickness of the web + 腹板厚度 Thickness of the flanges - Thickness of the flanges + 法蘭厚度 @@ -5944,12 +5942,12 @@ Building creation aborted. Thickness of the webs - Thickness of the webs + 腹板厚度 Thickness of the flange - Thickness of the flange + 法蘭厚度 @@ -5957,169 +5955,169 @@ Building creation aborted. Thickness of the legs - + The base terrain of this site 本基地的基礎地形 - + The street and house number of this site, with postal box or apartment number if needed - 此場地的街道名稱與門牌號碼,如有需要,請填寫郵政信箱或公寓號碼。 + 此基地的街道名稱與門牌號碼,如有需要,請填寫郵政信箱或公寓號碼。 - + The postal or zip code of this site - The postal or zip code of this site + 本基地的郵政或郵遞區號 - + The city of this site 此基地所在城市 - + The region, province or county of this site - The region, province or county of this site + 本基地所在地區、省或縣 - + The country of this site 此基地所在國家 - + The latitude of this site - The latitude of this site + 本基地的緯度 - + Angle between the true North and the North direction in this document - Angle between the true North and the North direction in this document + 本文件中正北方與朝北方向之間的夾角 - + The elevation of level 0 of this site 此基地的樓層 0 的標高。 - + A URL that shows this site in a mapping website - A URL that shows this site in a mapping website + 在地圖網站中顯示此網站的網址 - + 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 平面上的投影面積 - + The perimeter length of the projected area 投影區域的周長 - + The volume of earth to be added to this terrain - The volume of earth to be added to this terrain + 要加到該地形的土方體積 - + The volume of earth to be removed from this terrain - The volume of earth to be removed from this terrain + 從此地形移除的土方體積 - + An extrusion vector to use when performing boolean operations 執行布林運算時使用的擠壓向量 - + Remove splitters from the resulting shape - Remove splitters from the resulting shape + 從生成的形狀中移除分離器 - + An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates - An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates + 模型 (0,0,0) 原點和地理座標指示的點之間的可選偏移量 - + The type of this object 此物件的類型 - + The time zone where this site is located - The time zone where this site is located + 該基地所在的時區 - + An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one - An optional EPW File for the location of this site. Refer to the Site documentation to know how to obtain one + 此網站位置的可選 EPW 檔案。請參閱網站文件以了解如何取得 - + Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module - Show wind rose diagram or not. Uses solar diagram scale. Needs Ladybug module + 是否顯示風玫瑰圖。使用太陽圖比例。需要瓢蟲模組 - + Show solar diagram or not - Show solar diagram or not + 是否顯示太陽軌跡圖 - + The scale of the solar diagram - The scale of the solar diagram + 太陽軌跡圖的比例尺 - + The position of the solar diagram - The position of the solar diagram + 太陽軌跡圖的位置 - + The color of the solar diagram - The color of the solar diagram + 太陽軌跡圖的顏色 - + When set to 'True North' the whole geometry will be rotated to match the true north of this site - When set to 'True North' the whole geometry will be rotated to match the true north of this site + 當設定為“真北”時,整個幾何圖形將旋轉以匹配該基地的真北 - + Show compass or not - Show compass or not + 是否顯示指南針 - + The rotation of the Compass relative to the Site - The rotation of the Compass relative to the Site + 指南針相對於此基地的旋轉 - + The position of the Compass relative to the Site placement - The position of the Compass relative to the Site placement + 指南針相對於基地放置的位置 - + Update the Declination value based on the compass rotation - 根據羅盤旋轉更新磁偏角值 + 根據指南針旋轉更新磁偏角值 @@ -6139,7 +6137,7 @@ Building creation aborted. The list of thicknesses of the roof segments - The list of thicknesses of the roof segments + 屋頂分段的厚度列表 @@ -6199,12 +6197,12 @@ Building creation aborted. The latest time stamp of the linked file - The latest time stamp of the linked file + 連結檔案的最新時間戳記 If true, the colors from the linked file will be kept updated - If true, the colors from the linked file will be kept updated + 如果為真,則連結檔案中的顏色將保持更新 @@ -6249,7 +6247,7 @@ Building creation aborted. The objects that host this window - The objects that host this window + 承載該窗戶的物件 @@ -6264,22 +6262,22 @@ Building creation aborted. An optional object that defines a volume to be subtracted from hosts of this window - An optional object that defines a volume to be subtracted from hosts of this window + 一個可選物件其定義要從此視窗宿主中減去的體積 The width of this window - The width of this window + 此窗戶的寬度 The height of this window - The height of this window + 此窗戶的高度 The normal direction of this window - The normal direction of this window + 此窗戶之法線方向 @@ -6294,7 +6292,7 @@ Building creation aborted. The offset size of this window - The offset size of this window + 此窗戶的偏移尺寸 @@ -6304,7 +6302,7 @@ Building creation aborted. The width of louvre elements - The width of louvre elements + 百葉窗元件的寬度 @@ -6314,7 +6312,7 @@ Building creation aborted. Opens the subcomponents that have a hinge defined - 開啟已定義鉸鏈的子組件 + 開啟已定義轉軸的子組件 @@ -6324,17 +6322,17 @@ Building creation aborted. Shows plan opening symbols if available - Shows plan opening symbols if available + 在可獲得的情況下顯示開口符號 Show elevation opening symbols if available - Show elevation opening symbols if available + 在可獲得的情況下顯示立面圖開口符號 The number of the wire that defines the hole. A value of 0 means automatic - The number of the wire that defines the hole. A value of 0 means automatic + 定義孔的導線數量。值為 0 表示自動 @@ -6344,7 +6342,7 @@ Building creation aborted. The placement of this axis system - The placement of this axis system + 此軸系統的放置 @@ -6444,7 +6442,7 @@ Building creation aborted. The width of a Landing (Second edge and after - First edge follows Width property) - The width of a Landing (Second edge and after - First edge follows Width property) + 樓梯平台的寬度(第二邊及以後 - 第一邊遵循寬度屬性) @@ -6561,22 +6559,22 @@ Building creation aborted. The thickness of the lower floor slab - 下層樓地板的厚度 + 下方樓地板的厚度 The thickness of the upper floor slab - 上層樓地板的厚度 + 上方樓地板的厚度 The type of connection between the lower floor slab and the start of the stairs - 下層樓地板與樓梯起點之間的連接類型 + 下方樓地板與樓梯起點之間的連接類型 The type of connection between the end of the stairs and the upper floor slab - 上層樓地板與樓梯終點之間的連接類型 + 上方樓地板與樓梯終點之間的連接類型 @@ -6669,46 +6667,46 @@ Building creation aborted. The length of this element - The length of this element + 此元件的長度 The width of this element - The width of this element + 此元件的寬度 The height of this element - The height of this element + 此元件的高度 The size of the chamfer of this element - The size of the chamfer of this element + 此元件的倒角尺寸 The dent length of this element - The dent length of this element + 此元件的凹槽長度 The dent height of this element - The dent height of this element + 此元件之凹槽高度 The dents of this element - The dents of this element + 此元件之凸面 The chamfer length of this element - The chamfer length of this element + 此元件的倒角長度 @@ -6718,27 +6716,27 @@ Building creation aborted. The groove depth of this element - The groove depth of this element + 該元件的溝槽深度 The groove height of this element - The groove height of this element + 該元件的溝槽高度 The spacing between the grooves of this element - The spacing between the grooves of this element + 此元件溝槽間的距離 The number of grooves of this element - The number of grooves of this element + 此元件溝槽的數目 The dent width of this element - The dent width of this element + 此元件之凸面寬度 @@ -6753,7 +6751,7 @@ Building creation aborted. The number of holes in this element - The number of holes in this element + 此元件的孔洞數目 @@ -6768,12 +6766,12 @@ Building creation aborted. The spacing between the holes of this element - The spacing between the holes of this element + 此元件孔洞間的距離 The length of the down floor of this element - The length of the down floor of this element + 此元件下層樓板的長度 @@ -6788,17 +6786,17 @@ Building creation aborted. The tread depth of this element - The tread depth of this element + 此元件之踏步深度 The thickness or extrusion depth of this element - 該元件的厚度或擠壓深度 + 此元件的厚度或擠壓深度 The number of sheets to use - The number of sheets to use + 要使用的工作表數 @@ -6808,32 +6806,32 @@ Building creation aborted. The length of waves for corrugated elements - The length of waves for corrugated elements + 波紋元件的波浪長度 The height of waves for corrugated elements - The height of waves for corrugated elements + 波紋元件的波浪高度 The horizontal offset of waves for corrugated elements - The horizontal offset of waves for corrugated elements + 波紋元件波浪的水平偏移 The direction of waves for corrugated elements - The direction of waves for corrugated elements + 波紋元件的波浪方向 The type of waves for corrugated elements - The type of waves for corrugated elements + 波紋元件的波浪類型 If the wave also affects the bottom side or not - If the wave also affects the bottom side or not + 波浪是否也影響底部 @@ -6843,7 +6841,7 @@ Building creation aborted. The linked object - The linked object + 該連結物件 @@ -6883,12 +6881,12 @@ Building creation aborted. The allowed angles this object can be rotated to when placed on sheets - The allowed angles this object can be rotated to when placed on sheets + 放置在紙張上時該物件可以旋轉到的允許角度 An offset value to move the cut plane from the center point - An offset value to move the cut plane from the center point + 用於將剖切平面從中心點移動的偏移值 @@ -6905,7 +6903,7 @@ Building creation aborted. The linked Panel cuts - The linked Panel cuts + 連結的面板切割 @@ -6915,32 +6913,32 @@ Building creation aborted. The width of the sheet - The width of the sheet + 板材寬度 The height of the sheet - The height of the sheet + 板材高度 The fill ratio of this sheet - The fill ratio of this sheet + 該板材的填充率 Specifies an angle for the wood grain (Clockwise, 0 is North) - Specifies an angle for the wood grain (Clockwise, 0 is North) + 指定木紋的角度(順時針方向,0 為北) Specifies the scale applied to each panel view. - Specifies the scale applied to each panel view. + 指定應用於每個面板視圖的比例。 A list of possible rotations for the nester - A list of possible rotations for the nester + 築巢者可能的輪換列表 @@ -7155,7 +7153,7 @@ Building creation aborted. If True, a spreadsheet containing the results is recreated when needed - If True, a spreadsheet containing the results is recreated when needed + 若為真,則在需要時重新建立包含結果的試算表 @@ -7170,7 +7168,7 @@ Building creation aborted. If True, additional lines with each individual object are added to the results - If True, additional lines with each individual object are added to the results + 若為真,則每個單獨物件的附加行將會新增至結果中 @@ -7186,7 +7184,7 @@ Building creation aborted. The angles of each axis - The angles of each axis + 每個軸的角度 @@ -7196,7 +7194,7 @@ Building creation aborted. An optional custom bubble number - An optional custom bubble number + 可選的自定氣泡數 @@ -7211,37 +7209,37 @@ Building creation aborted. The size of the axis bubbles - The size of the axis bubbles + 軸氣泡大小 The numbering style - The numbering style + 編號樣式 The type of line to draw this axis - The type of line to draw this axis + 繪製此軸的線類型 Where to add bubbles to this axis: Start, end, both or none - Where to add bubbles to this axis: Start, end, both or none + 在此軸的何處添加氣泡:開始點、結束點、兩者或都不要 The line width to draw this axis - The line width to draw this axis + 繪製此軸的線寬 The color of this axis - The color of this axis + 此軸的顏色 The number of the first axis - The number of the first axis + 第一軸編號 @@ -7251,12 +7249,12 @@ Building creation aborted. The font size - The font size + 字體大小 If true, show the labels - 如果為 true,顯示標籤 + 若為真,顯示標籤 @@ -7346,7 +7344,7 @@ Building creation aborted. The total distance to span the rebars over. Keep 0 to automatically use the host shape size. - 跨越鋼筋的總距離。保留 0 以自動使用主體形狀大小。 + 跨越鋼筋的總距離。保留 0 以自動使用宿主形狀大小。 @@ -7461,128 +7459,128 @@ Building creation aborted. - + The name of the font - 字型名稱 + 字體名稱 - + The size of the text font 字體大小 - + The objects that make the boundaries of this space object 構成該空間物件邊界的物件 - + Identical to Horizontal Area 與水平面積相同 - + The finishing of the floor of this space 此空間地板的裝修 - + The finishing of the walls of this space 此空間牆面的裝修 - + The finishing of the ceiling of this space 此空間天花板的裝修 - + Objects that are included inside this space, such as furniture 包含在此空間的物件,例如家俱 - + The type of this space 此空間的類型 - + The thickness of the floor finish 地板飾面的厚度 - + The number of people who typically occupy this space 通常佔據此空間的人數 - + The electric power needed to light this space in Watts 照亮此空間所需要的電力(瓦特) - + The electric power needed by the equipment of this space in Watts 此空間設備所需要的電力(瓦特) - + If True, Equipment Power will be automatically filled by the equipment included in this space 如果為真,則設備功率將自動由此空間內包含的設備填充 - + The type of air conditioning of this space 此空間的空調類型 - + Specifies if this space is internal or external 指定此空間是內部的還是外部的 - + Defines the calculation type for the horizontal area and its perimeter length 定義水平面積及其周長的計算類型 - + The text to show. Use $area, $label, $tag, $longname, $description and for finishes $floor, $walls, $ceiling to insert the respective data 要顯示的文字。使用 $area、$label、$tag、$longname、$description,並且對於表面處理可使用 $floor、$walls、$ceiling 插入相應的資料 - + The color of the area text 區域文字的顏色 - + The size of the first line of text 首行文字大小 - + The space between the lines of text 文字列之間的間距 - + The position of the text. Leave (0,0,0) for automatic position 文字的位置。保持 (0,0,0) 為自動位置 - + The justification of the text 文字對齊 - + The number of decimals to use for calculated texts 用於計算文字的小數點後位數 - + Show the unit suffix 在字尾顯示單位 @@ -7639,42 +7637,42 @@ Building creation aborted. Enable this to make the wall generate blocks - Enable this to make the wall generate blocks + 啟用此功能可以使牆生成磚塊 The length of each block - 每個區塊的長度 + 每個磚塊的長度 The height of each block - The height of each block + 每個磚塊的高度 The horizontal offset of the first line of blocks - The horizontal offset of the first line of blocks + 第一行磚塊的水平偏移 The horizontal offset of the second line of blocks - The horizontal offset of the second line of blocks + 區塊第二行的水平偏移 The size of the joints between each block - 每個區塊間的接頭尺寸 + 每個磚塊間的接頭尺寸 The number of entire blocks - The number of entire blocks + 全部磚塊的數目 The number of broken blocks - The number of broken blocks + 破損磚塊的數目 @@ -7688,7 +7686,7 @@ Building creation aborted. Structure tools - Structure tools + 結構工具 @@ -7838,7 +7836,7 @@ Building creation aborted. Creates a profile - Creates a profile + 建立設定檔 @@ -7916,7 +7914,7 @@ Building creation aborted. Creates a window object from a selected object (wire, rectangle or sketch) - Creates a window object from a selected object (wire, rectangle or sketch) + 由選定之物件(線、矩形或草圖) 建立窗戶物件 @@ -7924,7 +7922,7 @@ Building creation aborted. Axis System - Axis System + 軸系統 @@ -8097,12 +8095,12 @@ Building creation aborted. Panel - Panel + 面板 Creates a panel object from scratch or from a selected object (sketch, wire, face or solid) - Creates a panel object from scratch or from a selected object (sketch, wire, face or solid) + 從頭開始或從選取的物件(草圖、線、面或實心)建立面板物件 @@ -8110,12 +8108,12 @@ Building creation aborted. Panel Cut - Panel Cut + 面板切割 Creates 2D views of selected panels - Creates 2D views of selected panels + 建立選取面板的 2D 視圖 @@ -8123,12 +8121,12 @@ Building creation aborted. Panel Sheet - Panel Sheet + 面板片材 Creates a 2D sheet which can contain panel cuts - Creates a 2D sheet which can contain panel cuts + 建立可包含面板切割的 2D 圖紙 @@ -8136,7 +8134,7 @@ Building creation aborted. Nest - Nest + @@ -8150,7 +8148,7 @@ Building creation aborted. Panel tools - Panel tools + 面板工具 @@ -8206,12 +8204,12 @@ Building creation aborted. Schedule - Schedule + 行程 Creates a schedule to collect data from the model - Creates a schedule to collect data from the model + 建立行程以從模型收集資料 @@ -8219,7 +8217,7 @@ Building creation aborted. Level - 樓層 + 高程 @@ -8299,12 +8297,12 @@ Building creation aborted. Wall - Wall + Creates a wall object from scratch or from a selected object (wire, face or solid) - Creates a wall object from scratch or from a selected object (wire, face or solid) + 從頭開始或從選取的物件(線、面或實心)建立牆物件 @@ -8312,12 +8310,12 @@ Building creation aborted. Merge Walls - Merge Walls + 合併牆 Merges the selected walls, if possible - Merges the selected walls, if possible + 如果可能,合併選定的牆 @@ -8351,12 +8349,12 @@ Building creation aborted. Split Mesh - Split Mesh + 分割網格 Splits selected meshes into independent components - 將選定的網格拆分為獨立組件 + 將選定的網格分割為獨立組件 @@ -8364,12 +8362,12 @@ Building creation aborted. Mesh to Shape - Mesh to Shape + 網格(Mesh) 轉換為形狀(Shape) Turns selected meshes into Part Shape objects - Turns selected meshes into Part Shape objects + 轉換選定之網格為零件造型物件 @@ -8390,12 +8388,12 @@ Building creation aborted. Close holes - Close holes + 封閉孔洞 Closes holes in open shapes, turning them solids - Closes holes in open shapes, turning them solids + 封閉開放形狀中的孔洞,將其變成實心 @@ -8403,12 +8401,12 @@ Building creation aborted. Check - Check + 檢查 Checks the selected objects for problems - Checks the selected objects for problems + 檢查選取物件是否有問題 @@ -8479,7 +8477,7 @@ Building creation aborted. Command - + Transform @@ -8701,23 +8699,23 @@ CTRL+/ 在自動和手動模式之間切換 在此系統上未找到 IfcOpenShell。 IFC 支援已停用 - + Objects structure 物件結構 - + Attribute 屬性 - - + + Value - + Property 屬性 @@ -8777,13 +8775,18 @@ CTRL+/ 在自動和手動模式之間切換 找不到檔案 - + IFC Explorer IFC 瀏覽器 - + + IfcSite element was not found in %s. Unable to explore. + IfcSite element was not found in %s. Unable to explore. + + + Error in entity 實體中的錯誤 @@ -8923,22 +8926,22 @@ CTRL+/ 在自動和手動模式之間切換 新增圖層 - + Create Leader 建立指線 - - + + Preview 預覽 - - + + Options 選項 @@ -8953,97 +8956,97 @@ CTRL+/ 在自動和手動模式之間切換 無法建立連結,因為主要檔案已關閉。 - + No structure in cache. Please refresh. 快取中沒有結構。請重新整理。 - + It is not possible to insert this object because the document has been closed. 無法插入此物件,因為文件已關閉。 - + Error: Unable to import SAT files - InventorLoader or CadExchanger addon must be installed - 錯誤:無法匯入 SAT 檔案 - 必須安裝 InventorLoader 或 CadExchanger 外掛程式。 + 錯誤:無法匯入 SAT 檔案 - 必須安裝 InventorLoader 或 CadExchanger 附加元件 - + Error: Unable to download 錯誤: 無法下載 - + Insertion point 插入點 - + Origin 原點 - + Top left 左上 - + Top center 頂部中心 - + Top right 右上 - + Middle left 中間靠左 - + Middle center 中間中心 - + Middle right 中右 - + Bottom left 左下 - + Bottom center 底部中心 - + Bottom right 右下 - + Cannot open URL 無法開啟網址 - + Could not fetch library contents 無法擷取函式庫內容 - + No results fetched from online library 從線上庫中未獲得任何結果。 - + Warning, this can take several minutes! 警告,這可能需要幾分鐘的時間! diff --git a/src/Mod/BIM/nativeifc/ifc_viewproviders.py b/src/Mod/BIM/nativeifc/ifc_viewproviders.py index c5eeb2d6b9e3..697323700fa7 100644 --- a/src/Mod/BIM/nativeifc/ifc_viewproviders.py +++ b/src/Mod/BIM/nativeifc/ifc_viewproviders.py @@ -70,8 +70,16 @@ def updateData(self, obj, prop): obj.ViewObject.DiffuseColor = colors def getIcon(self): - if self.Object.IfcClass == "IfcGroup": - from PySide import QtGui + from PySide import QtCore, QtGui # lazy import + + rclass = self.Object.IfcClass.replace("StandardCase","") + ifcicon = ":/icons/IFC/" + rclass + ".svg" + if QtCore.QFile.exists(ifcicon): + if getattr(self, "ifcclass", "") != rclass: + self.ifcclass = rclass + self.ifcicon = overlay(ifcicon, ":/icons/IFC.svg") + return getattr(self, "ifcicon", overlay(ifcicon, ":/icons/IFC.svg")) + elif self.Object.IfcClass == "IfcGroup": return QtGui.QIcon.fromTheme("folder", QtGui.QIcon(":/icons/folder.svg")) elif self.Object.ShapeMode == "Shape": return ":/icons/IFC_object.svg" diff --git a/src/Mod/CAM/CAMTests/TestPathPost.py b/src/Mod/CAM/CAMTests/TestPathPost.py index eece893d6c95..02a53cb5e462 100644 --- a/src/Mod/CAM/CAMTests/TestPathPost.py +++ b/src/Mod/CAM/CAMTests/TestPathPost.py @@ -475,7 +475,7 @@ def test030(self): # # # PATHTESTS_LOCATION = "Mod/CAM/CAMTests" # # -# # The following code tries to re-use an open FreeCAD document +# # The following code tries to reuse an open FreeCAD document # # as much as possible. It compares the current document with # # the document for the next test. If the names are different # # then the current document is closed and the new document is diff --git a/src/Mod/CAM/Gui/Resources/panels/DlgJobTemplateExport.ui b/src/Mod/CAM/Gui/Resources/panels/DlgJobTemplateExport.ui index 2e2dcd0af696..fcc464e40810 100644 --- a/src/Mod/CAM/Gui/Resources/panels/DlgJobTemplateExport.ui +++ b/src/Mod/CAM/Gui/Resources/panels/DlgJobTemplateExport.ui @@ -17,7 +17,7 @@ - If enabled include all post processing settings in the template. + If enabled, include all post processing settings in the template. Post Processing @@ -45,7 +45,7 @@ - If enabled tool controller definitions are stored in the template. + If enabled, tool controller definitions are stored in the template. Tools @@ -142,7 +142,7 @@ Note that only operations which currently have configuration values set are list - If enabled the creation of stock is included in the template. If a template does not include a stock definition the default stock creation algorithm will be used (creation from the Base object's bounding box). + If enabled, the creation of stock is included in the template. If a template does not include a stock definition the default stock creation algorithm will be used (creation from the Base object's bounding box). This option is most useful if stock is a box or cylinder, or if the machine has a standard placement for machining. @@ -158,7 +158,7 @@ Note that this option is disabled if a stock object from an existing solid is us - If enabled the current size settings for the stock object are included in the template. + If enabled, the current size settings for the stock object are included in the template. For Box and Cylinder stocks this means the actual size of the stock solid being created. @@ -188,7 +188,7 @@ For stock from the Base object's bounding box it means the extra material in all - If enabled the current placement of the stock solid is stored in the template. + If enabled, the current placement of the stock solid is stored in the template. Placement diff --git a/src/Mod/CAM/Gui/Resources/panels/DressupPathBoundary.ui b/src/Mod/CAM/Gui/Resources/panels/DressupPathBoundary.ui index 6baca53b9e91..804150a6edbb 100644 --- a/src/Mod/CAM/Gui/Resources/panels/DressupPathBoundary.ui +++ b/src/Mod/CAM/Gui/Resources/panels/DressupPathBoundary.ui @@ -254,7 +254,7 @@ - If checked the path is constrained by the solid. Otherwise the volume of the solid describes a 'keep out' zone + If checked, the path is constrained by the solid. Otherwise the volume of the solid describes a 'keep out' zone Constrained to Inside diff --git a/src/Mod/CAM/Gui/Resources/panels/PageBaseGeometryEdit.ui b/src/Mod/CAM/Gui/Resources/panels/PageBaseGeometryEdit.ui index 0057f64d2bde..10c4d94f92d8 100644 --- a/src/Mod/CAM/Gui/Resources/panels/PageBaseGeometryEdit.ui +++ b/src/Mod/CAM/Gui/Resources/panels/PageBaseGeometryEdit.ui @@ -56,7 +56,7 @@ - Select one or more features in the 3d view and press 'Add' to add them as the base items for this operation. Selected features can be deleted entirely. + Select one or more features in the 3D view and press 'Add' to add them as the base items for this operation. Selected features can be deleted entirely. QAbstractItemView::ExtendedSelection diff --git a/src/Mod/CAM/Gui/Resources/panels/PageBaseHoleGeometryEdit.ui b/src/Mod/CAM/Gui/Resources/panels/PageBaseHoleGeometryEdit.ui index 3e84ce1b00db..190a75f33e08 100644 --- a/src/Mod/CAM/Gui/Resources/panels/PageBaseHoleGeometryEdit.ui +++ b/src/Mod/CAM/Gui/Resources/panels/PageBaseHoleGeometryEdit.ui @@ -43,7 +43,7 @@ Reset deletes all current items from the list and fills the list with all circul - Add selected items from 3d view to the list of base geometries + Add selected items from 3D view to the list of base geometries Add diff --git a/src/Mod/CAM/Gui/Resources/panels/PageOpProfileFullEdit.ui b/src/Mod/CAM/Gui/Resources/panels/PageOpProfileFullEdit.ui index fb066cb2ce88..4b6ced799d77 100644 --- a/src/Mod/CAM/Gui/Resources/panels/PageOpProfileFullEdit.ui +++ b/src/Mod/CAM/Gui/Resources/panels/PageOpProfileFullEdit.ui @@ -144,7 +144,7 @@ - If checked the profile operation is offset by the tool radius. The offset direction is determined by the Cut Side + If checked, the profile operation is offset by the tool radius. The offset direction is determined by the Cut Side Use Compensation diff --git a/src/Mod/CAM/Gui/Resources/panels/PageOpVcarveEdit.ui b/src/Mod/CAM/Gui/Resources/panels/PageOpVcarveEdit.ui index be95da54d9f8..ff9b43d24b4c 100644 --- a/src/Mod/CAM/Gui/Resources/panels/PageOpVcarveEdit.ui +++ b/src/Mod/CAM/Gui/Resources/panels/PageOpVcarveEdit.ui @@ -69,7 +69,7 @@ - This value is used in discretizing arcs into segments. Smaller values will result in larger gcode. Larger values may cause unwanted segments in the medial line path. + This value is used in discretizing arcs into segments. Smaller values will result in larger G-code. Larger values may cause unwanted segments in the medial line path. 3 @@ -137,7 +137,7 @@ true - After carving travel again the path to remove artifacts and imperfections + After carving, travel again the path to remove artifacts and imperfections diff --git a/src/Mod/CAM/Gui/Resources/panels/PathEdit.ui b/src/Mod/CAM/Gui/Resources/panels/PathEdit.ui index 4860b6a2a174..5409d84059cd 100644 --- a/src/Mod/CAM/Gui/Resources/panels/PathEdit.ui +++ b/src/Mod/CAM/Gui/Resources/panels/PathEdit.ui @@ -394,7 +394,7 @@ FreeCAD has no knowledge of where a particular coordinate system exists within t - If multiple coordinate systems are in use, setting this to TRUE will cause the gcode to be written to multiple output files as controlled by the 'order by' property. For example, if ordering by Fixture, the first output file will be for the first fixture and separate file for the second. + If multiple coordinate systems are in use, setting this to TRUE will cause the G-code to be written to multiple output files as controlled by the 'order by' property. For example, if ordering by Fixture, the first output file will be for the first fixture and separate file for the second. <html><head/><body><p>If True, post processing will create multiple output files based on the <span style=" font-style:italic;">order by</span> setting. diff --git a/src/Mod/CAM/Gui/Resources/translations/CAM_cs.ts b/src/Mod/CAM/Gui/Resources/translations/CAM_cs.ts index b382726b5c29..eb95dd51bc07 100644 --- a/src/Mod/CAM/Gui/Resources/translations/CAM_cs.ts +++ b/src/Mod/CAM/Gui/Resources/translations/CAM_cs.ts @@ -34,7 +34,7 @@ Select a workplane for a FeatureArea - Vyberte pracovní rovinu pro ploché fukce + Vyberte pracovní rovinu pro oblast funkce @@ -47,7 +47,7 @@ Compound - Složený + Složenina @@ -93,12 +93,12 @@ Create Path Compound - Vytvořit dráhu Složený + Vytvořit dráhu Složeniny Create Path Shape - Vytvořit dráhu Tvar + Vytvořit dráhu Tvaru @@ -116,7 +116,7 @@ Select a template to be used for the job. In case there are no templates you can create one through the popup menu of an existing job. Name the file job_*.json and place it in the macro or the path directory (see preferences) in order to be selectable from this list. - Vyberte šablonu, která bude použita pro úlohu. V případě, že neexistují žádné šablony, můžete je vytvořit prostřednictvím vyskakovacího menu existující zakázky. Pojmenujte soubor job_*.json a umístěte jej do makra nebo adresáře cesty (viz předvolby), aby bylo možné vybrat z tohoto seznamu. + Vyberte šablonu, která bude použita pro úlohu. V případě, že neexistují žádné šablony, můžete je vytvořit prostřednictvím vyskakovacího menu u existující úlohy. Pojmenujte soubor job_*.json a umístěte jej do makra nebo cesty adresáře (viz předvolby), aby bylo možné ji vybrat z tohoto seznamu. @@ -126,7 +126,7 @@ Select Base Models - Vybrat základní modely + Vybrat Základní modely @@ -146,12 +146,12 @@ Job Template Export - Export šablony + Export šablony úlohy Post Processing - Postprocesorování + Postprocesování @@ -198,12 +198,12 @@ Any values of the SetupSheet that are changed from their default are preselected Operation Heights - Operační výška + Operační výšky Operation Depths - Operační hloubka + Operační hloubky @@ -222,16 +222,16 @@ Any values of the SetupSheet that are changed from their default are preselected This option is most useful if stock is a box or cylinder, or if the machine has a standard placement for machining. Note that this option is disabled if a stock object from an existing solid is used in the job - they cannot be stored in a template. - If enabled the creation of stock is included in the template. If a template does not include a stock definition the default stock creation algorithm will be used (creation from the Base object's bounding box). + Je-li povoleno, v šabloně je zahrnuto vytvoření polotovaru. Pokud šablona neobsahuje definici polotovaru, bude použit výchozí algoritmus pro tvorbu polotovaru (tvorba z ohraničení Základního objektu) -This option is most useful if stock is a box or cylinder, or if the machine has a standard placement for machining. +Tato možnost je nejužitečnější tehdy, je-li polotovarem Kvádr nebo Válec, anebo je-li na stroji definované standardní umístění pro obrábění. -Note that this option is disabled if a stock object from an existing solid is used in the job - they cannot be stored in a template. +Všimněte si, že volba je nedostupná, pokud je v úloze použit objekt polotovaru ze stávajícího tělesa - tyto nemohou být uloženy do šablony. Hint about the current stock extent setting. - Nápověda k aktuálnímu nastavení rozsahu polotovaru. + Nápověda k aktuálnímu nastavení rozšíření polotovaru. @@ -246,7 +246,7 @@ Note that this option is disabled if a stock object from an existing solid is us Tool Rapid Speeds - Rychlé otáčky nástroje + Rychloposuvy nástroje @@ -260,7 +260,7 @@ Note that this option is disabled if a stock object from an existing solid is us Note that only operations which currently have configuration values set are listed. Povolit všechny operace, pro které mají být exportovány konfigurační hodnoty. -Všimněte si, že jsou uvedeny pouze operace, které mají aktuálně nastavené konfigurační hodnoty. +Všimněte si, že jsou uvedeny pouze operace, které momentálně mají nastavené konfigurační hodnoty. @@ -274,16 +274,16 @@ Všimněte si, že jsou uvedeny pouze operace, které mají aktuálně nastaven For Box and Cylinder stocks this means the actual size of the stock solid being created. For stock from the Base object's bounding box it means the extra material in all directions. A stock object created from such a template will get its basic size from the new job's Base object and apply the stored extra settings. - If enabled the current size settings for the stock object are included in the template. + Je-li povoleno, aktuální nastavení velikosti objektu polotovaru bude zahrnuto v šabloně. -For Box and Cylinder stocks this means the actual size of the stock solid being created. +Pro polotovary typu Kvádr a Válec to znamená skutečnou velikost vytvářeného polotovaru. -For stock from the Base object's bounding box it means the extra material in all directions. A stock object created from such a template will get its basic size from the new job's Base object and apply the stored extra settings. +Pro polotovary z ohraničení Základního objektu to znamená přídavek materiálu ve všech směrech. Objekt polotovaru vytvořený ze šablony pak dostane základní rozměry z nového Základního objektu úlohy a použije uložené nastavení přídavku. Extent - Rozsah + Rozloha @@ -318,7 +318,7 @@ For stock from the Base object's bounding box it means the extra material i Controller Name / Tool Number - Název řídícho systému / Číslo nástroje + Název řídícího systému / Číslo nástroje @@ -378,7 +378,7 @@ For stock from the Base object's bounding box it means the extra material i Name - Jméno + Název @@ -521,7 +521,7 @@ For stock from the Base object's bounding box it means the extra material i Choose a CAM Job - Choose a CAM Job + Vyberte CAM úlohu @@ -547,7 +547,7 @@ For stock from the Base object's bounding box it means the extra material i Boundary Body - Hraniční těleso + Ohraničující těleso @@ -572,7 +572,7 @@ For stock from the Base object's bounding box it means the extra material i Select the body to be used to constrain the underlying Path. - Vyberat těleso, které se použije k omezení podkladové dráhy. + Vybrat těleso, které se použije k omezení podkladové dráhy. @@ -582,12 +582,12 @@ For stock from the Base object's bounding box it means the extra material i Extension of bounding box's MinX - Extension of bounding box's MinX + Rozšíření ohraničujícího kvádru MinX Extension of bounding box's MaxX - Extension of bounding box's MaxX + Rozšíření ohraničujícího kvádru MaxX @@ -597,12 +597,12 @@ For stock from the Base object's bounding box it means the extra material i Extension of bounding box's MinY - Extension of bounding box's MinY + Rozšíření ohraničujícího kvádru MinY Extension of bounding box's MaxY - Extension of bounding box's MaxY + Rozšíření ohraničujícího kvádru MaxY @@ -612,12 +612,12 @@ For stock from the Base object's bounding box it means the extra material i Extension of bounding box's MinZ - Extension of bounding box's MinZ + Rozšíření ohraničujícího kvádru MinZ Extension of bounding box's MaxZ - Extension of bounding box's MaxZ + Rozšíření ohraničujícího kvádru MaxZ @@ -627,7 +627,7 @@ For stock from the Base object's bounding box it means the extra material i Height of the Cylinder - Poloměr válce + Výška válce @@ -647,12 +647,12 @@ For stock from the Base object's bounding box it means the extra material i If checked the path is constrained by the solid. Otherwise the volume of the solid describes a 'keep out' zone - Je-li zaškrtnuto, cesta je zavazbena tělesem. V opačném případě popisuje objem tělesa zónu 'nevstupovat' + Je-li zaškrtnuto, cesta je zavazbena tělesem. V opačném případě objem tělesa popisuje 'zakázanou' zónu Extend Model's Bounding Box - Extend Model's Bounding Box + Rozšířit ohraničující kvádr Modelu @@ -876,7 +876,7 @@ Funkce Obnovit odstraní ze seznamu všechny aktuální prvky a doplní seznam v Finish Step Down - Dokončit krok dolů + Dokončovací krok dolů @@ -1015,7 +1015,7 @@ Funkce Obnovit odstraní ze seznamu všechny aktuální prvky a doplní seznam v Keep Tool Down Ratio - Udržet poměr nástrojů dole + Poměr Držení nástroje dole @@ -1477,7 +1477,7 @@ Poslední možnost lze použít k zajištění rovnoměrných výšek celého po Clear Edges - Vymazat okraje + Vyčistit okraje @@ -1558,7 +1558,7 @@ Poslední možnost lze použít k zajištění rovnoměrných výšek celého po The amount of extra material left by this operation in relation to the target shape - Množství znytkového materiálu, které zůstane po této operaci ve vztahu k cílovému tvaru. + Množství zbytkového materiálu, které zůstane po této operaci ve vztahu k cílovému tvaru @@ -1730,7 +1730,7 @@ Poslední možnost lze použít k zajištění rovnoměrných výšek celého po Multi-pass - Vícenásobný + Více průchodů @@ -1820,7 +1820,7 @@ Poslední možnost lze použít k zajištění rovnoměrných výšek celého po Avoid cutting the last 'N' faces in the Base Geometry list of selected faces. - Avoid cutting the last 'N' faces in the Base Geometry list of selected faces. + Vyhnout se řezání posledních 'N' ploch v seznamu vybraných ploch Základní geometrie. @@ -1921,7 +1921,7 @@ Krok 100 % vede k tomu, že se dva různé cykly nepřekrývají. Optimize StepOver Transitions - Optimalizovat krok přejezdů + Optimalizovat přechody kroku @@ -1985,27 +1985,29 @@ Výchozí: OpToolDiameter Expression set as ClearanceHeight for new operations. Default: "OpStockZMax+SetupSheet.ClearanceHeightOffset" - Expression set as ClearanceHeight for new operations. + Výraz nastavený jako Světlá výška pro nové operace. -Default: "OpStockZMax+SetupSheet.ClearanceHeightOffset" +Výchozí: +"OpStockZMax+SetupSheet.ClearanceHeightOffset" Expression set as SafeHeight for new operations. Default: "OpStockZMax+SetupSheet.SafeHeightOffset" - Expression set as SafeHeight for new operations. + Výraz nastavený jako Bezpečná výška pro nové operace. -Default: "OpStockZMax+SetupSheet.SafeHeightOffset" +Výchozí: +"OpStockZMax+SetupSheet.SafeHeightOffset" SafeHeightOffset can be for expressions to set the SafeHeight for new operations. Default: "5mm" - SafeHeightOffset can be for expressions to set the SafeHeight for new operations. + Offset SafeHeightOffset může být použit ve výrazech pro nastavení Bezpečné výšky pro nové operace. -Default: "5mm" +Výchozí: "5mm" @@ -2101,7 +2103,7 @@ Výchozí: 3 mm Lead In/Out - Zavedení vstup/výstup + Zajetí / vyjetí @@ -2121,7 +2123,7 @@ Výchozí: 3 mm Finishing pass Z offset - Finishing pass Z offset + Z-offset Dokončovacího průchodu @@ -2136,7 +2138,7 @@ Výchozí: 3 mm Finishing pass - Finishing pass + Dokončovací průchod @@ -2146,7 +2148,7 @@ Výchozí: 3 mm Optimize movements - Optimize movements + Optimalizuj pohyby @@ -2334,7 +2336,7 @@ Pokud je poloměr větší než ten, který podporuje samotný tvar štítku, v G-Code - G-Code + G-kód @@ -2558,7 +2560,7 @@ See the file save policy below on how to deal with name conflicts. Extend Model's Bounding Box - Extend Model's Bounding Box + Rozšířit ohraničující kvádr Modelu @@ -3705,7 +3707,7 @@ FreeCAD has no knowledge of where a particular coordinate system exists within t Extend Model's Bounding Box - Extend Model's Bounding Box + Rozšířit ohraničující kvádr Modelu @@ -3859,27 +3861,29 @@ FreeCAD has no knowledge of where a particular coordinate system exists within t Expression set as ClearanceHeight for new operations. Default: "OpStockZMax+SetupSheet.ClearanceHeightOffset" - Expression set as ClearanceHeight for new operations. + Výraz nastavený jako Světlá výška pro nové operace. -Default: "OpStockZMax+SetupSheet.ClearanceHeightOffset" +Výchozí: +"OpStockZMax+SetupSheet.ClearanceHeightOffset" Expression set as SafeHeight for new operations. Default: "OpStockZMax+SetupSheet.SafeHeightOffset" - Expression set as SafeHeight for new operations. + Výraz nastavený jako Bezpečná výška pro nové operace. -Default: "OpStockZMax+SetupSheet.SafeHeightOffset" +Výchozí: +"OpStockZMax+SetupSheet.SafeHeightOffset" SafeHeightOffset can be for expressions to set the SafeHeight for new operations. Default: "5mm" - SafeHeightOffset can be for expressions to set the SafeHeight for new operations. + Offset SafeHeightOffset může být použit ve výrazech pro nastavení Bezpečné výšky pro nové operace. -Default: "5mm" +Výchozí: "5mm" @@ -4226,7 +4230,7 @@ Výchozí: 3 mm Choose a CAM Job - Choose a CAM Job + Vyberte CAM úlohu @@ -5355,7 +5359,7 @@ Výchozí: 3 mm Avoid cutting the last 'N' faces in the Base Geometry list of selected faces. - Avoid cutting the last 'N' faces in the Base Geometry list of selected faces. + Vyhnout se řezání posledních 'N' ploch v seznamu vybraných ploch Základní geometrie. @@ -5538,7 +5542,7 @@ Výchozí: 3 mm Optimize movements - Optimize movements + Optimalizuj pohyby @@ -5548,7 +5552,7 @@ Výchozí: 3 mm Finishing pass Z offset - Finishing pass Z offset + Z-offset Dokončovacího průchodu @@ -8182,7 +8186,7 @@ For example: Creates a Thread Milling toolpath from features of a base object - Creates a Thread Milling toolpath from features of a base object + Vytvoří dráhu nástroje frézování závitu z prvků Základního objektu diff --git a/src/Mod/CAM/Gui/Resources/translations/CAM_de.ts b/src/Mod/CAM/Gui/Resources/translations/CAM_de.ts index 3612411e493d..e431ba331df7 100644 --- a/src/Mod/CAM/Gui/Resources/translations/CAM_de.ts +++ b/src/Mod/CAM/Gui/Resources/translations/CAM_de.ts @@ -11,12 +11,12 @@ Area - Fläche + Der Schneidemodus geht davon aus, dass der Schnitt auf einer Seite des Werkzeugs das resultierende Teil darstellt und die andere Seite entweder bereits weggefräst ist oder später entfernt wird. Im Gleichlaufmodus (Climb mode) wird das Werkzeug bei jeder Umdrehung in den Schnitt bewegt, während im Gegenlaufmodus (Conventional mode) die Drehung des Werkzeuges und die Bewegung des Werkzeugs in dieselbe Richtung gehen Creates a feature area from selected objects - Erstellt einen Merkmalbereich aus den ausgewählten Objekten + onventionalErstellt einen Merkmalbereich aus den ausgewählten Objekten @@ -384,7 +384,7 @@ Für Rohmaterial aus dem Basis-Objekt Hüllkörper ist es zusätzliches Material Name of property. Can only contain letters, numbers, and underscores. MixedCase names will display with spaces "Mixed Case" - Name der Eigenschaft. Darf nur Buchstaben, Zahlen und Unterstriche enthalten. Gemischte Groß- und Kleinschreibung wird mit Leerzeichen angezeigt "Mixed Case" + Name der Eigenschaft. Darf nur Buchstaben, Zahlen und Unterstriche enthalten. Namen mit interner Großschreibung (MixedCase) werden mit Leerzeichen angezeigt "Mixed Case" @@ -429,7 +429,7 @@ Für Rohmaterial aus dem Basis-Objekt Hüllkörper ist es zusätzliches Material ToolTip - Tooltip + Tooltipp @@ -844,7 +844,7 @@ Reset löscht alle aktuellen Elemente aus der Liste und füllt die Liste mit all The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. - Die Tiefe der Bearbeitung, die dem niedrigsten Wert in der Z-Achse entspricht, den die Bearbeitung bearbeiten muss. + Zustelltiefe, die dem niedrigsten zu bearbeitenden Wert in der Z-Achse entspricht. @@ -1296,7 +1296,7 @@ Reset löscht alle aktuellen Elemente aus der Liste und füllt die Liste mit all Set the extent of the dimension -the default value is half the tool diameter - Größe der Bemaßung einstellen - der Standardwert ist der halbe Werkzeugdurchmesser + Größe der Bemaßung einstellen - Standardwert ist der halbe Werkzeugdurchmesser @@ -1316,7 +1316,7 @@ Reset löscht alle aktuellen Elemente aus der Liste und füllt die Liste mit all Remove all currently enabled extensions - leaving the plain pocket operation - Entfernt alle derzeit aktivierten Erweiterungen - Die normalen Taschenbearbeitung verlassen + Entfernt alle derzeit aktivierten Erweiterungen - Die normale Taschenbearbeitung verlassen @@ -1326,7 +1326,7 @@ Reset löscht alle aktuellen Elemente aus der Liste und füllt die Liste mit all Extend the corner between two edges of a pocket. Selected adjacent edges are combined. - Die Ecke zwischen zwei Kanten einer Tasche erweitern. Ausgewählte benachbarte Kanten werden kombiniert. + Die Ecke zwischen zwei Kanten einer Tasche erweitern. Die ausgewählten benachbarten Kanten werden verbunden. @@ -1349,14 +1349,14 @@ Reset löscht alle aktuellen Elemente aus der Liste und füllt die Liste mit all Climb - Gegenlauf + Gleichlauf Conventional - Gleichlauf + Gegenlauf @@ -1386,7 +1386,7 @@ Letzteres kann zur Bearbeitung der gesamten Rohmaterialfläche verwendet werden, The cutting mode assumes that the cut on one side of the tool bit represents the resulting part and the other side is either already milled away or will be removed later on. Climb mode is when the tool bit is moved into the cut on each rotation, whereas in conventional mode the tool bit's rotation and the tool's lateral movement are in the same direction - Der Schneidemodus geht davon aus, dass der Schnitt auf einer Seite des Werkzeugs das resultierende Teil darstellt und die andere Seite entweder bereits weggefräst ist oder später entfernt wird. Im Gegenlaufmodus (Climb mode) wird das Werkzeug bei jeder Umdrehung in den Schnitt bewegt, während im Gleichlaufmodus (Conventional mode) die Drehung des Werkzeuges und die Bewegung des Werkzeugs in dieselbe Richtung gehen + Der Schneidemodus geht davon aus, dass der Schnitt auf einer Seite des Werkzeugs das resultierende Teil darstellt und die andere Seite entweder bereits weggefräst ist oder später entfernt wird. Im Gleichlaufmodus (Climb mode) wird das Werkzeug bei jeder Umdrehung in den Schnitt bewegt, während im Gegenlaufmodus (Conventional mode) die Drehung des Werkzeuges und die Bewegung des Werkzeugs in dieselbe Richtung gehen @@ -1805,7 +1805,7 @@ Letzteres kann zur Bearbeitung der gesamten Rohmaterialfläche verwendet werden, Complete the operation in a single pass at depth, or multiple passes to final depth. - Die Bearbeitung in einem Durchgang der ausgewählten Tiefe durchführen, oder in mehreren Durchgängen bis zur Zieltiefe. + Die Bearbeitung in einem Durchgang bei der ausgewählten Tiefe, oder in mehreren Durchgängen bis zur Zieltiefe durchführen. @@ -2100,7 +2100,7 @@ Standard: "3 mm" - Das Werkzeug sollte in diesem Fall auf Verbindungsfahrten imm Lead In/Out - Ein-/Ausfahrt + An-/Abfahrt @@ -2981,7 +2981,7 @@ Sollten mehrere Werkzeuge oder Werkzeugformen mit dem gleichen Namen in verschie On which side of the profile bones are inserted - this also determines which corners are dressed up. The default value is determined based on the profile being dressed up. - Auf welcher Seite des Profils die Knochen eingefügt werden - dies bestimmt auch, welche Ecken Aufbereitet werden. Der Standardwert wird anhand des Profils ermittelt, das aufbereitet wird. + Auf welcher Seite des Profils die Knochen eingefügt werden - dies bestimmt auch, welche Ecken aufbereitet werden. Der Standardwert wird anhand des Profils ermittelt, das aufbereitet wird. @@ -3376,7 +3376,7 @@ Sollten mehrere Werkzeuge oder Werkzeugformen mit dem gleichen Namen in verschie * Note: Volumetric simulation, inaccuracies are inherent. - * Anmerkung: volumetrische Simulationen bedingen gewisse Ungenauigkeiten. + * Anmerkung: volumetrische Simulationen unterliegen gewissen Ungenauigkeiten. @@ -4215,12 +4215,12 @@ Standard: "3 mm" - Das Werkzeug sollte in diesem Fall auf Verbindungsfahrten imm Climb - Gegenlauf + Gleichlauf Conventional - Gleichlauf + Gegenlauf @@ -4233,12 +4233,12 @@ Standard: "3 mm" - Das Werkzeug sollte in diesem Fall auf Verbindungsfahrten imm face %s not handled, assuming not vertical - Fläche %s nicht bearbeitet da diese nicht als vertikal angenommen wird + Fläche %s nicht bearbeitet da diese nicht als vertikal erkannt wird edge %s not handled, assuming not vertical - Kante %s nicht behandelt, es wird angenommen sie ist nicht Vertikal + Kante %s nicht bearbeitet da diese nicht als vertikal erkannt wird @@ -4484,12 +4484,12 @@ Standard: "3 mm" - Das Werkzeug sollte in diesem Fall auf Verbindungsfahrten imm Extends LeadIn distance - Erweitert Anfahrdistanz + Vergrößert die Anfahrdistanz Extends LeadOut distance - Erweitert Abfahrdistanz + Vergrößert die Abfahrtsdistanz @@ -5108,7 +5108,7 @@ Standard: "3 mm" - Das Werkzeug sollte in diesem Fall auf Verbindungsfahrten imm Use adaptive algorithm to eliminate excessive air milling above planar pocket top. - Adaptiven Algorithmus verwenden, um übermäßiges Luftfräsen über Taschen zu vermeiden. + Adaptiven Algorithmus verwenden, um übermäßiges Luftfräsen oberhalb von Taschen zu vermeiden. @@ -5138,7 +5138,7 @@ Standard: "3 mm" - Das Werkzeug sollte in diesem Fall auf Verbindungsfahrten imm Clearing pattern to use - Zu nutzendes Räummuster + Anzuwendendes Räummuster @@ -5201,7 +5201,7 @@ Standard: "3 mm" - Das Werkzeug sollte in diesem Fall auf Verbindungsfahrten imm Maximum distance before a miter joint is truncated - Maximale Entfernung, bevor Gehrungsverbindungen abgeschnitten werden + Maximale Entfernung, bevor eine Gehrungsverbindung abgeschnitten wird @@ -5221,12 +5221,12 @@ Standard: "3 mm" - Das Werkzeug sollte in diesem Fall auf Verbindungsfahrten imm Side of edge that tool should cut - Die Seite der Kante, an welcher das Werkzeug fräsen soll + Die Seite der Kante, auf der das Werkzeug fräsen soll Make True, if using Cutter Radius Compensation - Aktivieren, falls die Fräsradiuskompensation verwendet wird + Aktivieren, falls die Fräsradiuskompensation verwendet werden soll @@ -5246,7 +5246,7 @@ Standard: "3 mm" - Das Werkzeug sollte in diesem Fall auf Verbindungsfahrten imm 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. + Die Operation in einem Durchgang mit der ausgewählten Tiefe durchführen, oder in mehreren Durchgängen bis zur Zieltiefe. @@ -5437,7 +5437,7 @@ Standard: "3 mm" - Das Werkzeug sollte in diesem Fall auf Verbindungsfahrten imm Set the sampling resolution. Smaller values quickly increase processing time. - Setzt die Auflösung der Abtastrate. Kleinere Werte erhöhen schnell die Bearbeitungszeit. + Setzt die Auflösung der Abtastrate. Kleinere Werte können die Bearbeitungszeit stark verlängern. @@ -5691,7 +5691,7 @@ Standard: "3 mm" - Das Werkzeug sollte in diesem Fall auf Verbindungsfahrten imm List of all properties inherited from the bit - Liste aller von der Werkzeugspitze geerbten Eigenschaften + Liste aller von Werkzeug-Bit geerbten Eigenschaften @@ -5701,7 +5701,7 @@ Standard: "3 mm" - Das Werkzeug sollte in diesem Fall auf Verbindungsfahrten imm The speed of the cutting spindle in RPM - Die Drehzahl der Frässpindel in U/min + Drehzahl der Frässpindel in U/min @@ -5825,12 +5825,12 @@ Standard: "3 mm" - Das Werkzeug sollte in diesem Fall auf Verbindungsfahrten imm Climb - Gegenlauf + Gleichlauf Conventional - Gleichlauf + Gegenlauf @@ -5901,7 +5901,7 @@ Standard: "3 mm" - Das Werkzeug sollte in diesem Fall auf Verbindungsfahrten imm Initializing LinearDeflection to 0.001 mm. - Initialisierung der linearen Abweichung auf 0.001 mm. + Initialisierung der linearen Abweichung auf 0,001 mm. @@ -5916,7 +5916,7 @@ Standard: "3 mm" - Das Werkzeug sollte in diesem Fall auf Verbindungsfahrten imm operation time is - Durchlaufszeit beträgt + Durchlaufzeit beträgt @@ -6009,7 +6009,7 @@ Standard: "3 mm" - Das Werkzeug sollte in diesem Fall auf Verbindungsfahrten imm Diameter dimension missing from ToolBit shape. - Der Durchmesser der Werkzeugspitze fehlt. + Durchmesser des Werkzeug-Bits nicht bekannt. @@ -6111,12 +6111,12 @@ Standard: "3 mm" - Das Werkzeug sollte in diesem Fall auf Verbindungsfahrten imm Conventional - Gleichlauf + Gegenlauf Climb - Gegenlauf + Gleichlauf @@ -6164,7 +6164,7 @@ Standard: "3 mm" - Das Werkzeug sollte in diesem Fall auf Verbindungsfahrten imm Initializing LinearDeflection to 0.0001 mm. - Initialisierung der linearen Abweichung auf 0.0001 mm. + Initialisierung der linearen Abweichung auf 0,0001 mm. @@ -6635,8 +6635,7 @@ Abbruch der OP-Erstellung Please select one toolpath object - Bitte ein Werkzeugweg-Objekt auswählen - + Bitte ein Werkzeugweg-Objekt auswählen @@ -6690,12 +6689,12 @@ Abbruch der OP-Erstellung Modifies a toolpath to add dragknife corner actions - Ändert einen Werkzeugweg so ab, das Schleppmesserecken hinzugefügt werden + Ergänzung des Werkzeugwegs mit Schleppmesser-Ecken Please select one toolpath object - Bitte wählen Sie ein Pfad-Objekt aus + Bitte wählen Sie ein einzelnes Pfad-Objekt aus @@ -6771,7 +6770,7 @@ Abbruch der OP-Erstellung Please select one toolpath object - Bitte wählen Sie ein Werkzeugweg-Objekt aus + Bitte wählen Sie ein einzelnes Werkzeugweg-Objekt aus @@ -6831,7 +6830,7 @@ Abbruch der OP-Erstellung Fixture - Befestigung + Halterung @@ -7017,7 +7016,7 @@ Zum Beispiel: Fixture - Befestigung + Halterung @@ -7508,7 +7507,7 @@ Zum Beispiel: Tool Controller feedrates required to calculate the cycle time. - Die Werkzeugsteuerung benötigt eine Vorschubgeschwindigkeit um die Bearbeitungszeit zu berechnen. + Die Werkzeugsteuerung benötigt eine Vorschubgeschwindigkeit, um die Bearbeitungszeit zu berechnen. @@ -7663,12 +7662,12 @@ Zum Beispiel: Climb - Gegenlauf + Gleichlauf Conventional - Gleichlauf + Gegenlauf @@ -7706,12 +7705,12 @@ Zum Beispiel: Climb - Gegenlauf + Gleichlauf Conventional - Gleichlauf + Gegenlauf @@ -7995,12 +7994,12 @@ Zum Beispiel: Conventional - Gleichlauf + Gegenlauf Climb - Gegenlauf + Gleichlauf @@ -8165,12 +8164,12 @@ Zum Beispiel: Climb - Gegenlauf + Gleichlauf Conventional - Gleichlauf + Gegenlauf @@ -8437,7 +8436,7 @@ Zum Beispiel: Creates a new ToolBit object - Erstellt ein Neues Werkzeug Objekt + Erstellt ein neues Werkzeug-Objekt @@ -8458,7 +8457,7 @@ Zum Beispiel: Save an existing ToolBit object to a file - Vorhandenes Werkzeugspitze Objekt als Datei speichern + Vorhandenes Werkzeugspitze-Objekt als Datei speichern @@ -8556,7 +8555,7 @@ Zum Beispiel: Open an editor to manage ToolBit libraries - Öffne den Werzeug Editor + Öffne den Werkzeug-Editor diff --git a/src/Mod/CAM/Gui/Resources/translations/CAM_hr.ts b/src/Mod/CAM/Gui/Resources/translations/CAM_hr.ts index b12b358eb76e..a7933680c604 100644 --- a/src/Mod/CAM/Gui/Resources/translations/CAM_hr.ts +++ b/src/Mod/CAM/Gui/Resources/translations/CAM_hr.ts @@ -224,11 +224,11 @@ Svaka vrijednost Tabele postavki koja je promijenjena u odnosu na zadano je unap This option is most useful if stock is a box or cylinder, or if the machine has a standard placement for machining. Note that this option is disabled if a stock object from an existing solid is used in the job - they cannot be stored in a template. - If enabled the creation of stock is included in the template. If a template does not include a stock definition the default stock creation algorithm will be used (creation from the Base object's bounding box). + Ako je omogućeno, stvaranje materijala je uključeno u predložak.Ako predložak ne sadrži definiciju materijala, koristit će se standardni algoritam za stvaranje materijala (stvaranje iz okvirnog okvira objekta baze). -This option is most useful if stock is a box or cylinder, or if the machine has a standard placement for machining. +Ova je opcija najkorisnija ako je materijal blok ili cilindar, ili ako stroj ima standardnu poziciju za obradu. -Note that this option is disabled if a stock object from an existing solid is used in the job - they cannot be stored in a template. +Imajte na umu da je ova opcija onemogućena ako se u poslu koristi predmet materijala iz postojećeg čvrstog tijela - oni se ne mogu pohraniti u predlošku. @@ -276,11 +276,11 @@ Imajte na umu da su navedene samo operacije koje trenutno imaju postavljene konf For Box and Cylinder stocks this means the actual size of the stock solid being created. For stock from the Base object's bounding box it means the extra material in all directions. A stock object created from such a template will get its basic size from the new job's Base object and apply the stored extra settings. - If enabled the current size settings for the stock object are included in the template. + Ako je omogućeno, trenutne postavke veličine materijala obrade su uključene u predložak. -For Box and Cylinder stocks this means the actual size of the stock solid being created. +Za blokove i cilindre to znači stvarnu veličinu materijala obrade koji se koristi. -For stock from the Base object's bounding box it means the extra material in all directions. A stock object created from such a template will get its basic size from the new job's Base object and apply the stored extra settings. +Za materijal obrade iz graničnog okvira to znači dodatni materijal u svim smjerovima. Objekt materijala stvoren iz takvog predloška dobit će svoju osnovnu veličinu iz novog posla osnovnog objekta i primijeniti pohranjene dodatne postavke. @@ -387,7 +387,7 @@ For stock from the Base object's bounding box it means the extra material i Name of property. Can only contain letters, numbers, and underscores. MixedCase names will display with spaces "Mixed Case" - Name of property. Can only contain letters, numbers, and underscores. MixedCase names will display with spaces "Mixed Case" + Naziv svojstva. Može sadržavati samo slova, brojeve i podcrte. Imena sa velikim-malim slovima će se prikazivati s razmacima @@ -525,7 +525,7 @@ For stock from the Base object's bounding box it means the extra material i Choose a CAM Job - Choose a CAM Job + Izaberi CAM posao @@ -586,12 +586,12 @@ For stock from the Base object's bounding box it means the extra material i Extension of bounding box's MinX - Extension of bounding box's MinX + Proširenje minX okvira omeđenja Extension of bounding box's MaxX - Extension of bounding box's MaxX + Proširenje maxX okvira omeđenja @@ -601,12 +601,12 @@ For stock from the Base object's bounding box it means the extra material i Extension of bounding box's MinY - Extension of bounding box's MinY + Proširenje minY okvira omeđenja Extension of bounding box's MaxY - Extension of bounding box's MaxY + Proširenje maxY okvira omeđenja @@ -616,12 +616,12 @@ For stock from the Base object's bounding box it means the extra material i Extension of bounding box's MinZ - Extension of bounding box's MinZ + Proširenje minZ okvira omeđenja Extension of bounding box's MaxZ - Extension of bounding box's MaxZ + Proširenje maxZ okvira omeđenja @@ -651,12 +651,12 @@ For stock from the Base object's bounding box it means the extra material i If checked the path is constrained by the solid. Otherwise the volume of the solid describes a 'keep out' zone - If checked the path is constrained by the solid. Otherwise the volume of the solid describes a 'keep out' zone + Ako je označeno, staza je ograničena čvrstim tijelom. Inače, volumen čvrstog tijela opisuje 'Isključenu zonu'. Extend Model's Bounding Box - Extend Model's Bounding Box + Proširi granični okvir modela @@ -697,7 +697,7 @@ For stock from the Base object's bounding box it means the extra material i Select one or more features in the 3d view and press 'Add' to add them as the base items for this operation. Selected features can be deleted entirely. - Select one or more features in the 3d view and press 'Add' to add them as the base items for this operation. Selected features can be deleted entirely. + Odaberite jednu ili više značajki u 3D prikazu i pritisnite 'Dodaj' da biste ih dodali kao osnovne stavke za ovu operaciju. Odabrane značajke mogu se u potpunosti izbrisati. @@ -774,7 +774,7 @@ Resetiranje briše sve trenutne stavke s popisa i popunjava popis svim okruglim Remove all list items and fill list with all eligible features from the job's base object. - Remove all list items and fill list with all eligible features from the job's base object. + Ukloni sve stavke popisa i popuni popis sa svim odobrenim značajkama iz objekta osnove posla. @@ -1175,7 +1175,7 @@ Resetiranje briše sve trenutne stavke s popisa i popunjava popis svim okruglim Don't retract after every hole - Don't retract after every hole + Ne povlači alat nazad nakon svake rupe @@ -1828,7 +1828,7 @@ Ovo se može koristiti za obradu cijelog područja obrade kako bi se osigurala u Avoid cutting the last 'N' faces in the Base Geometry list of selected faces. - Avoid cutting the last 'N' faces in the Base Geometry list of selected faces. + Izbjegavajte rezanje zadnjih 'N' lica na popisu Osnovna geometrija lista odabranih površina. @@ -2570,7 +2570,7 @@ See the file save policy below on how to deal with name conflicts. Extend Model's Bounding Box - Extend Model's Bounding Box + Proširi granični okvir modela @@ -3717,7 +3717,7 @@ FreeCAD has no knowledge of where a particular coordinate system exists within t Extend Model's Bounding Box - Extend Model's Bounding Box + Proširi granični okvir modela @@ -4238,7 +4238,7 @@ Zadano: "3mm" Choose a CAM Job - Choose a CAM Job + Izaberi CAM posao @@ -5379,7 +5379,7 @@ Visina potpornih mostića. Avoid cutting the last 'N' faces in the Base Geometry list of selected faces. - Avoid cutting the last 'N' faces in the Base Geometry list of selected faces. + Izbjegavajte rezanje zadnjih 'N' lica na popisu Osnovna geometrija lista odabranih površina. diff --git a/src/Mod/CAM/Gui/Resources/translations/CAM_it.ts b/src/Mod/CAM/Gui/Resources/translations/CAM_it.ts index 55b490efdd13..a9989ee1bbd6 100644 --- a/src/Mod/CAM/Gui/Resources/translations/CAM_it.ts +++ b/src/Mod/CAM/Gui/Resources/translations/CAM_it.ts @@ -1236,7 +1236,7 @@ Il tasto Reimposta elimina tutti gli elementi correnti dall'elenco e riempie l'e Specify if the helix operation should start at the inside and work its way outwards, or start at the outside and work its way to the center. - Specify if the helix operation should start at the inside and work its way outwards, or start at the outside and work its way to the center. + Specificare se l'operazione elicoidale deve iniziare dall'interno ed eseguire verso l'esterno, o iniziare dall'esterno ed eseguire verso il centro. @@ -1256,7 +1256,7 @@ Il tasto Reimposta elimina tutti gli elementi correnti dall'elenco e riempie l'e Specify the percent of the tool diameter each helix will be offset to the previous one. A step over of 100% means no overlap of the individual cuts. - Specify the percent of the tool diameter each helix will be offset to the previous one. A step over of 100% means no overlap of the individual cuts. + Specifica la percentuale del diametro dell'utensile che ogni elica sarà spostata rispetto a quella precedente. Un passo oltre il 100% significa che i singili tagli non si sovrappongono. @@ -1297,22 +1297,22 @@ Il tasto Reimposta elimina tutti gli elementi correnti dall'elenco e riempie l'e Set the extent of the dimension -the default value is half the tool diameter - Set the extent of the dimension -the default value is half the tool diameter + Impostare l'ampiezza della misura -il valore predefinito è la metà del diametro dell'utensile Tree of existing edges and their potential extensions - Tree of existing edges and their potential extensions + Albero dei bordi esistenti e delle loro potenziali estensioni Enable the currently selected pocket extension - Enable the currently selected pocket extension + Abilita l'estensione tasca attualmente selezionata Disable the currently selected pocket extension - Disable the currently selected pocket extension + Disabilita l'estensione tasca attualmente selezionata @@ -1452,7 +1452,7 @@ The latter can be used to face of the entire stock area to ensure uniform height If selected the operation uses the outline of the selected base geometry and ignores all holes and islands - If selected the operation uses the outline of the selected base geometry and ignores all holes and islands + Se selezionata, l'operazione utilizza il contorno della geometria di base selezionata e ignora tutti i fori e le isole @@ -1489,7 +1489,7 @@ The latter can be used to face of the entire stock area to ensure uniform height Probe Grid Points - Probe Grid Points + Punti Griglia Sonda @@ -1529,7 +1529,7 @@ The latter can be used to face of the entire stock area to ensure uniform height Enter the filename where the probe points should be written - Enter the filename where the probe points should be written + Inserisci il nome del file in cui i punti della sonda devono essere scritti @@ -1544,7 +1544,7 @@ The latter can be used to face of the entire stock area to ensure uniform height Specify if the profile should be performed inside or outside the base geometry features. This only matters if Use Compensation is checked (the default) - Specify if the profile should be performed inside or outside the base geometry features. This only matters if Use Compensation is checked (the default) + Specifica se il profilo deve essere eseguito all'interno o all'esterno delle funzioni della geometria di base. Ciò vale solo se l'opzione Usa Compensazione è selezionata (predefinita) @@ -1560,7 +1560,7 @@ The latter can be used to face of the entire stock area to ensure uniform height The amount of extra material left by this operation in relation to the target shape - The amount of extra material left by this operation in relation to the target shape + La quantità di materiale aggiuntivo lasciato da questa operazione in relazione alla forma di destinazione @@ -1570,17 +1570,17 @@ The latter can be used to face of the entire stock area to ensure uniform height Check if this profile operation should also process holes in the base geometry. Found holes are automatically offset on the opposite cut side and performed in the opposite direction as perimeters. Note that this does not include cylindrical holes, the assumption being that they will get drilled - Check if this profile operation should also process holes in the base geometry. Found holes are automatically offset on the opposite cut side and performed in the opposite direction as perimeters. Note that this does not include cylindrical holes, the assumption being that they will get drilled + Controllare se questa operazione di profilatura dovrebbe anche elaborare fori nella geometria di base. I fori trovati vengono automaticamente spostati sul lato di taglio opposto ed eseguiti nella direzione opposta come perimetri. Si noti che questo non include fori cilindrici, il presupposto è che saranno forati If checked the profile operation is offset by the tool radius. The offset direction is determined by the Cut Side - If checked the profile operation is offset by the tool radius. The offset direction is determined by the Cut Side + Se selezionato, l'operazione di profilatura è spostata dal raggio dell'utensile. La direzione dello spostamento è determinata dal lato tagliato Check if you want this profile operation to also be applied to cylindrical holes, which normally get drilled. This can be useful if no drill of adequate size is available or the number of holes don't warrant a tool change. Note that the cut side and direction is reversed in respect to the specified values - Check if you want this profile operation to also be applied to cylindrical holes, which normally get drilled. This can be useful if no drill of adequate size is available or the number of holes don't warrant a tool change. Note that the cut side and direction is reversed in respect to the specified values + Spuntare la casella se si vuole che questa operazione di profilatura sia applicata anche ai fori cilindrici, che normalmente vengono forati. Questo può essere utile se non è disponibile un trapano di dimensioni adeguate o il numero di fori non garantisce un cambio di strumento. Si noti che il lato e la direzione di taglio sono invertiti rispetto ai valori specificati @@ -1695,22 +1695,22 @@ The latter can be used to face of the entire stock area to ensure uniform height Extend Path Start - Extend Path Start + Estendi l'inizio del Percorso Positive extends the beginning of the path, negative shortens - Positive extends the beginning of the path, negative shortens + Positivo estende l'inizio del percorso, negativo lo accorcia Extend Path End - Extend Path End + Estendi Fine Percorso Positive extends the end of the path, negative shortens - Positive extends the end of the path, negative shortens + Positivo estende la fine del percorso, negativo lo accorcia @@ -1722,7 +1722,7 @@ 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 - Complete the operation in a single pass at depth, or multiple passes to final depth + Completa l'operazione con un singolo passaggio in profondità o con più passaggi fino alla profondità finale @@ -1742,7 +1742,7 @@ The latter can be used to face of the entire stock area to ensure uniform height Choose the path orientation with regard to the feature(s) selected - Choose the path orientation with regard to the feature(s) selected + Scegliere l'orientamento del percorso per quanto riguarda le funzioni selezionate @@ -1795,24 +1795,24 @@ The latter can be used to face of the entire stock area to ensure uniform height Select the overall boundary for the operation. - Select the overall boundary for the operation. + Selezionare il limite globale per l'operazione. Planar: Flat, 3D surface scan. Rotational: 4th-axis rotational scan. - Planar: Flat, 3D surface scan. Rotational: 4th-axis rotational scan. + Pianare: Flat, scansione 3D della superficie. Rotazionale: scansione 4° asse di rotazione. 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. + Completare l'operazione in un singolo passaggio a profondità, o più passaggi alla profondità finale. Set the geometric clearing pattern to use for the operation. - Set the geometric clearing pattern to use for the operation. + Imposta il modello di pulizia geometrica da utilizzare per l'operazione. @@ -1832,24 +1832,24 @@ The latter can be used to face of the entire stock area to ensure uniform height Dropcutter lines are created parallel to this axis. - Dropcutter lines are created parallel to this axis. + Le linee di taglio sono create parallele a questo asse. Set the Z-axis depth offset from the target surface. - Set the Z-axis depth offset from the target surface. + Imposta l'offset della profondità dell'asse Z dalla superficie di destinazione. Set the sampling resolution. Smaller values quickly increase processing time. - Set the sampling resolution. Smaller values quickly increase processing time. + Imposta la risoluzione di campionamento. Valori più piccoli aumentano il tempo di elaborazione. Make True, if specifying a Start Point - Make True, if specifying a Start Point + Rendere True, se specifica un Punto Iniziale @@ -1860,12 +1860,12 @@ The latter can be used to face of the entire stock area to ensure uniform height If true, the cutter will remain inside the boundaries of the model or selected face(s) - If true, the cutter will remain inside the boundaries of the model or selected face(s) + Se vero, il taglio rimarrà all'interno dei bordi del modello o delle facce selezionate. Enable separate optimization of transitions between, and breaks within, each step over path. - Enable separate optimization of transitions between, and breaks within, each step over path. + Abilita l'ottimizzazione separata delle transizioni tra un passo e l'altro ad ogni passaggio sul tracciato. @@ -1875,17 +1875,17 @@ The latter can be used to face of the entire stock area to ensure uniform height Additional offset to the selected bounding box along the X axis. - Additional offset to the selected bounding box along the X axis. + Offset aggiuntivo al riquadro di selezione scelto lungo l'asse X. Additional offset to the selected bounding box along the Y axis. - Additional offset to the selected bounding box along the Y axis. + Offset aggiuntivo al riquadro di selezione scelto lungo l'asse Y. Depth offset - Depth offset + Offset di profondità @@ -1899,9 +1899,9 @@ The latter can be used to face of the entire stock area to ensure uniform height 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. - The amount by which the tool is laterally displaced on each cycle of the pattern, specified in percent of the tool diameter. + La quantità di spostamento laterale dell'utensile su ogni ciclo del motivo, specificata in percentuale del diametro dell'utensile. -A step over of 100% results in no overlap between two different cycles. +Un passo superiore al 100% non comporta sovrapposizioni tra due cicli diversi. @@ -2163,7 +2163,7 @@ Default: 3 mm Select the algorithm to use: OCL Dropcutter*, or Experimental (Not OCL based). - Select the algorithm to use: OCL Dropcutter*, or Experimental (Not OCL based). + Selezionare l'algoritmo da utilizzare: OCL Dropcutter*, o Sperimentale (non basato su OCL). @@ -2193,7 +2193,7 @@ Default: 3 mm Property Bag - Property Bag + Contenitore delle proprietà @@ -2228,7 +2228,7 @@ Default: 3 mm Length Offset - Length Offset + Offset di lunghezza @@ -2254,7 +2254,7 @@ Default: 3 mm Cutting Edge Height - Cutting Edge Height + Altezza del Bordo di Taglio @@ -2442,9 +2442,7 @@ If the radius is bigger than that which the tag shape itself supports, the resul Path to look for templates, post processors, tool tables and other external files. If left empty the macro directory is used. - Path to look for templates, post processors, tool tables and other external files. - -If left empty the macro directory is used. + Percorso per cercare modelli, post processori, tabelle degli strumenti e altri file esterni. Se lasciato vuoto viene utilizzata la directory macro. @@ -2486,36 +2484,36 @@ if %S is included, you can specify where the number occurs. Without it, the num The following example stores all files with the same name as the document in the directory /home/freecad (please remove quotes): &quot;/home/cnc/%d.g-code&quot; See the file save policy below on how to deal with name conflicts. - Enter a path and optionally file name (see below) to be used as the default for the post processor export. -The following substitutions are performed before the name is resolved at the time of the post processing: -Substitution allows the following: -%D ... directory of the active document -%d ... name of the active document (with extension) -%M ... user macro directory -%j ... name of the active Job object + Inserisci un percorso e facoltativamente il nome del file (vedi sotto) da usare come predefinito per l'esportazione del post processore. +Le seguenti sostituzioni vengono eseguite prima che il nome venga risolto al momento dell'elaborazione post: +La sostituzione permette quanto segue: +%D ... cartella del documento attivo +%d ... nome del documento attivo (con estensione) +%M ... cartella macro utente +%j ... nome della lavorazione attiva (Job) -The Following can be used if output is being split. If Output is not split -these will be ignored. -%T ... Tool Number -%t ... Tool Controller label +Le seguenti possono essere usate se l'output viene diviso. Se l'output non è diviso +queste verranno ignorate. +%T ... Numero utensile +%t . . Etichetta controller utensile -%W ... Work Coordinate System -%O ... Operation Label +%W ... Sistema di coordinate di lavoro +%O . . Etichetta Operazione -When splitting output, a sequence number will always be added. +Quando si divide l'output, verrà sempre aggiunto un numero di sequenza. -if %S is included, you can specify where the number occurs. Without it, the number will be added to the end of the string. +se %S è incluso, è possibile specificare dove verrà inserito il numero. Senza di esso, il numero verrà aggiunto alla fine della stringa. -%S ... Sequence Number +%S ... Numero di sequenza -The following example stores all files with the same name as the document in the directory /home/freecad (please remove quotes): -&quot;/home/cnc/%d.g-code&quot; -See the file save policy below on how to deal with name conflicts. +Il seguente esempio memorizza tutti i file con lo stesso nome del documento nella directory /home/freecad (rimuovere le citazioni): +&quot;/home/cnc/%d. -code&quot; +Vedi la politica di salvataggio del file qui sotto su come gestire i conflitti di nome. Choose how to deal with potential file name conflicts. Always open a dialog, only open a dialog if the output file already exists, overwrite any existing file or add a unique (3 digit) sequential ID to the file name. - Choose how to deal with potential file name conflicts. Always open a dialog, only open a dialog if the output file already exists, overwrite any existing file or add a unique (3 digit) sequential ID to the file name. + Scegliere come gestire i potenziali conflitti di nomi di file. Apri sempre una finestra di dialogo, apri solo una finestra se il file di output esiste già, sovrascrivere qualsiasi file esistente o aggiungere un ID sequenziale univoco (3 cifre) al nome del file. @@ -2525,7 +2523,7 @@ See the file save policy below on how to deal with name conflicts. It doesn't seem there are any post processor scripts installed. Please add some into your macro directory and make sure the file name ends with &quot;_post.py&quot;. - It doesn't seem there are any post processor scripts installed. Please add some into your macro directory and make sure the file name ends with &quot;_post.py&quot;. + Non sembra che ci siano script post processore installati. Si prega di aggiungerne alcuni nella directory macro ed assicurarsi che il nome del file finisca con &quot;_post.py&quot;. @@ -2535,7 +2533,7 @@ See the file save policy below on how to deal with name conflicts. Optional arguments passed to the default Post Processor specified above. See the Post Processor's documentation for supported arguments. - Optional arguments passed to the default Post Processor specified above. See the Post Processor's documentation for supported arguments. + Argomenti opzionali passati al Post Processore predefinito specificato sopra. Vedere la documentazione del Post Processore per gli argomenti supportati. @@ -2732,12 +2730,12 @@ Should multiple tools or tool shapes with the same name exist in different direc Path Selection Style - Path Selection Style + Stile Selezione Percorso Default path shape selection behavior in 3D viewer - Default path shape selection behavior in 3D viewer + Comportamento predefinito della selezione della forma del percorso nella Vista 3D @@ -2757,7 +2755,7 @@ Should multiple tools or tool shapes with the same name exist in different direc Task Panel Layout - Task Panel Layout + Layout Del Pannello Azioni @@ -2767,7 +2765,7 @@ Should multiple tools or tool shapes with the same name exist in different direc Classic - reversed - Classic - reversed + Classico - invertito @@ -2777,7 +2775,7 @@ Should multiple tools or tool shapes with the same name exist in different direc Multi Panel - reversed - Multi Panel - reversed + Pannello multiplo - invertito @@ -3059,7 +3057,7 @@ Should multiple tools or tool shapes with the same name exist in different direc Height to raise during corner action - Height to raise during corner action + Altezza di sollevamento durante l'azione di angolo @@ -3074,7 +3072,7 @@ Should multiple tools or tool shapes with the same name exist in different direc Holding Tags - Holding Tags + Fermi @@ -3462,7 +3460,7 @@ Should multiple tools or tool shapes with the same name exist in different direc Cutting Edge Height - Cutting Edge Height + Altezza del Bordo di Taglio @@ -3594,31 +3592,31 @@ if %S is included, you can specify where the number occurs. Without it, the num The following example stores all files with the same name as the document in the directory /home/freecad (please remove quotes): "/home/cnc/%d.g-code" See the file save policy below on how to deal with name conflicts. - Enter a path and optionally file name (see below) to be used as the default for the post processor export. -The following substitutions are performed before the name is resolved at the time of the post processing: -Substitution allows the following: -%D ... directory of the active document -%d ... name of the active document (with extension) -%M ... user macro directory -%j ... name of the active Job object + Inserisci un percorso e facoltativamente il nome del file (vedi sotto) da usare come predefinito per l'esportazione del post processore. +Le seguenti sostituzioni vengono eseguite prima che il nome venga risolto al momento dell'elaborazione post: +La sostituzione permette quanto segue: +%D ... cartella del documento attivo +%d ... nome del documento attivo (con estensione) +%M ... cartella macro utente +%j ... nome della lavorazione attiva (Job) -The Following can be used if output is being split. If Output is not split -these will be ignored. -%T ... Tool Number -%t ... Tool Controller label +Le seguenti possono essere usate se l'output viene diviso. Se l'output non è diviso +queste verranno ignorate. +%T ... Numero utensile +%t . . Etichetta controller utensile -%W ... Work Coordinate System -%O ... Operation Label +%W ... Sistema di coordinate di lavoro +%O . . Etichetta Operazione -When splitting output, a sequence number will always be added. +Quando si divide l'output, verrà sempre aggiunto un numero di sequenza. -if %S is included, you can specify where the number occurs. Without it, the number will be added to the end of the string. +se %S è incluso, è possibile specificare dove verrà inserito il numero. Senza di esso, il numero verrà aggiunto alla fine della stringa. -%S ... Sequence Number +%S ... Numero di sequenza -The following example stores all files with the same name as the document in the directory /home/freecad (please remove quotes): -"/home/cnc/%d.g-code" -See the file save policy below on how to deal with name conflicts. +Il seguente esempio memorizza tutti i file con lo stesso nome del documento nella directory /home/freecad (rimuovere le citazioni): +&quot;/home/cnc/%d. -code&quot; +Vedi la politica di salvataggio del file qui sotto su come gestire i conflitti di nome. @@ -4089,7 +4087,7 @@ Default: 3 mm Tool Commands - Tool Commands + Comandi utensile @@ -4100,7 +4098,7 @@ Default: 3 mm Path Modification - Path Modification + Modifica Percorso @@ -4132,7 +4130,7 @@ Default: 3 mm Specialty Operations - Specialty Operations + Operazioni di specializzazione @@ -4203,7 +4201,7 @@ Default: 3 mm Invalid Cutting Edge Angle %.2f, must be >0° and <=180° - Invalid Cutting Edge Angle %.2f, must be >0° and <=180° + Angolo di Taglio non valido %.2f, deve essere compreso tra >0° e <=180° @@ -4236,12 +4234,12 @@ Default: 3 mm face %s not handled, assuming not vertical - face %s not handled, assuming not vertical + faccia %s non trattata, assumendo che non sia verticale edge %s not handled, assuming not vertical - edge %s not handled, assuming not vertical + bordo %s non trattato, assumendo che non sia verticale @@ -4344,7 +4342,7 @@ Default: 3 mm Determines if Boundary describes an inclusion or exclusion mask. - Determines if Boundary describes an inclusion or exclusion mask. + Determina se il Limite descrive una maschera di inclusione o esclusione. @@ -4472,17 +4470,17 @@ Default: 3 mm Keep the Tool Down in toolpath - Keep the Tool Down in toolpath + Mantenere l'Utensile Basso durante il percorso The Style of motion into the toolpath - The Style of motion into the toolpath + Lo Stile di movimento nel percorso The Style of motion out of the toolpath - The Style of motion out of the toolpath + Lo Stile di movimento fuori dal percorso @@ -4497,7 +4495,7 @@ Default: 3 mm Perform plunges with G0 - Perform plunges with G0 + Esegui le discese con G0 @@ -4507,17 +4505,17 @@ Default: 3 mm Angle of ramp. - Angle of ramp. + Angolo della rampa. Ramping Method - Ramping Method + Metodo della rampa Which feed rate to use for ramping - Which feed rate to use for ramping + Quale velocità di avanzamento usare per creare la rampa @@ -4532,7 +4530,7 @@ Default: 3 mm The depth where the ramp dressup is enabled. Above this ramps are not generated, but motion commands are passed through as is. - The depth where the ramp dressup is enabled. Above this ramps are not generated, but motion commands are passed through as is. + La profondità a cui è attivata la traiettoria aggiuntiva per la rampa. Al di sopra di essa le rampe non vengono generate, ma i comandi di movimento sono mantenuti così come sono. @@ -4542,7 +4540,7 @@ Default: 3 mm Deflection distance for arc interpolation - Deflection distance for arc interpolation + Distanza della deformazione per l'interpolazione dell'arco @@ -4583,7 +4581,7 @@ Default: 3 mm For computing Paths; smaller increases accuracy, but slows down computation - For computing Paths; smaller increases accuracy, but slows down computation + Per calcolare i Percorsi: più piccolo incrementa la precisione, ma rallenta il calcolo @@ -4604,24 +4602,24 @@ Default: 3 mm Split output into multiple G-code files - Split output into multiple G-code files + Dividi l'output in più file G-code If multiple WCS, order the output this way - If multiple WCS, order the output this way + In caso di WCS multiplo, ordinare l'output in questo modo The Work Coordinate Systems for the Job - The Work Coordinate Systems for the Job + I Sistemi Coordinate Lavoro (Wcs) per la Lavorazione SetupSheet holding the settings for this job - SetupSheet holding the settings for this job + Tabella delle impostazioni con le configurazioni di questa lavorazione @@ -4631,14 +4629,14 @@ Default: 3 mm Collection of all tool controllers for the job - Collection of all tool controllers for the job + Raccolta di tutti i controller utensili per la lavorazione Operations Cycle Time Estimation - Operations Cycle Time Estimation + Stima del Tempo di Lavorazione @@ -4648,37 +4646,37 @@ Default: 3 mm The base object this stock is derived from - The base object this stock is derived from + L'oggetto di base da cui questo grezzo deriva Extra allowance from part bound box in negative X direction - Extra allowance from part bound box in negative X direction + Spessore supplementare del pezzo in direzione X negativa Extra allowance from part bound box in positive X direction - Extra allowance from part bound box in positive X direction + Spessore supplementare del pezzo in direzione X positiva Extra allowance from part bound box in negative Y direction - Extra allowance from part bound box in negative Y direction + Spessore supplementare del pezzo in direzione Y negativa Extra allowance from part bound box in positive Y direction - Extra allowance from part bound box in positive Y direction + Spessore supplementare del pezzo in direzione Y positiva Extra allowance from part bound box in negative Z direction - Extra allowance from part bound box in negative Z direction + Spessore supplementare del pezzo in direzione Z negativa Extra allowance from part bound box in positive Z direction - Extra allowance from part bound box in positive Z direction + Spessore supplementare del pezzo in direzione Z positiva @@ -4708,12 +4706,12 @@ Default: 3 mm Internal representation of stock type - Internal representation of stock type + Rappresentazione interna del tipo di grezzo Fixture Offset Number - Fixture Offset Number + Scostamento del punto di fissaggio @@ -4734,14 +4732,14 @@ Default: 3 mm Influences accuracy and performance - Influences accuracy and performance + Influisce sulla precisione e sulle prestazioni Percent of cutter diameter to step over on each pass - Percent of cutter diameter to step over on each pass + Percentuale del diametro dell'utensile da sovrapporre alla passata precedente @@ -4777,7 +4775,7 @@ Default: 3 mm Use Arcs (G2) for helix ramp - Use Arcs (G2) for helix ramp + Usa Arcs (G2) per rampa elicoidale @@ -4792,7 +4790,7 @@ Default: 3 mm Helix ramp entry angle (degrees) - Helix ramp entry angle (degrees) + Angolo di ingresso rampa elicoidale (gradi) @@ -4834,17 +4832,17 @@ Default: 3 mm Holds the diameter of the tool - Holds the diameter of the tool + Contiene il diametro dell'utensile Holds the max Z value of Stock - Holds the max Z value of Stock + Contiene il valore Z max del pezzo grezzo Holds the min Z value of Stock - Holds the min Z value of Stock + Contiene il valore Z minimo del pezzo grezzo @@ -4869,7 +4867,7 @@ Default: 3 mm Coolant mode for this operation - Coolant mode for this operation + Modalità raffreddamento per questa operazione @@ -4895,7 +4893,7 @@ Default: 3 mm Maximum material removed on final pass. - Maximum material removed on final pass. + Massimo materiale rimosso nella passata finale. @@ -4918,17 +4916,17 @@ Default: 3 mm Make True, if specifying a Start Point - Make True, if specifying a Start Point + Rendere True, se specifica un Punto Iniziale Lower limit of the turning diameter - Lower limit of the turning diameter + Limite inferiore del diametro della tornitura Upper limit of the turning diameter. - Upper limit of the turning diameter. + Limite superiore del diametro della tornitura. @@ -5040,12 +5038,12 @@ Default: 3 mm Additional base objects to be engraved - Additional base objects to be engraved + Ulteriori oggetti base da incidere The vertex index to start the toolpath from - The vertex index to start the toolpath from + L'indice del vertice da cui iniziare il percorso @@ -5060,7 +5058,7 @@ Default: 3 mm When enabled connected extension edges are combined to wires. - When enabled connected extension edges are combined to wires. + Quando abilitato, i bordi di estensione connessi sono combinati con i wire. @@ -5070,7 +5068,7 @@ Default: 3 mm Start cutting from the inside or outside - Start cutting from the inside or outside + Inizia il taglio dall'interno o dall'esterno @@ -5088,12 +5086,12 @@ Default: 3 mm Shape to use for calculating Boundary - Shape to use for calculating Boundary + Forma da utilizzare per calcolare i Limiti Clear edges of surface (Only applicable to BoundBox) - Clear edges of surface (Only applicable to BoundBox) + Pulisci i bordi della superficie (applicabile solo a BoundBox) @@ -5106,42 +5104,42 @@ Default: 3 mm Choose how to process multiple Base Geometry features. - Choose how to process multiple Base Geometry features. + Scegli come elaborare più funzionalità di Geometria Base. Use adaptive algorithm to eliminate excessive air milling above planar pocket top. - Use adaptive algorithm to eliminate excessive air milling above planar pocket top. + Utilizzare l'algoritmo adattivo per eliminare l'eccesso di fresatura nell'area al disopra del piano superiore della tasca. Use adaptive algorithm to eliminate excessive air milling below planar pocket bottom. - Use adaptive algorithm to eliminate excessive air milling below planar pocket bottom. + Utilizzare l'algoritmo adattivo per eliminare l'eccesso di fresatura nell'area al disotto del piano inferiore della tasca. Process the model and stock in an operation with no Base Geometry selected. - Process the model and stock in an operation with no Base Geometry selected. + Elabora il modello e il grezzo in un'operazione senza la Geometria di Base selezionata. Extra offset to apply to the operation. Direction is operation dependent. - Extra offset to apply to the operation. Direction is operation dependent. + Scostamento extra da applicare all'operazione. La direzione è dipendente dall'operazione. Start pocketing at center or boundary - Start pocketing at center or boundary + Inizia la tasca dal centro o dal bordo Angle of the zigzag pattern - Angle of the zigzag pattern + Angolo del motivo a zig-zag Clearing pattern to use - Clearing pattern to use + Modello di pulizia da usare @@ -5151,7 +5149,7 @@ Default: 3 mm Attempts to avoid unnecessary retractions. - Attempts to avoid unnecessary retractions. + Tenta di evitare retrazioni inutili. @@ -5168,27 +5166,27 @@ Default: 3 mm X offset between tool and probe - X offset between tool and probe + Scostamento X tra utensile e sonda Y offset between tool and probe - Y offset between tool and probe + Scostamento Y tra utensile e sonda Number of points to probe in X direction - Number of points to probe in X direction + Numero di punti da sondare nella direzione X Number of points to probe in Y direction - Number of points to probe in Y direction + Numero di punti da sondare nella direzione Y The output location for the probe data to be written - The output location for the probe data to be written + La posizione di output per scrivere i dati della sonda @@ -5199,7 +5197,7 @@ Default: 3 mm Controls how tool moves around corners. Default=Round - Controls how tool moves around corners. Default=Round + Controlla come l'utensile si muove intorno agli angoli. Predefinito=Rotondo @@ -5214,67 +5212,67 @@ Default: 3 mm Profile the outline - Profile the outline + Profila il contorno Profile round holes - Profile round holes + Profila i fori rotondi Side of edge that tool should cut - Side of edge that tool should cut + Lato del bordo che l'utensile dovrebbe tagliare Make True, if using Cutter Radius Compensation - Make True, if using Cutter Radius Compensation + Rendere vero (True), se si utilizza la compensazione raggio utensile Show the temporary path construction objects when module is in DEBUG mode. - Show the temporary path construction objects when module is in DEBUG mode. + Mostra gli oggetti temporanei di costruzione del percorso quando il modulo è in modalità DEBUG. Set the geometric clearing pattern to use for the operation. - Set the geometric clearing pattern to use for the operation. + Imposta il modello di pulizia geometrica da utilizzare per l'operazione. 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. + Completare l'operazione in un singolo passaggio a profondità, o più passaggi alla profondità finale. Show the temporary toolpath construction objects when module is in DEBUG mode. - Show the temporary toolpath construction objects when module is in DEBUG mode. + Mostra gli oggetti temporanei di costruzione del percorso quando il modulo è in modalità DEBUG. Enter custom start point for slot toolpath. - Enter custom start point for slot toolpath. + Inserire un punto di partenza personalizzato per il percorso di scanalatura. Enter custom end point for slot toolpath. - Enter custom end point for slot toolpath. + Inserire un punto finale personalizzato per il percorso di scanalatura. Positive extends the beginning of the toolpath, negative shortens. - Positive extends the beginning of the toolpath, negative shortens. + Positivo estende l'inizio del percorso, negativo lo accorcia. Positive extends the end of the toolpath, negative shortens. - Positive extends the end of the toolpath, negative shortens. + Positivo estende la fine del percorso, negativo lo accorcia. @@ -5299,7 +5297,7 @@ Default: 3 mm Enable to reverse the cut direction of the slot toolpath. - Enable to reverse the cut direction of the slot toolpath. + Abilitare per invertire la direzione di taglio del percorso di scanalatura. @@ -5315,7 +5313,7 @@ Default: 3 mm Smaller values yield a finer, more accurate mesh. Smaller values increase processing time a lot. - Smaller values yield a finer, more accurate mesh. Smaller values increase processing time a lot. + Valori più piccoli producono una maglia più fine, più accurata. Valori più piccoli aumentano di molto il tempo di elaborazione. @@ -5326,17 +5324,17 @@ Default: 3 mm Stop index(angle) for rotational scan - Stop index(angle) for rotational scan + Indice di arresto (angolo) per la scansione rotazionale Dropcutter lines are created parallel to this axis. - Dropcutter lines are created parallel to this axis. + Le linee di taglio sono create parallele a questo asse. Additional offset to the selected bounding box - Additional offset to the selected bounding box + Offset aggiuntivo al riquadro di selezione scelto @@ -5346,12 +5344,12 @@ Default: 3 mm Start index(angle) for rotational scan - Start index(angle) for rotational scan + Avvia indice (angolo) per la scansione di rotazione Planar: Flat, 3D surface scan. Rotational: 4th-axis rotational scan. - Planar: Flat, 3D surface scan. Rotational: 4th-axis rotational scan. + Pianare: Flat, scansione 3D della superficie. Rotazionale: scansione 4° asse di rotazione. @@ -5363,37 +5361,37 @@ Default: 3 mm Do not cut internal features on avoided faces. - Do not cut internal features on avoided faces. + Non tagliare le funzioni interne sulle facce saltate. Positive values push the cutter toward, or beyond, the boundary. Negative values retract the cutter away from the boundary. - Positive values push the cutter toward, or beyond, the boundary. Negative values retract the cutter away from the boundary. + Valori positivi portano il taglio verso, o oltre, il bordo. Valori negativi allontanano il taglio dal bordo. If true, the cutter will remain inside the boundaries of the model or selected face(s). - If true, the cutter will remain inside the boundaries of the model or selected face(s). + Se vero, il taglio rimarrà all'interno dei bordi del modello o delle facce selezionate. Positive values push the cutter toward, or into, the feature. Negative values retract the cutter away from the feature. - Positive values push the cutter toward, or into, the feature. Negative values retract the cutter away from the feature. + Valori positivi portano il taglio verso, o entro, le funzioni. Valori negativi allontanano il taglio dalle funzioni. Cut internal feature areas within a larger selected face. - Cut internal feature areas within a larger selected face. + Taglia le aree interne contenute in una faccia selezionata più grande. Select the overall boundary for the operation. - Select the overall boundary for the operation. + Selezionare il limite globale per l'operazione. @@ -5405,19 +5403,19 @@ Default: 3 mm The yaw angle used for certain clearing patterns - The yaw angle used for certain clearing patterns + L'angolo di imbardata utilizzato per alcuni motivi di pulizia Reverse the cut order of the stepover paths. For circular cut patterns, begin at the outside and work toward the center. - Reverse the cut order of the stepover paths. For circular cut patterns, begin at the outside and work toward the center. + Inverte l'ordine di taglio dei percorsi passo-passo. Per i modelli di taglio circolare, inizia dall'esterno e lavora verso il centro. Set the Z-axis depth offset from the target surface. - Set the Z-axis depth offset from the target surface. + Imposta l'offset della profondità dell'asse Z dalla superficie di destinazione. @@ -5429,7 +5427,7 @@ Default: 3 mm Choose location of the center point for starting the cut pattern. - Choose location of the center point for starting the cut pattern. + Scegliere la posizione del punto centrale per iniziare la sequenza di taglio. @@ -5440,77 +5438,77 @@ Default: 3 mm Set the sampling resolution. Smaller values quickly increase processing time. - Set the sampling resolution. Smaller values quickly increase processing time. + Imposta la risoluzione campione. Valori più piccoli aumentano il tempo di elaborazione. Set the stepover percentage, based on the tool's diameter. - Set the stepover percentage, based on the tool's diameter. + Imposta la percentuale di sovrapposizione in base al diametro dell'utensile. 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. + Abilita l'ottimizzazione dei percorsi lineari (punti co-lineari). Rimuove i punti co-lineari inutili dall'output del codice G-code. Enable separate optimization of transitions between, and breaks within, each step over path. - Enable separate optimization of transitions between, and breaks within, each step over path. + Abilita l'ottimizzazione separata delle transizioni tra un passo e l'altro ad ogni passaggio sul tracciato. Convert co-planar arcs to G2/G3 G-code commands for `Circular` and `CircularZigZag` cut patterns. - Convert co-planar arcs to G2/G3 G-code commands for `Circular` and `CircularZigZag` cut patterns. + Converti gli archi co-planari in comandi G-code G2/G3 per `Circular` e `CircularZigZag` nei modelli di taglio. Collinear and co-radial artifact gaps that are smaller than this threshold are closed in the path. - Collinear and co-radial artifact gaps that are smaller than this threshold are closed in the path. + Gli intervalli negli artefatti co-lineari e co-radiali che sono più piccoli di questa soglia, vengono chiusi nel percorso. Feedback: three smallest gaps identified in the path geometry. - Feedback: three smallest gaps identified in the path geometry. + Feedback: tre piccoli vuoti identificati nella geometria del percorso. Set thread orientation - Set thread orientation + Imposta orientamento della filettatura Currently only internal - Currently only internal + Attualmente solo interno Defines which standard thread was chosen - Defines which standard thread was chosen + Definisce quale standard di filettatura è stato scelto Set thread's major diameter - Set thread's major diameter + Imposta il diametro maggiore della filettatura Set thread's minor diameter - Set thread's minor diameter + Imposta il diametro minore della filettatura Set thread's pitch - used for metric threads - Set thread's pitch - used for metric threads + Imposta il passo della filettatura - usato per filettatura metrica Set thread's TPI (turns per inch) - used for imperial threads - Set thread's TPI (turns per inch) - used for imperial threads + Imposta il passo (tpi) della filettatura - usato per filettatura imperiale @@ -5520,22 +5518,22 @@ Default: 3 mm Set how many passes are used to cut the thread - Set how many passes are used to cut the thread + Imposta quanti passaggi vengono usati per tagliare la filettatura Direction of thread cutting operation - Direction of thread cutting operation + Direzione del taglio della filettatura Set to True to get lead in and lead out arcs at the start and end of the thread cut - Set to True to get lead in and lead out arcs at the start and end of the thread cut + Impostare a True per ottenere un attacco circolare all'inizio e alla fine del taglio della filettatura Operation to clear the inside of the thread - Operation to clear the inside of the thread + Operazione per pulire l'interno della filettatura @@ -5555,14 +5553,14 @@ Default: 3 mm The deflection value for discretizing arcs - The deflection value for discretizing arcs + L'angolo di deflessione per la discretizzazione degli archi Cutoff for removing colinear segments (degrees). default=10.0. - Cutoff for removing colinear segments (degrees). - default=10.0. + Soglia per la rimozione di segmenti collineari (gradi). + predefinito=10.0. @@ -5572,22 +5570,22 @@ Default: 3 mm Smaller values yield a finer, more accurate the mesh. Smaller values increase processing time a lot. - Smaller values yield a finer, more accurate the mesh. Smaller values increase processing time a lot. + Valori più piccoli producono una maglia più fine, più accurata. Valori più piccoli aumentano di molto il tempo di elaborazione. Smaller values yield a finer, more accurate the mesh. Smaller values do not increase processing time much. - Smaller values yield a finer, more accurate the mesh. Smaller values do not increase processing time much. + Valori più piccoli producono una maglia più fine e precisa. Valori più piccoli non aumentano di molto il tempo di elaborazione. Select the algorithm to use: OCL Dropcutter*, or Experimental (Not OCL based). - Select the algorithm to use: OCL Dropcutter*, or Experimental (Not OCL based). + Selezionare l'algoritmo da utilizzare: OCL Dropcutter*, o Sperimentale (non basato su OCL). Set to clear last layer in a `Multi-pass` operation. - Set to clear last layer in a `Multi-pass` operation. + Impostare per cancellare l'ultimo livello in un'operazione `Multi-pass`. @@ -5607,27 +5605,27 @@ Default: 3 mm The spacing between the array copies in Linear pattern - The spacing between the array copies in Linear pattern + La spaziatura tra le copie dell'array nel modello Lineare The number of copies in X direction in Linear pattern - The number of copies in X direction in Linear pattern + Il numero di copie in direzione X nel modello Lineare The number of copies in Y direction in Linear pattern - The number of copies in Y direction in Linear pattern + Il numero di copie in direzione Y nel modello Lineare Total angle in Polar pattern - Total angle in Polar pattern + Angolo totale nel modello Polare The number of copies in Linear 1D and Polar pattern - The number of copies in Linear 1D and Polar pattern + Il numero di copie nel modello Lineare 1D e Polare @@ -5642,12 +5640,12 @@ Default: 3 mm Percent of copies to randomly offset - Percent of copies to randomly offset + Percentuale di copie a offset casuale Maximum random offset of copies - Maximum random offset of copies + Scostamento casuale massimo delle copie @@ -5659,7 +5657,7 @@ Default: 3 mm The tool controller that will be used to calculate the toolpath - The tool controller that will be used to calculate the toolpath + Il controllore dell'utensile da usare per calcolare il percorso @@ -5669,12 +5667,12 @@ Default: 3 mm Add Optional or Mandatory Stop to the program - Add Optional or Mandatory Stop to the program + Aggiunge una Sosta Obbligatoria o Facoltativa al programma Shape for bit shape - Shape for bit shape + Forma della punta dell'utensile @@ -5705,7 +5703,7 @@ Default: 3 mm The speed of the cutting spindle in RPM - The speed of the cutting spindle in RPM + La velocità di taglio del mandrino in giri/min @@ -5798,7 +5796,7 @@ Default: 3 mm The selected tool has no CuttingEdgeAngle property. Assuming Endmill - The selected tool has no CuttingEdgeAngle property. Assuming Endmill + L'utensile selezionato non ha nessuna proprietà Angolo di spoglia. Si presume sia una fresa @@ -5869,12 +5867,12 @@ Default: 3 mm Unable to create path for face(s). - Unable to create path for face(s). + Impossibile creare il percorso per la faccia(e). Check edge selection and Final Depth requirements for profiling open edge(s). - Check edge selection and Final Depth requirements for profiling open edge(s). + Controllare la selezione dei bordi e i requisiti di Profondità Finale per la profilatura dei bordi aperti. @@ -5900,12 +5898,12 @@ Default: 3 mm The GeometryTolerance for this Job is 0.0. - The GeometryTolerance for this Job is 0.0. + La Tolleranza Geometrica per questa Lavorazione è 0,0. Initializing LinearDeflection to 0.001 mm. - Initializing LinearDeflection to 0.001 mm. + Inizializza la deflessione lineare a 0,0001 mm. @@ -5915,17 +5913,17 @@ Default: 3 mm Canceling 3D Surface operation. Error creating OCL cutter. - Canceling 3D Surface operation. Error creating OCL cutter. + Annullamento dell'operazione di superficie 3D. Errore nella creazione del taglio OCL. operation time is - operation time is + il tempo per l'operazione è Canceled 3D Surface operation. - Canceled 3D Surface operation. + Operazione di superficie 3D annullata. @@ -5955,22 +5953,22 @@ Default: 3 mm Failed to identify tool for operation. - Failed to identify tool for operation. + Impossibile identificare l'utensile per l'operazione. Failed to map selected tool to an OCL tool type. - Failed to map selected tool to an OCL tool type. + Impossibile far corrispondere l'utensile selezionato a un tipo di utensile OCL. Failed to translate active tool to OCL tool type. - Failed to translate active tool to OCL tool type. + Impossibile tradurre l'utensile attivo in un utensile di tipo OCL. OCL tool not available. Cannot determine is cutter has tilt available. - OCL tool not available. Cannot determine is cutter has tilt available. + Utensile OCL non disponibile. Non è possibile determinare se il cutter può essere inclinato. @@ -5978,22 +5976,22 @@ Default: 3 mm Shape appears to not be horizontal planar. - Shape appears to not be horizontal planar. + La forma sembra non essere orizzontale planare. Cannot calculate the Center Of Mass. - Cannot calculate the Center Of Mass. + Impossibile calcolare il Centro di Messa. Using Center of Boundbox instead. - Using Center of Boundbox instead. + Al suo posto, viene utilizzato il centro del cuboide contenitore. Face selection is unavailable for Rotational scans. - Face selection is unavailable for Rotational scans. + La selezione delle facce non è disponibile per le scansioni rotazionali. @@ -6021,7 +6019,7 @@ Default: 3 mm The Job Base Object has no engraveable element. Engraving operation will produce no output. - The Job Base Object has no engraveable element. Engraving operation will produce no output. + L'oggetto di base della lavorazione non ha nessun elemento incisibile. L'operazione di incisione non produrrà nessun output. @@ -6086,7 +6084,7 @@ Default: 3 mm CircularZigZag - CircularZigZag + ZigZag Circolare @@ -6189,12 +6187,12 @@ Default: 3 mm AvoidLastX_Faces: Only zero or positive values permitted. - AvoidLastX_Faces: Only zero or positive values permitted. + AvoidLastX_faces: Sono consentiti solo valori zero o positivi. AvoidLastX_Faces: Avoid last X faces count limited to 100. - AvoidLastX_Faces: Avoid last X faces count limited to 100. + AvoidLastX_Faces: Evita il conteggio delle ultime X facce limitato a 100. @@ -6209,7 +6207,7 @@ Default: 3 mm operation time is - operation time is + il tempo per l'operazione è @@ -6218,7 +6216,7 @@ Default: 3 mm Make False, to prevent operation from generating code - Make False, to prevent operation from generating code + Rendere False, per escludere l'operazione dalla generazione del codice @@ -6287,13 +6285,13 @@ If it is necessary to set the FinalDepth manually please select a different oper No suitable tool controller found. Aborting op creation - No suitable tool controller found. -Aborting op creation + Nessun controller di utensile adatto trovato. +Interruzione creazione op No tool controller, aborting op creation - No tool controller, aborting op creation + Nessun controller di utensile, interruzione della creazione dell'op @@ -6301,12 +6299,12 @@ Aborting op creation No base objects for PathArray. - No base objects for PathArray. + Nessun oggetto base per Serie su percorso. Arrays of toolpaths having different tool controllers are handled according to the tool controller of the first path. - Arrays of toolpaths having different tool controllers are handled according to the tool controller of the first path. + Array di percorsi con diversi controller di utensili sono gestiti secondo il controller di utensile del primo percorso. @@ -6337,7 +6335,7 @@ Aborting op creation Invalid G-code line: %s - Invalid G-code line: %s + Linea G-codice non valida: %s @@ -6356,7 +6354,7 @@ Aborting op creation Engraving Operations - Engraving Operations + Operazioni di incisione @@ -6405,7 +6403,7 @@ Aborting op creation Copy the operation in the job - Copy the operation in the job + Copia l'operazione nella lavorazione @@ -6486,12 +6484,12 @@ Aborting op creation Include Layers - Include Layers + Includi Livelli Keep the tool down in the path - Keep the tool down in the path + Mantenere l'utensile basso nel percorso @@ -6517,7 +6515,7 @@ Aborting op creation Length/Radius positive not Null - Length/Radius positive not Null + Lunghezza/Raggio positivo non Nullo @@ -6555,7 +6553,7 @@ Aborting op creation Creates an object which can be used to store reference properties. - Creates an object which can be used to store reference properties. + Crea un oggetto che può essere usato per memorizzare le proprietà di riferimento. @@ -6629,7 +6627,7 @@ Aborting op creation Remap one axis to another. - Remap one axis to another. + Rimappare un asse su un altro. @@ -6755,7 +6753,7 @@ Aborting op creation Ramp Feed Rate - Ramp Feed Rate + Velocità di avanzamento in rampa @@ -6822,12 +6820,12 @@ Aborting op creation Z Depth Correction - Z Depth Correction + Correzione della Profondità Z Use Probe Map to correct Z depth - Use Probe Map to correct Z depth + Usa la Mappa Sonda per correggere la profondità Z @@ -6876,7 +6874,7 @@ Aborting op creation Stock not a cylinder! - Stock not a cylinder! + L'oggetto grezzo non è un cilindro! @@ -6928,7 +6926,7 @@ Aborting op creation This job has no base model. - This job has no base model. + Questa lavorazione non ha un modello di base. @@ -6973,7 +6971,7 @@ For example: Don't Show This Anymore - Don't Show This Anymore + Non Mostrare Più @@ -7013,7 +7011,7 @@ For example: Unsupported stock type - Unsupported stock type + Tipo di oggetto grezzo non supportato @@ -7026,7 +7024,7 @@ For example: Creates a Fixture Offset - Creates a Fixture Offset + Crea un punto di Fissaggio Scostato @@ -7035,18 +7033,17 @@ For example: <b>Note</b>: This dialog shows Path Commands in FreeCAD base units (mm/s). Values will be converted to the desired unit during post processing. - <b>Note</b>: This dialog shows Path Commands in FreeCAD base units (mm/s). - Values will be converted to the desired unit during post processing. + <b>Nota</b>: Questa finestra mostra i Comandi del Percorso utensile nelle unità base FreeCAD (mm/s). I valori saranno convertiti nell'unità desiderata durante la post-elaborazione. Inspect toolPath Commands - Inspect toolPath Commands + Ispeziona Comandi dei Percorsi utensile Inspects the contents of a toolpath object - Inspects the contents of a toolpath object + Ispeziona i contenuti di un oggetto percorso utensile @@ -7060,7 +7057,7 @@ For example: Export Template - Export Template + Esporta Modello @@ -7073,7 +7070,7 @@ For example: Cylinder: %.2f x %.2f - Cylinder: %.2f x %.2f + Cilindro: %.2f x %.2f @@ -7107,7 +7104,7 @@ For example: Tool Data - Tool Data + Dati dell'utensile @@ -7157,7 +7154,7 @@ For example: Output (G-code) - Output (G-code) + Uscita (G-code) @@ -7327,7 +7324,7 @@ For example: Line Count - Line Count + Conteggio linea @@ -7353,13 +7350,13 @@ For example: Tool number {} is a legacy tool. Legacy tools not supported by Path-Sanity - Tool number {} is a legacy tool. Legacy tools not - supported by Path-Sanity + L'utensile numero {} è uno strumento legacy. Gli strumenti legacy non + sono supportati da Path-Sanity Tool number {} used by multiple tools - Tool number {} used by multiple tools + Numero utensile {} utilizzato da più strumenti @@ -7369,27 +7366,27 @@ For example: Tool Controller '{}' has no feedrate - Tool Controller '{}' has no feedrate + Il Controller utensile '{}' non ha velocità di avanzamento Tool Controller '{}' has no spindlespeed - Tool Controller '{}' has no spindlespeed + Il Controller utensile '{}' non ha mandrini Tool Controller '{}' is not used - Tool Controller '{}' is not used + Il Controller utensile '{}' non è usato Consider Specifying the Stock Material - Consider Specifying the Stock Material + Considera di Specificare il Materiale del Grezzo The Job has not been post-processed - The Job has not been post-processed + La Lavorazione non è stata post-elaborata @@ -7403,7 +7400,7 @@ For example: Simulate G-code on stock - Simulate G-code on stock + Simula G-code sul grezzo @@ -7482,22 +7479,22 @@ For example: No parent job found for operation. - No parent job found for operation. + Nessun lavoro genitore trovato per l'operazione. Parent job %s doesn't have a base object - Parent job %s doesn't have a base object + Il lavoro genitore %s fa't ha un oggetto base No Tool Controller is selected. We need a tool to build a Path. - No Tool Controller is selected. We need a tool to build a Path. + Nessun Controller Utensile selezionato. Serve un utensile per costruire un Percorso. No Tool found or diameter is zero. We need a tool to build a Path. - No Tool found or diameter is zero. We need a tool to build a Path. + Non è stato trovato nessun Utensile, o il diametro è uguale a zero. Serve un utensile per costruire un Percorso. @@ -7512,7 +7509,7 @@ For example: Tool Controller feedrates required to calculate the cycle time. - Tool Controller feedrates required to calculate the cycle time. + Per calcolare il tempo di ciclo è necessaria la velocità di avanzamento del Controller utensile. @@ -7527,7 +7524,7 @@ For example: Cycletime Error - Cycletime Error + Errore nel tempo del ciclo @@ -7552,18 +7549,18 @@ For example: Final depth set below ZMin of face(s) selected. - Final depth set below ZMin of face(s) selected. + Profondità finale impostata sotto ZMin delle facce selezionate. A planar adaptive start is unavailable. The non-planar will be attempted. - A planar adaptive start is unavailable. The non-planar will be attempted. + Un avvio adattivo planare non è disponibile. Verrà eseguito il tentativo non planare. The non-planar adaptive start is also unavailable. - The non-planar adaptive start is also unavailable. + Anche l'avvio non planare adattativo non è disponibile. @@ -7581,12 +7578,12 @@ For example: This operation requires a tool controller with a v-bit tool - This operation requires a tool controller with a v-bit tool + Questa operazione richiede un controller utensile con uno strumento v-bit Base shape %s already in the list - Base shape %s already in the list + Forma base % già nell'elenco @@ -7606,12 +7603,12 @@ For example: This operation requires a tool controller with a probe tool - This operation requires a tool controller with a probe tool + Questa operazione richiede un controller utensile con uno strumento sonda This operation requires a tool controller with a threadmilling tool - This operation requires a tool controller with a threadmilling tool + Questa operazione richiede un controller utensile con uno strumento di filettatura @@ -7662,7 +7659,7 @@ For example: Creates a Helical toolpath from the features of a base object - Creates a Helical toolpath from the features of a base object + Crea un oggetto percorso Elicoidale da una funzionalità di un oggetto di base @@ -7863,17 +7860,17 @@ For example: Custom points are identical. No slot path will be generated - Custom points are identical. No slot path will be generated + I punti personalizzati sono identici. Nessun percorso di scanalatura sarà generato Custom points not at same Z height. No slot path will be generated - Custom points not at same Z height. No slot path will be generated + Punti personalizzati non alla stessa altezza Z. Nessun percorso di scanalatura sarà generato Current Extend Radius value produces negative arc radius. - Current Extend Radius value produces negative arc radius. + Il valore del raggio di estensione corrente produce un raggio d'arco negativo. @@ -7961,7 +7958,7 @@ For example: Create a Slot operation from selected geometry or custom points. - Create a Slot operation from selected geometry or custom points. + Crea un'operazione di Scanalatura dalla geometria selezionata o dai punti personalizzati. @@ -8014,7 +8011,7 @@ For example: CircularZigZag - CircularZigZag + ZigZag Circolare @@ -8106,7 +8103,7 @@ For example: Create a 3D Surface Operation from a model - Create a 3D Surface Operation from a model + Crea un'Operazione di Superficie 3D da un modello @@ -8220,12 +8217,12 @@ For example: Creates an array from selected toolpath(s) - Creates an array from selected toolpath(s) + Crea una serie dai tracciati degli strumenti selezionati Arrays can be created only from toolpath operations. - Arrays can be created only from toolpath operations. + Le serie possono essere create solo dalle operazioni sul percorso degli strumenti. @@ -8238,7 +8235,7 @@ For example: Add a Comment to your CNC program - Add a Comment to your CNC program + Aggiungi un commento al tuo programma CNC @@ -8251,7 +8248,7 @@ For example: Creates a linked copy of another toolpath - Creates a linked copy of another toolpath + Crea una copia collegata di un altro percorso @@ -8277,7 +8274,7 @@ For example: Creates a Deburr toolpath along Edges or around Faces - Creates a Deburr toolpath along Edges or around Faces + Crea un percorso di Sbavatura lungo i Bordi o attorno alle Facce @@ -8290,7 +8287,7 @@ For example: Creates an Engraving toolpath around a Draft ShapeString - Creates an Engraving toolpath around a Draft ShapeString + Crea un percorso di Incisione basato su una stringa di testo di Draft @@ -8361,7 +8358,7 @@ For example: Add Optional or Mandatory Stop to the program - Add Optional or Mandatory Stop to the program + Aggiunge una Sosta Obbligatoria o Facoltativa al programma @@ -8387,7 +8384,7 @@ For example: Post Process the selected Job - Post Process the selected Job + Post-elabora la Lavorazione selezionata @@ -8423,12 +8420,12 @@ For example: Add Tool Controller to the Job - Add Tool Controller to the Job + Aggiunge un Controller Utensile alla Lavorazione Add Tool Controller - Add Tool Controller + Aggiungi un Controller Utensile @@ -8534,7 +8531,7 @@ For example: CAMotics tooltable (*.json) - CAMotics tooltable (*.json) + Tabella degli utensili CAMotics (*.json) @@ -8542,12 +8539,12 @@ For example: ToolBit Dock - ToolBit Dock + Pannello utensili Toggle the Toolbit Dock - Toggle the Toolbit Dock + Attiva/disattiva il pannello degli utensili diff --git a/src/Mod/CAM/Gui/Resources/translations/CAM_pt-BR.ts b/src/Mod/CAM/Gui/Resources/translations/CAM_pt-BR.ts index f1c84a16eae5..55629a3f2233 100644 --- a/src/Mod/CAM/Gui/Resources/translations/CAM_pt-BR.ts +++ b/src/Mod/CAM/Gui/Resources/translations/CAM_pt-BR.ts @@ -2156,7 +2156,7 @@ Padrão: 3 mm Select the algorithm to use: OCL Dropcutter*, or Experimental (Not OCL based). - Select the algorithm to use: OCL Dropcutter*, or Experimental (Not OCL based). + Selecione o algoritmo a ser usado: Dropcutter OCL*, ou Experimental (não baseado em OCL). @@ -2186,7 +2186,7 @@ Padrão: 3 mm Property Bag - Property Bag + Bolsa de propriedades @@ -2242,7 +2242,7 @@ Padrão: 3 mm Point/Tip Angle - Point/Tip Angle + Ângulo Ponto/dica @@ -2257,7 +2257,7 @@ Padrão: 3 mm Tag Parameters - Tag Parameters + Parâmetros de Marcador @@ -2269,42 +2269,42 @@ Padrão: 3 mm Set the default width of holding tags. If the width is set to 0 the dressup will try to guess a reasonable value based on the path itself. - Set the default width of holding tags. + Define a largura padrão das tags de retenção. -If the width is set to 0 the dressup will try to guess a reasonable value based on the path itself. +Se a largura for definida como 0, o ajustador tentará adivinhar um valor razoável com base no próprio caminho. Default height of holding tags. If the specified height is 0 the dressup will use half the height of the part. Should the height be bigger than the height of the part the dressup will reduce the height to the height of the part. - Default height of holding tags. + Altura padrão das tags de retenção. -If the specified height is 0 the dressup will use half the height of the part. Should the height be bigger than the height of the part the dressup will reduce the height to the height of the part. +Se a altura especificada for 0, o ajuste usará metade da altura da peça. Se a altura for maior do que a altura da peça, o ajuste reduzirá a altura para a altura da peça. Plunge angle for ascent and descent of holding tag. - Plunge angle for ascent and descent of holding tag. + Ângulo de mergulho para subida e descida da etiqueta de retenção. Radius of the fillet on the tag's top edge. If the radius is bigger than that which the tag shape itself supports, the resulting shape will be that of a dome. - Radius of the fillet on the tag's top edge. + Raio do filete na etiqueta's a borda superior. -If the radius is bigger than that which the tag shape itself supports, the resulting shape will be that of a dome. +Se o raio for maior do que aquele que a etiqueta molda em si, a forma resultante será a de um diâmetro. Initial # Tags - Initial # Tags + #Tags iniciais Specify the number of tags generated when a new dressup is created. - Specify the number of tags generated when a new dressup is created. + Especifique o número de tags geradas quando um novo ajuste for criado. @@ -2329,7 +2329,7 @@ If the radius is bigger than that which the tag shape itself supports, the resul G-Code - G-Code + G-Código @@ -2372,7 +2372,7 @@ If the radius is bigger than that which the tag shape itself supports, the resul Default value for new Jobs, used for computing Paths. Smaller increases accuracy, but slows down computation - Default value for new Jobs, used for computing Paths. Smaller increases accuracy, but slows down computation + Valor padrão para novos Jobs, usado para computar Caminhos. Smaller aumenta a precisão, mas diminui a velocidade do cálculo @@ -2423,21 +2423,21 @@ If the radius is bigger than that which the tag shape itself supports, the resul Default Post Processor - Default Post Processor + Pós-processador padrão Default Arguments - Default Arguments + Argumentos padrão Path to look for templates, post processors, tool tables and other external files. If left empty the macro directory is used. - Path to look for templates, post processors, tool tables and other external files. + Caminho para procurar por modelos, processadores, tabelas de ferramentas e outros arquivos externos. -If left empty the macro directory is used. +Se deixado vazio, o diretório macro é usado. @@ -2446,11 +2446,11 @@ If left empty the macro directory is used. This can be helpful when almost all jobs will be processed by the same machine with a similar setup. If left empty no template will be preselected. - The default template to be selected when creating a new Job. + O modelo padrão a ser selecionado ao criar um novo projeto. -This can be helpful when almost all jobs will be processed by the same machine with a similar setup. +Isso pode ser útil quando quase todos os trabalhos serão processados pela mesma máquina com uma configuração semelhante. -If left empty no template will be preselected. +Se for deixado em branco, nenhum modelo será pré-selecionado. @@ -2479,61 +2479,61 @@ if %S is included, you can specify where the number occurs. Without it, the num The following example stores all files with the same name as the document in the directory /home/freecad (please remove quotes): &quot;/home/cnc/%d.g-code&quot; See the file save policy below on how to deal with name conflicts. - Enter a path and optionally file name (see below) to be used as the default for the post processor export. -The following substitutions are performed before the name is resolved at the time of the post processing: -Substitution allows the following: -%D ... directory of the active document -%d ... name of the active document (with extension) -%M ... user macro directory -%j ... name of the active Job object + Insira um caminho e, opcionalmente, um nome de arquivo (veja abaixo) a ser usado como padrão para a exportação do pós-processador. +As seguintes substituições são realizadas antes que o nome seja resolvido no momento do pós-processamento: +A substituição permite o seguinte: +%D ... diretório do documento ativo +%d ... nome do documento ativo (com extensão) +%M ... diretório da macro do usuário +%j ... nome do objeto de trabalho ativo -The Following can be used if output is being split. If Output is not split -these will be ignored. -%T ... Tool Number -%t ... Tool Controller label +O seguinte pode ser usado se a saída estiver sendo dividida. Se a saída não for dividida +eles serão ignorados. +%T ... Número da ferramenta +%t ... Etiqueta do controlador da ferramenta -%W ... Work Coordinate System -%O ... Operation Label +%W ... Sistema de coordenadas de trabalho +%O ... Rótulo da operação -When splitting output, a sequence number will always be added. +Ao dividir a saída, um número de sequência sempre será adicionado. -if %S is included, you can specify where the number occurs. Without it, the number will be added to the end of the string. +Se %S for incluído, você poderá especificar onde o número ocorre. Sem ele, o número será adicionado ao final da cadeia de caracteres. -%S ... Sequence Number +%S ... Número de sequência -The following example stores all files with the same name as the document in the directory /home/freecad (please remove quotes): +O exemplo a seguir armazena todos os arquivos com o mesmo nome do documento no diretório /home/freecad (remova as aspas): &quot;/home/cnc/%d.g-code&quot; -See the file save policy below on how to deal with name conflicts. +Consulte a política de salvamento de arquivos abaixo para saber como lidar com conflitos de nomes. Choose how to deal with potential file name conflicts. Always open a dialog, only open a dialog if the output file already exists, overwrite any existing file or add a unique (3 digit) sequential ID to the file name. - Choose how to deal with potential file name conflicts. Always open a dialog, only open a dialog if the output file already exists, overwrite any existing file or add a unique (3 digit) sequential ID to the file name. + Escolha como lidar com potenciais conflitos de nome de arquivo. Sempre abrir uma caixa de diálogo, apenas abrir uma caixa de diálogo se o arquivo de saída já existir, sobrescreva qualquer arquivo existente ou adicione uma ID única (3 dígitos) sequencial para o nome do arquivo. Post Processors Selection - Post Processors Selection + Seleção pós-processador It doesn't seem there are any post processor scripts installed. Please add some into your macro directory and make sure the file name ends with &quot;_post.py&quot;. - It doesn't seem there are any post processor scripts installed. Please add some into your macro directory and make sure the file name ends with &quot;_post.py&quot;. + Parece não haver nenhum script pós-processador instalado. Por favor, adicione algum em seu diretório macro e certifique-se de que o nome do arquivo termine com &quot;_post.py&quot;. Select one of the post processors as the default. - Select one of the post processors as the default. + Selecione um dos pós-processadores como padrão. Optional arguments passed to the default Post Processor specified above. See the Post Processor's documentation for supported arguments. - Optional arguments passed to the default Post Processor specified above. See the Post Processor's documentation for supported arguments. + Argumentos opcionais passados para o Processador padrão especificado acima. Veja a documentação do pós-processador's para argumentos suportados. Setup - Setup + Configurar @@ -2621,9 +2621,9 @@ See the file save policy below on how to deal with name conflicts. References to Tool Bits and their shapes can either be stored with an absolute path or with a relative path to the search path. Generally it is recommended to use relative paths due to their flexibility and robustness to layout changes. Should multiple tools or tool shapes with the same name exist in different directories it can be required to use absolute paths. - References to Tool Bits and their shapes can either be stored with an absolute path or with a relative path to the search path. -Generally it is recommended to use relative paths due to their flexibility and robustness to layout changes. -Should multiple tools or tool shapes with the same name exist in different directories it can be required to use absolute paths. + As referências a Tool Bits e suas formas podem ser armazenadas com um caminho absoluto ou com um caminho relativo ao caminho de pesquisa. +Em geral, recomenda-se o uso de caminhos relativos devido à sua flexibilidade e robustez em relação a alterações de layout. +Se houver várias ferramentas ou formas de ferramentas com o mesmo nome em diretórios diferentes, pode ser necessário usar caminhos absolutos. @@ -2655,7 +2655,7 @@ Should multiple tools or tool shapes with the same name exist in different direc Path highlight color - Path highlight color + Cor de destaque @@ -2665,7 +2665,7 @@ Should multiple tools or tool shapes with the same name exist in different direc Bounding box normal color - Bounding box normal color + Cor da caixa delimitadora @@ -2675,12 +2675,12 @@ Should multiple tools or tool shapes with the same name exist in different direc Probe path color - Probe path color + Cor do caminho da sonda Bounding box selection color - Bounding box selection color + Seleção da caixa delimitadora @@ -2725,12 +2725,12 @@ Should multiple tools or tool shapes with the same name exist in different direc Path Selection Style - Path Selection Style + Estilo de seleção de caminho Default path shape selection behavior in 3D viewer - Default path shape selection behavior in 3D viewer + Comportamento de seleção de forma de caminho padrão no visualizador 3D @@ -2785,48 +2785,48 @@ Should multiple tools or tool shapes with the same name exist in different direc Suppress all warnings about setting speed rates for accurate cycle time calculation - Suppress all warnings about setting speed rates for accurate cycle time calculation + Suprimir todos os avisos sobre a configuração das taxas de velocidade para cálculo de ciclo preciso Suppress all missing speeds warning - Suppress all missing speeds warning + Suprimir o aviso de todas as velocidades que faltam Suppress warning about setting the rapid speed rates for accurate cycle time calculation. Ignored if all speed warnings are already suppressed. - Suppress warning about setting the rapid speed rates for accurate cycle time calculation. Ignored if all speed warnings are already suppressed. + Suprimir aviso sobre a configuração da velocidade rápida para cálculo de ciclo preciso. Ignorado se todos os avisos de velocidade já estão suprimidos. Suppress missing rapid speeds warning - Suppress missing rapid speeds warning + Suprimir aviso de velocidade rápida faltando Suppress warning whenever a Path selection mode is activated - Suppress warning whenever a Path selection mode is activated + Suprimir aviso sempre que um modo de seleção de caminho for ativado Suppress feed rate warning - Suppress feed rate warning + Suprimir aviso da taxa de feed OpenCAMLib - OpenCAMLib + OpenCAMLib If OpenCAMLib is installed with Python bindings it can be used by some additional 3D operations. NOTE: Enabling OpenCAMLib here requires a restart of FreeCAD to take effect. - If OpenCAMLib is installed with Python bindings it can be used by some additional 3D operations. NOTE: Enabling OpenCAMLib here requires a restart of FreeCAD to take effect. + Se o OpenCAMLib estiver instalado com bindings do Python, ele pode ser usado por algumas operações 3D adicionais. NOTA: Habilitar o OpenCAMLib aqui requer uma reinicialização do FreeCAD para ter efeito. Suppress selection mode warning - Suppress selection mode warning + Suprimir aviso do modo de seleção @@ -2870,7 +2870,7 @@ Should multiple tools or tool shapes with the same name exist in different direc AxisMap Dressup - AxisMap Dressup + Ajuste do eixo do mapa @@ -2886,42 +2886,42 @@ Should multiple tools or tool shapes with the same name exist in different direc The radius of the wrapped axis - The radius of the wrapped axis + O raio do eixo envolvido The input mapping axis. Coordinates of the first axis will be mapped to the second. - The input mapping axis. Coordinates of the first axis will be mapped to the second. + O eixo de mapeamento de entrada. As coordenadas do primeiro eixo serão mapeadas para o segundo. X->A - X->A + X->A Y->A - Y->A + X->A X->B - X->B + X->B Y->B - Y->B + X->A X->C - X->C + X->A Y->C - Y->C + X->A @@ -2942,7 +2942,7 @@ Should multiple tools or tool shapes with the same name exist in different direc <html><head/><body><p>Select desired style of the bone dressup:</p><p><span style=" font-weight:600; font-style:italic;">Dogbone</span> ... take the shortest path to cover the corner,</p><p><span style=" font-weight:600; font-style:italic;">T-bone</span> ... extend a certain direction until corner is covered</p></body></html> - <html><head/><body><p>Select desired style of the bone dressup:</p><p><span style=" font-weight:600; font-style:italic;">Dogbone</span> ... take the shortest path to cover the corner,</p><p><span style=" font-weight:600; font-style:italic;">T-bone</span> ... extend a certain direction until corner is covered</p></body></html> + <html><head/><body><p>Selecione o estilo desejado do vestido de osso:</p><p><span style=" font-weight:600; font-style:italic;">Dogbone</span> ... pegue o caminho mais curto para cobrir o canto,</p><p><span style=" font-weight:600; font-style:italic;">T-bone</span> . . estender uma certa direção até o canto ser coberto</p></body></html> @@ -2952,22 +2952,22 @@ Should multiple tools or tool shapes with the same name exist in different direc T-bone horizontal - T-bone horizontal + T-bone horizontal T-bone vertical - T-bone vertical + T-bone vertical T-bone long edge - T-bone long edge + T-bone longa borda T-bone short edge - T-bone short edge + Rampa curta @@ -2977,7 +2977,7 @@ Should multiple tools or tool shapes with the same name exist in different direc On which side of the profile bones are inserted - this also determines which corners are dressed up. The default value is determined based on the profile being dressed up. - On which side of the profile bones are inserted - this also determines which corners are dressed up. The default value is determined based on the profile being dressed up. + Em qual lado do perfil os ossos são inseridos - isso também determina quais cantos são preparados. O valor padrão é determinado com base no perfil que está sendo preparado. @@ -2992,7 +2992,7 @@ Should multiple tools or tool shapes with the same name exist in different direc Incision - Incision + Incisão @@ -3042,32 +3042,32 @@ Should multiple tools or tool shapes with the same name exist in different direc Angles less than filter angle will not receive corner actions - Angles less than filter angle will not receive corner actions + Ângulos menores do que o ângulo de filtro não receberão ações do canto Distance the point trails behind the spindle - Distance the point trails behind the spindle + A distância do ponto atrás da ferramenta Height to raise during corner action - Height to raise during corner action + Altura a subir durante a ação de canto Offset Distance - Offset Distance + Distância entre linhas Pivot Height - Pivot Height + Altura Dinâmica Holding Tags - Holding Tags + Etiqueta de fixação @@ -3087,27 +3087,27 @@ Should multiple tools or tool shapes with the same name exist in different direc Width of the resulting holding tag. - Width of the resulting holding tag. + Largura da tag de fixação resultante. Height of holding tag. Note that resulting tag might be smaller if the tag's width and angle result in a triangular shape. - Height of holding tag. Note that resulting tag might be smaller if the tag's width and angle result in a triangular shape. + Altura do marcador. Note que a etiqueta resultante pode ser menor se a etiqueta'a largura e o ângulo resultarem em uma forma triangular. Plunge angle for ascent and descent of holding tag. - Plunge angle for ascent and descent of holding tag. + Ângulo de mergulho para subida e descida da etiqueta de retenção. Radius of the fillet at the top. If the radius is too big for the tag shape it gets reduced to the maximum possible radius - resulting in a spherical shape. - Radius of the fillet at the top. If the radius is too big for the tag shape it gets reduced to the maximum possible radius - resulting in a spherical shape. + Raio do filete no topo. Se o raio for muito grande para a forma do tag, será reduzido ao raio máximo possível - resultando em uma forma esférica. List of current tags. Edit coordinates by double click or Edit button. Tags are automatically disabled if they overlap with the previous tag, or don't lie on the base wire. - List of current tags. Edit coordinates by double click or Edit button. Tags are automatically disabled if they overlap with the previous tag, or don't lie on the base wire. + Lista de tags atuais. Edite as coordenadas clicando duas vezes ou com o botão Editar. Tags são automaticamente desabilitadas se elas se sobrepõem à tag anterior ou não estão no arame base. @@ -3117,7 +3117,7 @@ Should multiple tools or tool shapes with the same name exist in different direc Edit... - Edit... + Editar... @@ -3133,12 +3133,12 @@ Should multiple tools or tool shapes with the same name exist in different direc Replace All - Replace All + Substitua tudo Copy From - Copy From + Copiar de @@ -3153,12 +3153,12 @@ Should multiple tools or tool shapes with the same name exist in different direc Drag to reorder, then update. - Drag to reorder, then update. + Arraste para reordenar e depois atualizar. Add item selected in window. - Add item selected in window. + Adicionar item selecionado na janela. @@ -3168,7 +3168,7 @@ Should multiple tools or tool shapes with the same name exist in different direc Remove Item selected in list, then update. - Remove Item selected in list, then update. + Remover Item selecionado na lista, depois atualizar. @@ -3178,7 +3178,7 @@ Should multiple tools or tool shapes with the same name exist in different direc Update the path with the removed and reordered items. - Update the path with the removed and reordered items. + Atualize o caminho com os itens removidos e reordenados. @@ -3188,7 +3188,7 @@ Should multiple tools or tool shapes with the same name exist in different direc All objects will be profiled using the same depth and speed settings - All objects will be profiled using the same depth and speed settings + Todos os objetos serão perfilados com a mesma profundidade e configuração de velocidade @@ -3258,7 +3258,7 @@ Should multiple tools or tool shapes with the same name exist in different direc OCL Dropcutter - OCL Dropcutter + Dropcutter @@ -3268,12 +3268,12 @@ Should multiple tools or tool shapes with the same name exist in different direc Z Depth Correction - Z Depth Correction + Correção da Profundidade Z Probe Points File - Probe Points File + Analisar Arquivo de Pontos @@ -3283,7 +3283,7 @@ Should multiple tools or tool shapes with the same name exist in different direc Enter the filename containing the probe data - Enter the filename containing the probe data + Digite o nome do arquivo que contém os dados do perfil @@ -3293,12 +3293,12 @@ Should multiple tools or tool shapes with the same name exist in different direc Path Simulator - Path Simulator + Simulador de caminho Stop running simulation - Stop running simulation + Parar a simulação ativa @@ -3382,12 +3382,12 @@ Should multiple tools or tool shapes with the same name exist in different direc Launch CAMotics - Launch CAMotics + Iniciar CAMotics Make CAMotics File - Make CAMotics File + Criar Arquivo CAMotics @@ -3430,17 +3430,17 @@ Should multiple tools or tool shapes with the same name exist in different direc Display name of the Tool Bit (initial value taken from the shape file). - Display name of the Tool Bit (initial value taken from the shape file). + Nome de exibição da bits da ferramenta (valor inicial retirado do arquivo forma). The file which defines the type and shape of the Tool Bit. - The file which defines the type and shape of the Tool Bit. + O arquivo que define o tipo e a forma da barra de ferramentas. Change file defining type and shape of Tool Bit. - Change file defining type and shape of Tool Bit. + Alterar arquivo que define o tipo e a forma da barra de ferramentas. @@ -3450,7 +3450,7 @@ Should multiple tools or tool shapes with the same name exist in different direc Point/Tip Angle - Point/Tip Angle + Ângulo Ponto/dica @@ -3488,22 +3488,22 @@ Should multiple tools or tool shapes with the same name exist in different direc Library editor... - Library editor... + Diretório da biblioteca... Available Tool Bits to choose from. - Available Tool Bits to choose from. + Bits de ferramentas disponíveis para escolher. Create ToolControllers for the selected toolbits and add them to the Job - Create ToolControllers for the selected toolbits and add them to the Job + Crie controladores de ferramentas para os bits de ferramentas selecionados e adicione-os ao trabalho Add To Job - Add To Job + Adicionar a tarefa @@ -3511,7 +3511,7 @@ Should multiple tools or tool shapes with the same name exist in different direc Job Edit - Job Edit + Editar Tarefa @@ -3548,7 +3548,7 @@ Should multiple tools or tool shapes with the same name exist in different direc Template Export - Template Export + Exportar Modelo @@ -3587,31 +3587,31 @@ if %S is included, you can specify where the number occurs. Without it, the num The following example stores all files with the same name as the document in the directory /home/freecad (please remove quotes): "/home/cnc/%d.g-code" See the file save policy below on how to deal with name conflicts. - Enter a path and optionally file name (see below) to be used as the default for the post processor export. -The following substitutions are performed before the name is resolved at the time of the post processing: -Substitution allows the following: -%D ... directory of the active document -%d ... name of the active document (with extension) -%M ... user macro directory -%j ... name of the active Job object + Insira um caminho e, opcionalmente, um nome de arquivo (veja abaixo) a ser usado como padrão para a exportação do pós-processador. +As seguintes substituições são realizadas antes que o nome seja resolvido no momento do pós-processamento: +A substituição permite o seguinte: +%D ... diretório do documento ativo +%d ... nome do documento ativo (com extensão) +%M ... diretório da macro do usuário +%j ... nome do objeto de trabalho ativo -The Following can be used if output is being split. If Output is not split -these will be ignored. -%T ... Tool Number -%t ... Tool Controller label +O seguinte pode ser usado se a saída estiver sendo dividida. Se a saída não for dividida +eles serão ignorados. +%T ... Número da ferramenta +%t ... Etiqueta do controlador da ferramenta -%W ... Work Coordinate System -%O ... Operation Label +%W ... Sistema de coordenadas de trabalho +%O ... Rótulo da operação -When splitting output, a sequence number will always be added. +Ao dividir a saída, um número de sequência sempre será adicionado. -if %S is included, you can specify where the number occurs. Without it, the number will be added to the end of the string. +Se %S for incluído, você poderá especificar onde o número ocorre. Sem ele, o número será adicionado ao final da cadeia de caracteres. -%S ... Sequence Number +%S ... Número de sequência -The following example stores all files with the same name as the document in the directory /home/freecad (please remove quotes): -"/home/cnc/%d.g-code" -See the file save policy below on how to deal with name conflicts. +O exemplo a seguir armazena todos os arquivos com o mesmo nome do documento no diretório /home/freecad (remova as aspas): +&quot;/home/cnc/%d.g-code&quot; +Consulte a política de salvamento de arquivos abaixo para saber como lidar com conflitos de nomes. @@ -3626,7 +3626,7 @@ See the file save policy below on how to deal with name conflicts. Work Coordinate Systems - Work Coordinate Systems + Sistema de coordenadas @@ -3641,7 +3641,7 @@ See the file save policy below on how to deal with name conflicts. Optional arguments passed to the Post Processor. The arguments are specific for each Post Processor, please see its documentation for details. - Optional arguments passed to the Post Processor. The arguments are specific for each Post Processor, please see its documentation for details. + Argumentos opcionais passados para o pós-processador. Os argumentos são específicos para cada pós-processador, consulte sua documentação para obter detalhes. @@ -3652,13 +3652,16 @@ This is useful if the operator can safely load work into one coordinate system w Ordering by Tool, will minimize the Tool Changes. A tool change will be done, then all operations in all coordinate systems before changing tools. Ordering by operation will do each operation in all coordinate systems before moving to the next operation. This is especially useful in conjunction with the 'split output' even with only a single work coordinate system since it will put each operation into a separate file. - Ordering by Fixture, will cause all operations to be performed in the first coordinate system before switching to the second. Then all operations will be performed there in the same order. + A ordenação por dispositivo fará com que todas as operações sejam realizadas no primeiro sistema de coordenadas antes de mudar para o segundo. Em seguida, todas as operações serão executadas na mesma ordem. -This is useful if the operator can safely load work into one coordinate system while the machine is doing work in another. +Isso é útil se o operador puder carregar com segurança o trabalho em um sistema de coordenadas enquanto a máquina estiver trabalhando em outro. -Ordering by Tool, will minimize the Tool Changes. A tool change will be done, then all operations in all coordinate systems before changing tools. +A ordenação por ferramenta minimizará as trocas de ferramenta. Será feita uma troca de ferramenta e, em seguida, todas as operações em todos os sistemas de coordenadas antes de trocar as ferramentas. + +A ordenação por operação realizará cada operação em todos os sistemas de coordenadas antes de passar para a próxima operação. Isso é especialmente útil em conjunto com o 'split output' mesmo com apenas um único sistema de coordenadas de trabalho, pois colocará cada operação em um arquivo separado. -Ordering by operation will do each operation in all coordinate systems before moving to the next operation. This is especially useful in conjunction with the 'split output' even with only a single work coordinate system since it will put each operation into a separate file. + + @@ -3675,7 +3678,7 @@ FreeCAD has no knowledge of where a particular coordinate system exists within t Setup - Setup + Configurar @@ -3715,7 +3718,7 @@ FreeCAD has no knowledge of where a particular coordinate system exists within t Assign Stock Material - Assign Stock Material + Atribuir Material de Estoque @@ -3880,12 +3883,12 @@ Padrão: "5mm" Horizontal Feed - Horizontal Feed + Eixos horizontais Vertical Feed - Vertical Feed + Eixos verticais @@ -3900,7 +3903,7 @@ Padrão: "5mm" Active Tool - Active Tool + Ferramenta ativa @@ -3910,7 +3913,7 @@ Padrão: "5mm" If multiple coordinate systems are in use, setting this to TRUE will cause the gcode to be written to multiple output files as controlled by the 'order by' property. For example, if ordering by Fixture, the first output file will be for the first fixture and separate file for the second. - If multiple coordinate systems are in use, setting this to TRUE will cause the gcode to be written to multiple output files as controlled by the 'order by' property. For example, if ordering by Fixture, the first output file will be for the first fixture and separate file for the second. + Se vários sistemas de coordenadas estiverem em uso, definir isso como TRUE fará com que o gcode seja escrito em vários arquivos de saída, conforme controlado pela ordem 'por' propriedade. Por exemplo, se a ordenação por Instalação, o primeiro arquivo de saída será para a primeira instalação e arquivo separado para o segundo. @@ -4078,28 +4081,28 @@ Padrão: 3 mm Project Setup - Project Setup + Configurações do Projeto Tool Commands - Tool Commands + Comandos da ferramenta New Operations - New Operations + Novas Operações Path Modification - Path Modification + Modificação do caminho Helpful Tools - Helpful Tools + Ferramentas úteis @@ -4116,22 +4119,22 @@ Padrão: 3 mm Path Dressup - Path Dressup + Caminho de ajuste Supplemental Commands - Supplemental Commands + Comandos complementares Specialty Operations - Specialty Operations + Operações especializadas Utils - Utils + Utilidades @@ -4145,17 +4148,17 @@ Padrão: 3 mm Drag Slider to Simulate - Drag Slider to Simulate + Arraste a barra deslizante para simular Save Project As - Save Project As + Salvar Projeto como CAMotics Project (*.camotics) - CAMotics Project (*.camotics) + Projeto CAMotics (*.camotics) @@ -4172,27 +4175,27 @@ Padrão: 3 mm Tool number - Tool number + Número da ferramenta Horizontal feedrate - Horizontal feedrate + Vazão horizontal Vertical feedrate - Vertical feedrate + Vazão vertical Spindle RPM - Spindle RPM + RPM do eixo Selected tool is not a drill - Selected tool is not a drill + A ferramenta selecionada não é uma broca @@ -4202,12 +4205,12 @@ Padrão: 3 mm Cutting Edge Angle (%.2f) results in negative tool tip length - Cutting Edge Angle (%.2f) results in negative tool tip length + Ângulo de corte de aresta (%.2f) resulta num Comprimento de Ponta da ferramenta negativa Save Sanity Check Report - Save Sanity Check Report + Salvar Relatório de Verificação de prova real @@ -4240,7 +4243,7 @@ Padrão: 3 mm isVertical(%s) not supported - isVertical(%s) not supported + @@ -4255,7 +4258,7 @@ Padrão: 3 mm Zero working area to process. Check your selection and settings. - Zero working area to process. Check your selection and settings. + Nenhuma área trabalhável para processar. Verifique a sua seleção e as configurações. @@ -4263,64 +4266,64 @@ Padrão: 3 mm List of custom property groups - List of custom property groups + Lista de grupos de propriedades personalizadas Default speed for horizontal rapid moves. - Default speed for horizontal rapid moves. + Velocidade padrão para movimentos rápidos horizontais. Default speed for vertical rapid moves. - Default speed for vertical rapid moves. + Velocidade padrão para movimentos rápidos verticais. Coolant Modes - Coolant Modes + Modos de resfriamento Default coolant mode. - Default coolant mode. + Modo de resfriamento padrão. The usage of this field depends on SafeHeightExpression - by default its value is added to the start depth and used for the safe height of an operation. - The usage of this field depends on SafeHeightExpression - by default its value is added to the start depth and used for the safe height of an operation. + O uso desse campo depende da expressão da altura da folga por padrão, seu valor é adicionado à profundidade inicial e usado para a altura segura de uma operação. Expression for the safe height of new operations. - Expression for the safe height of new operations. + Expressão pronta para a Altura Segura de novas operações. The usage of this field depends on ClearanceHeightExpression - by default is value is added to the start depth and used for the clearance height of an operation. - The usage of this field depends on ClearanceHeightExpression - by default is value is added to the start depth and used for the clearance height of an operation. + O uso deste campo depende da Expressão da Altura livre por padrão é o valor adicionado à Profundidade Inicial e usada para Altura da Folga de uma operação. Expression for the clearance height of new operations. - Expression for the clearance height of new operations. + Expressão pronta para a Altura Segura de novas operações. Expression used for the start depth of new operations. - Expression used for the start depth of new operations. + Expressão usada para a profundidade inicial de novas operações. Expression used for the final depth of new operations. - Expression used for the final depth of new operations. + Expressão usada para a profundidade final de novas operações. Expression used for step down of new operations. - Expression used for step down of new operations. + Expressão usada para o passo de profundidade de novas operações. @@ -4328,22 +4331,22 @@ Padrão: 3 mm The base path to modify - The base path to modify + O caminho de base para modificar Solid object to be used to limit the generated Path. - Solid object to be used to limit the generated Path. + Objeto sólido a ser usado para limitar o caminho gerado. Determines if Boundary describes an inclusion or exclusion mask. - Determines if Boundary describes an inclusion or exclusion mask. + Determina se o objeto limite descreve uma máscara de inclusão ou exclusão. The base path to dress up - The base path to dress up + O caminho base para ajustar @@ -4367,13 +4370,13 @@ Padrão: 3 mm Dressup length if incision is set to 'custom' - Dressup length if incision is set to 'custom' + Comprimento da trajetória adicional se a incisão estiver definida para 'personalizada' Bones that aren't dressed up - Bones that aren't dressed up + Ossos que não estão ajustados @@ -4418,7 +4421,7 @@ Padrão: 3 mm The radius of the wrapped axis - The radius of the wrapped axis + O raio do eixo envolvido @@ -4431,17 +4434,17 @@ Padrão: 3 mm Angles less than filter angle will not receive corner actions - Angles less than filter angle will not receive corner actions + Ângulos menores do que o ângulo de filtro não receberão ações do canto Distance the point trails behind the spindle - Distance the point trails behind the spindle + A distância do ponto atrás da ferramenta Height to raise during corner action - Height to raise during corner action + Altura a subir durante a ação de canto @@ -5110,7 +5113,7 @@ Padrão: 3 mm Use adaptive algorithm to eliminate excessive air milling below planar pocket bottom. - Use adaptive algorithm to eliminate excessive air milling below planar pocket bottom. + Usar algoritmo adaptativo para eliminar usinagem em vazio excessiva no fundo do rebaixo. @@ -5576,7 +5579,7 @@ Padrão: 3 mm Select the algorithm to use: OCL Dropcutter*, or Experimental (Not OCL based). - Select the algorithm to use: OCL Dropcutter*, or Experimental (Not OCL based). + Selecione o algoritmo a ser usado: Dropcutter OCL*, ou Experimental (não baseado em OCL). @@ -6028,7 +6031,7 @@ Padrão: 3 mm OCL Dropcutter - OCL Dropcutter + Dropcutter @@ -6816,7 +6819,7 @@ Aborting op creation Z Depth Correction - Z Depth Correction + Correção da Profundidade Z @@ -7656,7 +7659,7 @@ For example: Creates a Helical toolpath from the features of a base object - Creates a Helical toolpath from the features of a base object + Cria um objeto de trajetória helicoidal a partir dos recursos de um objeto base diff --git a/src/Mod/CAM/Gui/Resources/translations/CAM_pt-PT.ts b/src/Mod/CAM/Gui/Resources/translations/CAM_pt-PT.ts index d99d4d7a7139..0683a3c2d57c 100644 --- a/src/Mod/CAM/Gui/Resources/translations/CAM_pt-PT.ts +++ b/src/Mod/CAM/Gui/Resources/translations/CAM_pt-PT.ts @@ -2218,7 +2218,7 @@ Padrão: 3 mm Display Name - Display Name + Nome a exibir @@ -3422,7 +3422,7 @@ Should multiple tools or tool shapes with the same name exist in different direc Display Name - Display Name + Nome a exibir diff --git a/src/Mod/CAM/Gui/Resources/translations/CAM_tr.ts b/src/Mod/CAM/Gui/Resources/translations/CAM_tr.ts index f5ab1811cc6c..fd30ffbd1da3 100644 --- a/src/Mod/CAM/Gui/Resources/translations/CAM_tr.ts +++ b/src/Mod/CAM/Gui/Resources/translations/CAM_tr.ts @@ -1116,12 +1116,12 @@ Reset deletes all current items from the list and fills the list with all circul Round joint - Round joint + Yuvarlak eklem Miter joint - Miter joint + Gönye birleştirme @@ -3906,7 +3906,7 @@ Default: "5mm" Active Tool - Active Tool + Aktif Araç @@ -4178,7 +4178,7 @@ Default: 3 mm Tool number - Tool number + Araç numarası @@ -4193,7 +4193,7 @@ Default: 3 mm Spindle RPM - Spindle RPM + Mil Devir Sayısı @@ -6725,17 +6725,17 @@ Aborting op creation RampMethod1 - RampMethod1 + RampaYöntemi1 RampMethod2 - RampMethod2 + RampaYöntemi2 RampMethod3 - RampMethod3 + RampaYöntemi3 @@ -7097,12 +7097,12 @@ For example: Run Summary - Run Summary + Özet Çalıştır Rough Stock - Rough Stock + Kaba Stok @@ -7142,7 +7142,7 @@ For example: Tool Number - Tool Number + Araç Numarası @@ -7162,7 +7162,7 @@ For example: Part Number - Part Number + Parça Numarası @@ -7287,7 +7287,7 @@ For example: G-code File - G-code File + G-kod Dosyası @@ -7685,7 +7685,7 @@ For example: Face Region - Face Region + Yüz Bölgesi @@ -8337,7 +8337,7 @@ For example: Simple Copy - Simple Copy + Basit Kopyalama @@ -8436,7 +8436,7 @@ For example: Create Tool - Create Tool + Araç Oluştur diff --git a/src/Mod/CAM/Gui/Resources/translations/CAM_zh-CN.ts b/src/Mod/CAM/Gui/Resources/translations/CAM_zh-CN.ts index cdd6bb29d123..a0a5adc40dae 100644 --- a/src/Mod/CAM/Gui/Resources/translations/CAM_zh-CN.ts +++ b/src/Mod/CAM/Gui/Resources/translations/CAM_zh-CN.ts @@ -6,7 +6,7 @@ CAM - CAM + CAM @@ -24,7 +24,7 @@ CAM - CAM + CAM @@ -42,7 +42,7 @@ CAM - CAM + CAM @@ -52,7 +52,7 @@ Creates a compound from selected toolpaths - Creates a compound from selected toolpaths + 根据选定的刀轨创建复轨 @@ -60,7 +60,7 @@ CAM - CAM + CAM @@ -70,7 +70,7 @@ Creates a toolpath from a selected shape - Creates a toolpath from a selected shape + 根据选定的形状创建刀轨 @@ -224,11 +224,7 @@ Any values of the SetupSheet that are changed from their default are preselected This option is most useful if stock is a box or cylinder, or if the machine has a standard placement for machining. Note that this option is disabled if a stock object from an existing solid is used in the job - they cannot be stored in a template. - If enabled the creation of stock is included in the template. If a template does not include a stock definition the default stock creation algorithm will be used (creation from the Base object's bounding box). - -This option is most useful if stock is a box or cylinder, or if the machine has a standard placement for machining. - -Note that this option is disabled if a stock object from an existing solid is used in the job - they cannot be stored in a template. + 如果启用,则毛坯创建将包含在模板中。如果模板不包含毛坯定义,则将使用默认毛坯创建算法(从基础对象的边界框创建)。 @@ -276,11 +272,11 @@ Note that only operations which currently have configuration values set are list For Box and Cylinder stocks this means the actual size of the stock solid being created. For stock from the Base object's bounding box it means the extra material in all directions. A stock object created from such a template will get its basic size from the new job's Base object and apply the stored extra settings. - If enabled the current size settings for the stock object are included in the template. + 如果启用,则毛坯对象的当前大小设置将包含在模板中。 -For Box and Cylinder stocks this means the actual size of the stock solid being created. +对于长方体和圆柱体毛坯,这意味着要创建的毛坯实体的实际大小。 -For stock from the Base object's bounding box it means the extra material in all directions. A stock object created from such a template will get its basic size from the new job's Base object and apply the stored extra settings. +对于基础对象边界框中的毛坯,这意味着所有方向上的额外材料。从这类模板创建的毛坯对象,将从新作业的基本对象中获得其基本大小,并自动应用存储的额外配置。 @@ -385,7 +381,7 @@ For stock from the Base object's bounding box it means the extra material i Name of property. Can only contain letters, numbers, and underscores. MixedCase names will display with spaces "Mixed Case" - Name of property. Can only contain letters, numbers, and underscores. MixedCase names will display with spaces "Mixed Case" + 属性名称。只能包含字母、数字和下划线。混合大小写(如:MixedCase)名称将以空格分割显示(“Mixed Case”) @@ -584,12 +580,12 @@ For stock from the Base object's bounding box it means the extra material i Extension of bounding box's MinX - Extension of bounding box's MinX + 边框扩展的最小X Extension of bounding box's MaxX - Extension of bounding box's MaxX + 边框扩展的最大X @@ -599,12 +595,12 @@ For stock from the Base object's bounding box it means the extra material i Extension of bounding box's MinY - Extension of bounding box's MinY + 边框扩展的最小Y Extension of bounding box's MaxY - Extension of bounding box's MaxY + 边框扩展的最大Y @@ -614,12 +610,12 @@ For stock from the Base object's bounding box it means the extra material i Extension of bounding box's MinZ - Extension of bounding box's MinZ + 边框扩展的最小Z Extension of bounding box's MaxZ - Extension of bounding box's MaxZ + 边框扩展的最大Z @@ -649,12 +645,12 @@ For stock from the Base object's bounding box it means the extra material i If checked the path is constrained by the solid. Otherwise the volume of the solid describes a 'keep out' zone - If checked the path is constrained by the solid. Otherwise the volume of the solid describes a 'keep out' zone + 如果选中,则刀轨将受到实体的限制。否则,实体的内部将描述“禁入”区域 Extend Model's Bounding Box - Extend Model's Bounding Box + 扩展模型的边框 @@ -695,7 +691,7 @@ For stock from the Base object's bounding box it means the extra material i Select one or more features in the 3d view and press 'Add' to add them as the base items for this operation. Selected features can be deleted entirely. - Select one or more features in the 3d view and press 'Add' to add them as the base items for this operation. Selected features can be deleted entirely. + 在三维视图中选择一个或多个特征,然后按“添加”将其添加为此加工的基本项。选定的特征可以完全删除。 @@ -770,7 +766,7 @@ Reset deletes all current items from the list and fills the list with all circul Remove all list items and fill list with all eligible features from the job's base object. - Remove all list items and fill list with all eligible features from the job's base object. + 从作业的基本对象中删除所有列表项并用所有符合条件的特征填充列表。 @@ -1171,7 +1167,7 @@ Reset deletes all current items from the list and fills the list with all circul Don't retract after every hole - Don't retract after every hole + 不要在每个孔加工后都收回 @@ -1211,7 +1207,7 @@ Reset deletes all current items from the list and fills the list with all circul Feed retract - Feed retract + 进给回退 @@ -1580,7 +1576,7 @@ The latter can be used to face of the entire stock area to ensure uniform height Check if you want this profile operation to also be applied to cylindrical holes, which normally get drilled. This can be useful if no drill of adequate size is available or the number of holes don't warrant a tool change. Note that the cut side and direction is reversed in respect to the specified values - Check if you want this profile operation to also be applied to cylindrical holes, which normally get drilled. This can be useful if no drill of adequate size is available or the number of holes don't warrant a tool change. Note that the cut side and direction is reversed in respect to the specified values + 勾选是否希望将此轮廓操作也应用于通常要钻孔的圆柱孔。如果没有足够尺寸的钻头可用或孔的数量不足以换刀,则此功能很有用。请注意,切割面和方向相对于指定值是相反的! @@ -1665,17 +1661,17 @@ The latter can be used to face of the entire stock area to ensure uniform height Choose what point to use on the first selected feature - Choose what point to use on the first selected feature + 选择要在第一个选定特征上使用的点 Choose what point to use on the second selected feature - Choose what point to use on the second selected feature + 选择要在第二个选定特征上使用的点 No Base Geometry selected - No Base Geometry selected + 未选择基础几何图形 @@ -1685,7 +1681,7 @@ The latter can be used to face of the entire stock area to ensure uniform height Currently using custom point inputs in the Property View of the Data tab - Currently using custom point inputs in the Property View of the Data tab + 当前在“数据”选项卡的“特性视图”中使用自定义点输入 @@ -1700,7 +1696,7 @@ The latter can be used to face of the entire stock area to ensure uniform height Positive extends the beginning of the path, negative shortens - Positive extends the beginning of the path, negative shortens + 正值延长刀轨的起点,负值缩短刀轨的起点 @@ -1710,7 +1706,7 @@ The latter can be used to face of the entire stock area to ensure uniform height Positive extends the end of the path, negative shortens - Positive extends the end of the path, negative shortens + 正值延伸刀轨的终点,负值缩短刀轨的终点 @@ -2560,7 +2556,7 @@ See the file save policy below on how to deal with name conflicts. Extend Model's Bounding Box - Extend Model's Bounding Box + 扩展模型的边框 @@ -3707,7 +3703,7 @@ FreeCAD has no knowledge of where a particular coordinate system exists within t Extend Model's Bounding Box - Extend Model's Bounding Box + 扩展模型的边框 @@ -6441,7 +6437,7 @@ Aborting op creation Extend - Extend + 延伸 diff --git a/src/Mod/CAM/Gui/Resources/translations/CAM_zh-TW.ts b/src/Mod/CAM/Gui/Resources/translations/CAM_zh-TW.ts index 1d54a5f17824..18c5b9ecec3c 100644 --- a/src/Mod/CAM/Gui/Resources/translations/CAM_zh-TW.ts +++ b/src/Mod/CAM/Gui/Resources/translations/CAM_zh-TW.ts @@ -1297,7 +1297,7 @@ Reset deletes all current items from the list and fills the list with all circul Set the extent of the dimension -the default value is half the tool diameter - Set the extent of the dimension -the default value is half the tool diameter + 設定標註尺寸範圍 - 預設值為刀具直徑的一半 @@ -4409,7 +4409,7 @@ Default: 3 mm IDs of disabled holding tags - IDs of disabled holding tags + 停用持有標籤的 ID @@ -5126,7 +5126,7 @@ Default: 3 mm Extra offset to apply to the operation. Direction is operation dependent. - Extra offset to apply to the operation. Direction is operation dependent. + 應用於操作的額外偏移。方向取決於操作。 @@ -5475,7 +5475,7 @@ Default: 3 mm Feedback: three smallest gaps identified in the path geometry. - Feedback: three smallest gaps identified in the path geometry. + 回饋:路徑幾何中確定的三個最小間隙。. @@ -5955,7 +5955,7 @@ Default: 3 mm Failed to identify tool for operation. - Failed to identify tool for operation. + 無法辨識操作工具。 @@ -6013,7 +6013,7 @@ Default: 3 mm Diameter dimension missing from ToolBit shape. - Diameter dimension missing from ToolBit shape. + ToolBit 形狀中缺少直徑尺寸。 @@ -7863,7 +7863,7 @@ For example: Custom points are identical. No slot path will be generated - Custom points are identical. No slot path will be generated + 自訂點是相同的。不會產生插槽路徑 @@ -7910,7 +7910,7 @@ For example: No parallel edges identified. - No parallel edges identified. + 未識別出平行邊緣。 diff --git a/src/Mod/CAM/Path/Op/Drilling.py b/src/Mod/CAM/Path/Op/Drilling.py index ae17156cba2d..4df30f675d92 100644 --- a/src/Mod/CAM/Path/Op/Drilling.py +++ b/src/Mod/CAM/Path/Op/Drilling.py @@ -253,7 +253,7 @@ def circularHoleExecute(self, obj, holes): holes = PathUtils.sort_locations(holes, ["x", "y"]) # This section is technical debt. The computation of the - # target shapes should be factored out for re-use. + # target shapes should be factored out for reuse. # This will likely mean refactoring upstream CircularHoleBase to pass # spotshapes instead of holes. diff --git a/src/Mod/CAM/Path/Tool/Gui/BitEdit.py b/src/Mod/CAM/Path/Tool/Gui/BitEdit.py index dda820393b6a..c23af9e196a7 100644 --- a/src/Mod/CAM/Path/Tool/Gui/BitEdit.py +++ b/src/Mod/CAM/Path/Tool/Gui/BitEdit.py @@ -119,7 +119,7 @@ def labelText(name): usedRows = 0 for nr, name in enumerate(tool.Proxy.toolShapeProperties(tool)): if nr < len(self.widgets): - Path.Log.debug("re-use row: {} [{}]".format(nr, name)) + Path.Log.debug("reuse row: {} [{}]".format(nr, name)) label, qsb, editor = self.widgets[nr] label.setText(labelText(name)) editor.attachTo(tool, name) diff --git a/src/Mod/CAM/libarea/Adaptive.cpp b/src/Mod/CAM/libarea/Adaptive.cpp index 751241803830..3b45c3254a8c 100644 --- a/src/Mod/CAM/libarea/Adaptive.cpp +++ b/src/Mod/CAM/libarea/Adaptive.cpp @@ -2781,6 +2781,7 @@ void Adaptive2d::ProcessPolyNode(Paths boundPaths, Paths toolBoundPaths) // double(entryPoint.Y)/scaleFactor << endl; AdaptiveOutput output; + output.ReturnMotionType = 0; output.HelixCenterPoint.first = double(entryPoint.X) / scaleFactor; output.HelixCenterPoint.second = double(entryPoint.Y) / scaleFactor; diff --git a/src/Mod/Draft/Resources/translations/Draft.ts b/src/Mod/Draft/Resources/translations/Draft.ts index 7927f6d2378c..d66c0cb69cc1 100644 --- a/src/Mod/Draft/Resources/translations/Draft.ts +++ b/src/Mod/Draft/Resources/translations/Draft.ts @@ -2995,7 +2995,7 @@ if they match the X, Y or Z axis of the global coordinate system - + Angle @@ -3214,14 +3214,14 @@ Not available if Draft preference option 'Use Part Primitives' is enab - + Distance - + Offset distance @@ -4054,33 +4054,38 @@ The final angle will be the base angle plus this amount. - + + Trimex is not supported yet on this type of object. + + + + Pick distance - + Offset angle - + Unable to trim these objects, only Draft wires and arcs are supported. - + Unable to trim these objects, too many wires - + These objects don't intersect. - + Too many intersection points. @@ -4786,39 +4791,39 @@ The final angle will be the base angle plus this amount. - + Start Offset too large for path length. Using zero instead. - + End Offset too large for path length minus Start Offset. Using zero instead. - + Length of tangent vector is zero. Copy not aligned. - - + + Length of normal vector is zero. Using a default axis instead. - - + + Tangent and normal vectors are parallel. Normal replaced by a default axis. - + Cannot calculate normal vector. Using the default normal instead. - + AlignMode {} is not implemented @@ -5159,24 +5164,24 @@ The final angle will be the base angle plus this amount. - + Activate this layer - + Select layer contents - - + + Merge layer duplicates - - + + Add new layer @@ -5300,53 +5305,53 @@ The final angle will be the base angle plus this amount. - + Found 1 non-parametric objects: draftifying it - + Found 1 closed sketch object: creating a face from it - + Found closed wires: creating faces - + Found several wires or edges: wiring them - - + + Found several non-treatable objects: creating compound - + trying: closing it - + Found 1 open wire: closing it - + Found 1 object: draftifying it - + Found points: creating compound - + Unable to upgrade these objects. @@ -5833,12 +5838,12 @@ from menu Tools -> Addon Manager importOCA - + OCA: found no data to export - + successfully exported @@ -5846,7 +5851,7 @@ from menu Tools -> Addon Manager ImportAirfoilDAT - + Did not find enough coordinates diff --git a/src/Mod/Draft/Resources/translations/Draft_be.qm b/src/Mod/Draft/Resources/translations/Draft_be.qm index fbbc7a9e6f5d..ca8e03ba0b22 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 5a8ff9948900..8fad16a5cf6d 100644 --- a/src/Mod/Draft/Resources/translations/Draft_be.ts +++ b/src/Mod/Draft/Resources/translations/Draft_be.ts @@ -3068,7 +3068,7 @@ if they match the X, Y or Z axis of the global coordinate system - + Angle Вугал @@ -3289,14 +3289,14 @@ Not available if Draft preference option 'Use Part Primitives' is enabled - + Distance Адлегласць - + Offset distance Адлегласць зрушэння @@ -4137,33 +4137,38 @@ The final angle will be the base angle plus this amount. Можна выдушыць толькі адну грань. - + + Trimex is not supported yet on this type of object. + Trimex is not supported yet on this type of object. + + + Pick distance Выберыце адлегласць - + Offset angle Вугал зрушэння - + Unable to trim these objects, only Draft wires and arcs are supported. Немагчыма абрэзаць аб'екты, падтрымліваюцца толькі ломаныя лініі і дугі Чарнавіка. - + Unable to trim these objects, too many wires Немагчыма абрэзаць аб'екты, зашмат ломаных ліній - + These objects don't intersect. Аб'екты не перасякаюцца. - + Too many intersection points. Зашмат кропак скрыжавання. @@ -4869,39 +4874,39 @@ The final angle will be the base angle plus this amount. дадана ўласцівасць 'Fuse' - + Start Offset too large for path length. Using zero instead. Пачатковае зрушэнне занадта вялікае для даўжыні траекторыі. Замест гэтага ўжываецца нуль. - + End Offset too large for path length minus Start Offset. Using zero instead. Канчатковае зрушэнне занадта вялікае для даўжыні траекторыі за мінусам Пачатковага зрушэння. Замест гэтага ўжываецца нуль. - + Length of tangent vector is zero. Copy not aligned. Даўжыня датычнага вектару - нуль. Копія не выраўнаваная. - - + + Length of normal vector is zero. Using a default axis instead. Даўжыня вектару нармалі - нуль. Замест гэтага ўжываецца першапачатковая вось. - - + + Tangent and normal vectors are parallel. Normal replaced by a default axis. Вектары датычнай і нармалі паралельныя. Вектар нармалі заменены першапачатковай воссю. - + Cannot calculate normal vector. Using the default normal instead. Не атрымалася вылічыць вектар нармалі. Замест гэтага ўжываецца першапачатковы вектар нармалі. - + AlignMode {} is not implemented AlignMode {} - не рэалізаваны @@ -5242,24 +5247,24 @@ The final angle will be the base angle plus this amount. Няправільны ўвод: павінен быць лік ад 0 да 100. - + Activate this layer Задзейнічаць гэты ўзровень - + Select layer contents Абраць змест пласта - - + + Merge layer duplicates Аб'яднаць паўторныя пласты - - + + Add new layer Дадаць новы пласт @@ -5383,53 +5388,53 @@ The final angle will be the base angle plus this amount. Знойдзены аб'ект з некалькімі гранямі ў адной плоскасці: удасканальваю - + Found 1 non-parametric objects: draftifying it Знойдзены адзін непараметрычны аб'ект: удакладняю - + Found 1 closed sketch object: creating a face from it Знойдзены адзін замкнуты аб'ект эскіза: ствараю з яго грані - + Found closed wires: creating faces Знойдзены замкнутыя ломаныя лініі: ствараю грані - + Found several wires or edges: wiring them Знойдзена некалькі ломаных ліній ці рэбраў: звязваю - - + + Found several non-treatable objects: creating compound Знойдзена некалькі аб'ектаў, якія не паддаюцца выпраўленню: ствараю злучэнне - + trying: closing it спроба: зачыняю - + Found 1 open wire: closing it Знойдзены адна разамкнутая ломаная лінія: замыкаю - + Found 1 object: draftifying it Знойдзены адзін аб'ект: удакладняю - + Found points: creating compound Знойдзены кропкі: ствараю злучэнне - + Unable to upgrade these objects. Немагчыма абнавіць аб'екты. @@ -5924,12 +5929,12 @@ from menu Tools -> Addon Manager importOCA - + OCA: found no data to export OCA: не знойдзена дадзеных для экспартавання - + successfully exported паспяхова экспартавана @@ -5937,7 +5942,7 @@ from menu Tools -> Addon Manager ImportAirfoilDAT - + Did not find enough coordinates Не знойдзена дастатковай колькасці каардынат diff --git a/src/Mod/Draft/Resources/translations/Draft_ca.qm b/src/Mod/Draft/Resources/translations/Draft_ca.qm index 3c63e8274ed2..f2a7e4732ea5 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 faadeb9d058d..6f3a35a6fa60 100644 --- a/src/Mod/Draft/Resources/translations/Draft_ca.ts +++ b/src/Mod/Draft/Resources/translations/Draft_ca.ts @@ -3035,7 +3035,7 @@ si coincideixen amb l'eix X, Y o Z del sistema de coordenades global - + Angle Angle @@ -3254,14 +3254,14 @@ Not available if Draft preference option 'Use Part Primitives' is enabled - + Distance Distància - + Offset distance Distància de desplaçament @@ -4097,33 +4097,38 @@ L'angle final serà l'angle de base més aquesta quantitat. Només es pot extrudir una sola cara. - + + Trimex is not supported yet on this type of object. + Trimex is not supported yet on this type of object. + + + Pick distance Tria l'equidistància - + Offset angle Angle d'equidistància - + Unable to trim these objects, only Draft wires and arcs are supported. No es poden retallar aquests objectes, només es permeten polilínies i arcs. - + Unable to trim these objects, too many wires No es poden retallar aquests objectes, massa polilínies - + These objects don't intersect. Aquests objectes no s'intersequen. - + Too many intersection points. Massa punts d'intersecció. @@ -4829,39 +4834,39 @@ L'angle final serà l'angle de base més aquesta quantitat. s'ha afegit la propietat 'Fuse' - + Start Offset too large for path length. Using zero instead. L'equidistància inicial és massa gran per la longitud del camí. Utilitzant zero en el seu lloc. - + End Offset too large for path length minus Start Offset. Using zero instead. L'equidistància final és massa gran per la longitud del camí menys l'equidistància inicial. Utilitzant zero en el seu lloc. - + Length of tangent vector is zero. Copy not aligned. La longitud del vector tangent és zero. Còpia no-alineada. - - + + Length of normal vector is zero. Using a default axis instead. La longitud del vector normal és zero. Utilitzant l'eix predeterminat en el seu lloc. - - + + Tangent and normal vectors are parallel. Normal replaced by a default axis. Els vectors tangent i normal són paral·lels. S'ha substituït el vector normal per un eix predeterminat. - + Cannot calculate normal vector. Using the default normal instead. No es pot calcular el vector normal. Utilitzant el vector normal predeterminat en el seu lloc. - + AlignMode {} is not implemented AlignMode {} no està implementat @@ -5202,24 +5207,24 @@ L'angle final serà l'angle de base més aquesta quantitat. Entrada incorrecta: ha de ser un nombre entre 0 i 100. - + Activate this layer Activa aquesta capa - + Select layer contents Selecciona el contingut de la capa - - + + Merge layer duplicates Fusiona duplicats de capa - - + + Add new layer Afegeix una nova capa @@ -5343,53 +5348,53 @@ L'angle final serà l'angle de base més aquesta quantitat. S'ha trobat un objecte amb diverses cares coplanars: refineu-les - + Found 1 non-parametric objects: draftifying it S'ha trobat 1 objecte no paramètric: s'està esbossant - + Found 1 closed sketch object: creating a face from it S'ha trobat 1 objecte croquis tancat: es crearà una cara - + Found closed wires: creating faces S'han trobat fils tancats: creant cares - + Found several wires or edges: wiring them S'han trobat diversos filferros o arestes: s'uniran - - + + Found several non-treatable objects: creating compound S'han trobat diversos objectes intractables: s'està creant un compost - + trying: closing it provant: s'està tancant - + Found 1 open wire: closing it S'ha trobat un filferro obert: es tancarà - + Found 1 object: draftifying it S'ha trobat un objecte: esbossant-lo - + Found points: creating compound S'han trobat punts: s'està creant un compost - + Unable to upgrade these objects. No es poden actualitzar aquests objectes. @@ -5885,12 +5890,12 @@ mitjançant l'opció Eines ->Gestor de complements importOCA - + OCA: found no data to export OCA: no s'ha trobat cap dada per a exportar - + successfully exported exportat amb èxit @@ -5898,7 +5903,7 @@ mitjançant l'opció Eines ->Gestor de complements ImportAirfoilDAT - + Did not find enough coordinates No s'han trobat suficients coordenades diff --git a/src/Mod/Draft/Resources/translations/Draft_cs.qm b/src/Mod/Draft/Resources/translations/Draft_cs.qm index f35666e410c6..61673b5dcbeb 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 23e70e218d4e..e1be1fbbd2d0 100644 --- a/src/Mod/Draft/Resources/translations/Draft_cs.ts +++ b/src/Mod/Draft/Resources/translations/Draft_cs.ts @@ -3071,7 +3071,7 @@ pokud odpovídají osám X, Y, nebo Z globální souřadnicové soustavy - + Angle Úhel @@ -3293,14 +3293,14 @@ Není k dispozici, pokud je povolena možnost předvolby návrhu „Použít zá - + Distance Vzdálenost - + Offset distance Offsetová vzdálenost @@ -4139,33 +4139,38 @@ Konečný úhel bude základní úhel plus tato hodnota. Lze vysunout pouze jedna plocha. - + + Trimex is not supported yet on this type of object. + Trimex is not supported yet on this type of object. + + + Pick distance Vyberte vzdálenost - + Offset angle Úhel odsazení - + Unable to trim these objects, only Draft wires and arcs are supported. Tyto objekty nelze oříznout, jsou podporovány pouze dráty a oblouky. - + Unable to trim these objects, too many wires Tyto předměty nelze oříznout, příliš mnoho drátů - + These objects don't intersect. Tyto objekty se nekříží. - + Too many intersection points. Příliš mnoho průsečíků. @@ -4871,39 +4876,39 @@ Konečný úhel bude základní úhel plus tato hodnota. přidána vlastnost 'Fuse' - + Start Offset too large for path length. Using zero instead. Počáteční offset je příliš velký pro délku cesty. Místo toho použijte nulu. - + End Offset too large for path length minus Start Offset. Using zero instead. Koncový posun je příliš velký pro délku dráhy mínus Počáteční posun. Místo toho použijte nulu. - + Length of tangent vector is zero. Copy not aligned. Délka tečného vektoru je nula. Kopie není zarovnána. - - + + Length of normal vector is zero. Using a default axis instead. Délka normálního vektoru je nula. Místo toho použijte výchozí osu. - - + + Tangent and normal vectors are parallel. Normal replaced by a default axis. Tečné a normálové vektory jsou rovnoběžné. Normální nahrazeno výchozí osou. - + Cannot calculate normal vector. Using the default normal instead. Nelze vypočítat normální vektor. Místo toho použijte výchozí normální. - + AlignMode {} is not implemented AlignMode {} není implementován @@ -5244,24 +5249,24 @@ Konečný úhel bude základní úhel plus tato hodnota. Chybný vstup: musí to být číslo mezi 0 a 100. - + Activate this layer Aktivujte tuto vrstvu - + Select layer contents Vyberte obsah vrstvy - - + + Merge layer duplicates Sloučit duplikáty vrstev - - + + Add new layer Přidat novou vrstvu @@ -5385,53 +5390,53 @@ Konečný úhel bude základní úhel plus tato hodnota. Nalezený objekt s několika koplanárními plochami: upřesněte je - + Found 1 non-parametric objects: draftifying it Nalezeno 1 neparametrických objektů: návrh - + Found 1 closed sketch object: creating a face from it Nalezen 1 uzavřený objekt skici: vytvoření plochy z něj - + Found closed wires: creating faces Nalezené uzavřené dráty: vytváření tváří - + Found several wires or edges: wiring them Nalezeno několik drátů nebo hran: zapojte je - - + + Found several non-treatable objects: creating compound Bylo nalezeno několik neošetřených objektů: vytvoření směsi - + trying: closing it snaží: zavřít to - + Found 1 open wire: closing it Nalezen 1 otevřený vodič: zavírání - + Found 1 object: draftifying it Nalezen 1 objekt: jeho vypracování - + Found points: creating compound Nalezené body: vytvoření směsi - + Unable to upgrade these objects. Tyto objekty nelze upgradovat. @@ -5927,12 +5932,12 @@ z nabídky Nástroje -> Správce doplňků importOCA - + OCA: found no data to export OCA: nenalezena žádná data k exportu - + successfully exported úspěšně exportováno @@ -5940,7 +5945,7 @@ z nabídky Nástroje -> Správce doplňků ImportAirfoilDAT - + Did not find enough coordinates Nebyl nalezen dostatek souřadnic diff --git a/src/Mod/Draft/Resources/translations/Draft_da.qm b/src/Mod/Draft/Resources/translations/Draft_da.qm index 5ca40b20a5ec..d114079efc5b 100644 Binary files a/src/Mod/Draft/Resources/translations/Draft_da.qm and b/src/Mod/Draft/Resources/translations/Draft_da.qm differ diff --git a/src/Mod/Draft/Resources/translations/Draft_da.ts b/src/Mod/Draft/Resources/translations/Draft_da.ts index 481f6078f0d8..dc240dd4f0c0 100644 --- a/src/Mod/Draft/Resources/translations/Draft_da.ts +++ b/src/Mod/Draft/Resources/translations/Draft_da.ts @@ -3065,7 +3065,7 @@ if they match the X, Y or Z axis of the global coordinate system - + Angle Vinkel @@ -3287,14 +3287,14 @@ Not available if Draft preference option 'Use Part Primitives' is enabled - + Distance Distance - + Offset distance Offset distance @@ -4133,33 +4133,38 @@ The final angle will be the base angle plus this amount. Only a single face can be extruded. - + + Trimex is not supported yet on this type of object. + Trimex is not supported yet on this type of object. + + + Pick distance Pick distance - + Offset angle Offset angle - + Unable to trim these objects, only Draft wires and arcs are supported. Unable to trim these objects, only Draft wires and arcs are supported. - + Unable to trim these objects, too many wires Unable to trim these objects, too many wires - + These objects don't intersect. These objects don't intersect. - + Too many intersection points. Too many intersection points. @@ -4865,39 +4870,39 @@ The final angle will be the base angle plus this amount. added 'Fuse' property - + Start Offset too large for path length. Using zero instead. Start Offset too large for path length. Using zero instead. - + End Offset too large for path length minus Start Offset. Using zero instead. End Offset too large for path length minus Start Offset. Using zero instead. - + Length of tangent vector is zero. Copy not aligned. Length of tangent vector is zero. Copy not aligned. - - + + Length of normal vector is zero. Using a default axis instead. Length of normal vector is zero. Using a default axis instead. - - + + Tangent and normal vectors are parallel. Normal replaced by a default axis. Tangent and normal vectors are parallel. Normal replaced by a default axis. - + Cannot calculate normal vector. Using the default normal instead. Cannot calculate normal vector. Using the default normal instead. - + AlignMode {} is not implemented AlignMode {} is not implemented @@ -5238,24 +5243,24 @@ The final angle will be the base angle plus this amount. Wrong input: must be a number between 0 and 100. - + Activate this layer Activate this layer - + Select layer contents Select layer contents - - + + Merge layer duplicates Merge layer duplicates - - + + Add new layer Add new layer @@ -5379,53 +5384,53 @@ The final angle will be the base angle plus this amount. Found object with several coplanar faces: refine them - + Found 1 non-parametric objects: draftifying it Found 1 non-parametric objects: draftifying it - + Found 1 closed sketch object: creating a face from it Found 1 closed sketch object: creating a face from it - + Found closed wires: creating faces Found closed wires: creating faces - + Found several wires or edges: wiring them Found several wires or edges: wiring them - - + + Found several non-treatable objects: creating compound Found several non-treatable objects: creating compound - + trying: closing it trying: closing it - + Found 1 open wire: closing it Found 1 open wire: closing it - + Found 1 object: draftifying it Found 1 object: draftifying it - + Found points: creating compound Found points: creating compound - + Unable to upgrade these objects. Unable to upgrade these objects. @@ -5922,12 +5927,12 @@ from menu Tools -> Addon Manager importOCA - + OCA: found no data to export OCA: found no data to export - + successfully exported successfully exported @@ -5935,7 +5940,7 @@ from menu Tools -> Addon Manager ImportAirfoilDAT - + Did not find enough coordinates Did not find enough coordinates diff --git a/src/Mod/Draft/Resources/translations/Draft_de.qm b/src/Mod/Draft/Resources/translations/Draft_de.qm index ce65b374eef4..35efa8339601 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 786e7f0be3ea..98f757d3d2cf 100644 --- a/src/Mod/Draft/Resources/translations/Draft_de.ts +++ b/src/Mod/Draft/Resources/translations/Draft_de.ts @@ -2790,7 +2790,7 @@ gefärbt, wenn sie mit der X-, Y- oder Z-Achse des globalen Koordinatensystems Restrict X - Beschränke X + X einschränken @@ -2800,7 +2800,7 @@ gefärbt, wenn sie mit der X-, Y- oder Z-Achse des globalen Koordinatensystems Restrict Y - Beschränke Y + Y einschränken @@ -2810,7 +2810,7 @@ gefärbt, wenn sie mit der X-, Y- oder Z-Achse des globalen Koordinatensystems Restrict Z - Beschränke Z + Z einschränken @@ -2889,17 +2889,17 @@ gefärbt, wenn sie mit der X-, Y- oder Z-Achse des globalen Koordinatensystems Restrict X - Beschränke X + X einschränken Restrict Y - Beschränke Y + Y einschränken Restrict Z - Beschränke Z + Z einschränken @@ -3066,7 +3066,7 @@ gefärbt, wenn sie mit der X-, Y- oder Z-Achse des globalen Koordinatensystems - + Angle Winkel @@ -3287,14 +3287,14 @@ Nicht verfügbar, wenn die Option "Part-Grundkörper erstellen, wenn möglich" a - + Distance Entfernung - + Offset distance Versatzabstand @@ -3527,7 +3527,7 @@ Bitte die DWG-Datei in einen Verzeichnispfad ohne Leerzeichen und nicht-lateinis Wires: - Kantenzüge: + Linienzüge: @@ -3547,7 +3547,7 @@ Bitte die DWG-Datei in einen Verzeichnispfad ohne Leerzeichen und nicht-lateinis Wire - Kantenzug + Linienzug @@ -4132,33 +4132,38 @@ Der endgültige Winkel ist der Basiswinkel plus dieser Betrag. Nur eine einzelne Fläche kann extrudiert werden. - + + Trimex is not supported yet on this type of object. + Trimex is not supported yet on this type of object. + + + Pick distance Abstand auswählen - + Offset angle Versatzwinkel - + Unable to trim these objects, only Draft wires and arcs are supported. - Objekte könne nicht getrimmt werden, nur Draft Linien und Bögen werden unterstützt. + Diese Objekte können nicht getrimmt werden, nur Draft-Linien und -Bögen werden unterstützt. - + Unable to trim these objects, too many wires - Objekte könne nicht getrimmt werden, zu viele Kantenzüge + Diese Objekte können nicht getrimmt werden, zu viele Linienzüge - + These objects don't intersect. Diese Objekte überschneiden sich nicht. - + Too many intersection points. Zu viele Schnittpunkte. @@ -4864,39 +4869,39 @@ Der endgültige Winkel ist der Basiswinkel plus dieser Betrag. hinzugefügte 'Fuse' Eigenschaft - + Start Offset too large for path length. Using zero instead. Start Offset zu groß für die Pfadlänge. Verwende stattdessen Null. - + End Offset too large for path length minus Start Offset. Using zero instead. End-Offset ist zu groß für die Pfadlänge minus Start-Offset. Verwende stattdessen Null. - + Length of tangent vector is zero. Copy not aligned. Länge des Tangent-Vektors ist Null. Kopie nicht ausgerichtet. - - + + Length of normal vector is zero. Using a default axis instead. Die Länge des normalen Vektors ist Null. Verwende stattdessen eine Standardachse. - - + + Tangent and normal vectors are parallel. Normal replaced by a default axis. Tangente und normale Vektoren sind parallel. Normal ersetzt durch eine Standardachse. - + Cannot calculate normal vector. Using the default normal instead. Kann den normalen Vektor nicht berechnen. Stattdessen die Standardeinstellung verwenden. - + AlignMode {} is not implemented AlignMode {} ist nicht implementiert @@ -5237,24 +5242,24 @@ Der endgültige Winkel ist der Basiswinkel plus dieser Betrag. Falsche Eingabe: muss eine Zahl zwischen 0 und 100 sein. - + Activate this layer Diese Ebene aktivieren - + Select layer contents Ebeneninhalt auswählen - - + + Merge layer duplicates Ebenenduplikate zusammenführen - - + + Add new layer Neue Ebene hinzufügen @@ -5378,53 +5383,53 @@ Der endgültige Winkel ist der Basiswinkel plus dieser Betrag. Objekt mit mehreren koplanaren Flächen gefunden: verfeinern - + Found 1 non-parametric objects: draftifying it 1 nicht parametrisches Objekt gefunden: Erzeuge ein parametrisches Objekt - + Found 1 closed sketch object: creating a face from it 1 geschlossenes Skizzen-Objekt gefunden: Erstelle daraus eine Fläche - + Found closed wires: creating faces Geschlossene Kantenzüge gefunden: Erstelle Fläche(n) - + Found several wires or edges: wiring them Mehrere Kanten gefunden: Verbinde sie - - + + Found several non-treatable objects: creating compound Mehrere nicht behandelbare Objekte gefunden: Erstellen eines Verbundobjektes - + trying: closing it versuche: schließen - + Found 1 open wire: closing it 1 offener Kantenzug gefunden: Wird geschlossen - + Found 1 object: draftifying it 1 Objekt gefunden: Entwickeln - + Found points: creating compound Punkte gefunden: Erstelle Verbundobjekt - + Unable to upgrade these objects. Diese Objekte konnten nicht aktualisiert werden . @@ -5919,12 +5924,12 @@ aus dem Menü Extras -> Addon Manager importOCA - + OCA: found no data to export OCA: Keine zu exportierenden Daten gefunden - + successfully exported erfolgreich exportiert @@ -5932,7 +5937,7 @@ aus dem Menü Extras -> Addon Manager ImportAirfoilDAT - + Did not find enough coordinates Es wurden nicht genügend Koordinaten gefunden @@ -6048,7 +6053,7 @@ STRG zum Fangen, SHIFT zum Festlegen. Creates a multiple-points line (polyline). CTRL to snap, SHIFT to constrain. Erstellt einen Linienzug (polyline). -STRG zum Fangen, SHIFT zum Festlegen. +STRG zum Einrasten, SHIFT zum Festlegen. @@ -6573,12 +6578,12 @@ Danach können damit jederzeit andere Kamerapositionen und Objektzustände gespe Wire to B-spline - Kantenzug zu B-Spline + Linienzug zu B-Spline Converts a selected polyline to a B-spline, or a B-spline to a polyline. - Konvertiert eine ausgewählte Polyline in eine B-Spline oder eine B-Spline in eine Polyline. + Konvertiert einen ausgewählten Linienzug in einen B-Spline oder einen B-Spline in einen Linienzug. @@ -6893,7 +6898,7 @@ Wenn dieser aktiv ist, werden die folgenden Objekte in die Hilfsgeometriegruppe Toggle normal/wireframe display - Normal/Wireframe-Anzeige umschalten + Normale/Drahtgitter-Anzeige umschalten @@ -8092,7 +8097,7 @@ den Werten der 'Erster Winkel' und 'Letzter Winkel' abhängig ist. The vertices of the wire - Die Ecken der Linie + Die Knoten des Linienzuges diff --git a/src/Mod/Draft/Resources/translations/Draft_el.qm b/src/Mod/Draft/Resources/translations/Draft_el.qm index 7ac65db07465..a781fac7736d 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 82bc13adb9f9..4db3ad8dd2fa 100644 --- a/src/Mod/Draft/Resources/translations/Draft_el.ts +++ b/src/Mod/Draft/Resources/translations/Draft_el.ts @@ -3063,7 +3063,7 @@ if they match the X, Y or Z axis of the global coordinate system - + Angle Γωνία @@ -3285,14 +3285,14 @@ Not available if Draft preference option 'Use Part Primitives' is enabled - + Distance Απόσταση - + Offset distance Απόσταση Offset @@ -4129,33 +4129,38 @@ The final angle will be the base angle plus this amount. Only a single face can be extruded. - + + Trimex is not supported yet on this type of object. + Trimex is not supported yet on this type of object. + + + Pick distance Pick distance - + Offset angle Offset angle - + Unable to trim these objects, only Draft wires and arcs are supported. Unable to trim these objects, only Draft wires and arcs are supported. - + Unable to trim these objects, too many wires Unable to trim these objects, too many wires - + These objects don't intersect. These objects don't intersect. - + Too many intersection points. Too many intersection points. @@ -4861,39 +4866,39 @@ The final angle will be the base angle plus this amount. added 'Fuse' property - + Start Offset too large for path length. Using zero instead. Start Offset too large for path length. Using zero instead. - + End Offset too large for path length minus Start Offset. Using zero instead. End Offset too large for path length minus Start Offset. Using zero instead. - + Length of tangent vector is zero. Copy not aligned. Length of tangent vector is zero. Copy not aligned. - - + + Length of normal vector is zero. Using a default axis instead. Length of normal vector is zero. Using a default axis instead. - - + + Tangent and normal vectors are parallel. Normal replaced by a default axis. Tangent and normal vectors are parallel. Normal replaced by a default axis. - + Cannot calculate normal vector. Using the default normal instead. Cannot calculate normal vector. Using the default normal instead. - + AlignMode {} is not implemented AlignMode {} is not implemented @@ -5234,24 +5239,24 @@ The final angle will be the base angle plus this amount. Wrong input: must be a number between 0 and 100. - + Activate this layer Activate this layer - + Select layer contents Select layer contents - - + + Merge layer duplicates Merge layer duplicates - - + + Add new layer Add new layer @@ -5375,53 +5380,53 @@ The final angle will be the base angle plus this amount. Found object with several coplanar faces: refine them - + Found 1 non-parametric objects: draftifying it Found 1 non-parametric objects: draftifying it - + Found 1 closed sketch object: creating a face from it Found 1 closed sketch object: creating a face from it - + Found closed wires: creating faces Found closed wires: creating faces - + Found several wires or edges: wiring them Found several wires or edges: wiring them - - + + Found several non-treatable objects: creating compound Found several non-treatable objects: creating compound - + trying: closing it trying: closing it - + Found 1 open wire: closing it Found 1 open wire: closing it - + Found 1 object: draftifying it Found 1 object: draftifying it - + Found points: creating compound Found points: creating compound - + Unable to upgrade these objects. Unable to upgrade these objects. @@ -5918,12 +5923,12 @@ from menu Tools -> Addon Manager importOCA - + OCA: found no data to export OCA: found no data to export - + successfully exported successfully exported @@ -5931,7 +5936,7 @@ from menu Tools -> Addon Manager ImportAirfoilDAT - + Did not find enough coordinates Did not find enough coordinates diff --git a/src/Mod/Draft/Resources/translations/Draft_es-AR.qm b/src/Mod/Draft/Resources/translations/Draft_es-AR.qm index db87858d9caa..9424031b6ee4 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 8fc64c362d89..3d4ea086f28e 100644 --- a/src/Mod/Draft/Resources/translations/Draft_es-AR.ts +++ b/src/Mod/Draft/Resources/translations/Draft_es-AR.ts @@ -3068,7 +3068,7 @@ si coinciden con el eje X, Y o Z del sistema global de coordenadas - + Angle Ángulo @@ -3289,14 +3289,14 @@ Not available if Draft preference option 'Use Part Primitives' is enabled - + Distance Distancia - + Offset distance Distancia de desfase @@ -4130,36 +4130,41 @@ The final angle will be the base angle plus this amount. Only a single face can be extruded. - Sólo una sola cara puede ser extruida. + Solo una cara puede ser extruida. - + + Trimex is not supported yet on this type of object. + Trimex is not supported yet on this type of object. + + + Pick distance Seleccionar distancia - + Offset angle Ángulo de desfase - + Unable to trim these objects, only Draft wires and arcs are supported. No se pueden recortar estos objetos, solo se admiten borradores de cables y arcos. - + Unable to trim these objects, too many wires No se puede recortar estos objetos, demasiados cables - + These objects don't intersect. Estos objetos no se intersectan. - + Too many intersection points. Demasiados puntos de intersección. @@ -4865,39 +4870,39 @@ The final angle will be the base angle plus this amount. se añadió propiedad 'Fuse' - + Start Offset too large for path length. Using zero instead. Desfase de inicio demasiado grande para la longitud del trayecto. Usando cero en su lugar. - + End Offset too large for path length minus Start Offset. Using zero instead. Desfase final demasiado grande para la longitud del trayecto menos el Desfase Inicial. Usando cero en su lugar. - + Length of tangent vector is zero. Copy not aligned. La longitud del vector tangente es cero. Copia no alineada. - - + + Length of normal vector is zero. Using a default axis instead. La longitud del vector normal es cero. Utilizando un eje predeterminado en su lugar. - - + + Tangent and normal vectors are parallel. Normal replaced by a default axis. Los vectores tangente y normal son paralelos. El normal se reemplaza por un eje por defecto. - + Cannot calculate normal vector. Using the default normal instead. No se puede calcular el vector normal. Utilizando la normal por defecto en su lugar. - + AlignMode {} is not implemented AlignMode {} no está implementado @@ -5238,24 +5243,24 @@ The final angle will be the base angle plus this amount. Entrada incorrecta: debe ser un número entre 0 y 100. - + Activate this layer Activar esta capa - + Select layer contents Seleccionar contenido de la capa - - + + Merge layer duplicates Combinar capas duplicadas - - + + Add new layer Añadir nueva capa @@ -5379,53 +5384,53 @@ The final angle will be the base angle plus this amount. Objeto encontrado con varias caras coplanares: refinándolas - + Found 1 non-parametric objects: draftifying it Encontrado 1 objeto no paramétrico: bosquejándolo - + Found 1 closed sketch object: creating a face from it Encontrado 1 objeto boceto cerrado: crear una cara a partir de él - + Found closed wires: creating faces Se encontraron polilíneas cerradas: creando caras - + Found several wires or edges: wiring them Se encontraron varias polilíneas o aristas: conectándolas - - + + Found several non-treatable objects: creating compound Se encontraron varios objetos no tratables: creando compuesto - + trying: closing it intentando: cerrarlo - + Found 1 open wire: closing it Se encontró 1 polilínea abierta: cerrándola - + Found 1 object: draftifying it Se encontró 1 objeto: esbozándolo - + Found points: creating compound Se encontraron puntos: creando compuesto - + Unable to upgrade these objects. Fue imposible promocionar estos objetos. @@ -5922,12 +5927,12 @@ por medio del menú Herramientas ▸ -> Administrador de complementos importOCA - + OCA: found no data to export OCA: no se encontraron datos a exportar - + successfully exported exportado con éxito @@ -5935,7 +5940,7 @@ por medio del menú Herramientas ▸ -> Administrador de complementos ImportAirfoilDAT - + Did not find enough coordinates No se encontraron suficientes coordenadas diff --git a/src/Mod/Draft/Resources/translations/Draft_es-ES.qm b/src/Mod/Draft/Resources/translations/Draft_es-ES.qm index 9c5bb77a5600..162ae7df7010 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 d7b8fe272853..501641dbb123 100644 --- a/src/Mod/Draft/Resources/translations/Draft_es-ES.ts +++ b/src/Mod/Draft/Resources/translations/Draft_es-ES.ts @@ -3070,7 +3070,7 @@ si coinciden con el eje X, Y o Z del sistema global de coordenadas - + Angle Ángulo @@ -3291,14 +3291,14 @@ Not available if Draft preference option 'Use Part Primitives' is enabled - + Distance Distancia - + Offset distance Distancia de desfase @@ -4135,33 +4135,38 @@ The final angle will be the base angle plus this amount. Sólo una sola cara puede ser extruida. - + + Trimex is not supported yet on this type of object. + Trimex is not supported yet on this type of object. + + + Pick distance Seleccionar distancia - + Offset angle Ángulo de desfase - + Unable to trim these objects, only Draft wires and arcs are supported. No se pueden recortar estos objetos, solo se admiten borradores de cables y arcos. - + Unable to trim these objects, too many wires No se puede recortar estos objetos, demasiados cables - + These objects don't intersect. Estos objetos no se intersectan. - + Too many intersection points. Demasiados puntos de intersección. @@ -4867,39 +4872,39 @@ The final angle will be the base angle plus this amount. se añadió propiedad 'Fuse' - + Start Offset too large for path length. Using zero instead. Desfase de inicio demasiado grande para la longitud del trayecto. Usando cero en su lugar. - + End Offset too large for path length minus Start Offset. Using zero instead. Desfase final demasiado grande para la longitud del trayecto menos el Desfase Inicial. Usando cero en su lugar. - + Length of tangent vector is zero. Copy not aligned. La longitud del vector tangente es cero. Copia no alineada. - - + + Length of normal vector is zero. Using a default axis instead. La longitud del vector normal es cero. Utilizando un eje predeterminado en su lugar. - - + + Tangent and normal vectors are parallel. Normal replaced by a default axis. Los vectores tangente y normal son paralelos. El normal se reemplaza por un eje por defecto. - + Cannot calculate normal vector. Using the default normal instead. No se puede calcular el vector normal. Utilizando la normal por defecto en su lugar. - + AlignMode {} is not implemented AlignMode {} no está implementado @@ -5240,24 +5245,24 @@ The final angle will be the base angle plus this amount. Entrada incorrecta: debe ser un número entre 0 y 100. - + Activate this layer Activar esta capa - + Select layer contents Seleccionar contenido de la capa - - + + Merge layer duplicates Combinar capas duplicadas - - + + Add new layer Añadir nueva capa @@ -5381,53 +5386,53 @@ The final angle will be the base angle plus this amount. Objeto encontrado con varias caras coplanares: refinándolas - + Found 1 non-parametric objects: draftifying it Encontrado 1 objeto no paramétrico: bosquejándolo - + Found 1 closed sketch object: creating a face from it Encontrado 1 objeto boceto cerrado: crear una cara a partir de él - + Found closed wires: creating faces Se encontraron polilíneas cerradas: creando caras - + Found several wires or edges: wiring them Se encontraron varias polilíneas o aristas: conectándolas - - + + Found several non-treatable objects: creating compound Se encontraron varios objetos no tratables: creando compuesto - + trying: closing it intentando: cerrarlo - + Found 1 open wire: closing it Se encontró 1 polilínea abierta: cerrándola - + Found 1 object: draftifying it Se encontró 1 objeto: esbozándolo - + Found points: creating compound Se encontraron puntos: creando compuesto - + Unable to upgrade these objects. Fue imposible promocionar estos objetos. @@ -5924,12 +5929,12 @@ por medio del menú Herramientas ▸ -> Administrador de complementos importOCA - + OCA: found no data to export OCA: no se encontraron datos a exportar - + successfully exported exportado con éxito @@ -5937,7 +5942,7 @@ por medio del menú Herramientas ▸ -> Administrador de complementos ImportAirfoilDAT - + Did not find enough coordinates No se encontraron suficientes coordenadas diff --git a/src/Mod/Draft/Resources/translations/Draft_eu.qm b/src/Mod/Draft/Resources/translations/Draft_eu.qm index 4f6f4e659f88..7fb180f7c56f 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 08cca014c8f9..b44c2d6a80e5 100644 --- a/src/Mod/Draft/Resources/translations/Draft_eu.ts +++ b/src/Mod/Draft/Resources/translations/Draft_eu.ts @@ -3066,7 +3066,7 @@ koordenatu-sistema globalaren X, Y edo Z ardatzekin bat badatoz - + Angle Angelua @@ -3288,14 +3288,14 @@ Ez dago erabilgarri zirriborroen 'Erabili piezen jatorrizkoak' aukera gaituta ba - + Distance Distantzia - + Offset distance Desplazamendu-distantzia @@ -4134,33 +4134,38 @@ Amaierako angelua oinarriko angelua gehi kantitate hau izango da. Only a single face can be extruded. - + + Trimex is not supported yet on this type of object. + Trimex is not supported yet on this type of object. + + + Pick distance Aukeratu distantzia - + Offset angle Desplazamendu-angelua - + Unable to trim these objects, only Draft wires and arcs are supported. Ezin dira objektu horiek muxarratu, zirriborro-alanbreak eta arkuak soilik onartzen dira. - + Unable to trim these objects, too many wires Ezin dira objektu hauek muxarratu, alanbre gehiegi - + These objects don't intersect. Objektu hauek ez dute elkar ebakitzen. - + Too many intersection points. Ebakitze-puntu gehiegi. @@ -4866,39 +4871,39 @@ Amaierako angelua oinarriko angelua gehi kantitate hau izango da. added 'Fuse' property - + Start Offset too large for path length. Using zero instead. Hasierako desplazamendua luzeegia da bidearen luzerarako. Zero erabiliko da horren ordez. - + End Offset too large for path length minus Start Offset. Using zero instead. Amaierako desplazamendua luzeegia da bidearen luzera ken hasierako desplazamendurako. Zero erabiliko da horren ordez. - + Length of tangent vector is zero. Copy not aligned. Bektore tangentzialaren luzera zero da. Kopia ez dago lerrokatuta. - - + + Length of normal vector is zero. Using a default axis instead. Bektore normalaren luzera zero da. Ardatz lehenetsia erabiliko da haren ordez. - - + + Tangent and normal vectors are parallel. Normal replaced by a default axis. Bektore tangentziala eta normala paraleloak dira. Normala ardatz lehenetsi batekin ordezkatu da. - + Cannot calculate normal vector. Using the default normal instead. Ezin da bektore normala kalkulatu. Normal lehenetsia erabiliko da haren ordez. - + AlignMode {} is not implemented AlignMode {} ez dago inplementatuta @@ -5239,24 +5244,24 @@ Amaierako angelua oinarriko angelua gehi kantitate hau izango da. Okerreko sarrera: 0 eta 100 arteko zenbakia izan behar du. - + Activate this layer Aktibatu geruza hau - + Select layer contents Hautatu geruza-edukiak - - + + Merge layer duplicates Fusionatu geruza bikoiztuak - - + + Add new layer Gehitu geruza berria @@ -5380,53 +5385,53 @@ Amaierako angelua oinarriko angelua gehi kantitate hau izango da. Hainbat aurpegi planokide dituen objektua aurkitu da: findu objektua - + Found 1 non-parametric objects: draftifying it Parametrikoa ez den objektu bat aurkitu da: hura zirriborratzen - + Found 1 closed sketch object: creating a face from it Itxitako krokis-objektu bat aurkitu da: aurpegi bat sortzen harekin - + Found closed wires: creating faces Alanbre itxiak aurkitu dira: aurpegiak sortzen - + Found several wires or edges: wiring them Hainbat alanbre edo ertz aurkitu dira: haiek alanbre bihurtzen - - + + Found several non-treatable objects: creating compound Tratatu ezin daitezkeen hainbat objektu aurkitu dira: konposatua sortzen - + trying: closing it saiatzen: hura ixten - + Found 1 open wire: closing it Alanbre ireki bat aurkitu da: hura ixten - + Found 1 object: draftifying it Objektu bat aurkitu da: hura zirriborratzen - + Found points: creating compound Puntuak aurkitu dira: konposatuak sortzen - + Unable to upgrade these objects. Ezin izan dira objektu hauek eguneratu. @@ -5923,12 +5928,12 @@ Instalatu DXF liburutegiaren gehigarria eskuz importOCA - + OCA: found no data to export OCA: Ez da daturik aurkitu esportaziorako - + successfully exported ongi esportatu da @@ -5936,7 +5941,7 @@ Instalatu DXF liburutegiaren gehigarria eskuz ImportAirfoilDAT - + Did not find enough coordinates Ez da koordenatu nahikorik aurkitu diff --git a/src/Mod/Draft/Resources/translations/Draft_fi.qm b/src/Mod/Draft/Resources/translations/Draft_fi.qm index a419c7bbc41a..5b3a906b9c35 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 8d4872ede326..0535f748e1ab 100644 --- a/src/Mod/Draft/Resources/translations/Draft_fi.ts +++ b/src/Mod/Draft/Resources/translations/Draft_fi.ts @@ -3074,7 +3074,7 @@ if they match the X, Y or Z axis of the global coordinate system - + Angle Kulma @@ -3296,14 +3296,14 @@ Not available if Draft preference option 'Use Part Primitives' is enabled - + Distance Etäisyys - + Offset distance Offset distance @@ -4142,33 +4142,38 @@ The final angle will be the base angle plus this amount. Only a single face can be extruded. - + + Trimex is not supported yet on this type of object. + Trimex is not supported yet on this type of object. + + + Pick distance Pick distance - + Offset angle Offset angle - + Unable to trim these objects, only Draft wires and arcs are supported. Unable to trim these objects, only Draft wires and arcs are supported. - + Unable to trim these objects, too many wires Unable to trim these objects, too many wires - + These objects don't intersect. These objects don't intersect. - + Too many intersection points. Too many intersection points. @@ -4874,39 +4879,39 @@ The final angle will be the base angle plus this amount. added 'Fuse' property - + Start Offset too large for path length. Using zero instead. Start Offset too large for path length. Using zero instead. - + End Offset too large for path length minus Start Offset. Using zero instead. End Offset too large for path length minus Start Offset. Using zero instead. - + Length of tangent vector is zero. Copy not aligned. Length of tangent vector is zero. Copy not aligned. - - + + Length of normal vector is zero. Using a default axis instead. Length of normal vector is zero. Using a default axis instead. - - + + Tangent and normal vectors are parallel. Normal replaced by a default axis. Tangent and normal vectors are parallel. Normal replaced by a default axis. - + Cannot calculate normal vector. Using the default normal instead. Cannot calculate normal vector. Using the default normal instead. - + AlignMode {} is not implemented AlignMode {} is not implemented @@ -5247,24 +5252,24 @@ The final angle will be the base angle plus this amount. Wrong input: must be a number between 0 and 100. - + Activate this layer Aktivoi tämä taso - + Select layer contents Valitse tason sisältö - - + + Merge layer duplicates Merge layer duplicates - - + + Add new layer Lisää uusi taso @@ -5388,53 +5393,53 @@ The final angle will be the base angle plus this amount. Found object with several coplanar faces: refine them - + Found 1 non-parametric objects: draftifying it Found 1 non-parametric objects: draftifying it - + Found 1 closed sketch object: creating a face from it Found 1 closed sketch object: creating a face from it - + Found closed wires: creating faces Found closed wires: creating faces - + Found several wires or edges: wiring them Found several wires or edges: wiring them - - + + Found several non-treatable objects: creating compound Found several non-treatable objects: creating compound - + trying: closing it trying: closing it - + Found 1 open wire: closing it Found 1 open wire: closing it - + Found 1 object: draftifying it Found 1 object: draftifying it - + Found points: creating compound Found points: creating compound - + Unable to upgrade these objects. Unable to upgrade these objects. @@ -5931,12 +5936,12 @@ from menu Tools -> Addon Manager importOCA - + OCA: found no data to export OCA: found no data to export - + successfully exported successfully exported @@ -5944,7 +5949,7 @@ from menu Tools -> Addon Manager ImportAirfoilDAT - + Did not find enough coordinates Did not find enough coordinates diff --git a/src/Mod/Draft/Resources/translations/Draft_fr.qm b/src/Mod/Draft/Resources/translations/Draft_fr.qm index 734f5a42520f..0ec9be069614 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 a3c4a5667380..bc99a3ba370f 100644 --- a/src/Mod/Draft/Resources/translations/Draft_fr.ts +++ b/src/Mod/Draft/Resources/translations/Draft_fr.ts @@ -3070,7 +3070,7 @@ soit nécessaire d'appuyer sur la touche pour l'aimantation. - + Angle Angle @@ -3293,14 +3293,14 @@ vous n'aurez pas appuyé à nouveau sur le bouton de commande. - + Distance Distance - + Offset distance Distance de décalage @@ -4138,33 +4138,38 @@ L'angle final sera l'angle de référence plus cette quantité. Une seule face peut être extrudée. - + + Trimex is not supported yet on this type of object. + Trimex is not supported yet on this type of object. + + + Pick distance Choisir la distance - + Offset angle Angle de décalage - + Unable to trim these objects, only Draft wires and arcs are supported. Impossible d'ajuster ces objets, seuls les polylignes et les arcs de Draft sont pris en charge. - + Unable to trim these objects, too many wires Impossible d'ajuster ces objets, trop de polylignes - + These objects don't intersect. Ces objets ne se recoupent pas. - + Too many intersection points. Trop de points d'intersection. @@ -4870,39 +4875,39 @@ L'angle final sera l'angle de référence plus cette quantité. a ajouté la propriété "Fuse" - + Start Offset too large for path length. Using zero instead. Le décalage de départ est trop important par rapport à la longueur de la courbe. Utiliser zéro à la place. - + End Offset too large for path length minus Start Offset. Using zero instead. Le décalage de la fin est trop important par rapport à la longueur de la courbe moins le décalage du début. Utiliser zéro à la place. - + Length of tangent vector is zero. Copy not aligned. La longueur du vecteur tangent est zéro. La copie est non alignée. - - + + Length of normal vector is zero. Using a default axis instead. La longueur du vecteur normal est zéro. Utiliser un axe par défaut à la place. - - + + Tangent and normal vectors are parallel. Normal replaced by a default axis. Les vecteurs tangents et normaux sont parallèles. La normale est remplacée par un axe par défaut. - + Cannot calculate normal vector. Using the default normal instead. Impossible de calculer le vecteur normal. Utiliser la normale par défaut à la place. - + AlignMode {} is not implemented Le mode aligner {} n'est pas implémenté @@ -5243,24 +5248,24 @@ L'angle final sera l'angle de référence plus cette quantité. Mauvaise saisie : cela doit être un nombre compris entre 0 et 100. - + Activate this layer Activer ce calque - + Select layer contents Sélectionner les contenus des calques - - + + Merge layer duplicates Fusionner les calques en double - - + + Add new layer Ajouter un nouveau calque @@ -5384,53 +5389,53 @@ L'angle final sera l'angle de référence plus cette quantité. Trouvé un objet avec plusieurs faces coplanaires : améliorez-les - + Found 1 non-parametric objects: draftifying it Un objet non-paramétrique a été trouvé : le dessiner - + Found 1 closed sketch object: creating a face from it 1 esquisse fermée trouvée : créer une face à partir de celle-ci - + Found closed wires: creating faces Plusieurs polylignes fermées trouvées : créer des faces - + Found several wires or edges: wiring them Plusieurs polylignes ou arêtes trouvées : les joindre - - + + Found several non-treatable objects: creating compound Plusieurs objets non traitables trouvés : créer un composé - + trying: closing it essayer : le fermer - + Found 1 open wire: closing it 1 polyligne ouverte trouvée : la fermer - + Found 1 object: draftifying it 1 objet trouvé : l'ébaucher - + Found points: creating compound Plusieurs points trouvés : créer un composé - + Unable to upgrade these objects. Impossible de mettre à jour ces objets. @@ -5925,12 +5930,12 @@ Installer l’extension de la bibliothèque DXF manuellement depuis le menu Outi importOCA - + OCA: found no data to export OCA : aucune donnée à exporter - + successfully exported exporté avec succès @@ -5938,7 +5943,7 @@ Installer l’extension de la bibliothèque DXF manuellement depuis le menu Outi ImportAirfoilDAT - + Did not find enough coordinates Il n'a pas été trouvé suffisamment de coordonnées. diff --git a/src/Mod/Draft/Resources/translations/Draft_hr.qm b/src/Mod/Draft/Resources/translations/Draft_hr.qm index be1f83f58d11..d7f6995f6746 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 2f705fedd2d9..75397beaf5c7 100644 --- a/src/Mod/Draft/Resources/translations/Draft_hr.ts +++ b/src/Mod/Draft/Resources/translations/Draft_hr.ts @@ -928,7 +928,7 @@ orijentacija. Ako nije odabrana nijedna točka, ravnina The distance at which a point can be snapped to - The distance at which a point can be snapped to + Udaljenost na kojoj se točka može uhvatiti @@ -1008,7 +1008,7 @@ orijentacija. Ako nije odabrana nijedna točka, ravnina Specular shape color - Specular shape color + Boja sjaja oblika @@ -1018,7 +1018,7 @@ orijentacija. Ako nije odabrana nijedna točka, ravnina Shape shininess - Shape shininess + Sjaj oblika @@ -1163,8 +1163,8 @@ orijentacija. Ako nije odabrana nijedna točka, ravnina The annotation scale multiplier is the inverse of the scale set in the Annotation scale widget. If the scale is 1:100 the multiplier is 100. - The annotation scale multiplier is the inverse of the scale set in the -Annotation scale widget. If the scale is 1:100 the multiplier is 100. + Množilac skale oznake je inverzna vrijednost skale postavljene u +skalarnoj napomeni . Ako je skala 1:100, množitelj je 100. @@ -1259,12 +1259,12 @@ Annotation scale widget. If the scale is 1:100 the multiplier is 100. Dim line overshoot - Dim line overshoot + Produžetak linije dimenzije Ext line length - Ext line length + Dužina pomoćne linije @@ -1277,7 +1277,7 @@ for linear dimensions. Ext line overshoot - Ext line overshoot + Produžetak pomoćne linije @@ -1482,11 +1482,11 @@ manually in any of the coordinate fields. Setting this to 0 disables the delay. If a delay of 1 is set, after entering a numeric value, the mouse will not update the field anymore during one second, to avoid moving the mouse accidentally and modifying the entered value. - This is a delay during which the mouse is inactive, after entering numbers -manually in any of the coordinate fields. Setting this to 0 disables the delay. -If a delay of 1 is set, after entering a numeric value, the mouse will not -update the field anymore during one second, to avoid moving the mouse -accidentally and modifying the entered value. + Ovo je odgoda tijekom koje je miš neaktivan, nakon unosa brojeva +ručno u bilo kojem koordinatnom polju. Postavljanje na 0 onemogućuje odgodu. +Ako je postavljena odgoda od 1, nakon unosa numeričke vrijednosti, miš neće +više ažurirajte polje tijekom jedne sekunde, kako biste izbjegli pomicanje miša +slučajno i mijenjanje unesene vrijednosti. @@ -2156,7 +2156,7 @@ prikazuju se brže ali su kompliciraniji za uređivanje. Project exported objects along current view direction - Project exported objects along current view direction + Projiciraj izvezene objekte duž trenutnog smjera pogleda @@ -2175,22 +2175,22 @@ Inače će se primijeniti zadane boje. Automatic update (legacy importer/exporter only) - Automatic update (legacy importer/exporter only) + Automatska nadogradnja (samo naslijeđeni uvoznik/izvoznik) Use legacy Python importer - Use legacy Python importer + Korištenje naslijeđenog python uvoznika Use legacy Python exporter - Use legacy Python exporter + Korištenje naslijeđenog python izvoznika Some options are not yet available for the new importer - Some options are not yet available for the new importer + Neke opcije još nisu dostupne za novog uvoznika @@ -2243,7 +2243,7 @@ umjesto veličine koju imaju u DXF dokumentu Import hatch boundaries as wires - Import hatch boundaries as wires + Uvezi granice ispunjavajučeg uzorka kao žice @@ -2256,12 +2256,12 @@ kao zatvorene žice sa ispravnom širinom Render polylines with width - Render polylines with width + Iscrtaj višestruke linije (polylines) sa širinom Some options are not yet available for the new exporter - Some options are not yet available for the new exporter + Neke opcije još nisu dostupne za novog izvoznika @@ -2305,7 +2305,7 @@ Ako je postavljeno na '0', cijela je krivulja (spline) tretirana kao ravni segme Export 3D objects as polyface meshes - Export 3D objects as polyface meshes + Izvezite 3D objekte kao polifazne mreže @@ -3107,7 +3107,7 @@ ako odgovaraju osi X, Y ili Z globalnog koordinatnog sustava - + Angle Kut @@ -3329,14 +3329,14 @@ Nije dostupno ako je omogućena opcija 'Koristi se primitivni dio' postavki Nacr - + Distance Udaljenost - + Offset distance Udaljenost pomaka @@ -3733,7 +3733,7 @@ ili pokušajte spremiti u nižu DWG verziju. Only Draft Lines and Wires can be joined - Only Draft Lines and Wires can be joined + Mogu se spojiti samo linije i žice @@ -4175,36 +4175,41 @@ Konačni kut bit će osnovni kut plus ovaj iznos. Only a single face can be extruded. - Only a single face can be extruded. + Samo jedno lice može biti istisnuto. + + + + Trimex is not supported yet on this type of object. + Trimex is not supported yet on this type of object. - + Pick distance Odaberite udaljenost - + Offset angle Kut pomaka - + Unable to trim these objects, only Draft wires and arcs are supported. Nije moguće skratiti te objekte, samo žice Nacrta i lukovi su podržani. - + Unable to trim these objects, too many wires Nije moguće skratiti te objekte, previše žica - + These objects don't intersect. Ovi objekti se ne sijeku. - + Too many intersection points. Previše sjecišta. @@ -4354,7 +4359,7 @@ Konačni kut bit će osnovni kut plus ovaj iznos. Endpoint of Bézier curve can't be smoothed - Endpoint of Bézier curve can't be smoothed + Krajnja točka Bezierove krivulje ne može se izgladiti @@ -4894,59 +4899,59 @@ Konačni kut bit će osnovni kut plus ovaj iznos. migrated 'PathObj' property to 'PathObject' - migrated 'PathObj' property to 'PathObject' + svojstvo 'PathObj' migrirano u 'PathObject' migrated 'PathSubs' property to 'PathSubelements' - migrated 'PathSubs' property to 'PathSubelements' + svojstvo 'PathSubs' migrirano u 'PathSubelements' migrated 'Xlate' property to 'ExtraTranslation' - migrated 'Xlate' property to 'ExtraTranslation' + svojstvo 'Xlate' migrirano u 'ExtraTranslation' added 'Fuse' property - added 'Fuse' property + dodano 'Fuse' svojstvo - + Start Offset too large for path length. Using zero instead. Pomak početka je prevelik za duljinu putanje. Umjesto toga koristi se nula. - + End Offset too large for path length minus Start Offset. Using zero instead. Pomak kraja je prevelik za duljinu putanje minus pomak početka. Umjesto toga koristi se nula. - + Length of tangent vector is zero. Copy not aligned. Duljina tangentnog vektora je nula. Kopija nije poravnata. - - + + Length of normal vector is zero. Using a default axis instead. Duljina normalnog vektora je nula. Umjesto toga upotrebljava se zadana os. - - + + Tangent and normal vectors are parallel. Normal replaced by a default axis. Tangentni i normalni vektori su paralelni. Normalno zamijenjeno zadanom osi. - + Cannot calculate normal vector. Using the default normal instead. Nije moguće izračunati normalni vektor. Umjesto toga koristi se zadana normala. - + AlignMode {} is not implemented PoravnanjeMod {} nije implementiran @@ -4974,7 +4979,7 @@ Konačni kut bit će osnovni kut plus ovaj iznos. Edges are not connected or radius is too large. - Edges are not connected or radius is too large. + Rubovi nisu povezani ili je polumjer prevelik. @@ -5288,24 +5293,24 @@ Konačni kut bit će osnovni kut plus ovaj iznos. Pogrešan unos: mora biti broj između 0 i 100. - + Activate this layer Aktiviraj ovaj sloj - + Select layer contents Odaberite sadržaj sloja - - + + Merge layer duplicates Spoji duplikate sloja - - + + Add new layer Dodaj novi sloj @@ -5430,53 +5435,53 @@ Konačni kut bit će osnovni kut plus ovaj iznos. - + Found 1 non-parametric objects: draftifying it Pronađen je 1 ne parametarski objekt: napravi parametarski objekt - + Found 1 closed sketch object: creating a face from it Pronađen 1 zatvoreni objekt skice: stvaranje lice od njega - + Found closed wires: creating faces Pronađene zatvorene žice: stvaranje lica - + Found several wires or edges: wiring them Pronašli smo nekoliko žica ili rubova: poveži ih - - + + Found several non-treatable objects: creating compound Pronađeno je nekoliko objekata koji su nepopravljivi: stvaranje spoja - + trying: closing it pokušava: zatvoriti to - + Found 1 open wire: closing it Pronađena 1 otvorena žica: zatvara to - + Found 1 object: draftifying it Pronađen 1 objekt: nadogradi ga - + Found points: creating compound Pronađene točke: stvori složen spoj - + Unable to upgrade these objects. Nije moguće ažurirati ove objekte. @@ -5592,22 +5597,22 @@ postojećih objekata u svim otvorenim dokumentima? added 'ExtraPlacement' property - added 'ExtraPlacement' property + dodano 'ExtraPlacement' svojstvo migrated 'PointList' property to 'PointObject' - migrated 'PointList' property to 'PointObject' + svojstvo 'PointList' migrirano u 'PointObject' changed 'Group' property type - changed 'Group' property type + promijenjen tip svojstva 'Grupa' updated view properties - updated view properties + ažurirana svojstva pogleda @@ -5619,19 +5624,19 @@ Please either allow FreeCAD to download these libraries: Or download these libraries manually, as explained on https://github.com/yorikvanhavre/Draft-dxf-importer To enabled FreeCAD to download these libraries, answer Yes. - The DXF import/export libraries needed by FreeCAD to handle -the DXF format were not found on this system. -Please either allow FreeCAD to download these libraries: - 1 - Load Draft workbench - 2 - Menu Edit > Preferences > Import-Export > DXF > Enable downloads -Or download these libraries manually, as explained on + DXF uvoz/izvoz biblioteke koje trebaju FreeCAD-u +DXF format nije pronađen na ovom sustavu. +Omogućite FreeCAD-u preuzimanje ovih biblioteka: + 1 - Učitaj "Nacrt" Radni prostor + 2 - Izbornik Uredi > Postavke > Uvoz-Izvoz > DXF > Omogućavanje preuzimanja +Ili ručno instalirati biblioteku dxf-Library, kao što je objašnjeno na https://github.com/yorikvanhavre/Draft-dxf-importer -To enabled FreeCAD to download these libraries, answer Yes. +Da bi odobrio FreeCAD-u preuzimanje ove biblioteke, odgovori sa Da (Yes). Sketch is too complex to edit: it is suggested to use the default Sketcher editor - Sketch is too complex to edit: it is suggested to use the default Sketcher editor + Skica je previše složena za uređivanje: predlaže se korištenje zadanog uređivača skice @@ -5973,12 +5978,12 @@ iz izbornika Alati-> Upravitelj dodataka importOCA - + OCA: found no data to export OCA: nisu pronađeni podaci za izvoz - + successfully exported uspješno izvezeno @@ -5986,7 +5991,7 @@ iz izbornika Alati-> Upravitelj dodataka ImportAirfoilDAT - + Did not find enough coordinates Nisam pronašao dovoljno koordinata @@ -6469,9 +6474,9 @@ CTRL za prikvači, SHIFT za ograničiti. Edits the active object. Press E or ALT + Left Click to display context menu on supported nodes and on supported objects. - Edits the active object. -Press E or ALT + Left Click to display context menu -on supported nodes and on supported objects. + Uređuje aktivni objekt. +Pritisnite E ili ALT + lijevi klik za prikaz kontekstnog izbornika +na podržanim čvorovima i na podržanim objektima. @@ -6574,7 +6579,7 @@ Prvo stvorite grupu da biste koristili ovaj alat. Select a group to add all Draft and BIM objects to. - Select a group to add all Draft and BIM objects to. + Odaberite grupu u koju želite dodati sve objekte Nacrt i BIM. @@ -6886,8 +6891,8 @@ CTRL za prikvači, SHIFT za ograniči, ALT za kopiranje. Adds a layer to the document. Objects added to this layer can share the same visual properties. - Adds a layer to the document. -Objects added to this layer can share the same visual properties. + Dodaje sloj u dokument. +Objekti dodani ovom sloju mogu dijeliti ista vizualna svojstva. @@ -7824,12 +7829,12 @@ Ovo svojstvo je samo za čitanje, budući da broj ovisi o točkama sadržanim un For Cutlines and Cutfaces modes, this leaves the faces at the cut location - For Cutlines and Cutfaces modes, this leaves the faces at the cut location + Za modalna linijska rezanja i rezanja lica, to ostavlja lica na mjestu reza Length of line segments if tessellating Ellipses or B-splines into line segments - Length of line segments if tessellating Ellipses or B-splines into line segments + Dužine segmenta linija ako su presječene elipse ili B-krive u segmentima linija @@ -8295,7 +8300,7 @@ svojstava 'Početni Kut' i 'Završni Kut'. If it is true, the objects contained within this layer will adopt the shape appearance of the layer - If it is true, the objects contained within this layer will adopt the shape appearance of the layer + Ako je označeno, objekti unutar ovog sloja će pokupiti izgled oblika sloja @@ -8315,7 +8320,7 @@ svojstava 'Početni Kut' i 'Završni Kut'. The shape appearance of the objects contained within this layer - The shape appearance of the objects contained within this layer + Izgled oblika objekata sadržanih u ovom sloju diff --git a/src/Mod/Draft/Resources/translations/Draft_hu.qm b/src/Mod/Draft/Resources/translations/Draft_hu.qm index d71b011c087b..447fec0d08fa 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 e8edf48bdad2..7c7bf6ea6cd6 100644 --- a/src/Mod/Draft/Resources/translations/Draft_hu.ts +++ b/src/Mod/Draft/Resources/translations/Draft_hu.ts @@ -3069,7 +3069,7 @@ ha a globális koordináta-rendszer X, Y vagy Z tengelyekkel megegyeznek - + Angle Szög @@ -3291,14 +3291,14 @@ Nem érhető el, ha a 'Rész-primitívek használata' beállítás engedélyezve - + Distance Távolság - + Offset distance Eltolás távolsága @@ -4137,33 +4137,38 @@ A végső szög lesz az alapszög plusz ennek összege. Csak egyetlen felületet lehet kihúzni. - + + Trimex is not supported yet on this type of object. + Trimex is not supported yet on this type of object. + + + Pick distance Távolság kiválasztása - + Offset angle Eltolási szög - + Unable to trim these objects, only Draft wires and arcs are supported. Nem lehet vágni a tárgyakat, csak tervrajz vonalak és ívek támogatottak. - + Unable to trim these objects, too many wires Nem lehet ezeket a tárgyakat vágni, túl sok drótváz - + These objects don't intersect. Ezek a tárgyak nem metszik egymást. - + Too many intersection points. Túl sok metszési pont. @@ -4869,39 +4874,39 @@ A végső szög lesz az alapszög plusz ennek összege. hozzáadta a 'Fuse' tulajdonságot - + Start Offset too large for path length. Using zero instead. Eltolás kezdete túl nagy az útvonal hosszához képest. Helyette nullát használjunk. - + End Offset too large for path length minus Start Offset. Using zero instead. Eltolás vége túl nagy az útvonal hossza mínusz Eltolás kezdete. Helyette nullát használjunk. - + Length of tangent vector is zero. Copy not aligned. A vektor érintőjének hossza nulla. A másolat nem lesz hozzáigazítva. - - + + Length of normal vector is zero. Using a default axis instead. A aktuális vektor hossza nulla. Helyette az alapértelmezett tengely használata. - - + + Tangent and normal vectors are parallel. Normal replaced by a default axis. Az érintő és a normálvektorok párhuzamosak. Aktuális helyébe az alapértelmezett tengely lép. - + Cannot calculate normal vector. Using the default normal instead. Nem lehet kiszámítani az aktuális vektort. Helyette az alapértelmezett aktuális értéket használja. - + AlignMode {} is not implemented A {} igazítási mód nincs implementálva @@ -5242,24 +5247,24 @@ A végső szög lesz az alapszög plusz ennek összege. Hibás bemenet: 0 és 100 közötti számnak kell lennie. - + Activate this layer Ennek a rétegnek az aktiválása - + Select layer contents Réteg tartalom kijelölése - - + + Merge layer duplicates Megsokszorozott rétegek egyesítése - - + + Add new layer Új réteg hozzáadása @@ -5383,53 +5388,53 @@ A végső szög lesz az alapszög plusz ennek összege. Több csatlakozott felülettel rendelkező tárgyat talált: finomítja ezeket - + Found 1 non-parametric objects: draftifying it Találtunk 1 nem parametrikus tárgyat: tervrajzzá alakít - + Found 1 closed sketch object: creating a face from it 1 zárt vázlat tárgyat talált: létrehoz belőle egy felületet - + Found closed wires: creating faces Zárt drótvázat talált: létrehoz felületeket - + Found several wires or edges: wiring them Több élt vagy szakaszt talált: összeköti őket - - + + Found several non-treatable objects: creating compound Találtam több nem kezelhető tárgyat: kapcsolat létrehozása - + trying: closing it próbálja: bezárni - + Found 1 open wire: closing it 1 nyílt szakaszt talált: bezárja - + Found 1 object: draftifying it Talált 1 tárgyat: tervrajzzá alakít - + Found points: creating compound Pontokat talált: kapcsolat létrehozása - + Unable to upgrade these objects. Nem lehet frissíteni ezeket a tárgyakat. @@ -5925,12 +5930,12 @@ kézzel az Eszközök -> Kiegészítő kezelő menüből importOCA - + OCA: found no data to export OCA: nem talált exportálandó adatot - + successfully exported sikeresen exportálva @@ -5938,7 +5943,7 @@ kézzel az Eszközök -> Kiegészítő kezelő menüből ImportAirfoilDAT - + Did not find enough coordinates Nem találtam elég koordinátát diff --git a/src/Mod/Draft/Resources/translations/Draft_it.qm b/src/Mod/Draft/Resources/translations/Draft_it.qm index a304ebbb50fa..f42c83ee8044 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 a6bb7c9edecb..71ab74f5e4fc 100644 --- a/src/Mod/Draft/Resources/translations/Draft_it.ts +++ b/src/Mod/Draft/Resources/translations/Draft_it.ts @@ -41,7 +41,7 @@ Layers manager - Gestore dei livelli + Gestore dei layer @@ -1385,13 +1385,13 @@ in fase di prelievo dei punti If checked, the layers drop-down list also includes groups. Objects can then automatically be added to groups as well. - Se selezionato, l'elenco a discesa dei livelli include anche i gruppi. Gli oggetti + Se selezionato, l'elenco a discesa dei layer include anche i gruppi. Gli oggetti possono essere aggiunti automaticamente anche ai gruppi. Include groups in layer list - Includi gruppi nella lista dei livelli + Includi gruppi nella lista dei layer @@ -1412,7 +1412,7 @@ possono essere aggiunti automaticamente anche ai gruppi. If checked, Length input, instead of the X coordinate, will have the initial focus. This allows to indicate a direction and then type a distance. - Se selezionato, l'input di lunghezza, invece della coordinata X, avrà il fuoco iniziale. + Se selezionato, l'input della Lunghezza, invece della coordinata X, avrà il focus iniziale. Questo permette di indicare una direzione e quindi digitare una distanza. @@ -1549,7 +1549,7 @@ accidentalmente e modificare il valore inserito. Visual - Visuale + Visualizzazione @@ -2129,7 +2129,7 @@ Esempio: per i file in millimetri: 1, in centimetri: 10, Objects from the same layers will be joined into Draft Blocks, turning the display faster, but making them less easily editable. - Gli oggetti degli stessi livelli saranno uniti in Blocchi Draft, rendendo la visualizzazione più veloce, ma rendendoli modificabili meno facilmente. + Gli oggetti degli stessi layer saranno uniti in Blocchi Draft, rendendo la visualizzazione più veloce, ma rendendoli modificabili meno facilmente. @@ -2193,7 +2193,7 @@ Altrimenti verranno applicati i colori predefiniti. Group layers into blocks - Raggruppa i livelli (layer) in blocchi + Raggruppa i layer in blocchi @@ -2210,7 +2210,7 @@ invece delle dimensioni che hanno nel documento DXF If this is checked, DXF layers will be imported as Draft Layers - Se selezionato, i livelli DXF saranno importati come livelli Draft + Se selezionato, i layer DXF saranno importati come layer Draft @@ -2270,7 +2270,7 @@ Se impostato a '0' l'intera spline viene trattata come un segmento retto. Use layers - Usa i livelli + Usa i layer @@ -2302,7 +2302,7 @@ Questo potrebbe fallire per i modelli DXF dopo la versione R12. Grid and snapping - Griglia e snap + Griglia e aggancio @@ -3073,7 +3073,7 @@ se corrispondono agli assi X, Y o Z del sistema di coordinate globali - + Angle Angolo @@ -3294,14 +3294,14 @@ Not available if Draft preference option 'Use Part Primitives' is enabled - + Distance Distanza - + Offset distance Distanza di offset @@ -4040,7 +4040,7 @@ L'angolo finale sarà l'angolo base più questa quantità. Add new Layer - Aggiungi un nuovo Livello + Aggiungi un nuovo Layer @@ -4138,33 +4138,38 @@ L'angolo finale sarà l'angolo base più questa quantità. Solo una singola faccia può essere estrusa. - + + Trimex is not supported yet on this type of object. + Trimex is not supported yet on this type of object. + + + Pick distance Scegliere la distanza - + Offset angle Angolo di offset - + Unable to trim these objects, only Draft wires and arcs are supported. Impossibile tagliare questi oggetti, sono supportati solo polilinee e archi di Draft. - + Unable to trim these objects, too many wires Impossibile tagliare questi oggetti, troppe polilinee - + These objects don't intersect. Questi oggetti non si intersecano. - + Too many intersection points. Troppi punti di intersezione. @@ -4415,7 +4420,7 @@ L'angolo finale sarà l'angolo base più questa quantità. Layer - Livello + Layer @@ -4870,39 +4875,39 @@ L'angolo finale sarà l'angolo base più questa quantità. aggiunta proprietà 'Fuse' - + Start Offset too large for path length. Using zero instead. Offset iniziale troppo grande per la lunghezza del percorso. Sostituito con zero. - + End Offset too large for path length minus Start Offset. Using zero instead. Offset finale troppo grande per la lunghezza del percorso meno Offset iniziale. Sostituito con zero. - + Length of tangent vector is zero. Copy not aligned. La lunghezza del vettore tangente è zero. Copia non allineata. - - + + Length of normal vector is zero. Using a default axis instead. La lunghezza del vettore normale è zero. Viene usato un asse predefinito al suo posto. - - + + Tangent and normal vectors are parallel. Normal replaced by a default axis. Tangente e vettori normali sono paralleli. Normale sostituita da un asse predefinito. - + Cannot calculate normal vector. Using the default normal instead. Impossibile calcolare il vettore normale. Viene usato il vettore normale predefinito. - + AlignMode {} is not implemented AlignMode {} non è implementata @@ -5216,7 +5221,7 @@ L'angolo finale sarà l'angolo base più questa quantità. Layers - Livelli + Layer @@ -5243,26 +5248,26 @@ L'angolo finale sarà l'angolo base più questa quantità. Input errato: deve essere un numero compreso tra 0 e 100. - + Activate this layer - Attiva questo livello + Attiva questo layer - + Select layer contents - Seleziona il contenuto del livello + Seleziona il contenuto del layer - - + + Merge layer duplicates - Unisci i livelli duplicati + Unisci i layer duplicati - - + + Add new layer - Aggiungi nuovo livello + Aggiungi nuovo layer @@ -5384,53 +5389,53 @@ L'angolo finale sarà l'angolo base più questa quantità. Trovato oggetto con diverse facce complanari: affinamento - + Found 1 non-parametric objects: draftifying it Trovato 1 oggetto non parametrico: verrà abbozzato - + Found 1 closed sketch object: creating a face from it Trovato 1 oggetto schizzo chiuso: creazione di una faccia da esso - + Found closed wires: creating faces Trovato contorni chiusi: creazione di facce - + Found several wires or edges: wiring them Trovate numerose polilinee o bordi: connessione degli stessi - - + + Found several non-treatable objects: creating compound Trovati diversi oggetti non trattabili: creazione di un composto - + trying: closing it tentativo di chiusura - + Found 1 open wire: closing it Trovato 1 contorno aperto: viene chiuso - + Found 1 object: draftifying it Trovato 1 oggetto: viene disegnato - + Found points: creating compound Punti trovati: creazione composto - + Unable to upgrade these objects. Impossibile promuovere questi oggetti. @@ -5853,7 +5858,7 @@ dal menu Strumenti -> Addon Manager New Layer - Nuovo livello + Nuovo Layer @@ -5924,12 +5929,12 @@ dal menu Strumenti -> Addon Manager importOCA - + OCA: found no data to export OCA: non è stato trovato nessun dato da esportare - + successfully exported esportato con successo @@ -5937,7 +5942,7 @@ dal menu Strumenti -> Addon Manager ImportAirfoilDAT - + Did not find enough coordinates Le coordinate non sono sufficienti @@ -6825,14 +6830,14 @@ CTRL per l'aggancio, SHIFT per vincolare, ALT per una copia. Layer - Livello + Layer Adds a layer to the document. Objects added to this layer can share the same visual properties. - Aggiunge un livello al documento. -Gli oggetti aggiunti a questo livello possono condividere le stesse proprietà visive. + Aggiunge un layer al documento. +Gli oggetti aggiunti a questo layer possono condividere le stesse proprietà visive. @@ -7331,7 +7336,7 @@ imposta 'Vero' se il risultato è una fusione o 'Falso' se è un composto The objects that are part of this layer - Gli oggetti che fanno parte di questo livello + Gli oggetti che fanno parte di questo layer @@ -8214,12 +8219,12 @@ dalle proprietà dell' 'Angolo iniziale' e 'Angolo finale'. If it is true, the objects contained within this layer will adopt the line color of the layer - Se è vero, gli oggetti contenuti all'interno di questo livello adotteranno il colore della linee del livello + Se è vero, gli oggetti contenuti all'interno di questo layer adotteranno il colore della linee del layer If it is true, the objects contained within this layer will adopt the shape appearance of the layer - Se è vero, gli oggetti contenuti all'interno di questo livello adotteranno l'aspetto del livello + Se è vero, gli oggetti contenuti all'interno di questo layer adotteranno l'aspetto del layer @@ -8234,12 +8239,12 @@ dalle proprietà dell' 'Angolo iniziale' e 'Angolo finale'. The shape color of the objects contained within this layer - Il colore della Forma degli oggetti contenuti in questo livello + Il colore della Forma degli oggetti contenuti in questo layer The shape appearance of the objects contained within this layer - L'aspetto degli oggetti contenuti in questo livello + L'aspetto degli oggetti contenuti in questo layer @@ -8249,12 +8254,12 @@ dalle proprietà dell' 'Angolo iniziale' e 'Angolo finale'. The draw style of the objects contained within this layer - Lo stile di disegno degli oggetti contenuti in questo livello + Lo stile di disegno degli oggetti contenuti in questo layer The transparency of the objects contained within this layer - La trasparenza degli oggetti contenuti in questo livello + La trasparenza degli oggetti contenuti in questo layer @@ -8368,12 +8373,12 @@ beyond the dimension line Manage layers... - Gestione livelli... + Gestione layer... Set/modify the different layers of this document - Imposta/modifica i diversi livelli di questo documento + Imposta/modifica i diversi layer di questo documento diff --git a/src/Mod/Draft/Resources/translations/Draft_ja.qm b/src/Mod/Draft/Resources/translations/Draft_ja.qm index 42efcf1158ca..9046687e39b4 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 c7d7442d0f9a..57a0347835b3 100644 --- a/src/Mod/Draft/Resources/translations/Draft_ja.ts +++ b/src/Mod/Draft/Resources/translations/Draft_ja.ts @@ -3061,7 +3061,7 @@ if they match the X, Y or Z axis of the global coordinate system - + Angle 角度 @@ -3283,14 +3283,14 @@ Not available if Draft preference option 'Use Part Primitives' is enabled - + Distance 距離 - + Offset distance オフセットの距離 @@ -4129,33 +4129,38 @@ The final angle will be the base angle plus this amount. Only a single face can be extruded. - + + Trimex is not supported yet on this type of object. + Trimex is not supported yet on this type of object. + + + Pick distance 距離を選択 - + Offset angle Offset angle - + Unable to trim these objects, only Draft wires and arcs are supported. Unable to trim these objects, only Draft wires and arcs are supported. - + Unable to trim these objects, too many wires Unable to trim these objects, too many wires - + These objects don't intersect. These objects don't intersect. - + Too many intersection points. Too many intersection points. @@ -4861,39 +4866,39 @@ The final angle will be the base angle plus this amount. added 'Fuse' property - + Start Offset too large for path length. Using zero instead. Start Offset too large for path length. Using zero instead. - + End Offset too large for path length minus Start Offset. Using zero instead. End Offset too large for path length minus Start Offset. Using zero instead. - + Length of tangent vector is zero. Copy not aligned. Length of tangent vector is zero. Copy not aligned. - - + + Length of normal vector is zero. Using a default axis instead. Length of normal vector is zero. Using a default axis instead. - - + + Tangent and normal vectors are parallel. Normal replaced by a default axis. Tangent and normal vectors are parallel. Normal replaced by a default axis. - + Cannot calculate normal vector. Using the default normal instead. Cannot calculate normal vector. Using the default normal instead. - + AlignMode {} is not implemented AlignMode {} は実装されていません。 @@ -5234,24 +5239,24 @@ The final angle will be the base angle plus this amount. Wrong input: must be a number between 0 and 100. - + Activate this layer このレイヤーをアクティブにする - + Select layer contents レイヤーの内容を選択 - - + + Merge layer duplicates レイヤーの重複をマージ - - + + Add new layer 新規レイヤーを作成 @@ -5375,53 +5380,53 @@ The final angle will be the base angle plus this amount. Found object with several coplanar faces: refine them - + Found 1 non-parametric objects: draftifying it Found 1 non-parametric objects: draftifying it - + Found 1 closed sketch object: creating a face from it Found 1 closed sketch object: creating a face from it - + Found closed wires: creating faces Found closed wires: creating faces - + Found several wires or edges: wiring them Found several wires or edges: wiring them - - + + Found several non-treatable objects: creating compound Found several non-treatable objects: creating compound - + trying: closing it trying: closing it - + Found 1 open wire: closing it Found 1 open wire: closing it - + Found 1 object: draftifying it Found 1 object: draftifying it - + Found points: creating compound Found points: creating compound - + Unable to upgrade these objects. Unable to upgrade these objects. @@ -5917,12 +5922,12 @@ dxfライブラリ拡張機能をインストールしてください。 importOCA - + OCA: found no data to export OCA: found no data to export - + successfully exported successfully exported @@ -5930,7 +5935,7 @@ dxfライブラリ拡張機能をインストールしてください。 ImportAirfoilDAT - + Did not find enough coordinates 十分な座標が見つかりませんでした diff --git a/src/Mod/Draft/Resources/translations/Draft_ka.qm b/src/Mod/Draft/Resources/translations/Draft_ka.qm index 2385459404b7..c95651bded97 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 e770d56aed6b..324f54f39f74 100644 --- a/src/Mod/Draft/Resources/translations/Draft_ka.ts +++ b/src/Mod/Draft/Resources/translations/Draft_ka.ts @@ -3073,7 +3073,7 @@ if they match the X, Y or Z axis of the global coordinate system - + Angle კუთხე @@ -3294,14 +3294,14 @@ Not available if Draft preference option 'Use Part Primitives' is enabled - + Distance დაშორება - + Offset distance წანაცვლების მანძილი @@ -4138,33 +4138,38 @@ The final angle will be the base angle plus this amount. Only a single face can be extruded. - + + Trimex is not supported yet on this type of object. + Trimex is not supported yet on this type of object. + + + Pick distance აირჩიეთ დაშორება - + Offset angle წანაცვლების კუთხე - + Unable to trim these objects, only Draft wires and arcs are supported. ამ ობიექტების წაჭრა შეუძლებელია. დაშვებულია მხოლოდ მონახაზის პოლიხაზები და რკალები. - + Unable to trim these objects, too many wires ობიექტების წაჭრის შეცდომა. მეტისმეტად ბევრი პოლიხაზი - + These objects don't intersect. ეს ობიექტები არ იკვეთებიან. - + Too many intersection points. გადაკვეთის მეტისმეტად ბევრი წერტილი. @@ -4870,39 +4875,39 @@ The final angle will be the base angle plus this amount. დაემატა თვისება 'Fuse' - + Start Offset too large for path length. Using zero instead. საწყისი წანაცვლება ბილიკის სიგრძისთვის მეტისმეტად დიდია. გამოიყენება 0. - + End Offset too large for path length minus Start Offset. Using zero instead. საბოლოო წანაცვლება ძალიან დიდია ბილიკის სიგრძეს მინუს საწყისი წანაცვლება. გამოიყენება 0. - + Length of tangent vector is zero. Copy not aligned. მხები ვექტორის სიგრძე ნულის ტოლია. ასლი გასწორებული არ იქნება. - - + + Length of normal vector is zero. Using a default axis instead. ნორმალის ვექტორის სიგრძე ნულის ტოლია. მის მაგიერ ნაგულისხმევი ღერძი იქნება გამოყენებული. - - + + Tangent and normal vectors are parallel. Normal replaced by a default axis. მხები და ნორმალი ვექტორები პარალელურია. ნორმალი ნაგულისხმევი ღერძით ჩანაცვლდება. - + Cannot calculate normal vector. Using the default normal instead. ნორმალის ვექტორის გამოთვლა შეუძლებელია. გამოყენებული იქნება ნაგულისხმევი ნორმალი. - + AlignMode {} is not implemented AlignMode {} ჯერ განუხორციელებელია @@ -5243,24 +5248,24 @@ The final angle will be the base angle plus this amount. არასწორი შეყვანა: უნდა იყოს რიცხვი 0-დან 100-მდე. - + Activate this layer ამ ფენის გააქტიურება - + Select layer contents ფენის შიგთავსის მონიშვნა - - + + Merge layer duplicates ფენის დუბლიკატების შერწყმა - - + + Add new layer ახალი ფენის დამატება @@ -5384,53 +5389,53 @@ The final angle will be the base angle plus this amount. ნაპოვნია ობიექტი რამდენიმე კომპლანარული ზედაპირით: დააზუსტეთ ისინი - + Found 1 non-parametric objects: draftifying it ნაპოვნია 1 არაპარამეტრული ობიექტი: მოხაზვა - + Found 1 closed sketch object: creating a face from it ნაპოვნია 1 დახურული ესკიზის ობიექტი: მისგან ზედაპირის შექმნა - + Found closed wires: creating faces ნაპოვნია დახურული პოლიხაზები: ვქმნი ზედაპირებს - + Found several wires or edges: wiring them ნაპოვნია რამდენიმე პოლიხაზი ან წიბო. მათი გადაბმა - - + + Found several non-treatable objects: creating compound ნაპოვნია რამდენიმე არა-დამუშავებადი ობიექტი: ვქმნი გადაბმას - + trying: closing it ვცდილობ: დავხურო - + Found 1 open wire: closing it ნაპოვნია 1 ღია პოლიხაზი: დაიხურება - + Found 1 object: draftifying it ნაპოვნია 1 ობიექტი: ვაქცევ მონახაზად - + Found points: creating compound წერტილები ნაპოვნია: გადაბმის შექმნა - + Unable to upgrade these objects. ამ ობიექტების განახლება შეუძლებელია. @@ -5926,12 +5931,12 @@ from menu Tools -> Addon Manager importOCA - + OCA: found no data to export OCA: გასატანი მონაცემები არ არსებობს - + successfully exported გატანა წარმატებულია @@ -5939,7 +5944,7 @@ from menu Tools -> Addon Manager ImportAirfoilDAT - + Did not find enough coordinates ნაპოვნი კოორდინატები საკმარისი არაა diff --git a/src/Mod/Draft/Resources/translations/Draft_ko.qm b/src/Mod/Draft/Resources/translations/Draft_ko.qm index 874aa3d8cb50..9eba97e6d879 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 c6965bf9ea5c..64343936f30e 100644 --- a/src/Mod/Draft/Resources/translations/Draft_ko.ts +++ b/src/Mod/Draft/Resources/translations/Draft_ko.ts @@ -3073,7 +3073,7 @@ if they match the X, Y or Z axis of the global coordinate system - + Angle @@ -3295,14 +3295,14 @@ Not available if Draft preference option 'Use Part Primitives' is enabled - + Distance Distance - + Offset distance 편차 거리 @@ -4141,33 +4141,38 @@ The final angle will be the base angle plus this amount. Only a single face can be extruded. - + + Trimex is not supported yet on this type of object. + Trimex is not supported yet on this type of object. + + + Pick distance Pick distance - + Offset angle 편차 각도 - + Unable to trim these objects, only Draft wires and arcs are supported. Unable to trim these objects, only Draft wires and arcs are supported. - + Unable to trim these objects, too many wires Unable to trim these objects, too many wires - + These objects don't intersect. These objects don't intersect. - + Too many intersection points. Too many intersection points. @@ -4873,39 +4878,39 @@ The final angle will be the base angle plus this amount. added 'Fuse' property - + Start Offset too large for path length. Using zero instead. 경로 길이에 비해 시작 편차가 너무 큽니다. 대신 0을 사용하세요. - + End Offset too large for path length minus Start Offset. Using zero instead. 경로 길이에 비해 종료 편차가 너무 큽니다. 대신 0을 사용하세요. - + Length of tangent vector is zero. Copy not aligned. Length of tangent vector is zero. Copy not aligned. - - + + Length of normal vector is zero. Using a default axis instead. Length of normal vector is zero. Using a default axis instead. - - + + Tangent and normal vectors are parallel. Normal replaced by a default axis. Tangent and normal vectors are parallel. Normal replaced by a default axis. - + Cannot calculate normal vector. Using the default normal instead. Cannot calculate normal vector. Using the default normal instead. - + AlignMode {} is not implemented AlignMode {} is not implemented @@ -5246,24 +5251,24 @@ The final angle will be the base angle plus this amount. Wrong input: must be a number between 0 and 100. - + Activate this layer Activate this layer - + Select layer contents Select layer contents - - + + Merge layer duplicates Merge layer duplicates - - + + Add new layer Add new layer @@ -5387,53 +5392,53 @@ The final angle will be the base angle plus this amount. Found object with several coplanar faces: refine them - + Found 1 non-parametric objects: draftifying it Found 1 non-parametric objects: draftifying it - + Found 1 closed sketch object: creating a face from it Found 1 closed sketch object: creating a face from it - + Found closed wires: creating faces Found closed wires: creating faces - + Found several wires or edges: wiring them Found several wires or edges: wiring them - - + + Found several non-treatable objects: creating compound Found several non-treatable objects: creating compound - + trying: closing it trying: closing it - + Found 1 open wire: closing it Found 1 open wire: closing it - + Found 1 object: draftifying it Found 1 object: draftifying it - + Found points: creating compound Found points: creating compound - + Unable to upgrade these objects. Unable to upgrade these objects. @@ -5930,12 +5935,12 @@ from menu Tools -> Addon Manager importOCA - + OCA: found no data to export OCA: found no data to export - + successfully exported successfully exported @@ -5943,7 +5948,7 @@ from menu Tools -> Addon Manager ImportAirfoilDAT - + Did not find enough coordinates Did not find enough coordinates diff --git a/src/Mod/Draft/Resources/translations/Draft_lt.qm b/src/Mod/Draft/Resources/translations/Draft_lt.qm index d4f051e05d8a..b436ff107760 100644 Binary files a/src/Mod/Draft/Resources/translations/Draft_lt.qm and b/src/Mod/Draft/Resources/translations/Draft_lt.qm differ diff --git a/src/Mod/Draft/Resources/translations/Draft_lt.ts b/src/Mod/Draft/Resources/translations/Draft_lt.ts index c035c7e50eed..353d3111cbc4 100644 --- a/src/Mod/Draft/Resources/translations/Draft_lt.ts +++ b/src/Mod/Draft/Resources/translations/Draft_lt.ts @@ -3074,7 +3074,7 @@ if they match the X, Y or Z axis of the global coordinate system - + Angle Kampas @@ -3296,14 +3296,14 @@ Not available if Draft preference option 'Use Part Primitives' is enabled - + Distance Distance - + Offset distance Offset distance @@ -4142,33 +4142,38 @@ The final angle will be the base angle plus this amount. Only a single face can be extruded. - + + Trimex is not supported yet on this type of object. + Trimex is not supported yet on this type of object. + + + Pick distance Pick distance - + Offset angle Offset angle - + Unable to trim these objects, only Draft wires and arcs are supported. Unable to trim these objects, only Draft wires and arcs are supported. - + Unable to trim these objects, too many wires Unable to trim these objects, too many wires - + These objects don't intersect. These objects don't intersect. - + Too many intersection points. Too many intersection points. @@ -4874,39 +4879,39 @@ The final angle will be the base angle plus this amount. added 'Fuse' property - + Start Offset too large for path length. Using zero instead. Start Offset too large for path length. Using zero instead. - + End Offset too large for path length minus Start Offset. Using zero instead. End Offset too large for path length minus Start Offset. Using zero instead. - + Length of tangent vector is zero. Copy not aligned. Length of tangent vector is zero. Copy not aligned. - - + + Length of normal vector is zero. Using a default axis instead. Length of normal vector is zero. Using a default axis instead. - - + + Tangent and normal vectors are parallel. Normal replaced by a default axis. Tangent and normal vectors are parallel. Normal replaced by a default axis. - + Cannot calculate normal vector. Using the default normal instead. Cannot calculate normal vector. Using the default normal instead. - + AlignMode {} is not implemented AlignMode {} is not implemented @@ -5247,24 +5252,24 @@ The final angle will be the base angle plus this amount. Wrong input: must be a number between 0 and 100. - + Activate this layer Activate this layer - + Select layer contents Select layer contents - - + + Merge layer duplicates Merge layer duplicates - - + + Add new layer Add new layer @@ -5388,53 +5393,53 @@ The final angle will be the base angle plus this amount. Found object with several coplanar faces: refine them - + Found 1 non-parametric objects: draftifying it Found 1 non-parametric objects: draftifying it - + Found 1 closed sketch object: creating a face from it Found 1 closed sketch object: creating a face from it - + Found closed wires: creating faces Found closed wires: creating faces - + Found several wires or edges: wiring them Found several wires or edges: wiring them - - + + Found several non-treatable objects: creating compound Found several non-treatable objects: creating compound - + trying: closing it trying: closing it - + Found 1 open wire: closing it Found 1 open wire: closing it - + Found 1 object: draftifying it Found 1 object: draftifying it - + Found points: creating compound Found points: creating compound - + Unable to upgrade these objects. Unable to upgrade these objects. @@ -5931,12 +5936,12 @@ from menu Tools -> Addon Manager importOCA - + OCA: found no data to export OCA: found no data to export - + successfully exported successfully exported @@ -5944,7 +5949,7 @@ from menu Tools -> Addon Manager ImportAirfoilDAT - + Did not find enough coordinates Did not find enough coordinates diff --git a/src/Mod/Draft/Resources/translations/Draft_nl.qm b/src/Mod/Draft/Resources/translations/Draft_nl.qm index 66ae84da82d3..c6ab0c9d397c 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 d2690b50d47a..96901a82d72d 100644 --- a/src/Mod/Draft/Resources/translations/Draft_nl.ts +++ b/src/Mod/Draft/Resources/translations/Draft_nl.ts @@ -3064,7 +3064,7 @@ if they match the X, Y or Z axis of the global coordinate system - + Angle Hoek @@ -3286,14 +3286,14 @@ Not available if Draft preference option 'Use Part Primitives' is enabled - + Distance Afstand - + Offset distance Offset distance @@ -4130,33 +4130,38 @@ The final angle will be the base angle plus this amount. Only a single face can be extruded. - + + Trimex is not supported yet on this type of object. + Trimex is not supported yet on this type of object. + + + Pick distance Kies afstand - + Offset angle Offset angle - + Unable to trim these objects, only Draft wires and arcs are supported. Unable to trim these objects, only Draft wires and arcs are supported. - + Unable to trim these objects, too many wires Unable to trim these objects, too many wires - + These objects don't intersect. Deze objecten snijden elkaar niet. - + Too many intersection points. Te veel snijpunten. @@ -4862,39 +4867,39 @@ The final angle will be the base angle plus this amount. added 'Fuse' property - + Start Offset too large for path length. Using zero instead. Start Offset too large for path length. Using zero instead. - + End Offset too large for path length minus Start Offset. Using zero instead. End Offset too large for path length minus Start Offset. Using zero instead. - + Length of tangent vector is zero. Copy not aligned. Length of tangent vector is zero. Copy not aligned. - - + + Length of normal vector is zero. Using a default axis instead. Length of normal vector is zero. Using a default axis instead. - - + + Tangent and normal vectors are parallel. Normal replaced by a default axis. Tangent and normal vectors are parallel. Normal replaced by a default axis. - + Cannot calculate normal vector. Using the default normal instead. Cannot calculate normal vector. Using the default normal instead. - + AlignMode {} is not implemented AlignMode {} is not implemented @@ -5235,24 +5240,24 @@ The final angle will be the base angle plus this amount. Verkeerde invoer: moet een getal tussen 0 en 100 zijn. - + Activate this layer Activeer deze laag - + Select layer contents Select layer contents - - + + Merge layer duplicates Dubbele laag samenvoegen - - + + Add new layer Nieuwe laag toevoegen @@ -5376,53 +5381,53 @@ The final angle will be the base angle plus this amount. Found object with several coplanar faces: refine them - + Found 1 non-parametric objects: draftifying it Found 1 non-parametric objects: draftifying it - + Found 1 closed sketch object: creating a face from it Found 1 closed sketch object: creating a face from it - + Found closed wires: creating faces Found closed wires: creating faces - + Found several wires or edges: wiring them Found several wires or edges: wiring them - - + + Found several non-treatable objects: creating compound Found several non-treatable objects: creating compound - + trying: closing it trying: closing it - + Found 1 open wire: closing it Found 1 open wire: closing it - + Found 1 object: draftifying it Found 1 object: draftifying it - + Found points: creating compound Found points: creating compound - + Unable to upgrade these objects. Unable to upgrade these objects. @@ -5919,12 +5924,12 @@ from menu Tools -> Addon Manager importOCA - + OCA: found no data to export OCA: found no data to export - + successfully exported succesvol geëxporteerd @@ -5932,7 +5937,7 @@ from menu Tools -> Addon Manager ImportAirfoilDAT - + Did not find enough coordinates Er zijn niet genoeg coördinaten gevonden diff --git a/src/Mod/Draft/Resources/translations/Draft_pl.qm b/src/Mod/Draft/Resources/translations/Draft_pl.qm index 6d8d9063fe6e..8033306f6952 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 24783b4d7689..d3207ce94c3b 100644 --- a/src/Mod/Draft/Resources/translations/Draft_pl.ts +++ b/src/Mod/Draft/Resources/translations/Draft_pl.ts @@ -3075,7 +3075,7 @@ będzie widoczny tylko podczas wykonywania poleceń - + Angle Kąt @@ -3297,14 +3297,14 @@ Opcja jest niedostępna, jeśli opcja preferencji Rysunku Roboczego "używaj ele - + Distance Odległość - + Offset distance Odległość przesunięcia @@ -4145,33 +4145,38 @@ Kąt końcowy będzie równy kątowi podstawowemu plus ta wartość.Tylko jedna ściana może być wyciągana. - + + Trimex is not supported yet on this type of object. + Trimex is not supported yet on this type of object. + + + Pick distance Wybierz odległość - + Offset angle Kąt odsunięcia - + Unable to trim these objects, only Draft wires and arcs are supported. Nie można przyciąć tych obiektów, obsługiwane są tylko linie łamane i łuki. - + Unable to trim these objects, too many wires Nie można przyciąć tych obiektów, za dużo linii - + These objects don't intersect. Te obiekty nie przecinają się. - + Too many intersection points. Zbyt wiele punktów przecięcia. @@ -4877,39 +4882,39 @@ Kąt końcowy będzie równy kątowi podstawowemu plus ta wartość.dodano właściwość "Fuse". - + Start Offset too large for path length. Using zero instead. Rozpoczęcie odsunięcia zbyt duże dla długości ścieżki. Zamiast tego użyj zera. - + End Offset too large for path length minus Start Offset. Using zero instead. Zakończenie odsunięcia zbyt duże dla długości ścieżki pomniejszonej o rozpoczęcie odsunięcia. Zamiast tego użyj zera. - + Length of tangent vector is zero. Copy not aligned. Długość stycznej wektora wynosi zero. Kopia nie będzie ustawiona. - - + + Length of normal vector is zero. Using a default axis instead. Długość wektora normalnego wynosi zero. Używanie domyślnej osi zamiast niego. - - + + Tangent and normal vectors are parallel. Normal replaced by a default axis. Styczne i normalne wektory są równoległe. Normalne zastąpione przez oś domyślną. - + Cannot calculate normal vector. Using the default normal instead. Nie można obliczyć wektora normalnego. Używanie domyślnego normalnego zamiast niego. - + AlignMode {} is not implemented Tryb wyrównania {} nie jest zaimplementowany @@ -5251,24 +5256,24 @@ typ_etykiety musi być jednym z następujących: Błędne dane wejściowe: spodziewana liczba z zakresu od 0 do 100. - + Activate this layer Aktywuj wybraną warstwę - + Select layer contents Wybierz zawartość warstwy - - + + Merge layer duplicates Scal zduplikowane warstwy - - + + Add new layer Dodaj nową warstwę @@ -5392,53 +5397,53 @@ typ_etykiety musi być jednym z następujących: Znaleziono obiekt z kilkoma współpłaszczyznowymi ścianami: ulepsz je - + Found 1 non-parametric objects: draftifying it Znaleziono 1 nieparametryczny obiekt: szkicowanie go - + Found 1 closed sketch object: creating a face from it Znaleziono 1 zamknięty obiekt rysunku: tworzenie z niego ściany - + Found closed wires: creating faces Znaleziono zamknięte polilinie: tworzenie ścian - + Found several wires or edges: wiring them Znaleziono kilka polilinii lub krawędzi: łączenie ich - - + + Found several non-treatable objects: creating compound Znaleziono kilka nieobsługiwanych obiektów: tworzenie obiektu złożonego - + trying: closing it próba: zamykanie - + Found 1 open wire: closing it Znaleziono 1 otwartą polilinię: zamykanie jej - + Found 1 object: draftifying it Znaleziono 1 obiekt: szkicowanie go - + Found points: creating compound Znalezione punkty: tworzenie kształtu złożonego - + Unable to upgrade these objects. Nie można ulepszyć tych obiektów. @@ -5933,12 +5938,12 @@ Proszę zainstalować dodatek bibliotek dxf ręcznie z narzędzi Menu -> Mene importOCA - + OCA: found no data to export OCA: nie znaleziono danych do eksportu - + successfully exported wyeksportowano pomyślnie @@ -5946,7 +5951,7 @@ Proszę zainstalować dodatek bibliotek dxf ręcznie z narzędzi Menu -> Mene ImportAirfoilDAT - + Did not find enough coordinates Nie znaleziono wystarczającej liczby współrzędnych diff --git a/src/Mod/Draft/Resources/translations/Draft_pt-BR.qm b/src/Mod/Draft/Resources/translations/Draft_pt-BR.qm index e020f83661f1..29e4ab3350a8 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 e4294a5a88f4..783910a33af7 100644 --- a/src/Mod/Draft/Resources/translations/Draft_pt-BR.ts +++ b/src/Mod/Draft/Resources/translations/Draft_pt-BR.ts @@ -3058,7 +3058,7 @@ correspondendo aos eixos X, Y ou Z do sistema de coordenadas global - + Angle Ângulo @@ -3279,14 +3279,14 @@ Not available if Draft preference option 'Use Part Primitives' is enabled - + Distance Distância - + Offset distance Distância de deslocamento @@ -4123,33 +4123,38 @@ The final angle will be the base angle plus this amount. Só uma única face pode ser extrudada. - + + Trimex is not supported yet on this type of object. + Trimex is not supported yet on this type of object. + + + Pick distance Indique a distância - + Offset angle Ângulo de deslocamento - + Unable to trim these objects, only Draft wires and arcs are supported. Não é possível aparar estes objetos, somente arames do rascunho e arcos são suportados. - + Unable to trim these objects, too many wires Não é possível aparar estes objetos: número de arames muito alto - + These objects don't intersect. Esses objetos não se cruzam. - + Too many intersection points. Muitos pontos de intersecção. @@ -4855,39 +4860,39 @@ The final angle will be the base angle plus this amount. adicionando propriedade 'Fuse' - + Start Offset too large for path length. Using zero instead. Deslocamento inicial muito largo para o comprimento do caminho. Usando zero em seu lugar. - + End Offset too large for path length minus Start Offset. Using zero instead. Deslocamento final muito largo para o comprimento do caminho. Usando zero em seu lugar. - + Length of tangent vector is zero. Copy not aligned. Comprimento do vetor tangente é zero. Cópia não alinhada. - - + + Length of normal vector is zero. Using a default axis instead. Comprimento do vetor normal é zero. Utilizando um eixo padrão em seu lugar. - - + + Tangent and normal vectors are parallel. Normal replaced by a default axis. Os vetores tangentes e normais são paralelos. O normal foi substituído por um eixo padrão. - + Cannot calculate normal vector. Using the default normal instead. Impossível calcular vetor normal. Utilizando o normal padrão em seu lugar. - + AlignMode {} is not implemented AlignMode {} não está implementado @@ -5228,24 +5233,24 @@ The final angle will be the base angle plus this amount. Entrada errada: deve ser um número entre 0 e 100. - + Activate this layer Ativar esta camada - + Select layer contents Selecionar conteúdo da camada - - + + Merge layer duplicates Mesclar camadas duplicadas - - + + Add new layer Adicionar nova camada @@ -5369,53 +5374,53 @@ The final angle will be the base angle plus this amount. Objeto encontrado com várias faces coplanares: refinando-os - + Found 1 non-parametric objects: draftifying it 1 objeto não-paramétrico encontrado: transformando-o em esboço - + Found 1 closed sketch object: creating a face from it 1 esboço fechado (sketch) encontrado: criando uma face dele - + Found closed wires: creating faces Arames fechados encontrados: Criação de faces - + Found several wires or edges: wiring them Vários arames ou arestas encontrados: conectando tudo - - + + Found several non-treatable objects: creating compound Vários objetos não tratáveis encontrados: criando compostos - + trying: closing it tentando: fechando - + Found 1 open wire: closing it 1 arame aberto encontrado: fechando-o - + Found 1 object: draftifying it 1 objeto encontrado: transformando ele em esboço - + Found points: creating compound Pontos encontrados: criando composto - + Unable to upgrade these objects. Não é possível atualizar esses objetos. @@ -5912,12 +5917,12 @@ no menu ferramentas -> Gerenciador de Extensões importOCA - + OCA: found no data to export OCA: Nenhum dado encontrado para exportar - + successfully exported exportado com sucesso @@ -5925,7 +5930,7 @@ no menu ferramentas -> Gerenciador de Extensões ImportAirfoilDAT - + Did not find enough coordinates Não foram encontradas coordenadas suficientes diff --git a/src/Mod/Draft/Resources/translations/Draft_pt-PT.qm b/src/Mod/Draft/Resources/translations/Draft_pt-PT.qm index b587f11e6d7c..bd1b4789d965 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 2d14f217a044..cb73ad3e9b18 100644 --- a/src/Mod/Draft/Resources/translations/Draft_pt-PT.ts +++ b/src/Mod/Draft/Resources/translations/Draft_pt-PT.ts @@ -3075,7 +3075,7 @@ if they match the X, Y or Z axis of the global coordinate system - + Angle Ângulo @@ -3296,14 +3296,14 @@ Not available if Draft preference option 'Use Part Primitives' is enabled - + Distance Distância - + Offset distance Offset distance @@ -4142,33 +4142,38 @@ The final angle will be the base angle plus this amount. Only a single face can be extruded. - + + Trimex is not supported yet on this type of object. + Trimex is not supported yet on this type of object. + + + Pick distance Pick distance - + Offset angle Offset angle - + Unable to trim these objects, only Draft wires and arcs are supported. Unable to trim these objects, only Draft wires and arcs are supported. - + Unable to trim these objects, too many wires Unable to trim these objects, too many wires - + These objects don't intersect. These objects don't intersect. - + Too many intersection points. Too many intersection points. @@ -4874,39 +4879,39 @@ The final angle will be the base angle plus this amount. added 'Fuse' property - + Start Offset too large for path length. Using zero instead. Start Offset too large for path length. Using zero instead. - + End Offset too large for path length minus Start Offset. Using zero instead. End Offset too large for path length minus Start Offset. Using zero instead. - + Length of tangent vector is zero. Copy not aligned. O comprimento do vetor tangente é zero. Copia não alinhada. - - + + Length of normal vector is zero. Using a default axis instead. Comprimento do vetor normal é zero. Usando um eixo predefinido em substituição. - - + + Tangent and normal vectors are parallel. Normal replaced by a default axis. Os vetores Tangentes e normais são paralelos. Normal substituído por um eixo predefinido. - + Cannot calculate normal vector. Using the default normal instead. Não é possível calcular o vetor normal. Usando o normal predefinido em substituição. - + AlignMode {} is not implemented AlignMode {} is not implemented @@ -5247,24 +5252,24 @@ The final angle will be the base angle plus this amount. Wrong input: must be a number between 0 and 100. - + Activate this layer Activate this layer - + Select layer contents Select layer contents - - + + Merge layer duplicates Merge layer duplicates - - + + Add new layer Add new layer @@ -5388,53 +5393,53 @@ The final angle will be the base angle plus this amount. Found object with several coplanar faces: refine them - + Found 1 non-parametric objects: draftifying it Found 1 non-parametric objects: draftifying it - + Found 1 closed sketch object: creating a face from it Found 1 closed sketch object: creating a face from it - + Found closed wires: creating faces Found closed wires: creating faces - + Found several wires or edges: wiring them Found several wires or edges: wiring them - - + + Found several non-treatable objects: creating compound Found several non-treatable objects: creating compound - + trying: closing it trying: closing it - + Found 1 open wire: closing it Found 1 open wire: closing it - + Found 1 object: draftifying it Found 1 object: draftifying it - + Found points: creating compound Found points: creating compound - + Unable to upgrade these objects. Unable to upgrade these objects. @@ -5931,12 +5936,12 @@ from menu Tools -> Addon Manager importOCA - + OCA: found no data to export OCA: found no data to export - + successfully exported successfully exported @@ -5944,7 +5949,7 @@ from menu Tools -> Addon Manager ImportAirfoilDAT - + Did not find enough coordinates Did not find enough coordinates diff --git a/src/Mod/Draft/Resources/translations/Draft_ro.qm b/src/Mod/Draft/Resources/translations/Draft_ro.qm index be9767a9f704..bc8b95468da5 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 425f27271c1f..b9ec11687c10 100644 --- a/src/Mod/Draft/Resources/translations/Draft_ro.ts +++ b/src/Mod/Draft/Resources/translations/Draft_ro.ts @@ -3074,7 +3074,7 @@ if they match the X, Y or Z axis of the global coordinate system - + Angle Unghi @@ -3296,14 +3296,14 @@ Not available if Draft preference option 'Use Part Primitives' is enabled - + Distance Distance - + Offset distance Offset distance @@ -4142,33 +4142,38 @@ The final angle will be the base angle plus this amount. Only a single face can be extruded. - + + Trimex is not supported yet on this type of object. + Trimex is not supported yet on this type of object. + + + Pick distance Alege distanța - + Offset angle Offset unghi - + Unable to trim these objects, only Draft wires and arcs are supported. Imposibil de tăiat aceste obiecte, doar firele de ciornă și arcurile sunt suportate. - + Unable to trim these objects, too many wires Imposibil de tăiat aceste obiecte, prea multe cabluri - + These objects don't intersect. Aceste obiecte nu se intersectează. - + Too many intersection points. Prea multe puncte de intersecţie. @@ -4874,39 +4879,39 @@ The final angle will be the base angle plus this amount. added 'Fuse' property - + Start Offset too large for path length. Using zero instead. Start Offset too large for path length. Using zero instead. - + End Offset too large for path length minus Start Offset. Using zero instead. End Offset too large for path length minus Start Offset. Using zero instead. - + Length of tangent vector is zero. Copy not aligned. Length of tangent vector is zero. Copy not aligned. - - + + Length of normal vector is zero. Using a default axis instead. Length of normal vector is zero. Using a default axis instead. - - + + Tangent and normal vectors are parallel. Normal replaced by a default axis. Tangent and normal vectors are parallel. Normal replaced by a default axis. - + Cannot calculate normal vector. Using the default normal instead. Cannot calculate normal vector. Using the default normal instead. - + AlignMode {} is not implemented AlignMode {} is not implemented @@ -5247,24 +5252,24 @@ The final angle will be the base angle plus this amount. Wrong input: must be a number between 0 and 100. - + Activate this layer Activate this layer - + Select layer contents Select layer contents - - + + Merge layer duplicates Merge layer duplicates - - + + Add new layer Add new layer @@ -5388,53 +5393,53 @@ The final angle will be the base angle plus this amount. Found object with several coplanar faces: refine them - + Found 1 non-parametric objects: draftifying it Found 1 non-parametric objects: draftifying it - + Found 1 closed sketch object: creating a face from it Found 1 closed sketch object: creating a face from it - + Found closed wires: creating faces Found closed wires: creating faces - + Found several wires or edges: wiring them Found several wires or edges: wiring them - - + + Found several non-treatable objects: creating compound Found several non-treatable objects: creating compound - + trying: closing it trying: closing it - + Found 1 open wire: closing it Found 1 open wire: closing it - + Found 1 object: draftifying it Found 1 object: draftifying it - + Found points: creating compound Found points: creating compound - + Unable to upgrade these objects. Unable to upgrade these objects. @@ -5931,12 +5936,12 @@ from menu Tools -> Addon Manager importOCA - + OCA: found no data to export OCA: found no data to export - + successfully exported successfully exported @@ -5944,7 +5949,7 @@ from menu Tools -> Addon Manager ImportAirfoilDAT - + Did not find enough coordinates Did not find enough coordinates diff --git a/src/Mod/Draft/Resources/translations/Draft_ru.qm b/src/Mod/Draft/Resources/translations/Draft_ru.qm index 7a45205ac9c3..964dfdb73fac 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 b823c120cd24..322aa2ce9bab 100644 --- a/src/Mod/Draft/Resources/translations/Draft_ru.ts +++ b/src/Mod/Draft/Resources/translations/Draft_ru.ts @@ -3064,7 +3064,7 @@ if they match the X, Y or Z axis of the global coordinate system - + Angle Угол @@ -3285,14 +3285,14 @@ Not available if Draft preference option 'Use Part Primitives' is enabled - + Distance Расстояние - + Offset distance Расстояние смещения @@ -4129,33 +4129,38 @@ The final angle will be the base angle plus this amount. Выдавливать можно только одну грань. - + + Trimex is not supported yet on this type of object. + Trimex is not supported yet on this type of object. + + + Pick distance Выберите расстояние - + Offset angle Угол смещения - + Unable to trim these objects, only Draft wires and arcs are supported. Невозможно обрезать эти объекты, поддерживаются только чертежные провода и дуги. - + Unable to trim these objects, too many wires Невозможно обрезать эти объекты, слишком много линий - + These objects don't intersect. Данные объекты не пересекаются. - + Too many intersection points. Слишком много точек пересечения. @@ -4861,39 +4866,39 @@ The final angle will be the base angle plus this amount. добавлено свойство «Предохранитель» - + Start Offset too large for path length. Using zero instead. Начальное смещение слишком велико для длины пути. Вместо этого используется ноль. - + End Offset too large for path length minus Start Offset. Using zero instead. Конечное смещение слишком велико для длины пути минус начало. Вместо этого используется ноль. - + Length of tangent vector is zero. Copy not aligned. Длина касательного вектора равна нулю. Копия не выровнена. - - + + Length of normal vector is zero. Using a default axis instead. Длина вектора нормали равна нулю. Вместо этого используйте ось по умолчанию. - - + + Tangent and normal vectors are parallel. Normal replaced by a default axis. Векторы касательной и нормали параллельны. Нормальная заменена осью по умолчанию. - + Cannot calculate normal vector. Using the default normal instead. Невозможно вычислить вектор нормали. Вместо этого используйте стандартную нормаль. - + AlignMode {} is not implemented AlignMode {} -выравнивание - не реализован @@ -5234,24 +5239,24 @@ The final angle will be the base angle plus this amount. Неверный ввод: должно быть число от 0 до 100. - + Activate this layer Активировать этот слой - + Select layer contents Выбрать содержимое слоя - - + + Merge layer duplicates Объединить дубликаты слоя - - + + Add new layer Добавить новый слой @@ -5375,53 +5380,53 @@ The final angle will be the base angle plus this amount. Найден объект с несколькими копланарными гранями: уточняю их - + Found 1 non-parametric objects: draftifying it Найден один непараметрический объект: создаем его эскиз - + Found 1 closed sketch object: creating a face from it Найден 1 закрытый эскиз объекта: создаю из него грань - + Found closed wires: creating faces Найдены замкнутые ломаные: создание граней - + Found several wires or edges: wiring them Найдены несколько линий или ребер: связываю их - - + + Found several non-treatable objects: creating compound Найдены несколько неисправляемых объектов: создаю соединение - + trying: closing it попытка: закрываю - + Found 1 open wire: closing it Найден один открытый провод: закрываю его - + Found 1 object: draftifying it Найден 1 объект: составление черновика - + Found points: creating compound Найдены точки: создаю объединение - + Unable to upgrade these objects. Не удается обновить эти объекты. @@ -5915,12 +5920,12 @@ from menu Tools -> Addon Manager importOCA - + OCA: found no data to export OCA: не найдено данных для экспорта - + successfully exported успешно экспортировано @@ -5928,7 +5933,7 @@ from menu Tools -> Addon Manager ImportAirfoilDAT - + Did not find enough coordinates Недостаточно координат diff --git a/src/Mod/Draft/Resources/translations/Draft_sl.qm b/src/Mod/Draft/Resources/translations/Draft_sl.qm index 75f066ed3948..20c7a33116e9 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 adff9695bb64..b697c00577ad 100644 --- a/src/Mod/Draft/Resources/translations/Draft_sl.ts +++ b/src/Mod/Draft/Resources/translations/Draft_sl.ts @@ -3068,7 +3068,7 @@ občega koordinatnega sistema, obarvajo rdeče, zeleno ali modro - + Angle Kot @@ -3290,14 +3290,14 @@ Ta možnost ni na voljo, če je v prednastavitvah izrisovanja možnost "Uporabi - + Distance Oddaljenost - + Offset distance Velikost odmika @@ -4136,33 +4136,38 @@ Končni kót bo seštevek izhodiščnega in tega kóta. Only a single face can be extruded. - + + Trimex is not supported yet on this type of object. + Trimex is not supported yet on this type of object. + + + Pick distance Izberite razdaljo - + Offset angle Kót odmika - + Unable to trim these objects, only Draft wires and arcs are supported. Teh predmetov ni mogoče prirezati, le izrisna (Draft) črtovja in loki imajo to možnost. - + Unable to trim these objects, too many wires Ni mogoče prirezati teh predmetov, preveč črtovij - + These objects don't intersect. Ti predmeti se ne sekajo. - + Too many intersection points. Preveč presečišč. @@ -4868,39 +4873,39 @@ Končni kót bo seštevek izhodiščnega in tega kóta. dodana lastnost "Fuse" - + Start Offset too large for path length. Using zero instead. Začetni zamik prevelik glede na dolžino poti. Upoštevan bo zamik nič. - + End Offset too large for path length minus Start Offset. Using zero instead. Končni zamik prevelik glede na dolžino poti minus začetn zamik. Upoštevan bo zamik nič. - + Length of tangent vector is zero. Copy not aligned. Dolžina dotikalnega vekorja je nič. Dvojnik ni priravnan. - - + + Length of normal vector is zero. Using a default axis instead. Dolžina vektorja normale je nič. Namesto tega je uporabljena privzeta os. - - + + Tangent and normal vectors are parallel. Normal replaced by a default axis. Vektorja normale in dotikalnice sta vzporedna. Normala nadomeščena s privzeto osjo. - + Cannot calculate normal vector. Using the default normal instead. Vektorja normale ni mogoče izračunati. Namesto tega se uporablja privzeta normala. - + AlignMode {} is not implemented Način poravnave {} ni uveljavljen @@ -5241,24 +5246,24 @@ Končni kót bo seštevek izhodiščnega in tega kóta. Napačen vnos: mora biti število med 0 in 100. - + Activate this layer Omogoči to plast - + Select layer contents Izberite vsebino plasti - - + + Merge layer duplicates Združi podvojene plasti - - + + Add new layer Dodaj novo plast @@ -5382,53 +5387,53 @@ Končni kót bo seštevek izhodiščnega in tega kóta. Najden predmet z več soravninskimi ploskvami: prečiščevanje - + Found 1 non-parametric objects: draftifying it Najden 1 nedoločilovni predmet: spreminjanje v izris - + Found 1 closed sketch object: creating a face from it Najden 1 sklenjen očrt: ustvarjanje ploskve - + Found closed wires: creating faces Najdena sklenjena črtovja: ustvarjanje ploskev - + Found several wires or edges: wiring them Najdenih več črtovij ali robov: povezovanje v črtovje - - + + Found several non-treatable objects: creating compound Najdenih več nepopravljivih predmetov: ustvarjanje sestava - + trying: closing it poizkušanje: zapiranje - + Found 1 open wire: closing it Najdeno 1 nesklenjeno črtovje: sklepanje - + Found 1 object: draftifying it Najden 1 predmet: spreminjanje v izris - + Found points: creating compound Najdene točke: ustvarjanje sestava - + Unable to upgrade these objects. Teh predmetov ni mogoče nadgraditi. @@ -5925,12 +5930,12 @@ z menija Orodja -> Upravljalnik vstavkov importOCA - + OCA: found no data to export OCA: ni mogoče najti podatkov za izvoz - + successfully exported uspešno izvoženo @@ -5938,7 +5943,7 @@ z menija Orodja -> Upravljalnik vstavkov ImportAirfoilDAT - + Did not find enough coordinates Ni mogoče najti dovolj sorednic diff --git a/src/Mod/Draft/Resources/translations/Draft_sr-CS.qm b/src/Mod/Draft/Resources/translations/Draft_sr-CS.qm index c737d0b29993..7a851689c9ed 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 dd6b845c5608..82090e771898 100644 --- a/src/Mod/Draft/Resources/translations/Draft_sr-CS.ts +++ b/src/Mod/Draft/Resources/translations/Draft_sr-CS.ts @@ -2364,7 +2364,7 @@ Glavne linije koordinatne mreže su deblje od sporednih. The Alt modifier key. The function of this key depends on the command. - Alt tipka. Funkcija ove tipke na tastaturi zavisi od komande. + Alt taster. Funkcija ovog tastera zavisi od komande. @@ -3057,7 +3057,7 @@ if they match the X, Y or Z axis of the global coordinate system - + Angle Ugao @@ -3278,21 +3278,21 @@ Nije dostupno ako je omogućena opcija podešavanja 'Koristi Part primitive' - + Distance Rastojanje - + Offset distance Odmak rastojanje Trimex - Trimex + Trimeks @@ -4122,33 +4122,38 @@ Krajnji ugao će biti početni ugao plus ovaj iznos. Izvlačiti se može samo jedna stranica. - + + Trimex is not supported yet on this type of object. + Trimex is not supported yet on this type of object. + + + Pick distance Izaberi rastojanje - + Offset angle Ugao odmaka - + Unable to trim these objects, only Draft wires and arcs are supported. Nije moguće opseći ove objekte, podržane su samo žičane ivice i kružni lukovi. - + Unable to trim these objects, too many wires Nije moguće opseći ove objekte, previše žičanih ivica - + These objects don't intersect. Ovi objekti se ne ukrštaju. - + Too many intersection points. Previše presečnih tačaka. @@ -4854,39 +4859,39 @@ Krajnji ugao će biti početni ugao plus ovaj iznos. added 'Fuse' property - + Start Offset too large for path length. Using zero instead. Početni odmak je prevelik za dužinu putanje. Koristi nulu umesto. - + End Offset too large for path length minus Start Offset. Using zero instead. Krajnji odmak je prevelik za razliku između dužine putanje i početnog odmaka. Koristi nulu umesto. - + Length of tangent vector is zero. Copy not aligned. Dužina tangentnog vektora je nula. Kopija nije poravnata. - - + + Length of normal vector is zero. Using a default axis instead. Dužina vektora normale je nula. Umesto njega koristite podrazumevanu osu. - - + + Tangent and normal vectors are parallel. Normal replaced by a default axis. Tangentni i normalni vektori su paralelni. Normalni je zamenjen podrazumevanom osom. - + Cannot calculate normal vector. Using the default normal instead. Nije moguće izračunati normalni vektor. Umesto toga koristite podrazumevanu normalu. - + AlignMode {} is not implemented AlignMode {} is not implemented @@ -5227,24 +5232,24 @@ Krajnji ugao će biti početni ugao plus ovaj iznos. Pogrešan unos: mora biti broj između 0 i 100. - + Activate this layer Aktiviraj ovaj sloj - + Select layer contents Izaberi sadržaj sloja - - + + Merge layer duplicates Objedini duplikate sloja - - + + Add new layer Dodaj novi sloj @@ -5368,53 +5373,53 @@ Krajnji ugao će biti početni ugao plus ovaj iznos. Pronađen je objekat sa nekoliko komplanarnih stranica: pročisti ih - + Found 1 non-parametric objects: draftifying it Pronađen 1 neparametarski objekat: pretvaram ga u objekat okuženja Crtanje - + Found 1 closed sketch object: creating a face from it Pronađen je 1 objekat zatvorena skica: pravim stranicu od njega - + Found closed wires: creating faces Pronađeni zatvoreni žičani ramovi: prave se stranice - + Found several wires or edges: wiring them Pronađeno nekoliko žičanih ivica ili ivica: spajaju se - - + + Found several non-treatable objects: creating compound Pronađeno više nepodržanih objekata: pravim sastavljeni objekat - + trying: closing it pokušavam: zatvaram ga - + Found 1 open wire: closing it Pronađen 1 otvoren žičani ram: zatvara se - + Found 1 object: draftifying it Pronađen 1 objekat: pretvaram ga u objekat okruženja Crtanje - + Found points: creating compound Pronađene tačke: pravim sastavljeni objekat - + Unable to upgrade these objects. Nije moguće sastaviti ove objekte. @@ -5911,12 +5916,12 @@ iz menija Alati/Menadžer dodataka importOCA - + OCA: found no data to export OCA: nije pronađen nijedan podatak za izvoz - + successfully exported uspešno izvezeno @@ -5924,7 +5929,7 @@ iz menija Alati/Menadžer dodataka ImportAirfoilDAT - + Did not find enough coordinates Nije pronađeno dovoljno koordinata @@ -6652,7 +6657,7 @@ Najbolje funkcioniše kada se bira tačka na pravom segmentu, a ne tačka na vrh Trimex - Trimex + Trimeks diff --git a/src/Mod/Draft/Resources/translations/Draft_sr.qm b/src/Mod/Draft/Resources/translations/Draft_sr.qm index 430a734c65c4..f37f25a1a18d 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 cf930d52ab3e..ccf40443cc37 100644 --- a/src/Mod/Draft/Resources/translations/Draft_sr.ts +++ b/src/Mod/Draft/Resources/translations/Draft_sr.ts @@ -2366,7 +2366,7 @@ Major grid lines are thicker than minor grid lines. The Alt modifier key. The function of this key depends on the command. - Alt типка. Функција ове типке на тастатури зависи од команде. + Alt тастер. Функција овог тастера на тастатури зависи од команде. @@ -3059,7 +3059,7 @@ if they match the X, Y or Z axis of the global coordinate system - + Angle Угао @@ -3280,14 +3280,14 @@ Not available if Draft preference option 'Use Part Primitives' is enabled - + Distance Растојање - + Offset distance Одмак растојање @@ -4124,33 +4124,38 @@ The final angle will be the base angle plus this amount. Извлачити се може само једна страница. - + + Trimex is not supported yet on this type of object. + Trimex is not supported yet on this type of object. + + + Pick distance Изабери растојање - + Offset angle Угао одмака - + Unable to trim these objects, only Draft wires and arcs are supported. Није могуће опсећи ове објекте, подржане су само жичане ивице и кружни лукови. - + Unable to trim these objects, too many wires Није могуће опсећи ове објекте, превише жичаних ивица - + These objects don't intersect. Ови објекти се не укрштају. - + Too many intersection points. Превише пресечних тачака. @@ -4856,39 +4861,39 @@ The final angle will be the base angle plus this amount. added 'Fuse' property - + Start Offset too large for path length. Using zero instead. Почетни одмак је превелик за дужину путање. Користи нулу уместо. - + End Offset too large for path length minus Start Offset. Using zero instead. Крајњи одмак је превелик за разлику између дужине путање и почетног одмака. Користи нулу уместо. - + Length of tangent vector is zero. Copy not aligned. Дужина тангентног вектора је нула. Копија није поравната. - - + + Length of normal vector is zero. Using a default axis instead. Дужина вектора нормале је нула. Уместо њега користите подразумевану осу. - - + + Tangent and normal vectors are parallel. Normal replaced by a default axis. Тангентни и нормални вектори су паралелни. Нормални је замењен подразумеваном осом. - + Cannot calculate normal vector. Using the default normal instead. Није могуће израчунати нормални вектор. Уместо тога користите подразумевану нормалу. - + AlignMode {} is not implemented AlignMode {} is not implemented @@ -5229,24 +5234,24 @@ The final angle will be the base angle plus this amount. Погрешан унос: мора бити број између 0 и 100. - + Activate this layer Активирај овај слој - + Select layer contents Изабери садржај слоја - - + + Merge layer duplicates Обједини дупликате слоја - - + + Add new layer Додај нови слој @@ -5370,53 +5375,53 @@ The final angle will be the base angle plus this amount. Пронађен је објекат са неколико компланарних страница: прочисти их - + Found 1 non-parametric objects: draftifying it Пронађен 1 непараметарски објекат: претварам га у објекат окужења Цртање - + Found 1 closed sketch object: creating a face from it Пронађен је 1 објекат затворена скица: правим страницу од њега - + Found closed wires: creating faces Пронађени затворени жичани рамови: праве се странице - + Found several wires or edges: wiring them Пронађено неколико жичаних ивица или ивица: спајају се - - + + Found several non-treatable objects: creating compound Пронађено више неподржаних објеката: правим састављени објекат - + trying: closing it покушавам: затварам га - + Found 1 open wire: closing it Пронађен 1 отворен жичани рам: затвара се - + Found 1 object: draftifying it Пронађен 1 објекат: претварам га у објекат окружења Цртање - + Found points: creating compound Пронађене тачке: правим састављени објекат - + Unable to upgrade these objects. Није могуће саставити ове објекте. @@ -5913,12 +5918,12 @@ from menu Tools -> Addon Manager importOCA - + OCA: found no data to export OCA: није пронађен ниједан податак за извоз - + successfully exported успешно извезено @@ -5926,7 +5931,7 @@ from menu Tools -> Addon Manager ImportAirfoilDAT - + Did not find enough coordinates Није пронађено довољно координата diff --git a/src/Mod/Draft/Resources/translations/Draft_sv-SE.qm b/src/Mod/Draft/Resources/translations/Draft_sv-SE.qm index 7e20227afe76..ebbb9dfc9784 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 399afee90277..d266e235a94a 100644 --- a/src/Mod/Draft/Resources/translations/Draft_sv-SE.ts +++ b/src/Mod/Draft/Resources/translations/Draft_sv-SE.ts @@ -3063,7 +3063,7 @@ if they match the X, Y or Z axis of the global coordinate system - + Angle Vinkel @@ -3285,14 +3285,14 @@ Not available if Draft preference option 'Use Part Primitives' is enabled - + Distance Distans - + Offset distance Offset distance @@ -4131,33 +4131,38 @@ The final angle will be the base angle plus this amount. Only a single face can be extruded. - + + Trimex is not supported yet on this type of object. + Trimex is not supported yet on this type of object. + + + Pick distance Välj avstånd - + Offset angle Offset angle - + Unable to trim these objects, only Draft wires and arcs are supported. Unable to trim these objects, only Draft wires and arcs are supported. - + Unable to trim these objects, too many wires Unable to trim these objects, too many wires - + These objects don't intersect. These objects don't intersect. - + Too many intersection points. Too many intersection points. @@ -4863,39 +4868,39 @@ The final angle will be the base angle plus this amount. added 'Fuse' property - + Start Offset too large for path length. Using zero instead. Start Offset too large for path length. Using zero instead. - + End Offset too large for path length minus Start Offset. Using zero instead. End Offset too large for path length minus Start Offset. Using zero instead. - + Length of tangent vector is zero. Copy not aligned. Length of tangent vector is zero. Copy not aligned. - - + + Length of normal vector is zero. Using a default axis instead. Length of normal vector is zero. Using a default axis instead. - - + + Tangent and normal vectors are parallel. Normal replaced by a default axis. Tangent and normal vectors are parallel. Normal replaced by a default axis. - + Cannot calculate normal vector. Using the default normal instead. Cannot calculate normal vector. Using the default normal instead. - + AlignMode {} is not implemented AlignMode {} is not implemented @@ -5236,24 +5241,24 @@ The final angle will be the base angle plus this amount. Wrong input: must be a number between 0 and 100. - + Activate this layer Aktivera detta lager - + Select layer contents Välj lagerinnehåll - - + + Merge layer duplicates Merge layer duplicates - - + + Add new layer Lägg till nytt lager @@ -5377,53 +5382,53 @@ The final angle will be the base angle plus this amount. Found object with several coplanar faces: refine them - + Found 1 non-parametric objects: draftifying it Found 1 non-parametric objects: draftifying it - + Found 1 closed sketch object: creating a face from it Found 1 closed sketch object: creating a face from it - + Found closed wires: creating faces Found closed wires: creating faces - + Found several wires or edges: wiring them Found several wires or edges: wiring them - - + + Found several non-treatable objects: creating compound Found several non-treatable objects: creating compound - + trying: closing it trying: closing it - + Found 1 open wire: closing it Found 1 open wire: closing it - + Found 1 object: draftifying it Found 1 object: draftifying it - + Found points: creating compound Found points: creating compound - + Unable to upgrade these objects. Unable to upgrade these objects. @@ -5920,12 +5925,12 @@ from menu Tools -> Addon Manager importOCA - + OCA: found no data to export OCA: found no data to export - + successfully exported exporteringen lyckades @@ -5933,7 +5938,7 @@ from menu Tools -> Addon Manager ImportAirfoilDAT - + Did not find enough coordinates Did not find enough coordinates diff --git a/src/Mod/Draft/Resources/translations/Draft_tr.qm b/src/Mod/Draft/Resources/translations/Draft_tr.qm index 9c7fa522ba0c..cce24bb75522 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 8bb4c9227ebc..7095054024a6 100644 --- a/src/Mod/Draft/Resources/translations/Draft_tr.ts +++ b/src/Mod/Draft/Resources/translations/Draft_tr.ts @@ -1243,10 +1243,10 @@ Annotation scale widget. If the scale is 1:100 the multiplier is 100. defines the gap between the ends of the extension lines and the measured points. A positive value defines the maximum length of the extension lines. Only used for linear dimensions. - The length of extension lines. Use 0 for full extension lines. A negative value -defines the gap between the ends of the extension lines and the measured points. -A positive value defines the maximum length of the extension lines. Only used -for linear dimensions. + Uzatma çizgilerinin uzunluğu. Tam uzatma çizgileri için 0 kullanın. Negatif bir değer +uzatma çizgilerinin uçları ile ölçülen noktalar arasındaki boşluğu tanımlar. +Pozitif bir değer uzatma çizgilerinin maksimum uzunluğunu tanımlar. Yalnızca +doğrusal boyutlar için kullanılır. @@ -1550,7 +1550,7 @@ accidentally and modifying the entered value. SVG patterns - SVG patterns + SVG desenleri @@ -1862,7 +1862,7 @@ used for linear dimensions. ShapeStrings - ShapeStrings + ŞekilDizeleri @@ -2371,7 +2371,7 @@ Major grid lines are thicker than minor grid lines. Alt modifier - Alt modifier + Alt değiştirici @@ -3070,7 +3070,7 @@ if they match the X, Y or Z axis of the global coordinate system - + Angle Açı @@ -3292,14 +3292,14 @@ Not available if Draft preference option 'Use Part Primitives' is enabled - + Distance Uzaklık - + Offset distance Offset distance @@ -3620,7 +3620,7 @@ or try saving to a lower DWG version. Create Label - Create Label + Etiket Oluştur @@ -3900,7 +3900,7 @@ or try saving to a lower DWG version. Style exists - Style exists + Stil var @@ -3911,7 +3911,7 @@ or try saving to a lower DWG version. Style in use - Style in use + Kullanımdaki stil @@ -3921,7 +3921,7 @@ or try saving to a lower DWG version. Rename style - Rename style + Stili yeniden adlandır @@ -3957,7 +3957,7 @@ or try saving to a lower DWG version. Create Point - Create Point + Nokta Oluştur @@ -4010,7 +4010,7 @@ The final angle will be the base angle plus this amount. Add to group - Add to group + Gruba ekle @@ -4025,7 +4025,7 @@ The final angle will be the base angle plus this amount. Select group - Select group + Grup seç @@ -4138,33 +4138,38 @@ The final angle will be the base angle plus this amount. Only a single face can be extruded. - + + Trimex is not supported yet on this type of object. + Trimex is not supported yet on this type of object. + + + Pick distance Pick distance - + Offset angle - Offset angle + Ofset açısı - + Unable to trim these objects, only Draft wires and arcs are supported. Unable to trim these objects, only Draft wires and arcs are supported. - + Unable to trim these objects, too many wires Unable to trim these objects, too many wires - + These objects don't intersect. These objects don't intersect. - + Too many intersection points. Too many intersection points. @@ -4193,7 +4198,7 @@ The final angle will be the base angle plus this amount. Change Style - Change Style + Stili Değiştir @@ -4205,7 +4210,7 @@ The final angle will be the base angle plus this amount. Delete point - Delete point + Noktayı sil @@ -4226,7 +4231,7 @@ The final angle will be the base angle plus this amount. Reverse wire - Reverse wire + Ters tel @@ -4242,7 +4247,7 @@ The final angle will be the base angle plus this amount. Close spline - Close spline + Spline'ı kapat @@ -4282,7 +4287,7 @@ The final angle will be the base angle plus this amount. Make tangent - Make tangent + Tanjant yapmak @@ -4317,7 +4322,7 @@ The final angle will be the base angle plus this amount. Bézier curve - Bézier curve + Bézier eğrisi @@ -4512,7 +4517,7 @@ The final angle will be the base angle plus this amount. Create Plane - Create Plane + Uçak Oluştur @@ -4563,7 +4568,7 @@ The final angle will be the base angle plus this amount. Change slope - Change slope + Eğimi değiştir @@ -4695,7 +4700,7 @@ The final angle will be the base angle plus this amount. Polar angle: - Polar angle: + Kutup açısı: @@ -4870,39 +4875,39 @@ The final angle will be the base angle plus this amount. added 'Fuse' property - + Start Offset too large for path length. Using zero instead. Start Offset too large for path length. Using zero instead. - + End Offset too large for path length minus Start Offset. Using zero instead. End Offset too large for path length minus Start Offset. Using zero instead. - + Length of tangent vector is zero. Copy not aligned. Length of tangent vector is zero. Copy not aligned. - - + + Length of normal vector is zero. Using a default axis instead. Length of normal vector is zero. Using a default axis instead. - - + + Tangent and normal vectors are parallel. Normal replaced by a default axis. Tangent and normal vectors are parallel. Normal replaced by a default axis. - + Cannot calculate normal vector. Using the default normal instead. Cannot calculate normal vector. Using the default normal instead. - + AlignMode {} is not implemented AlignMode {} is not implemented @@ -5243,24 +5248,24 @@ The final angle will be the base angle plus this amount. Wrong input: must be a number between 0 and 100. - + Activate this layer Activate this layer - + Select layer contents Select layer contents - - + + Merge layer duplicates Merge layer duplicates - - + + Add new layer Add new layer @@ -5384,53 +5389,53 @@ The final angle will be the base angle plus this amount. Found object with several coplanar faces: refine them - + Found 1 non-parametric objects: draftifying it Found 1 non-parametric objects: draftifying it - + Found 1 closed sketch object: creating a face from it Found 1 closed sketch object: creating a face from it - + Found closed wires: creating faces Found closed wires: creating faces - + Found several wires or edges: wiring them Found several wires or edges: wiring them - - + + Found several non-treatable objects: creating compound Found several non-treatable objects: creating compound - + trying: closing it trying: closing it - + Found 1 open wire: closing it Found 1 open wire: closing it - + Found 1 object: draftifying it Found 1 object: draftifying it - + Found points: creating compound Found points: creating compound - + Unable to upgrade these objects. Unable to upgrade these objects. @@ -5911,7 +5916,7 @@ from menu Tools -> Addon Manager Label + Area - Label + Area + Etiket + Alan @@ -5927,12 +5932,12 @@ from menu Tools -> Addon Manager importOCA - + OCA: found no data to export OCA: found no data to export - + successfully exported successfully exported @@ -5940,7 +5945,7 @@ from menu Tools -> Addon Manager ImportAirfoilDAT - + Did not find enough coordinates Did not find enough coordinates @@ -6277,7 +6282,7 @@ However, a single sketch with disconnected traces will be converted into several Snap special - Snap special + Özel Anlık @@ -6509,7 +6514,7 @@ Create a group first to use this tool. Select group - Select group + Grup seçGrup seç @@ -6709,7 +6714,7 @@ CTRL snaps, SHIFT constrains to current segment or to normal, ALT inverts. Bézier curve - Bézier curve + Bézier eğrisiBézier eğrisi diff --git a/src/Mod/Draft/Resources/translations/Draft_uk.qm b/src/Mod/Draft/Resources/translations/Draft_uk.qm index b52b1f73a57e..b1cda3659bd4 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 7f3997cd18e0..c3ef66e7caa2 100644 --- a/src/Mod/Draft/Resources/translations/Draft_uk.ts +++ b/src/Mod/Draft/Resources/translations/Draft_uk.ts @@ -3076,7 +3076,7 @@ if they match the X, Y or Z axis of the global coordinate system - + Angle Кут @@ -3298,14 +3298,14 @@ Not available if Draft preference option 'Use Part Primitives' is enabled - + Distance Відстань - + Offset distance Відстань зміщення @@ -4144,33 +4144,38 @@ The final angle will be the base angle plus this amount. Only a single face can be extruded. - + + Trimex is not supported yet on this type of object. + Trimex is not supported yet on this type of object. + + + Pick distance Pick distance - + Offset angle Offset angle - + Unable to trim these objects, only Draft wires and arcs are supported. Неможливо обрізати ці об'єкти, підтримуються лише чорнові дроти та дуги. - + Unable to trim these objects, too many wires Unable to trim these objects, too many wires - + These objects don't intersect. Ці об'єкти не перетинаються. - + Too many intersection points. Занадто багато точок перетину. @@ -4876,39 +4881,39 @@ The final angle will be the base angle plus this amount. додана властивість «Fuse» - + Start Offset too large for path length. Using zero instead. Start Offset too large for path length. Using zero instead. - + End Offset too large for path length minus Start Offset. Using zero instead. End Offset too large for path length minus Start Offset. Using zero instead. - + Length of tangent vector is zero. Copy not aligned. Length of tangent vector is zero. Copy not aligned. - - + + Length of normal vector is zero. Using a default axis instead. Length of normal vector is zero. Using a default axis instead. - - + + Tangent and normal vectors are parallel. Normal replaced by a default axis. Tangent and normal vectors are parallel. Normal replaced by a default axis. - + Cannot calculate normal vector. Using the default normal instead. Не вдається обчислити вектор нормалі. Замість цього використовується типова нормаль. - + AlignMode {} is not implemented AlignMode {} не реалізовано @@ -5249,24 +5254,24 @@ The final angle will be the base angle plus this amount. Неправильний вхід: має бути число від 0 до 100. - + Activate this layer Активуйте цей шар - + Select layer contents Select layer contents - - + + Merge layer duplicates Merge layer duplicates - - + + Add new layer Додати новий шар @@ -5390,53 +5395,53 @@ The final angle will be the base angle plus this amount. Found object with several coplanar faces: refine them - + Found 1 non-parametric objects: draftifying it Found 1 non-parametric objects: draftifying it - + Found 1 closed sketch object: creating a face from it Found 1 closed sketch object: creating a face from it - + Found closed wires: creating faces Found closed wires: creating faces - + Found several wires or edges: wiring them Found several wires or edges: wiring them - - + + Found several non-treatable objects: creating compound Found several non-treatable objects: creating compound - + trying: closing it trying: closing it - + Found 1 open wire: closing it Found 1 open wire: closing it - + Found 1 object: draftifying it Found 1 object: draftifying it - + Found points: creating compound Found points: creating compound - + Unable to upgrade these objects. Unable to upgrade these objects. @@ -5933,12 +5938,12 @@ from menu Tools -> Addon Manager importOCA - + OCA: found no data to export OCA: found no data to export - + successfully exported successfully exported @@ -5946,7 +5951,7 @@ from menu Tools -> Addon Manager ImportAirfoilDAT - + Did not find enough coordinates Не знайшов достатньо координатm diff --git a/src/Mod/Draft/Resources/translations/Draft_val-ES.qm b/src/Mod/Draft/Resources/translations/Draft_val-ES.qm index 36c586bc2e31..450ab2608147 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 530d6b78d4c9..d9e081047280 100644 --- a/src/Mod/Draft/Resources/translations/Draft_val-ES.ts +++ b/src/Mod/Draft/Resources/translations/Draft_val-ES.ts @@ -3061,7 +3061,7 @@ if they match the X, Y or Z axis of the global coordinate system - + Angle Angle @@ -3283,14 +3283,14 @@ Not available if Draft preference option 'Use Part Primitives' is enabled - + Distance Distance - + Offset distance Offset distance @@ -4129,33 +4129,38 @@ The final angle will be the base angle plus this amount. Only a single face can be extruded. - + + Trimex is not supported yet on this type of object. + Trimex is not supported yet on this type of object. + + + Pick distance Pick distance - + Offset angle Offset angle - + Unable to trim these objects, only Draft wires and arcs are supported. Unable to trim these objects, only Draft wires and arcs are supported. - + Unable to trim these objects, too many wires Unable to trim these objects, too many wires - + These objects don't intersect. These objects don't intersect. - + Too many intersection points. Too many intersection points. @@ -4861,39 +4866,39 @@ The final angle will be the base angle plus this amount. added 'Fuse' property - + Start Offset too large for path length. Using zero instead. Start Offset too large for path length. Using zero instead. - + End Offset too large for path length minus Start Offset. Using zero instead. End Offset too large for path length minus Start Offset. Using zero instead. - + Length of tangent vector is zero. Copy not aligned. Length of tangent vector is zero. Copy not aligned. - - + + Length of normal vector is zero. Using a default axis instead. Length of normal vector is zero. Using a default axis instead. - - + + Tangent and normal vectors are parallel. Normal replaced by a default axis. Tangent and normal vectors are parallel. Normal replaced by a default axis. - + Cannot calculate normal vector. Using the default normal instead. Cannot calculate normal vector. Using the default normal instead. - + AlignMode {} is not implemented AlignMode {} is not implemented @@ -5234,24 +5239,24 @@ The final angle will be the base angle plus this amount. Wrong input: must be a number between 0 and 100. - + Activate this layer Activate this layer - + Select layer contents Select layer contents - - + + Merge layer duplicates Merge layer duplicates - - + + Add new layer Add new layer @@ -5375,53 +5380,53 @@ The final angle will be the base angle plus this amount. Found object with several coplanar faces: refine them - + Found 1 non-parametric objects: draftifying it Found 1 non-parametric objects: draftifying it - + Found 1 closed sketch object: creating a face from it Found 1 closed sketch object: creating a face from it - + Found closed wires: creating faces Found closed wires: creating faces - + Found several wires or edges: wiring them Found several wires or edges: wiring them - - + + Found several non-treatable objects: creating compound Found several non-treatable objects: creating compound - + trying: closing it trying: closing it - + Found 1 open wire: closing it Found 1 open wire: closing it - + Found 1 object: draftifying it Found 1 object: draftifying it - + Found points: creating compound Found points: creating compound - + Unable to upgrade these objects. Unable to upgrade these objects. @@ -5918,12 +5923,12 @@ from menu Tools -> Addon Manager importOCA - + OCA: found no data to export OCA: found no data to export - + successfully exported successfully exported @@ -5931,7 +5936,7 @@ from menu Tools -> Addon Manager ImportAirfoilDAT - + Did not find enough coordinates Did not find enough coordinates diff --git a/src/Mod/Draft/Resources/translations/Draft_zh-CN.qm b/src/Mod/Draft/Resources/translations/Draft_zh-CN.qm index 8383ea88ec69..1b58acce3266 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 850634e015fe..3047e29ad650 100644 --- a/src/Mod/Draft/Resources/translations/Draft_zh-CN.ts +++ b/src/Mod/Draft/Resources/translations/Draft_zh-CN.ts @@ -2691,12 +2691,12 @@ if they match the X, Y or Z axis of the global coordinate system If checked, the Annotation scale widget is displayed in the Draft statusbar - If checked, the Annotation scale widget is displayed in the Draft statusbar + 如果选中,注释比例小部件将显示在草稿状态栏中 Show the Annotation scale widget in the Draft Workbench - Show the Annotation scale widget in the Draft Workbench + 在草稿工作台中显示注释比例小部件 @@ -2751,12 +2751,12 @@ if they match the X, Y or Z axis of the global coordinate system Cycle snap - Cycle snap + 循环捕捉 Add hold - Add hold + 添加按住 @@ -3052,7 +3052,7 @@ if they match the X, Y or Z axis of the global coordinate system - + Angle 角度 @@ -3274,14 +3274,14 @@ Not available if Draft preference option 'Use Part Primitives' is enabled - + Distance 距离 - + Offset distance 偏移距离 @@ -3318,7 +3318,7 @@ Not available if Draft preference option 'Use Part Primitives' is enabled Modify objects - Modify objects + 修改对象 @@ -3470,7 +3470,7 @@ or try saving to a lower DWG version. Wrong input: object {} not in document. - Wrong input: object {} not in document. + 输入错误:对象 {} 不在文档中。 @@ -3546,17 +3546,17 @@ or try saving to a lower DWG version. Objects have different placements. Distance between the two base points: - Objects have different placements. Distance between the two base points: + 对象具有不同的位置。两个基准点之间的距离: This function will be deprecated in {}. Please use '{}'. - This function will be deprecated in {}. Please use '{}'. + 此函数将在 {} 中弃用。请使用 '{} This function will be deprecated. Please use '{}'. - This function will be deprecated. Please use '{}'. + 此函数将被弃用。请使用 '{} @@ -3581,7 +3581,7 @@ or try saving to a lower DWG version. Wrong input: unknown document {} - Wrong input: unknown document {} + 输入错误:未知文档 {} @@ -3675,7 +3675,7 @@ or try saving to a lower DWG version. Only Draft Lines and Wires can be joined - Only Draft Lines and Wires can be joined + 只能加入拔模线和线 @@ -3898,7 +3898,7 @@ or try saving to a lower DWG version. 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? + 本文档中的某些对象使用此样式。你确定吗? @@ -4112,41 +4112,46 @@ The final angle will be the base angle plus this amount. This object is not supported. - This object is not supported. + 此对象不受支持。 Only a single face can be extruded. - Only a single face can be extruded. + 只能拉伸单个面。 - + + Trimex is not supported yet on this type of object. + Trimex is not supported yet on this type of object. + + + Pick distance 选择距离 - + Offset angle 偏移角度 - + Unable to trim these objects, only Draft wires and arcs are supported. 无法修剪这些对象,改操作仅支持草图下的线段及弧线. - + Unable to trim these objects, too many wires 过多线段导致无法修剪这些对象 - + These objects don't intersect. 这些对象没有相交。 - + Too many intersection points. 相交点过多。 @@ -4294,7 +4299,7 @@ The final angle will be the base angle plus this amount. Endpoint of Bézier curve can't be smoothed - Endpoint of Bézier curve can't be smoothed + 无法平滑贝塞尔曲线的端点 @@ -4535,12 +4540,12 @@ The final angle will be the base angle plus this amount. Cannot clone object(s) without a Shape, aborting - Cannot clone object(s) without a Shape, aborting + 无法在没有形状的情况下克隆对象,正在中止 Cannot clone object(s) without a Shape, skipping them - Cannot clone object(s) without a Shape, skipping them + 无法在没有形状的情况下克隆对象,正在跳过它们 @@ -4852,39 +4857,39 @@ The final angle will be the base angle plus this amount. added 'Fuse' property - + Start Offset too large for path length. Using zero instead. 起始偏移過大超出路徑長度。將使用零值代替。 - + End Offset too large for path length minus Start Offset. Using zero instead. 結束偏移超出路徑長度減去開始偏移的範圍。將使用零值代替。 - + Length of tangent vector is zero. Copy not aligned. 切向量长度为零。复制未对齐。 - - + + Length of normal vector is zero. Using a default axis instead. 法線向量的長度為零。將使用預設軸代替。 - - + + Tangent and normal vectors are parallel. Normal replaced by a default axis. 切線和法向量平行。法線被替換為預設軸。 - + Cannot calculate normal vector. Using the default normal instead. 無法計算法向量。將使用預設法線。 - + AlignMode {} is not implemented 对齐模式 {} 尚未实现 @@ -5225,24 +5230,24 @@ The final angle will be the base angle plus this amount. 输入错误:必须是0到100之间的数字。 - + Activate this layer 激活此图层 - + Select layer contents 选择图层内容 - - + + Merge layer duplicates 合并图层重复 - - + + Add new layer 添加新图层 @@ -5366,53 +5371,53 @@ The final angle will be the base angle plus this amount. 找到物件,具有多個面在同一平面上:對它們進行改進 - + Found 1 non-parametric objects: draftifying it 找到一個未參數化物件:將其轉為草稿 - + Found 1 closed sketch object: creating a face from it 找到 1 个闭合草图对象:从它创建一个面 - + Found closed wires: creating faces 找到闭合线: 创建面 - + Found several wires or edges: wiring them 找到數個線段或邊:將其連接起來 - - + + Found several non-treatable objects: creating compound 发现了几个不可处理对象:创建组合 - + trying: closing it 正在尝试:关闭它 - + Found 1 open wire: closing it 发现 1 个开口线:封闭它 - + Found 1 object: draftifying it 找到一個物件:將其轉為草稿 - + Found points: creating compound 找到點:將其建立組件 - + Unable to upgrade these objects. 无法升级这些对象。 @@ -5907,12 +5912,12 @@ from menu Tools -> Addon Manager importOCA - + OCA: found no data to export OCA:找不到要导出的数据 - + successfully exported 成功导出 @@ -5920,7 +5925,7 @@ from menu Tools -> Addon Manager ImportAirfoilDAT - + Did not find enough coordinates 没有找到足够的坐标 diff --git a/src/Mod/Draft/Resources/translations/Draft_zh-TW.qm b/src/Mod/Draft/Resources/translations/Draft_zh-TW.qm index d3e38f01bc4a..b312c15011d7 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 b86d2271a0d4..abb928e311e6 100644 --- a/src/Mod/Draft/Resources/translations/Draft_zh-TW.ts +++ b/src/Mod/Draft/Resources/translations/Draft_zh-TW.ts @@ -87,7 +87,7 @@ Export styles to json file - 將樣式匯出至 JSON 檔案 + 將樣式匯出至 json 檔案 @@ -98,18 +98,18 @@ The font to use for texts and dimensions - 文字與尺寸使用的字型 + 文字與標註尺寸使用的字體 Font name - 字型名稱 + 字體名稱 The font size in system units - 系統單位中的字型大小 + 系統單位中的字體大小 @@ -170,7 +170,7 @@ Font size - 字型尺寸 + 字體大小 @@ -187,7 +187,7 @@ The color of texts, dimension texts and label texts - 文字、尺寸文字和標籤文字的顏色 + 文字、標註尺寸文字和標籤文字的顏色 @@ -225,7 +225,7 @@ Specify a valid length unit like mm, m, in, ft, to force displaying the dimension value in this unit - 指定一個有效的長度單位,如毫米(mm)、公尺(m)、英寸(in)、英尺(ft),以強制顯示該單位的尺寸值。 + 指定一個有效的長度單位,如毫米(mm)、公尺(m)、英寸(in)、英尺(ft),以強制顯示該單位的標註值。 @@ -236,7 +236,7 @@ The number of decimals to show for dimension values - 尺寸值顯示的小數位數 + 標註值顯示的小數位數 @@ -308,7 +308,7 @@ Dimension overshoot - 尺寸超越量 + 標註尺寸超越量 @@ -1101,7 +1101,7 @@ will be moved to the center of the view. Dimensions - 尺寸 + 標註尺寸 @@ -1158,12 +1158,12 @@ Annotation scale widget. If the scale is 1:100 the multiplier is 100. If checked, a unit symbol is added to dimension texts - 若被勾選,則會將單位符號添加到標註尺寸文字中 + 若被勾選,則會將單位符號添加到標註文字中 The unit override for dimensions. Leave blank to use the current FreeCAD unit. - 覆蓋尺寸的單位. 留空以使用目前的 FreeCAD 單位. + 覆蓋標註尺寸的單位。留空以使用目前的 FreeCAD 單位。 @@ -1173,27 +1173,27 @@ Annotation scale widget. If the scale is 1:100 the multiplier is 100. The color for texts, dimension texts and label texts - 文字, 尺寸文字和標籤文字的顏色 + 文字、標註文字和標籤文字的顏色 Font name - 字型名稱 + 字體名稱 The font for texts, dimensions and labels - 文字, 尺寸和標籤的字型 + 文字、標註尺寸和標籤的字體 Font size - 字型尺寸 + 字體大小 The height for texts, dimension texts and label texts - 文字, 尺寸文字和標籤文字的高度 + 文字、標註文字和標籤文字的高度 @@ -1639,7 +1639,7 @@ pattern definitions to be added to the standard patterns The default font for texts, dimensions and labels. It can be a font name such as "Arial", a style such as "sans", "serif" or "mono", or a family such as "Arial,Helvetica,sans", or a name with a style such as "Arial:Bold". - 文字、尺寸和標籤的預設字體。它可以是一個字體名稱,例如 + 文字、標註尺寸和標籤的預設字體。它可以是一個字體名稱,例如 如「Arial」、「sans」、「serif」或「mono」等樣式,或諸如此類的家族 “Arial,Helvetica,sans”,或具有“Arial:Bold”等樣式的名稱。 @@ -1774,7 +1774,7 @@ in the Annotation scale widget. If the scale is 1:100 the multiplier is 100. If checked, a unit symbol is added to dimension texts by default - 若被勾選,則預設會將單位符號添加到標註尺寸文字中 + 若被勾選,則預設會將單位符號添加到標註文字中 @@ -1796,7 +1796,7 @@ or cm, leave blank to use the current unit defined in FreeCAD. The default number of decimal places for dimension texts - 標註尺寸文字的預設小數位數 + 標註文字的預設小數位數 @@ -2225,7 +2225,7 @@ as closed wires with correct width Max Spline Segment: - 最大 Spline 線段: + 最大 Spline 曲線線段: @@ -2281,7 +2281,7 @@ This might fail for post DXF R12 templates. Shift - Shift + Shift 鍵 @@ -2326,14 +2326,14 @@ Major grid lines are thicker than minor grid lines. Ctrl - Ctrl + Ctrl 鍵 Alt - Alt + Alt 鍵 @@ -2761,7 +2761,7 @@ if they match the X, Y or Z axis of the global coordinate system Snap - 貼齊 + 鎖點 @@ -2855,7 +2855,7 @@ if they match the X, Y or Z axis of the global coordinate system Snap On/Off - 貼齊開啟/關閉 + 鎖點開啟/關閉 @@ -3047,7 +3047,7 @@ if they match the X, Y or Z axis of the global coordinate system - + Angle 角度 @@ -3268,14 +3268,14 @@ Not available if Draft preference option 'Use Part Primitives' is enabled - + Distance 距離 - + Offset distance 偏移距離 @@ -4044,7 +4044,7 @@ The final angle will be the base angle plus this amount. Flip dimension - 翻轉標註 + 翻轉標註尺寸 @@ -4112,40 +4112,45 @@ The final angle will be the base angle plus this amount. 只有單一面可以被拉伸。 - + + Trimex is not supported yet on this type of object. + Trimex is not supported yet on this type of object. + + + Pick distance 挑選距離 - + Offset angle 偏移角度 - + Unable to trim these objects, only Draft wires and arcs are supported. 無法修剪這些物件,僅支援草稿線段及弧 - + Unable to trim these objects, too many wires 過多線段導致這些物件無法修剪 - + These objects don't intersect. 這些物件並未相交 - + Too many intersection points. 過多交點 B-Spline - B-Spline 曲線 + B 雲形線 (B-Spline) @@ -4162,7 +4167,7 @@ The final angle will be the base angle plus this amount. Create B-spline - 建立 B-Spline 曲線 + 建立 B 雲形線 @@ -4419,19 +4424,19 @@ The final angle will be the base angle plus this amount. Dimension - 標註 + 標註尺寸 Create Dimension - 建立標註 + 建立標註尺寸 Create Dimension (radial) - 建立尺寸(圓弧) + 建立標註尺寸(圓弧) @@ -4844,39 +4849,39 @@ The final angle will be the base angle plus this amount. 添加 'Fuse' 屬性 - + Start Offset too large for path length. Using zero instead. 起始偏移過大超出路徑長度。將使用零值代替。 - + End Offset too large for path length minus Start Offset. Using zero instead. 結束偏移超出路徑長度減去開始偏移的範圍。將使用零值代替。 - + Length of tangent vector is zero. Copy not aligned. 切線向量的長度為零。副本未對齊。 - - + + Length of normal vector is zero. Using a default axis instead. 法線向量的長度為零。將使用預設軸代替。 - - + + Tangent and normal vectors are parallel. Normal replaced by a default axis. 切線和法向量平行。法線被替換為預設軸。 - + Cannot calculate normal vector. Using the default normal instead. 無法計算法向量。將使用預設法線。 - + AlignMode {} is not implemented 對齊模式 {} 並未實施 @@ -4982,7 +4987,7 @@ The final angle will be the base angle plus this amount. Wrong input: must be a vector. - 錯誤輸入: 必須為一向量。 + 錯誤輸入:必須為一向量。 @@ -5217,24 +5222,24 @@ The final angle will be the base angle plus this amount. 錯誤輸入: 必須是在 0 到 100 間的數字。 - + Activate this layer 啟動圖層 - + Select layer contents 選擇圖層內容 - - + + Merge layer duplicates 合併重複圖層 - - + + Add new layer 新增圖層 @@ -5358,53 +5363,53 @@ The final angle will be the base angle plus this amount. 找到物件,具有多個面在同一平面上:對它們進行改進 - + Found 1 non-parametric objects: draftifying it 找到一個未參數化物件:將其轉為草稿 - + Found 1 closed sketch object: creating a face from it 找到一個封閉草圖物件:由此建立面 - + Found closed wires: creating faces 找到封閉線段:建立面 - + Found several wires or edges: wiring them 找到數個線段或邊:將其連接起來 - - + + Found several non-treatable objects: creating compound 找到幾個無法處理的物件:將其建立組件 - + trying: closing it 嘗試:關閉它 - + Found 1 open wire: closing it 找到一開放線段:將其封閉 - + Found 1 object: draftifying it 找到一個物件:將其轉為草稿 - + Found points: creating compound 找到點:將其建立組件 - + Unable to upgrade these objects. 無法升級這些物件 @@ -5900,12 +5905,12 @@ from menu Tools -> Addon Manager importOCA - + OCA: found no data to export OCA:找不到要匯出的資料 - + successfully exported 成功匯出 @@ -5913,7 +5918,7 @@ from menu Tools -> Addon Manager ImportAirfoilDAT - + Did not find enough coordinates 找不到足夠的座標 @@ -5958,7 +5963,7 @@ First select the object, and then select the path. The path can be a polyline, B-spline, Bezier curve, or even edges from other objects. 建立所選物件的複本,沿著選定的路徑。 首先選擇物件,然後選擇路徑。 -路徑可以是折線、B-spline 曲線、貝茲曲線,甚至來自其他物件的邊緣。 +路徑可以是折線、B 雲形線、貝茲曲線,甚至來自其他物件的邊緣。 @@ -6266,7 +6271,7 @@ However, a single sketch with disconnected traces will be converted into several Shows temporary X and Y dimensions. - 顯示暫時的 X 與 Y 尺寸。 + 顯示暫時的 X 與 Y 標註尺寸。 @@ -6552,12 +6557,12 @@ Then you can use it to save a different camera position and objects' states any Wire to B-spline - 線段轉換為 B-spline + 線段轉換為 B 雲形線 Converts a selected polyline to a B-spline, or a B-spline to a polyline. - 將所選折線轉換為 B-spline 曲線,或將 B-spline 曲線轉換為折線。 + 將所選折線轉換為 B 雲形線,或將 B 雲形線轉換為折線。 @@ -6565,7 +6570,7 @@ Then you can use it to save a different camera position and objects' states any Flip dimension - 翻轉標註 + 翻轉標註尺寸 @@ -6652,7 +6657,7 @@ CTRL snaps, SHIFT constrains to current segment or to normal, ALT inverts. B-spline - B-spline 曲線 + B 雲形線 (B-spline) @@ -6888,7 +6893,7 @@ This is intended to be used with closed shapes and solids, and doesn't affect op Dimension - 標註 + 標註尺寸 @@ -7718,7 +7723,7 @@ This property is read-only, as the number depends on the points in 'Point Object Length of line segments if tessellating Ellipses or B-splines into line segments - 如果將橢圓或 B-spline 細分為線段,其線段的長度 + 如果將橢圓或 B 雲形線細分為線段,其線段的長度 @@ -8114,7 +8119,7 @@ the 'First Angle' and 'Last Angle' properties. Line spacing (relative to font size) - 行距(相對於字型大小) + 行距(相對於字體大小) @@ -8215,12 +8220,12 @@ the 'First Angle' and 'Last Angle' properties. Font name - 字型名稱 + 字體名稱 Font size - 字型尺寸 + 字體大小 diff --git a/src/Mod/Draft/Resources/ui/TaskShapeString.ui b/src/Mod/Draft/Resources/ui/TaskShapeString.ui index dc90b619b70d..976588c75993 100644 --- a/src/Mod/Draft/Resources/ui/TaskShapeString.ui +++ b/src/Mod/Draft/Resources/ui/TaskShapeString.ui @@ -111,7 +111,7 @@ - Reset 3d point selection + Reset 3D point selection diff --git a/src/Mod/Draft/Resources/ui/preferences-draftinterface.ui b/src/Mod/Draft/Resources/ui/preferences-draftinterface.ui index 522ef7c673a4..809a597c2b5a 100644 --- a/src/Mod/Draft/Resources/ui/preferences-draftinterface.ui +++ b/src/Mod/Draft/Resources/ui/preferences-draftinterface.ui @@ -771,7 +771,7 @@ - If checked, the Snap widget is displayed in the Draft statusbar + If checked, the Snap widget is displayed in the Draft status bar Show the Snap widget in the Draft Workbench @@ -790,7 +790,7 @@ - If checked, the Annotation scale widget is displayed in the Draft statusbar + If checked, the Annotation scale widget is displayed in the Draft status bar Show the Annotation scale widget in the Draft Workbench diff --git a/src/Mod/Draft/draftfunctions/svgtext.py b/src/Mod/Draft/draftfunctions/svgtext.py index f661be633542..dfb8b537dcd3 100644 --- a/src/Mod/Draft/draftfunctions/svgtext.py +++ b/src/Mod/Draft/draftfunctions/svgtext.py @@ -133,8 +133,10 @@ def get_text(plane, techdraw, # text is perpendicular to view, so it shouldn't appear return "" else: - # TODO maybe there is something better to do here? - angle = 0 + # Compute an X vector + vec = App.Vector(1,0,0) + vec = angle.multVec(App.Vector(1,0,0)) + angle = DraftVecUtils.angle(vec,plane.u) # text should be a list of strings separated by a newline if not isinstance(text, list): diff --git a/src/Mod/Draft/draftgeoutils/intersections.py b/src/Mod/Draft/draftgeoutils/intersections.py index 676424393e5a..d488d6730d44 100644 --- a/src/Mod/Draft/draftgeoutils/intersections.py +++ b/src/Mod/Draft/draftgeoutils/intersections.py @@ -306,8 +306,7 @@ def wiresIntersect(wire1, wire2): return True return False - -def connect(edges, closed=False): +def connect(edges, closed=False, wireNedge=False): """Connect the edges in the given list by their intersections.""" inters_list = [] # List of intersections (with the previous edge). @@ -330,7 +329,9 @@ def connect(edges, closed=False): curr_inters_list)] inters_list.append(inters) + new_edges_full = [] new_edges = [] + for i, curr in enumerate(edges): curr_sta = inters_list[i] if i < (len(edges) - 1): @@ -350,19 +351,32 @@ def connect(edges, closed=False): prev = None if prev is not None: prev_end = prev.Vertexes[-1].Point - new_edges.append(Part.LineSegment(prev_end, curr_sta).toShape()) + new_edges_full.append(Part.LineSegment(prev_end, curr_sta).toShape()) if curr_end is None: curr_end = curr.Vertexes[-1].Point if curr_sta != curr_end: if geomType(curr) == "Line": - new_edges.append(Part.LineSegment(curr_sta, curr_end).toShape()) + n = Part.LineSegment(curr_sta, curr_end).toShape() + new_edges.append(n) + new_edges_full.append(n) + elif geomType(curr) == "Circle": - new_edges.append(Part.Arc(curr_sta, findMidpoint(curr), curr_end).toShape()) + n = Part.Arc(curr_sta, findMidpoint(curr), curr_end).toShape() + new_edges.append(n) + new_edges_full.append(n) try: - return Part.Wire(new_edges) + wire = Part.Wire(new_edges_full) + + # TODO May phase out wire if bind() can do without it later and do with + # only connectEdges so no need bind() to find 'touching edges' there + if wireNedge: + return (wire, new_edges_full, new_edges) + else: + return wire + except Part.OCCError: print("DraftGeomUtils.connect: unable to connect edges") for edge in new_edges: diff --git a/src/Mod/Draft/draftgeoutils/offsets.py b/src/Mod/Draft/draftgeoutils/offsets.py index 452e9e02f6bd..89a65438436e 100644 --- a/src/Mod/Draft/draftgeoutils/offsets.py +++ b/src/Mod/Draft/draftgeoutils/offsets.py @@ -169,7 +169,8 @@ def offset(edge, vector, trim=False): def offsetWire(wire, dvec, bind=False, occ=False, widthList=None, offsetMode=None, alignList=[], - normal=None, basewireOffset=0): + normal=None, basewireOffset=0, wireNedge=False): + # normal=None, basewireOffset=0): """Offset the wire along the given vector. Parameters @@ -503,23 +504,33 @@ def offsetWire(wire, dvec, bind=False, occ=False, if not nedge: return None + # nedges is offset edges nedges.append(nedge) if len(edges) > 1: - nedges = connect(nedges, closed) + # TODO May phase out wire if bind() can do without it later and do with + # only connectEdges so no need bind() to find 'touching edges' there + wire,connectEdgesF,connectEdges = connect(nedges,closed,wireNedge=True) else: - nedges = Part.Wire(nedges[0]) + # TODO May phase out wire if bind() can do without it later and do with + # only connectEdges so no need bind() to find 'touching edges' there + wire = Part.Wire(nedges[0]) + connectEdgesF = connectEdges = nedges # nedges[0] if bind and not closed: e1 = Part.LineSegment(edges[0].Vertexes[0].Point, - nedges[0].Vertexes[0].Point).toShape() + wire[0].Vertexes[0].Point).toShape() e2 = Part.LineSegment(edges[-1].Vertexes[-1].Point, - nedges[-1].Vertexes[-1].Point).toShape() - alledges = edges.extend(nedges) + wire[-1].Vertexes[-1].Point).toShape() + #nedges[-1].Vertexes[-1].Point).toShape() + alledges = edges.extend(nedges) # TODO nedges is a wire or are edges? alledges = alledges.extend([e1, e2]) w = Part.Wire(alledges) return w else: - return nedges + if wireNedge: + return (wire,connectEdgesF,connectEdges,nedges) + else: + return wire ## @} diff --git a/src/Mod/Draft/draftguitools/gui_annotationstyleeditor.py b/src/Mod/Draft/draftguitools/gui_annotationstyleeditor.py index d0545687b74a..844a2fe9c9df 100644 --- a/src/Mod/Draft/draftguitools/gui_annotationstyleeditor.py +++ b/src/Mod/Draft/draftguitools/gui_annotationstyleeditor.py @@ -259,8 +259,19 @@ def on_delete(self): QtWidgets.QMessageBox.No) if reply == QtWidgets.QMessageBox.No: return - self.form.comboBoxStyles.removeItem(index) + del self.styles[style] + # We need to reset self.current_style, which is the deleted style, + # to stop on_style_changed from adding that style again: + self.current_style = None + + self.form.comboBoxStyles.currentIndexChanged.disconnect(self.on_style_changed) + self.form.comboBoxStyles.removeItem(index) + if not self.styles: + self.form.comboBoxStyles.setCurrentIndex(0) + # Update the dialog and self.current_style: + self.on_style_changed(self.form.comboBoxStyles.currentIndex()) + self.form.comboBoxStyles.currentIndexChanged.connect(self.on_style_changed) def on_rename(self): """Execute as a callback when the rename button is pressed.""" @@ -285,6 +296,7 @@ def on_rename(self): del self.styles[style] self.styles[newname] = value self.renamed[style] = newname + self.current_style = newname def on_import(self): """Import styles from a json file.""" diff --git a/src/Mod/Draft/draftguitools/gui_shape2dview.py b/src/Mod/Draft/draftguitools/gui_shape2dview.py index 0d87fdb9b7d1..124171d9e494 100644 --- a/src/Mod/Draft/draftguitools/gui_shape2dview.py +++ b/src/Mod/Draft/draftguitools/gui_shape2dview.py @@ -71,6 +71,11 @@ def Activated(self): else: self.proceed() + def finish(self, cont=False): + """Terminate the operation.""" + self.end_callbacks(self.call) + super().finish() + def proceed(self): """Proceed with the command if one object was selected.""" if self.call is not None: diff --git a/src/Mod/Draft/draftutils/params.py b/src/Mod/Draft/draftutils/params.py index 9df76f5872e9..8ba533fcac67 100644 --- a/src/Mod/Draft/draftutils/params.py +++ b/src/Mod/Draft/draftutils/params.py @@ -90,7 +90,10 @@ def _param_observer_callback_tray(): def _param_observer_callback_scalemultiplier(value): - value = float(value) # value is a string + # value is a string. + if not value: + return + value = float(value) if value <= 0: return mw = Gui.getMainWindow() diff --git a/src/Mod/Drawing/Gui/Resources/translations/Drawing_nl.ts b/src/Mod/Drawing/Gui/Resources/translations/Drawing_nl.ts index ae2d9d275f8e..42222f1ebc99 100644 --- a/src/Mod/Drawing/Gui/Resources/translations/Drawing_nl.ts +++ b/src/Mod/Drawing/Gui/Resources/translations/Drawing_nl.ts @@ -11,7 +11,7 @@ &Annotation - Aantekening + Aantekening diff --git a/src/Mod/Drawing/Gui/Resources/translations/Drawing_zh-CN.ts b/src/Mod/Drawing/Gui/Resources/translations/Drawing_zh-CN.ts index fecad2887d9a..b27be17ad614 100644 --- a/src/Mod/Drawing/Gui/Resources/translations/Drawing_zh-CN.ts +++ b/src/Mod/Drawing/Gui/Resources/translations/Drawing_zh-CN.ts @@ -232,7 +232,7 @@ Inserts a symbol from a SVG file in the active drawing - Inserts a symbol from a SVG file in the active drawing + 在当前图纸中将 SVG 作为符号插入 diff --git a/src/Mod/Drawing/Gui/Resources/translations/Drawing_zh-TW.ts b/src/Mod/Drawing/Gui/Resources/translations/Drawing_zh-TW.ts index 5c60ab184b2b..923cb2e1e4d8 100644 --- a/src/Mod/Drawing/Gui/Resources/translations/Drawing_zh-TW.ts +++ b/src/Mod/Drawing/Gui/Resources/translations/Drawing_zh-TW.ts @@ -232,7 +232,7 @@ Inserts a symbol from a SVG file in the active drawing - Inserts a symbol from a SVG file in the active drawing + 於目前圖面內插入一個來自 SVG 檔案的符號 diff --git a/src/Mod/Fem/Gui/Command.cpp b/src/Mod/Fem/Gui/Command.cpp index dde134d9ddc8..3e7f49317050 100644 --- a/src/Mod/Fem/Gui/Command.cpp +++ b/src/Mod/Fem/Gui/Command.cpp @@ -1334,7 +1334,7 @@ CmdFemCreateElementsSet::CmdFemCreateElementsSet() { sAppModule = "Fem"; sGroup = QT_TR_NOOP("Fem"); - sMenuText = QT_TR_NOOP("Erase Elements"); + sMenuText = QT_TR_NOOP("Erase elements"); sToolTipText = QT_TR_NOOP("Creates a FEM mesh elements set"); sWhatsThis = "FEM_CreateElementsSet"; sStatusTip = sToolTipText; diff --git a/src/Mod/Fem/Gui/DlgSettingsFemCcx.ui b/src/Mod/Fem/Gui/DlgSettingsFemCcx.ui index 491d16228a99..66084fab866c 100644 --- a/src/Mod/Fem/Gui/DlgSettingsFemCcx.ui +++ b/src/Mod/Fem/Gui/DlgSettingsFemCcx.ui @@ -355,7 +355,7 @@ - Spooles equation solver + SPOOLES equation solver diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem.ts b/src/Mod/Fem/Gui/Resources/translations/Fem.ts index 83392003bfda..86fcb9206152 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem.ts @@ -5608,12 +5608,12 @@ used for the Elmer solver FEM_ResultShow - + Show result - + Shows and visualizes selected result data @@ -5621,12 +5621,12 @@ used for the Elmer solver FEM_ResultsPurge - + Purge results - + Purges all results from active analysis @@ -5634,12 +5634,12 @@ used for the Elmer solver FEM_SolverCalculiXCcxTools - + Solver CalculiX Standard - + Creates a standard FEM solver CalculiX with ccx tools @@ -5647,12 +5647,12 @@ used for the Elmer solver FEM_SolverControl - + Solver job control - + Changes solver attributes and runs the calculations for the selected solver @@ -5660,12 +5660,12 @@ used for the Elmer solver FEM_SolverElmer - + Solver Elmer - + Creates a FEM solver Elmer @@ -5673,12 +5673,12 @@ used for the Elmer solver FEM_SolverMystran - + Solver Mystran - + Creates a FEM solver Mystran @@ -5686,12 +5686,12 @@ used for the Elmer solver FEM_SolverRun - + Run solver calculations - + Runs the calculations for the selected solver @@ -5699,12 +5699,12 @@ used for the Elmer solver FEM_SolverZ88 - + Solver Z88 - + Creates a FEM solver Z88 @@ -6145,12 +6145,12 @@ Please select a result type first. FEM_SolverCalculiX - + Solver CalculiX (new framework) - + Creates a FEM solver CalculiX new framework (less result error handling) @@ -6301,12 +6301,12 @@ Please select a result type first. FEM_MeshRegion - + FEM mesh refinement - + Creates a FEM mesh refinement diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_be.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_be.ts index 2b563560ef73..fd9444da4867 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_be.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_be.ts @@ -2964,12 +2964,12 @@ Specify another file please. Rotation Frequency: - Rotation Frequency: + Частата вярчэнне: Revolutions per second - Revolutions per second + Абаротаў у секунду @@ -4517,28 +4517,28 @@ normal vector of the face is used as direction Film Coefficient - Film Coefficient + Каэфіцыент канвекцыйнага цеплаабмену W/m^2/K - W/m^2/K + Вт/м^2/К K - K + K Surface Heat Flux - Surface Heat Flux + Канвекцыя цеплавога патоку W/m^2 - W/m^2 + Вт/м^2 @@ -4637,7 +4637,7 @@ normal vector of the face is used as direction N/m - N/m + Н/м @@ -5659,12 +5659,12 @@ used for the Elmer solver FEM_ResultShow - + Show result Паказаць вынік - + Shows and visualizes selected result data Паказвае і візуалізуе абраныя выніковыя дадзеныя @@ -5672,12 +5672,12 @@ used for the Elmer solver FEM_ResultsPurge - + Purge results Ачысціць вынікі - + Purges all results from active analysis Ачысціць усе вынікі актыўнага даследавання @@ -5685,12 +5685,12 @@ used for the Elmer solver FEM_SolverCalculiXCcxTools - + Solver CalculiX Standard Стандартны сродак рашэння CalculiX - + Creates a standard FEM solver CalculiX with ccx tools Стварае стандартны сродак рашэння МКЭ CalculiX з дапамогай інструментаў CalculiX @@ -5698,12 +5698,12 @@ used for the Elmer solver FEM_SolverControl - + Solver job control Кіраванне заданнямі сродку рашэння - + Changes solver attributes and runs the calculations for the selected solver Змяняе атрыбуты сродку рашэння і выконвае вылічэнні для абранага сродку рашэння @@ -5711,12 +5711,12 @@ used for the Elmer solver FEM_SolverElmer - + Solver Elmer Сродак рашэння Elmer - + Creates a FEM solver Elmer Стварае задачу МКЭ для сродку рашэння Elmer @@ -5724,12 +5724,12 @@ used for the Elmer solver FEM_SolverMystran - + Solver Mystran Сродак рашэння Mystran - + Creates a FEM solver Mystran Стварае задачу МКЭ для сродку рашэння Mystran @@ -5737,12 +5737,12 @@ used for the Elmer solver FEM_SolverRun - + Run solver calculations Запусціць вылічэнні сродку рашэння - + Runs the calculations for the selected solver Выконвае вылічэнні для абранага сродку рашэння @@ -5750,12 +5750,12 @@ used for the Elmer solver FEM_SolverZ88 - + Solver Z88 Сродак рашэння Z88 - + Creates a FEM solver Z88 Стварае задачу МКЭ для сродку рашэння Z88 @@ -5858,7 +5858,7 @@ used for the Elmer solver Geometry reference selector - Geometry reference selector + Выбар геаметрычных спасылак @@ -6197,12 +6197,12 @@ Please select a result type first. FEM_SolverCalculiX - + Solver CalculiX (new framework) Cродак рашэння CalculiX (новы фрэймворк) - + Creates a FEM solver CalculiX new framework (less result error handling) Стварае новы фреймворк сродку рашэння МКЭ CalculiX (менш апрацоўкі памылак у выніку) @@ -6353,12 +6353,12 @@ Please select a result type first. FEM_MeshRegion - + FEM mesh refinement Удасканаліць паліганальную сетку МКЭ - + Creates a FEM mesh refinement Стварае ўдасканаленую паліганальную сетку МКЭ @@ -6707,12 +6707,12 @@ Please select a result type first. Use legacy Netgen object implementation - Use legacy Netgen object implementation + Ужывайце састарэлую рэалізацыю аб'екта Netgen Legacy Netgen - Legacy Netgen + Састарэлы Netgen diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_ca.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_ca.ts index c9c1b2c9a1b9..3b5f1136464a 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_ca.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_ca.ts @@ -5683,12 +5683,12 @@ utilitzada pel solucionador Elmer FEM_ResultShow - + Show result Mostra el resultat - + Shows and visualizes selected result data Mostra i visualitza les dades dels resultats seleccionats @@ -5696,12 +5696,12 @@ utilitzada pel solucionador Elmer FEM_ResultsPurge - + Purge results Purgar resultats - + Purges all results from active analysis Purga tots els resultats d'anàlisis actives @@ -5709,12 +5709,12 @@ utilitzada pel solucionador Elmer FEM_SolverCalculiXCcxTools - + Solver CalculiX Standard Solucionador estàndard CalculiX - + Creates a standard FEM solver CalculiX with ccx tools Crea un solucionador FEM estàndard CalculiX amb eines ccx @@ -5722,12 +5722,12 @@ utilitzada pel solucionador Elmer FEM_SolverControl - + Solver job control Control de treball del solucionador - + Changes solver attributes and runs the calculations for the selected solver Canvia els atributs del solucionador i executa els càlculs per al solucionador seleccionat @@ -5735,12 +5735,12 @@ utilitzada pel solucionador Elmer FEM_SolverElmer - + Solver Elmer Solucionador Elmer - + Creates a FEM solver Elmer Crea un solucionador FEM Elmer @@ -5748,12 +5748,12 @@ utilitzada pel solucionador Elmer FEM_SolverMystran - + Solver Mystran Solucionador Mystran - + Creates a FEM solver Mystran Crea un solucionador FEM Mystran @@ -5761,12 +5761,12 @@ utilitzada pel solucionador Elmer FEM_SolverRun - + Run solver calculations Executa els càlculs del solucionador - + Runs the calculations for the selected solver Executa els càlculs del solucionador seleccionat @@ -5774,12 +5774,12 @@ utilitzada pel solucionador Elmer FEM_SolverZ88 - + Solver Z88 Solucionador Z88 - + Creates a FEM solver Z88 Crea un solucionador FEM Z88 @@ -6221,12 +6221,12 @@ Primer, seleccioneu un tipus de resultat. FEM_SolverCalculiX - + Solver CalculiX (new framework) Solucionador CalculiX (framework nou) - + Creates a FEM solver CalculiX new framework (less result error handling) Crea un framework nou del solucionador FEM CalculiX (menys gestió d'errors de resultats) @@ -6377,12 +6377,12 @@ Primer, seleccioneu un tipus de resultat. FEM_MeshRegion - + FEM mesh refinement Refinament de malla FEM - + Creates a FEM mesh refinement Crea un refinament de malla FEM diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_cs.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_cs.ts index 1d22794c0140..2c6e5a6fe524 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_cs.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_cs.ts @@ -2980,12 +2980,12 @@ Zadejte prosím jiný soubor. Rotation Frequency: - Rotation Frequency: + Frekvence rotace: Revolutions per second - Revolutions per second + Otáčky za sekundu @@ -4542,28 +4542,28 @@ jako směr je použit normální vektor plochy Film Coefficient - Film Coefficient + Součinitel přestupu tepla W/m^2/K - W/m^2/K + W/m^2/K K - K + K Surface Heat Flux - Surface Heat Flux + Povrchový tepelný tok W/m^2 - W/m^2 + W/m^2 @@ -4662,7 +4662,7 @@ jako směr je použit normální vektor plochy N/m - N/m + N/m @@ -5685,12 +5685,12 @@ používá se pro řešič Elmer FEM_ResultShow - + Show result Zobrazit výsledek - + Shows and visualizes selected result data Zobrazuje a vizualizuje vybraná data výsledků @@ -5698,12 +5698,12 @@ používá se pro řešič Elmer FEM_ResultsPurge - + Purge results Vymazat výsledky - + Purges all results from active analysis Vymaže všechny výsledky z aktivní analýzy @@ -5711,12 +5711,12 @@ používá se pro řešič Elmer FEM_SolverCalculiXCcxTools - + Solver CalculiX Standard Řešič CalculiX Standard - + Creates a standard FEM solver CalculiX with ccx tools Vytvoří standardní MKP řešič CalculiX s nástroji ccx @@ -5724,12 +5724,12 @@ používá se pro řešič Elmer FEM_SolverControl - + Solver job control Ovládání úlohy řešiče - + Changes solver attributes and runs the calculations for the selected solver Změní atributy řešiče a spustí výpočty pro vybraný řešič @@ -5737,12 +5737,12 @@ používá se pro řešič Elmer FEM_SolverElmer - + Solver Elmer Řešič Elmer - + Creates a FEM solver Elmer Vytvoří MKP řešič Elmer @@ -5750,12 +5750,12 @@ používá se pro řešič Elmer FEM_SolverMystran - + Solver Mystran Řešič Mystran - + Creates a FEM solver Mystran Vytvoří MKP řešič Mystran @@ -5763,12 +5763,12 @@ používá se pro řešič Elmer FEM_SolverRun - + Run solver calculations Spustit výpočty řešiče - + Runs the calculations for the selected solver Spustí výpočty pro vybraný řešič @@ -5776,12 +5776,12 @@ používá se pro řešič Elmer FEM_SolverZ88 - + Solver Z88 Řešič Z88 - + Creates a FEM solver Z88 Vytvoří MKP řešič Z88 @@ -5884,7 +5884,7 @@ používá se pro řešič Elmer Geometry reference selector - Geometry reference selector + Volič referenční geometrie @@ -6223,12 +6223,12 @@ Nejprve prosím vyberte typ výsledku. FEM_SolverCalculiX - + Solver CalculiX (new framework) Solver CalculiX (nový framework) - + Creates a FEM solver CalculiX new framework (less result error handling) Vytvoří MKP řešič CalculiX nový framework (méně výsledné zpracování chyb) @@ -6379,12 +6379,12 @@ Nejprve prosím vyberte typ výsledku. FEM_MeshRegion - + FEM mesh refinement Zahuštění MKP sítě - + Creates a FEM mesh refinement Vytvoří zahuštění MKP sítě @@ -6733,12 +6733,12 @@ Nejprve prosím vyberte typ výsledku. Use legacy Netgen object implementation - Use legacy Netgen object implementation + Použít starší implementaci objektu Netgen Legacy Netgen - Legacy Netgen + Původní Netgen diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_da.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_da.ts index d8ab0981e890..0713a5e66848 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_da.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_da.ts @@ -5685,12 +5685,12 @@ used for the Elmer solver FEM_ResultShow - + Show result Show result - + Shows and visualizes selected result data Shows and visualizes selected result data @@ -5698,12 +5698,12 @@ used for the Elmer solver FEM_ResultsPurge - + Purge results Purge results - + Purges all results from active analysis Purges all results from active analysis @@ -5711,12 +5711,12 @@ used for the Elmer solver FEM_SolverCalculiXCcxTools - + Solver CalculiX Standard Solver CalculiX Standard - + Creates a standard FEM solver CalculiX with ccx tools Creates a standard FEM solver CalculiX with ccx tools @@ -5724,12 +5724,12 @@ used for the Elmer solver FEM_SolverControl - + Solver job control Solver job control - + Changes solver attributes and runs the calculations for the selected solver Changes solver attributes and runs the calculations for the selected solver @@ -5737,12 +5737,12 @@ used for the Elmer solver FEM_SolverElmer - + Solver Elmer Solver Elmer - + Creates a FEM solver Elmer Creates a FEM solver Elmer @@ -5750,12 +5750,12 @@ used for the Elmer solver FEM_SolverMystran - + Solver Mystran Solver Mystran - + Creates a FEM solver Mystran Creates a FEM solver Mystran @@ -5763,12 +5763,12 @@ used for the Elmer solver FEM_SolverRun - + Run solver calculations Run solver calculations - + Runs the calculations for the selected solver Runs the calculations for the selected solver @@ -5776,12 +5776,12 @@ used for the Elmer solver FEM_SolverZ88 - + Solver Z88 Solver Z88 - + Creates a FEM solver Z88 Creates a FEM solver Z88 @@ -6223,12 +6223,12 @@ Please select a result type first. FEM_SolverCalculiX - + Solver CalculiX (new framework) Solver CalculiX (new framework) - + Creates a FEM solver CalculiX new framework (less result error handling) Creates a FEM solver CalculiX new framework (less result error handling) @@ -6379,12 +6379,12 @@ Please select a result type first. FEM_MeshRegion - + FEM mesh refinement FEM mesh refinement - + Creates a FEM mesh refinement Creates a FEM mesh refinement diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_de.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_de.ts index ca64f35d94c5..eb47709fabf3 100755 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_de.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_de.ts @@ -2970,12 +2970,12 @@ Bitte eine andere Datei angeben. Rotation Frequency: - Rotation Frequency: + Drehfrequenz: Revolutions per second - Revolutions per second + Umdrehungen pro Sekunde @@ -4532,28 +4532,28 @@ Normalenvektors der Fläche wird als Richtung verwendet Film Coefficient - Film Coefficient + Filmkoeffizient W/m^2/K - W/m^2/K + W/m^2/K K - K + K Surface Heat Flux - Surface Heat Flux + Wärmefluss an der Oberfläche W/m^2 - W/m^2 + W/m^2 @@ -4652,7 +4652,7 @@ Normalenvektors der Fläche wird als Richtung verwendet N/m - N/m + N/m @@ -5675,12 +5675,12 @@ used for the Elmer solver FEM_ResultShow - + Show result Ergebnis anzeigen - + Shows and visualizes selected result data Zeigen und sichtbar machen der ausgewählten Ergebnisse @@ -5688,12 +5688,12 @@ used for the Elmer solver FEM_ResultsPurge - + Purge results Ergebnisse löschen - + Purges all results from active analysis Löscht alle Ergebnisse aus der aktiven Analyse @@ -5701,12 +5701,12 @@ used for the Elmer solver FEM_SolverCalculiXCcxTools - + Solver CalculiX Standard Löser CalculiX Standard - + Creates a standard FEM solver CalculiX with ccx tools Erstellt ein standard CalculiX FEM Solver mit CCX Werkzeugen @@ -5714,12 +5714,12 @@ used for the Elmer solver FEM_SolverControl - + Solver job control Löser-Auftragssteuerung - + Changes solver attributes and runs the calculations for the selected solver Ändert Löser-Attribute und führt die Berechnungen für den ausgewählten Löser aus @@ -5727,12 +5727,12 @@ used for the Elmer solver FEM_SolverElmer - + Solver Elmer Löser Elmer - + Creates a FEM solver Elmer Erzeugt den FEM-Löser Elmer @@ -5740,12 +5740,12 @@ used for the Elmer solver FEM_SolverMystran - + Solver Mystran Löser Mystran - + Creates a FEM solver Mystran Erzeugt den FEM-Löser Mystran @@ -5753,12 +5753,12 @@ used for the Elmer solver FEM_SolverRun - + Run solver calculations Berechnungen des Lösers starten - + Runs the calculations for the selected solver Starten der Berechnungen für den ausgewählten Löser @@ -5766,12 +5766,12 @@ used for the Elmer solver FEM_SolverZ88 - + Solver Z88 Z88 Löser - + Creates a FEM solver Z88 Erstellt einen Z88 FEM-Löser @@ -5874,7 +5874,7 @@ used for the Elmer solver Geometry reference selector - Geometry reference selector + Geometriereferenz-Auswahl @@ -6213,12 +6213,12 @@ Bitte zuerst einen Ergebnistyp auswählen. FEM_SolverCalculiX - + Solver CalculiX (new framework) Löser CalculiX (neues Framework) - + Creates a FEM solver CalculiX new framework (less result error handling) Erstellt ein neues Framework des FEM-Lösers CalculiX (weniger Fehlerbehandlung bei Ergebnissen) @@ -6369,12 +6369,12 @@ Bitte zuerst einen Ergebnistyp auswählen. FEM_MeshRegion - + FEM mesh refinement FEM Netzverfeinerung - + Creates a FEM mesh refinement Erzeugt eine FEM-Netzverfeinerung @@ -6723,12 +6723,12 @@ Bitte zuerst einen Ergebnistyp auswählen. Use legacy Netgen object implementation - Use legacy Netgen object implementation + Alte Netgen Objektimplementierung verwenden Legacy Netgen - Legacy Netgen + Alte Negen diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_el.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_el.ts index 2dcfa2cc619b..8c8718e2e326 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_el.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_el.ts @@ -5679,12 +5679,12 @@ used for the Elmer solver FEM_ResultShow - + Show result Εμφανίστε το αποτέλεσμα - + Shows and visualizes selected result data Shows and visualizes selected result data @@ -5692,12 +5692,12 @@ used for the Elmer solver FEM_ResultsPurge - + Purge results Εκκαθάριση αποτελεσμάτων - + Purges all results from active analysis Διαγραφεί όλα τα αποτελέσματα από την ενεργή ανάλυση @@ -5705,12 +5705,12 @@ used for the Elmer solver FEM_SolverCalculiXCcxTools - + Solver CalculiX Standard Solver CalculiX Standard - + Creates a standard FEM solver CalculiX with ccx tools Creates a standard FEM solver CalculiX with ccx tools @@ -5718,12 +5718,12 @@ used for the Elmer solver FEM_SolverControl - + Solver job control Έλεγχος εργασίας επιλυτή - + Changes solver attributes and runs the calculations for the selected solver Changes solver attributes and runs the calculations for the selected solver @@ -5731,12 +5731,12 @@ used for the Elmer solver FEM_SolverElmer - + Solver Elmer Solver Elmer - + Creates a FEM solver Elmer Creates a FEM solver Elmer @@ -5744,12 +5744,12 @@ used for the Elmer solver FEM_SolverMystran - + Solver Mystran Solver Mystran - + Creates a FEM solver Mystran Creates a FEM solver Mystran @@ -5757,12 +5757,12 @@ used for the Elmer solver FEM_SolverRun - + Run solver calculations Run solver calculations - + Runs the calculations for the selected solver Runs the calculations for the selected solver @@ -5770,12 +5770,12 @@ used for the Elmer solver FEM_SolverZ88 - + Solver Z88 Επιλυτής Z88 - + Creates a FEM solver Z88 Δημιουργεί έναν επιλυτή Z88 FEM @@ -6217,12 +6217,12 @@ Please select a result type first. FEM_SolverCalculiX - + Solver CalculiX (new framework) Solver CalculiX (new framework) - + Creates a FEM solver CalculiX new framework (less result error handling) Creates a FEM solver CalculiX new framework (less result error handling) @@ -6373,12 +6373,12 @@ Please select a result type first. FEM_MeshRegion - + FEM mesh refinement Βελτίωση πλέγματος FEM - + Creates a FEM mesh refinement Δημιουργεί βελτίωση πλέγματος FEM 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 e4d54a133182..64b37d2ffd3b 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_es-AR.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_es-AR.ts @@ -2979,12 +2979,12 @@ Especifique otro archivo, por favor. Rotation Frequency: - Rotation Frequency: + Frecuencia de rotación: Revolutions per second - Revolutions per second + Revoluciones por segundo @@ -4546,13 +4546,13 @@ normal de la cara se utiliza como dirección W/m^2/K - W/m^2/K + W/m^2/K K - K + K @@ -4562,7 +4562,7 @@ normal de la cara se utiliza como dirección W/m^2 - W/m^2 + W/m^2 @@ -4661,7 +4661,7 @@ normal de la cara se utiliza como dirección N/m - N/m + N/m @@ -5684,12 +5684,12 @@ usada por el solver Elmer FEM_ResultShow - + Show result Mostrar resultado - + Shows and visualizes selected result data Muestra y visualiza los datos de resultados seleccionados @@ -5697,12 +5697,12 @@ usada por el solver Elmer FEM_ResultsPurge - + Purge results Purgar resultados - + Purges all results from active analysis Purga todos los resultados de los análisis activos @@ -5710,12 +5710,12 @@ usada por el solver Elmer FEM_SolverCalculiXCcxTools - + Solver CalculiX Standard Solver CalculiX estándar - + Creates a standard FEM solver CalculiX with ccx tools Crea un solver FEM estándar CalculiX con herramientas de ccx @@ -5723,12 +5723,12 @@ usada por el solver Elmer FEM_SolverControl - + Solver job control Control de trabajo del solucionador - + Changes solver attributes and runs the calculations for the selected solver Cambia atributos del solucionador y ejecuta los cálculos @@ -5736,12 +5736,12 @@ usada por el solver Elmer FEM_SolverElmer - + Solver Elmer Solver Elmer - + Creates a FEM solver Elmer Crea un solver FEM Elmer @@ -5749,12 +5749,12 @@ usada por el solver Elmer FEM_SolverMystran - + Solver Mystran Solver Mystran - + Creates a FEM solver Mystran Crea un solver FEM Mystran @@ -5762,12 +5762,12 @@ usada por el solver Elmer FEM_SolverRun - + Run solver calculations Ejecutar cálculos del solver - + Runs the calculations for the selected solver Ejecuta los cálculos del solver seleccionado @@ -5775,12 +5775,12 @@ usada por el solver Elmer FEM_SolverZ88 - + Solver Z88 Solver Z88 - + Creates a FEM solver Z88 Crea un solver FEM Z88 @@ -5883,7 +5883,7 @@ usada por el solver Elmer Geometry reference selector - Geometry reference selector + Selector de referencia de geometría @@ -6222,12 +6222,12 @@ Por favor, primero seleccione un tipo de resultado. FEM_SolverCalculiX - + Solver CalculiX (new framework) Solver CalculiX (nuevo marco de trabajo) - + Creates a FEM solver CalculiX new framework (less result error handling) Crea un nuevo marco de trabajo para el solucionador de FEM CalculiX (menos manejo de errores de resultado) @@ -6378,12 +6378,12 @@ Por favor, primero seleccione un tipo de resultado. FEM_MeshRegion - + FEM mesh refinement Refinamiento de malla FEM - + Creates a FEM mesh refinement Crea un refinamiento de malla FEM @@ -6732,12 +6732,12 @@ Por favor, primero seleccione un tipo de resultado. Use legacy Netgen object implementation - Use legacy Netgen object implementation + Utilizar implementación de objectos de Netgen heredado Legacy Netgen - Legacy Netgen + Netgen heredado 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 e2e038b9fb64..a71ba2d71975 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_es-ES.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_es-ES.ts @@ -2979,12 +2979,12 @@ Especifique otro archivo, por favor. Rotation Frequency: - Rotation Frequency: + Frecuencia de rotación: Revolutions per second - Revolutions per second + Revoluciones por segundo @@ -4546,13 +4546,13 @@ normal de la cara se utiliza como dirección W/m^2/K - W/m^2/K + W/m^2/K K - K + K @@ -4562,7 +4562,7 @@ normal de la cara se utiliza como dirección W/m^2 - W/m^2 + W/m^2 @@ -4661,7 +4661,7 @@ normal de la cara se utiliza como dirección N/m - N/m + N/m @@ -5684,12 +5684,12 @@ usada por el solver Elmer FEM_ResultShow - + Show result Mostrar resultado - + Shows and visualizes selected result data Muestra y visualiza los datos de resultados seleccionados @@ -5697,12 +5697,12 @@ usada por el solver Elmer FEM_ResultsPurge - + Purge results Purgar resultados - + Purges all results from active analysis Purga todos los resultados de los análisis activos @@ -5710,12 +5710,12 @@ usada por el solver Elmer FEM_SolverCalculiXCcxTools - + Solver CalculiX Standard Solver CalculiX estándar - + Creates a standard FEM solver CalculiX with ccx tools Crea un solver FEM estándar CalculiX con herramientas de ccx @@ -5723,12 +5723,12 @@ usada por el solver Elmer FEM_SolverControl - + Solver job control Control de trabajo del solucionador - + Changes solver attributes and runs the calculations for the selected solver Cambia atributos del solucionador y ejecuta los cálculos @@ -5736,12 +5736,12 @@ usada por el solver Elmer FEM_SolverElmer - + Solver Elmer Solver Elmer - + Creates a FEM solver Elmer Crea un solver FEM Elmer @@ -5749,12 +5749,12 @@ usada por el solver Elmer FEM_SolverMystran - + Solver Mystran Solver Mystran - + Creates a FEM solver Mystran Crea un solver FEM Mystran @@ -5762,12 +5762,12 @@ usada por el solver Elmer FEM_SolverRun - + Run solver calculations Ejecutar cálculos del solver - + Runs the calculations for the selected solver Ejecuta los cálculos del solver seleccionado @@ -5775,12 +5775,12 @@ usada por el solver Elmer FEM_SolverZ88 - + Solver Z88 Solver Z88 - + Creates a FEM solver Z88 Crea un solver FEM Z88 @@ -5883,7 +5883,7 @@ usada por el solver Elmer Geometry reference selector - Geometry reference selector + Selector de referencia de geometría @@ -6222,12 +6222,12 @@ Por favor, primero seleccione un tipo de resultado. FEM_SolverCalculiX - + Solver CalculiX (new framework) Solver CalculiX (nuevo marco de trabajo) - + Creates a FEM solver CalculiX new framework (less result error handling) Crea un nuevo marco de trabajo para el solucionador de FEM CalculiX (menos manejo de errores de resultado) @@ -6378,12 +6378,12 @@ Por favor, primero seleccione un tipo de resultado. FEM_MeshRegion - + FEM mesh refinement Refinamiento de malla FEM - + Creates a FEM mesh refinement Crea un refinamiento de malla FEM @@ -6732,12 +6732,12 @@ Por favor, primero seleccione un tipo de resultado. Use legacy Netgen object implementation - Use legacy Netgen object implementation + Utilizar implementación de objectos de Netgen heredado Legacy Netgen - Legacy Netgen + Netgen heredado diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_eu.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_eu.ts index 8cb8f0bd48f5..edf2acd4b2ca 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_eu.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_eu.ts @@ -5686,12 +5686,12 @@ Elmer ebazlean FEM_ResultShow - + Show result Erakutsi emaitza - + Shows and visualizes selected result data Hautatutako emaitza-datuak erakusten eta bistaratzen ditu @@ -5699,12 +5699,12 @@ Elmer ebazlean FEM_ResultsPurge - + Purge results Araztu emaitzak - + Purges all results from active analysis Analisi aktiboetako emaitza guztiak arazten ditu @@ -5712,12 +5712,12 @@ Elmer ebazlean FEM_SolverCalculiXCcxTools - + Solver CalculiX Standard CalculiX ebazle estandarra - + Creates a standard FEM solver CalculiX with ccx tools FEM CalculiX ebazle estandarra sortzen du ccx tresnekin @@ -5725,12 +5725,12 @@ Elmer ebazlean FEM_SolverControl - + Solver job control Ebazle-lanaren kontrola - + Changes solver attributes and runs the calculations for the selected solver Ebazlearen atributuak aldatzen ditu eta hautatutako ebazlerako kalkuluak exekutatzen ditu @@ -5738,12 +5738,12 @@ Elmer ebazlean FEM_SolverElmer - + Solver Elmer Elmer ebazlea - + Creates a FEM solver Elmer FEM Elmer ebazlea sortzen du @@ -5751,12 +5751,12 @@ Elmer ebazlean FEM_SolverMystran - + Solver Mystran Mystran ebazlea - + Creates a FEM solver Mystran FEM Mystran ebazlea sortzen du @@ -5764,12 +5764,12 @@ Elmer ebazlean FEM_SolverRun - + Run solver calculations Exekutatu ebazlearen kalkuluak - + Runs the calculations for the selected solver Hautatutako ebazlearen kalkuluak exekutatzen ditu @@ -5777,12 +5777,12 @@ Elmer ebazlean FEM_SolverZ88 - + Solver Z88 Z88 ebazlea - + Creates a FEM solver Z88 FEM Z88 ebazlea sortzen du @@ -6224,12 +6224,12 @@ Hasteko, hautatu emaitza mota bat. FEM_SolverCalculiX - + Solver CalculiX (new framework) CalculiX ebazlea (lan-marko berria) - + Creates a FEM solver CalculiX new framework (less result error handling) FEM CalculiX ebazlearen lan-marko berria sortzen du (emaitzen errore-maneiatze gutxiago) @@ -6380,12 +6380,12 @@ Hasteko, hautatu emaitza mota bat. FEM_MeshRegion - + FEM mesh refinement FEM mesh refinement - + Creates a FEM mesh refinement Creates a FEM mesh refinement diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_fi.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_fi.ts index 15234ea38fd0..05306b81d437 100755 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_fi.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_fi.ts @@ -5685,12 +5685,12 @@ used for the Elmer solver FEM_ResultShow - + Show result Näytä tulos - + Shows and visualizes selected result data Shows and visualizes selected result data @@ -5698,12 +5698,12 @@ used for the Elmer solver FEM_ResultsPurge - + Purge results Purge results - + Purges all results from active analysis Purges all results from active analysis @@ -5711,12 +5711,12 @@ used for the Elmer solver FEM_SolverCalculiXCcxTools - + Solver CalculiX Standard Solver CalculiX Standard - + Creates a standard FEM solver CalculiX with ccx tools Creates a standard FEM solver CalculiX with ccx tools @@ -5724,12 +5724,12 @@ used for the Elmer solver FEM_SolverControl - + Solver job control Solver job control - + Changes solver attributes and runs the calculations for the selected solver Changes solver attributes and runs the calculations for the selected solver @@ -5737,12 +5737,12 @@ used for the Elmer solver FEM_SolverElmer - + Solver Elmer Solver Elmer - + Creates a FEM solver Elmer Creates a FEM solver Elmer @@ -5750,12 +5750,12 @@ used for the Elmer solver FEM_SolverMystran - + Solver Mystran Solver Mystran - + Creates a FEM solver Mystran Creates a FEM solver Mystran @@ -5763,12 +5763,12 @@ used for the Elmer solver FEM_SolverRun - + Run solver calculations Run solver calculations - + Runs the calculations for the selected solver Runs the calculations for the selected solver @@ -5776,12 +5776,12 @@ used for the Elmer solver FEM_SolverZ88 - + Solver Z88 Solver Z88 - + Creates a FEM solver Z88 Creates a FEM solver Z88 @@ -6223,12 +6223,12 @@ Please select a result type first. FEM_SolverCalculiX - + Solver CalculiX (new framework) Solver CalculiX (new framework) - + Creates a FEM solver CalculiX new framework (less result error handling) Creates a FEM solver CalculiX new framework (less result error handling) @@ -6379,12 +6379,12 @@ Please select a result type first. FEM_MeshRegion - + FEM mesh refinement FEM mesh refinement - + Creates a FEM mesh refinement Creates a FEM mesh refinement diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_fr.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_fr.ts index 7cb4166e7f4c..23b510d2ec1e 100755 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_fr.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_fr.ts @@ -790,7 +790,7 @@ Insert component's initial temperature: - Insérer la température initiale du composant : + Rentrer la température initiale du composant : @@ -2963,12 +2963,12 @@ Spécifier un autre fichier. Rotation Frequency: - Rotation Frequency: + Fréquence de rotation : Revolutions per second - Revolutions per second + Tours par seconde @@ -4516,28 +4516,28 @@ normal vector of the face is used as direction Film Coefficient - Film Coefficient + Coefficient de film W/m^2/K - W/m^2/K + W/m^2/K K - K + K Surface Heat Flux - Surface Heat Flux + Flux de chaleur de surface W/m^2 - W/m^2 + W/m^2 @@ -4561,7 +4561,7 @@ normal vector of the face is used as direction Insert component's initial temperature: - Insérer la température initiale du composant : + Rentrer la température initiale du composant : @@ -4636,7 +4636,7 @@ normal vector of the face is used as direction N/m - N/m + N/m @@ -5658,12 +5658,12 @@ used for the Elmer solver FEM_ResultShow - + Show result Afficher le résultat - + Shows and visualizes selected result data Affiche et visualise les données des résultats sélectionnés @@ -5671,12 +5671,12 @@ used for the Elmer solver FEM_ResultsPurge - + Purge results Purger les résultats - + Purges all results from active analysis Purger tous les résultats de l'analyse active @@ -5684,12 +5684,12 @@ used for the Elmer solver FEM_SolverCalculiXCcxTools - + Solver CalculiX Standard Solveur CalculiX standard - + Creates a standard FEM solver CalculiX with ccx tools Créer un solveur standard FEM CalculiX avec les outils ccx @@ -5697,12 +5697,12 @@ used for the Elmer solver FEM_SolverControl - + Solver job control Contrôle des tâches du solveur - + Changes solver attributes and runs the calculations for the selected solver Modifier les attributs du solveur et lancer les calculs pour le solveur sélectionné @@ -5710,12 +5710,12 @@ used for the Elmer solver FEM_SolverElmer - + Solver Elmer Solveur Elmer - + Creates a FEM solver Elmer Créer un solveur FEM Elmer @@ -5723,12 +5723,12 @@ used for the Elmer solver FEM_SolverMystran - + Solver Mystran Solveur Mystran - + Creates a FEM solver Mystran Créer un solveur FEM Mystran @@ -5736,12 +5736,12 @@ used for the Elmer solver FEM_SolverRun - + Run solver calculations Lancer les calculs du solveur - + Runs the calculations for the selected solver Lancer les calculs pour le solveur sélectionné @@ -5749,12 +5749,12 @@ used for the Elmer solver FEM_SolverZ88 - + Solver Z88 Solveur Z88 - + Creates a FEM solver Z88 Créer un solveur FEM Z88 @@ -5857,7 +5857,7 @@ used for the Elmer solver Geometry reference selector - Geometry reference selector + Sélecteur de références géométriques @@ -6196,12 +6196,12 @@ Sélectionner d'abord un type de résultat. FEM_SolverCalculiX - + Solver CalculiX (new framework) Solveur CalculiX (nouveau modèle) - + Creates a FEM solver CalculiX new framework (less result error handling) Créer un solveur nouveau modèle FEM CalculiX (moins de traitement des erreurs de résultat) @@ -6352,12 +6352,12 @@ Sélectionner d'abord un type de résultat. FEM_MeshRegion - + FEM mesh refinement Mailler plus finement - + Creates a FEM mesh refinement Créer un maillage FEM plus fin @@ -6705,12 +6705,12 @@ Sélectionner d'abord un type de résultat. Use legacy Netgen object implementation - Use legacy Netgen object implementation + Utiliser l'implémentation d'objets du Netgen historique Legacy Netgen - Legacy Netgen + Netgen historique diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_hr.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_hr.ts index 07f400600937..d264c3ed8acd 100755 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_hr.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_hr.ts @@ -5688,12 +5688,12 @@ koristiti za Elmerov rješavač FEM_ResultShow - + Show result Pokaži rezultat - + Shows and visualizes selected result data Pokazuje i vizualizira odabrane rezultate podataka @@ -5701,12 +5701,12 @@ koristiti za Elmerov rješavač FEM_ResultsPurge - + Purge results Brisanje rezultata - + Purges all results from active analysis Briše sve rezultate iz aktivne analize @@ -5714,12 +5714,12 @@ koristiti za Elmerov rješavač FEM_SolverCalculiXCcxTools - + Solver CalculiX Standard Alat za rješavanje CalculiX Standard - + Creates a standard FEM solver CalculiX with ccx tools Stvara standardni FEM CalculiX rješavač sa ccx alatom @@ -5727,12 +5727,12 @@ koristiti za Elmerov rješavač FEM_SolverControl - + Solver job control Kontrola posla rješavača - + Changes solver attributes and runs the calculations for the selected solver Mijenja atribute rješavača i izvodi izračune za odabrani alat za rješavanje @@ -5740,12 +5740,12 @@ koristiti za Elmerov rješavač FEM_SolverElmer - + Solver Elmer Alat za rješavanje Elmer - + Creates a FEM solver Elmer Stvara FEM rješavača Elmer @@ -5753,12 +5753,12 @@ koristiti za Elmerov rješavač FEM_SolverMystran - + Solver Mystran Alat za rješavanje Mystran - + Creates a FEM solver Mystran Stvara FEM rješavač Mystran @@ -5766,12 +5766,12 @@ koristiti za Elmerov rješavač FEM_SolverRun - + Run solver calculations Pokrenuti rješavanje izračuna - + Runs the calculations for the selected solver Izvodi izračune sa odabranim alatom za rješavanje @@ -5779,12 +5779,12 @@ koristiti za Elmerov rješavač FEM_SolverZ88 - + Solver Z88 Rješavač Z88 - + Creates a FEM solver Z88 Stvara FEM rješavača Z88 @@ -6227,12 +6227,12 @@ Molimo odaberite vrstu rezultata prvo. FEM_SolverCalculiX - + Solver CalculiX (new framework) Alat za rješavanje CalculiX (new framework) - + Creates a FEM solver CalculiX new framework (less result error handling) Stvori FEM alat za rješavanje CalculiX new framework (manje rukovanje pogreškama rezultata) @@ -6383,12 +6383,12 @@ Molimo odaberite vrstu rezultata prvo. FEM_MeshRegion - + FEM mesh refinement FEM izglađivanje mreže - + Creates a FEM mesh refinement Stvori FEM izglađivanje mreže diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_hu.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_hu.ts index 799e2cc9a11b..3692c4a1b8e4 100755 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_hu.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_hu.ts @@ -2970,12 +2970,12 @@ Kérjük, adjon meg egy másik fájlt. Rotation Frequency: - Rotation Frequency: + Forgatási frekvencia: Revolutions per second - Revolutions per second + Fordulatszám másodpercenként @@ -4531,28 +4531,28 @@ vektorát használják irányként Film Coefficient - Film Coefficient + Fóliatényező W/m^2/K - W/m^2/K + W/m^2/K K - K + K Surface Heat Flux - Surface Heat Flux + Felszíni hőáram W/m^2 - W/m^2 + W/m^2 @@ -4651,7 +4651,7 @@ vektorát használják irányként N/m - N/m + N/m @@ -5674,12 +5674,12 @@ az Elmer megoldóhoz FEM_ResultShow - + Show result Eredmény megjelenítése - + Shows and visualizes selected result data Mutatja és megjeleníti a kiválasztott eredmény adatokat @@ -5687,12 +5687,12 @@ az Elmer megoldóhoz FEM_ResultsPurge - + Purge results Eredmények finomítása - + Purges all results from active analysis Az aktív elemzés összes eredményeinek finomítása @@ -5700,12 +5700,12 @@ az Elmer megoldóhoz FEM_SolverCalculiXCcxTools - + Solver CalculiX Standard CalculiX alapértelmezett megoldó - + Creates a standard FEM solver CalculiX with ccx tools Létrehoz egy normál CalculiX VEM megoldót ccx eszközzel @@ -5713,12 +5713,12 @@ az Elmer megoldóhoz FEM_SolverControl - + Solver job control Munka megoldó ellenőrzés - + Changes solver attributes and runs the calculations for the selected solver Megoldó attribútumainak módosítása és a kiválasztott megoldó számításainak elindítása @@ -5726,12 +5726,12 @@ az Elmer megoldóhoz FEM_SolverElmer - + Solver Elmer Elmer megoldó - + Creates a FEM solver Elmer Létrehoz egy VEM Z88 megoldót @@ -5739,12 +5739,12 @@ az Elmer megoldóhoz FEM_SolverMystran - + Solver Mystran Mystran megoldó - + Creates a FEM solver Mystran Létrehoz egy VEM Mystran megoldót @@ -5752,12 +5752,12 @@ az Elmer megoldóhoz FEM_SolverRun - + Run solver calculations Megoldó számításainak elindítása - + Runs the calculations for the selected solver A kiválasztott megoldó számításainak elindítása @@ -5765,12 +5765,12 @@ az Elmer megoldóhoz FEM_SolverZ88 - + Solver Z88 Z88 megoldó - + Creates a FEM solver Z88 Létrehoz egy VEM Z88 megoldót @@ -5873,7 +5873,7 @@ az Elmer megoldóhoz Geometry reference selector - Geometry reference selector + Geometriai referenciaválasztó @@ -6212,12 +6212,12 @@ Kérjük, először válassza ki az eredmény típusát. FEM_SolverCalculiX - + Solver CalculiX (new framework) CalculiX megoldó (új keretrendszer) - + Creates a FEM solver CalculiX new framework (less result error handling) Hozzáadja a CalculiX új keretrendszer VEM megoldót (kevesebb eredményhiba kezelése) @@ -6368,12 +6368,12 @@ Kérjük, először válassza ki az eredmény típusát. FEM_MeshRegion - + FEM mesh refinement VEM háló finomítás - + Creates a FEM mesh refinement Egy FEM-háló finomítást hoz létre @@ -6722,12 +6722,12 @@ Kérjük, először válassza ki az eredmény típusát. Use legacy Netgen object implementation - Use legacy Netgen object implementation + Régi Netgen tárgy megvalósítás használata Legacy Netgen - Legacy Netgen + Örökölt Netgen diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_it.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_it.ts index 4aa1fd4ce6b5..5fd2921f8dab 100755 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_it.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_it.ts @@ -621,7 +621,7 @@ Make rigid body constraint - Make rigid body constraint + Rendere un vincolo di corpo rigido @@ -2980,12 +2980,12 @@ Specificare un altro file. Rotation Frequency: - Rotation Frequency: + Frequenza di rotazione: Revolutions per second - Revolutions per second + Rivoluzioni al secondo @@ -4542,28 +4542,28 @@ normale della faccia è usata come direzione Film Coefficient - Film Coefficient + Coefficiente di film W/m^2/K - W/m^2/K + W/m^2/K K - K + K Surface Heat Flux - Surface Heat Flux + Flusso di calore superficiale W/m^2 - W/m^2 + W/m^2 @@ -4662,7 +4662,7 @@ normale della faccia è usata come direzione N/m - N/m + N/m @@ -5685,12 +5685,12 @@ usata per il solutore Elmer FEM_ResultShow - + Show result Mostra i risultati - + Shows and visualizes selected result data Mostra e visualizza i dati dei risultati selezionati @@ -5698,12 +5698,12 @@ usata per il solutore Elmer FEM_ResultsPurge - + Purge results Azzera i risultati - + Purges all results from active analysis Elimina tutti i risultati dall'analisi attiva @@ -5711,12 +5711,12 @@ usata per il solutore Elmer FEM_SolverCalculiXCcxTools - + Solver CalculiX Standard Risolutore CalculiX Standard - + Creates a standard FEM solver CalculiX with ccx tools Crea un risolutore FEM standard CalculiX con strumenti ccx @@ -5724,12 +5724,12 @@ usata per il solutore Elmer FEM_SolverControl - + Solver job control Controlli del solutore - + Changes solver attributes and runs the calculations for the selected solver Cambia gli attributi di solutore ed esegue i calcoli per il solutore selezionato @@ -5737,12 +5737,12 @@ usata per il solutore Elmer FEM_SolverElmer - + Solver Elmer Risolutore Elmer - + Creates a FEM solver Elmer Crea un risolutore FEM Elmer @@ -5750,12 +5750,12 @@ usata per il solutore Elmer FEM_SolverMystran - + Solver Mystran Risolutore Mystran - + Creates a FEM solver Mystran Crea un risolutore FEM Mystran @@ -5763,12 +5763,12 @@ usata per il solutore Elmer FEM_SolverRun - + Run solver calculations Esegue calcoli del risolutore - + Runs the calculations for the selected solver Esegue i calcoli per il risolutore selezionato @@ -5776,12 +5776,12 @@ usata per il solutore Elmer FEM_SolverZ88 - + Solver Z88 Risolutore Z88 - + Creates a FEM solver Z88 Crea un solutore FEM Z88 @@ -5884,7 +5884,7 @@ usata per il solutore Elmer Geometry reference selector - Geometry reference selector + Selettore della geometria di riferimento @@ -6223,12 +6223,12 @@ Per favore seleziona prima un tipo di risultato. FEM_SolverCalculiX - + Solver CalculiX (new framework) Solutore CalculiX (nuovo framework) - + Creates a FEM solver CalculiX new framework (less result error handling) Crea un solutore FEM CalculiX nuovo framework (meno gestione degli errori di risultato) @@ -6379,12 +6379,12 @@ Per favore seleziona prima un tipo di risultato. FEM_MeshRegion - + FEM mesh refinement Raffinamento della mesh FEM - + Creates a FEM mesh refinement Crea un raffinamento della mesh FEM @@ -6495,12 +6495,12 @@ Per favore seleziona prima un tipo di risultato. Rigid body constraint - Rigid body constraint + Vincolo rigido del corpo Creates a rigid body constraint for a geometric entity - Creates a rigid body constraint for a geometric entity + Crea un vincolo di corpo rigido per un'entità geometrica @@ -6529,7 +6529,7 @@ Per favore seleziona prima un tipo di risultato. Only one type of selection (vertex, face or edge) per constraint allowed! - Only one type of selection (vertex, face or edge) per constraint allowed! + Solo un tipo di selezione (vertice, faccia o bordo) per vincolo permesso! @@ -6664,7 +6664,7 @@ Per favore seleziona prima un tipo di risultato. FEM Mesh by Netgen - FEM Mesh by Netgen + FEM Mesh di Netgen @@ -6699,7 +6699,7 @@ Per favore seleziona prima un tipo di risultato. Curvature Safety: - Curvature Safety: + Sicurezza Curvatura: @@ -6733,12 +6733,12 @@ Per favore seleziona prima un tipo di risultato. Use legacy Netgen object implementation - Use legacy Netgen object implementation + Usa implementazione precedente dell'oggetto Netgen Legacy Netgen - Legacy Netgen + Netgen obsoleto diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_ja.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_ja.ts index a50eee2329f6..09247ccb0121 100755 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_ja.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_ja.ts @@ -2964,12 +2964,12 @@ Specify another file please. Rotation Frequency: - Rotation Frequency: + 回転周波数: Revolutions per second - Revolutions per second + 回転数/秒 @@ -4511,28 +4511,28 @@ normal vector of the face is used as direction Film Coefficient - Film Coefficient + 境膜係数 W/m^2/K - W/m^2/K + W/m^2/K K - K + K Surface Heat Flux - Surface Heat Flux + 表面熱流束 W/m^2 - W/m^2 + W/m^2 @@ -4631,7 +4631,7 @@ normal vector of the face is used as direction N/m - N/m + N/m @@ -5653,12 +5653,12 @@ used for the Elmer solver FEM_ResultShow - + Show result 結果表示 - + Shows and visualizes selected result data 選択した結果データを表示、可視化 @@ -5666,12 +5666,12 @@ used for the Elmer solver FEM_ResultsPurge - + Purge results 結果を消去 - + Purges all results from active analysis アクティブな解析からすべての結果を削除 @@ -5679,12 +5679,12 @@ used for the Elmer solver FEM_SolverCalculiXCcxTools - + Solver CalculiX Standard ソルバー CalculiX 標準 - + Creates a standard FEM solver CalculiX with ccx tools 標準FEMソルバーであるccxツール付属CalculiXを作成 @@ -5692,12 +5692,12 @@ used for the Elmer solver FEM_SolverControl - + Solver job control ソルバー ジョブ制御 - + Changes solver attributes and runs the calculations for the selected solver ソルバー属性を変更し、選択したソルバーのための計算を実行 @@ -5705,12 +5705,12 @@ used for the Elmer solver FEM_SolverElmer - + Solver Elmer ソルバー Elmer - + Creates a FEM solver Elmer FEMソルバーElmerを作成 @@ -5718,12 +5718,12 @@ used for the Elmer solver FEM_SolverMystran - + Solver Mystran ソルバー Mystran - + Creates a FEM solver Mystran FEMソルバーMystranを作成 @@ -5731,12 +5731,12 @@ used for the Elmer solver FEM_SolverRun - + Run solver calculations ソルバー計算の実行 - + Runs the calculations for the selected solver 選択したソルバーの計算を実行 @@ -5744,12 +5744,12 @@ used for the Elmer solver FEM_SolverZ88 - + Solver Z88 ソルバー Z88 - + Creates a FEM solver Z88 FEMソルバーZ88を作成 @@ -5852,7 +5852,7 @@ used for the Elmer solver Geometry reference selector - Geometry reference selector + ジオメトリー参照セレクター @@ -6191,12 +6191,12 @@ Please select a result type first. FEM_SolverCalculiX - + Solver CalculiX (new framework) ソルバー CalculiX (新しいフレームワーク) - + Creates a FEM solver CalculiX new framework (less result error handling) FEMソルバーCalculiXの新しいフレームワークを作成 (結果エラー処理が減少) @@ -6347,12 +6347,12 @@ Please select a result type first. FEM_MeshRegion - + FEM mesh refinement FEMメッシュ再分割 - + Creates a FEM mesh refinement FEMメッシュ再分割を作成 @@ -6701,12 +6701,12 @@ Please select a result type first. Use legacy Netgen object implementation - Use legacy Netgen object implementation + 旧来の Netgen オブジェクト実装を使用 Legacy Netgen - Legacy Netgen + 旧来 Netgen diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_ka.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_ka.ts index 04eaf3d882c5..f71da83e24b3 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_ka.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_ka.ts @@ -5677,12 +5677,12 @@ used for the Elmer solver FEM_ResultShow - + Show result შედეგების ჩვენება - + Shows and visualizes selected result data შედეგის მონიშნული მონაცემების ჩვენება და ვიზუალიზაცია @@ -5690,12 +5690,12 @@ used for the Elmer solver FEM_ResultsPurge - + Purge results შედეგების გასუფთავება - + Purges all results from active analysis აქტიური ანალიზის ყველა შედეგის წაშლა @@ -5703,12 +5703,12 @@ used for the Elmer solver FEM_SolverCalculiXCcxTools - + Solver CalculiX Standard ამომხსნელის CalculiX სტანდარტი - + Creates a standard FEM solver CalculiX with ccx tools Cxx ხელსაწყოებით სტანდარტული CalculiX სემ ამომხსნელის შექმნა @@ -5716,12 +5716,12 @@ used for the Elmer solver FEM_SolverControl - + Solver job control გადამწყვეტის ამოცანების კონტროლი - + Changes solver attributes and runs the calculations for the selected solver ცვლის ამომხსნელის ატრიბუტებს და აწარმოებს გამოთვლებს არჩეული ამომხსნელისთვის @@ -5729,12 +5729,12 @@ used for the Elmer solver FEM_SolverElmer - + Solver Elmer გადამწყვეტი Elmder - + Creates a FEM solver Elmer სემ „Elmer“ ამოხსნელის შექმნა @@ -5742,12 +5742,12 @@ used for the Elmer solver FEM_SolverMystran - + Solver Mystran Mystran ამომხსნელი - + Creates a FEM solver Mystran სემ „Mystran“ ამოხსნელის შექმნა @@ -5755,12 +5755,12 @@ used for the Elmer solver FEM_SolverRun - + Run solver calculations ამომხსნელის გამოთვლების გაშვება - + Runs the calculations for the selected solver გამოთვლების არჩეული ამომხსნელით გაშვება @@ -5768,12 +5768,12 @@ used for the Elmer solver FEM_SolverZ88 - + Solver Z88 გადამწყვეტი Z88 - + Creates a FEM solver Z88 სემ Z88 ამოხსნელისთვის ამოცანის შექმნა @@ -6215,12 +6215,12 @@ Please select a result type first. FEM_SolverCalculiX - + Solver CalculiX (new framework) ამომხსნელი CalculiX-ი (ახალი framework) - + Creates a FEM solver CalculiX new framework (less result error handling) სემ ამომხსნელის CalculiX ახალი Framework-ით შექმნა (ნაკლები შედეგის შეცდომები) @@ -6371,12 +6371,12 @@ Please select a result type first. FEM_MeshRegion - + FEM mesh refinement სემ ბადის გაუმჯობესება - + Creates a FEM mesh refinement სემ ბადის გაუმჯობესების შექმნა diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_ko.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_ko.ts index 0e2e3fc68ef2..aa27ac94d3c7 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_ko.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_ko.ts @@ -5680,12 +5680,12 @@ used for the Elmer solver FEM_ResultShow - + Show result 결과 표시 - + Shows and visualizes selected result data Shows and visualizes selected result data @@ -5693,12 +5693,12 @@ used for the Elmer solver FEM_ResultsPurge - + Purge results Purge results - + Purges all results from active analysis Purges all results from active analysis @@ -5706,12 +5706,12 @@ used for the Elmer solver FEM_SolverCalculiXCcxTools - + Solver CalculiX Standard Solver CalculiX Standard - + Creates a standard FEM solver CalculiX with ccx tools Creates a standard FEM solver CalculiX with ccx tools @@ -5719,12 +5719,12 @@ used for the Elmer solver FEM_SolverControl - + Solver job control Solver job control - + Changes solver attributes and runs the calculations for the selected solver Changes solver attributes and runs the calculations for the selected solver @@ -5732,12 +5732,12 @@ used for the Elmer solver FEM_SolverElmer - + Solver Elmer Solver Elmer - + Creates a FEM solver Elmer Creates a FEM solver Elmer @@ -5745,12 +5745,12 @@ used for the Elmer solver FEM_SolverMystran - + Solver Mystran Solver Mystran - + Creates a FEM solver Mystran Creates a FEM solver Mystran @@ -5758,12 +5758,12 @@ used for the Elmer solver FEM_SolverRun - + Run solver calculations Run solver calculations - + Runs the calculations for the selected solver Runs the calculations for the selected solver @@ -5771,12 +5771,12 @@ used for the Elmer solver FEM_SolverZ88 - + Solver Z88 Solver Z88 - + Creates a FEM solver Z88 Creates a FEM solver Z88 @@ -6218,12 +6218,12 @@ Please select a result type first. FEM_SolverCalculiX - + Solver CalculiX (new framework) Solver CalculiX (new framework) - + Creates a FEM solver CalculiX new framework (less result error handling) Creates a FEM solver CalculiX new framework (less result error handling) @@ -6374,12 +6374,12 @@ Please select a result type first. FEM_MeshRegion - + FEM mesh refinement FEM mesh refinement - + Creates a FEM mesh refinement Creates a FEM mesh refinement diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_lt.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_lt.ts index 71c18df6cd1f..ccc94a2ae60d 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_lt.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_lt.ts @@ -5685,12 +5685,12 @@ used for the Elmer solver FEM_ResultShow - + Show result Show result - + Shows and visualizes selected result data Shows and visualizes selected result data @@ -5698,12 +5698,12 @@ used for the Elmer solver FEM_ResultsPurge - + Purge results Purge results - + Purges all results from active analysis Purges all results from active analysis @@ -5711,12 +5711,12 @@ used for the Elmer solver FEM_SolverCalculiXCcxTools - + Solver CalculiX Standard Solver CalculiX Standard - + Creates a standard FEM solver CalculiX with ccx tools Creates a standard FEM solver CalculiX with ccx tools @@ -5724,12 +5724,12 @@ used for the Elmer solver FEM_SolverControl - + Solver job control Solver job control - + Changes solver attributes and runs the calculations for the selected solver Changes solver attributes and runs the calculations for the selected solver @@ -5737,12 +5737,12 @@ used for the Elmer solver FEM_SolverElmer - + Solver Elmer Solver Elmer - + Creates a FEM solver Elmer Creates a FEM solver Elmer @@ -5750,12 +5750,12 @@ used for the Elmer solver FEM_SolverMystran - + Solver Mystran Solver Mystran - + Creates a FEM solver Mystran Creates a FEM solver Mystran @@ -5763,12 +5763,12 @@ used for the Elmer solver FEM_SolverRun - + Run solver calculations Run solver calculations - + Runs the calculations for the selected solver Runs the calculations for the selected solver @@ -5776,12 +5776,12 @@ used for the Elmer solver FEM_SolverZ88 - + Solver Z88 Solver Z88 - + Creates a FEM solver Z88 Creates a FEM solver Z88 @@ -6223,12 +6223,12 @@ Please select a result type first. FEM_SolverCalculiX - + Solver CalculiX (new framework) Solver CalculiX (new framework) - + Creates a FEM solver CalculiX new framework (less result error handling) Creates a FEM solver CalculiX new framework (less result error handling) @@ -6379,12 +6379,12 @@ Please select a result type first. FEM_MeshRegion - + FEM mesh refinement FEM mesh refinement - + Creates a FEM mesh refinement Creates a FEM mesh refinement diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_nl.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_nl.ts index 20b0c505a1ce..b8085ef7045a 100755 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_nl.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_nl.ts @@ -5685,12 +5685,12 @@ used for the Elmer solver FEM_ResultShow - + Show result Toon resultaat - + Shows and visualizes selected result data Shows and visualizes selected result data @@ -5698,12 +5698,12 @@ used for the Elmer solver FEM_ResultsPurge - + Purge results Purge results - + Purges all results from active analysis Purges all results from active analysis @@ -5711,12 +5711,12 @@ used for the Elmer solver FEM_SolverCalculiXCcxTools - + Solver CalculiX Standard Solver CalculiX Standard - + Creates a standard FEM solver CalculiX with ccx tools Creates a standard FEM solver CalculiX with ccx tools @@ -5724,12 +5724,12 @@ used for the Elmer solver FEM_SolverControl - + Solver job control Solver job control - + Changes solver attributes and runs the calculations for the selected solver Changes solver attributes and runs the calculations for the selected solver @@ -5737,12 +5737,12 @@ used for the Elmer solver FEM_SolverElmer - + Solver Elmer Solver Elmer - + Creates a FEM solver Elmer Creates a FEM solver Elmer @@ -5750,12 +5750,12 @@ used for the Elmer solver FEM_SolverMystran - + Solver Mystran Solver Mystran - + Creates a FEM solver Mystran Creates a FEM solver Mystran @@ -5763,12 +5763,12 @@ used for the Elmer solver FEM_SolverRun - + Run solver calculations Run solver calculations - + Runs the calculations for the selected solver Runs the calculations for the selected solver @@ -5776,12 +5776,12 @@ used for the Elmer solver FEM_SolverZ88 - + Solver Z88 Solver Z88 - + Creates a FEM solver Z88 Creates a FEM solver Z88 @@ -6223,12 +6223,12 @@ Please select a result type first. FEM_SolverCalculiX - + Solver CalculiX (new framework) Solver CalculiX (new framework) - + Creates a FEM solver CalculiX new framework (less result error handling) Creates a FEM solver CalculiX new framework (less result error handling) @@ -6379,12 +6379,12 @@ Please select a result type first. FEM_MeshRegion - + FEM mesh refinement FEM mesh refinement - + Creates a FEM mesh refinement Creates a FEM mesh refinement diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_pl.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_pl.ts index 55ce17600108..f7b0303baa0d 100755 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_pl.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_pl.ts @@ -2980,12 +2980,12 @@ Proszę, wybierz inny. Rotation Frequency: - Rotation Frequency: + Częstotliwość obrotów: Revolutions per second - Revolutions per second + Obroty na sekundę @@ -4540,28 +4540,28 @@ normal vector of the face is used as direction Film Coefficient - Film Coefficient + Współczynnik przejmowania ciepła W/m^2/K - W/m^2/K + W/m^2/K K - K + K Surface Heat Flux - Surface Heat Flux + Strumień ciepła na powierzchni W/m^2 - W/m^2 + W/m^2 @@ -4660,7 +4660,7 @@ normal vector of the face is used as direction N/m - N/m + N/m @@ -5684,12 +5684,12 @@ użyta przez solver Elmer FEM_ResultShow - + Show result Pokaż wynik - + Shows and visualizes selected result data Pokazuje i wizualizuje wybrane wyniki @@ -5697,12 +5697,12 @@ użyta przez solver Elmer FEM_ResultsPurge - + Purge results Usuń wyniki - + Purges all results from active analysis Usuwa wszystkie wyniki z aktywnej analizy @@ -5710,12 +5710,12 @@ użyta przez solver Elmer FEM_SolverCalculiXCcxTools - + Solver CalculiX Standard Solver CalculiX - + Creates a standard FEM solver CalculiX with ccx tools Tworzy standardowy solver MES CalculiX korzystając z narzędzi ccx @@ -5723,12 +5723,12 @@ użyta przez solver Elmer FEM_SolverControl - + Solver job control Kontrola pracy solvera - + Changes solver attributes and runs the calculations for the selected solver Zmienia nastawy wybranego solvera i uruchamia obliczenia @@ -5736,12 +5736,12 @@ użyta przez solver Elmer FEM_SolverElmer - + Solver Elmer Solver Elmer - + Creates a FEM solver Elmer Dodaje solver Elmer w MES @@ -5749,12 +5749,12 @@ użyta przez solver Elmer FEM_SolverMystran - + Solver Mystran Solver Mystran - + Creates a FEM solver Mystran Tworzy analizę MES w Mystran @@ -5762,12 +5762,12 @@ użyta przez solver Elmer FEM_SolverRun - + Run solver calculations Uruchom obliczenia solvera - + Runs the calculations for the selected solver Uruchamia obliczenia dla wybranego solvera @@ -5775,12 +5775,12 @@ użyta przez solver Elmer FEM_SolverZ88 - + Solver Z88 Solver Z88 - + Creates a FEM solver Z88 Tworzy analizę MES w Z88 @@ -5883,7 +5883,7 @@ użyta przez solver Elmer Geometry reference selector - Geometry reference selector + Wybór geometrii odniesienia @@ -6222,12 +6222,12 @@ Proszę najpierw wybrać typ wyniku. FEM_SolverCalculiX - + Solver CalculiX (new framework) Solver CalculiX (nowa struktura) - + Creates a FEM solver CalculiX new framework (less result error handling) Dodaje solver CalculiX z nową strukturą (mniejsza obsługa błędów wynikowych) @@ -6378,12 +6378,12 @@ Proszę najpierw wybrać typ wyniku. FEM_MeshRegion - + FEM mesh refinement Zagęszczenie siatki MES - + Creates a FEM mesh refinement Dodaje zagęszczenie siatki MES @@ -6732,12 +6732,12 @@ Proszę najpierw wybrać typ wyniku. Use legacy Netgen object implementation - Use legacy Netgen object implementation + Użyj starszej implementacji obiektu Netgen Legacy Netgen - Legacy Netgen + Starsza implementacja Netgen 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 e90190ebce9e..95dad4785d4b 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_pt-BR.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_pt-BR.ts @@ -2977,12 +2977,12 @@ Por favor, escolha outro arquivo. Rotation Frequency: - Rotation Frequency: + Frequência de Rotação: Revolutions per second - Revolutions per second + Rotações por segundo @@ -4537,28 +4537,28 @@ da face é usado como direção Film Coefficient - Film Coefficient + Coeficiente de Filme W/m^2/K - W/m^2/K + W/m^2/K K - K + K Surface Heat Flux - Surface Heat Flux + Fluxo de Calor Superficial W/m^2 - W/m^2 + W/m^2 @@ -4657,7 +4657,7 @@ da face é usado como direção N/m - N/m + N/m @@ -5680,12 +5680,12 @@ usada pelo Elmer solver FEM_ResultShow - + Show result Mostrar resultado - + Shows and visualizes selected result data Mostra e visualiza os dados de resultado selecionados @@ -5693,12 +5693,12 @@ usada pelo Elmer solver FEM_ResultsPurge - + Purge results Limpar resultados - + Purges all results from active analysis Limpa todos os resultados da análise ativa @@ -5706,12 +5706,12 @@ usada pelo Elmer solver FEM_SolverCalculiXCcxTools - + Solver CalculiX Standard Solver CalculiX padrão - + Creates a standard FEM solver CalculiX with ccx tools Cria um solucionador FEM padrão CalculiX com ferramentas ccx @@ -5719,12 +5719,12 @@ usada pelo Elmer solver FEM_SolverControl - + Solver job control Controle de trabalho do solucionador - + Changes solver attributes and runs the calculations for the selected solver Altera os atributos do solucionador e executa os cálculos usando o solucionador selecionado @@ -5732,12 +5732,12 @@ usada pelo Elmer solver FEM_SolverElmer - + Solver Elmer Solucionador Elmer - + Creates a FEM solver Elmer Cria um solucionador FEM Elmer @@ -5745,12 +5745,12 @@ usada pelo Elmer solver FEM_SolverMystran - + Solver Mystran Solucionador Mystran - + Creates a FEM solver Mystran Criar um solucionador MEF usando o Mystram @@ -5758,12 +5758,12 @@ usada pelo Elmer solver FEM_SolverRun - + Run solver calculations Executar os cálculos do solucionador - + Runs the calculations for the selected solver Executa os cálculos usando o solucionador selecionado @@ -5771,12 +5771,12 @@ usada pelo Elmer solver FEM_SolverZ88 - + Solver Z88 Solucionador Z88 - + Creates a FEM solver Z88 Executar os cálculos do solucionador Z88 @@ -5879,7 +5879,7 @@ usada pelo Elmer solver Geometry reference selector - Geometry reference selector + Seletor de referência de geometria @@ -6218,12 +6218,12 @@ Por favor, selecione primeiramente um tipo de resultado. FEM_SolverCalculiX - + Solver CalculiX (new framework) Calculador CalculiX (experimental) - + Creates a FEM solver CalculiX new framework (less result error handling) Cria um solucionador FEM CalculiX com novo framework (menos erro de resultado por manuseio) @@ -6374,12 +6374,12 @@ Por favor, selecione primeiramente um tipo de resultado. FEM_MeshRegion - + FEM mesh refinement Refinamento de malha - + Creates a FEM mesh refinement Cria uma região com refinamento de malha FEM @@ -6728,12 +6728,12 @@ Por favor, selecione primeiramente um tipo de resultado. Use legacy Netgen object implementation - Use legacy Netgen object implementation + Usar implementação legada do objeto Netgen Legacy Netgen - Legacy Netgen + Netgen Legado 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 d255d276729f..90a046ae6514 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_pt-PT.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_pt-PT.ts @@ -5685,12 +5685,12 @@ used for the Elmer solver FEM_ResultShow - + Show result Mostrar resultado - + Shows and visualizes selected result data Shows and visualizes selected result data @@ -5698,12 +5698,12 @@ used for the Elmer solver FEM_ResultsPurge - + Purge results Purge results - + Purges all results from active analysis Purges all results from active analysis @@ -5711,12 +5711,12 @@ used for the Elmer solver FEM_SolverCalculiXCcxTools - + Solver CalculiX Standard Solver CalculiX Standard - + Creates a standard FEM solver CalculiX with ccx tools Creates a standard FEM solver CalculiX with ccx tools @@ -5724,12 +5724,12 @@ used for the Elmer solver FEM_SolverControl - + Solver job control Solver job control - + Changes solver attributes and runs the calculations for the selected solver Changes solver attributes and runs the calculations for the selected solver @@ -5737,12 +5737,12 @@ used for the Elmer solver FEM_SolverElmer - + Solver Elmer Solver Elmer - + Creates a FEM solver Elmer Creates a FEM solver Elmer @@ -5750,12 +5750,12 @@ used for the Elmer solver FEM_SolverMystran - + Solver Mystran Solver Mystran - + Creates a FEM solver Mystran Creates a FEM solver Mystran @@ -5763,12 +5763,12 @@ used for the Elmer solver FEM_SolverRun - + Run solver calculations Run solver calculations - + Runs the calculations for the selected solver Runs the calculations for the selected solver @@ -5776,12 +5776,12 @@ used for the Elmer solver FEM_SolverZ88 - + Solver Z88 Solver Z88 - + Creates a FEM solver Z88 Creates a FEM solver Z88 @@ -6223,12 +6223,12 @@ Please select a result type first. FEM_SolverCalculiX - + Solver CalculiX (new framework) Solver CalculiX (new framework) - + Creates a FEM solver CalculiX new framework (less result error handling) Creates a FEM solver CalculiX new framework (less result error handling) @@ -6379,12 +6379,12 @@ Please select a result type first. FEM_MeshRegion - + FEM mesh refinement FEM mesh refinement - + Creates a FEM mesh refinement Creates a FEM mesh refinement diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_ro.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_ro.ts index 3005c29b07b9..7136dbe43c5f 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_ro.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_ro.ts @@ -5685,12 +5685,12 @@ used for the Elmer solver FEM_ResultShow - + Show result Arată rezultatul - + Shows and visualizes selected result data Shows and visualizes selected result data @@ -5698,12 +5698,12 @@ used for the Elmer solver FEM_ResultsPurge - + Purge results Purge results - + Purges all results from active analysis Purges all results from active analysis @@ -5711,12 +5711,12 @@ used for the Elmer solver FEM_SolverCalculiXCcxTools - + Solver CalculiX Standard Solver CalculiX Standard - + Creates a standard FEM solver CalculiX with ccx tools Creates a standard FEM solver CalculiX with ccx tools @@ -5724,12 +5724,12 @@ used for the Elmer solver FEM_SolverControl - + Solver job control Solver job control - + Changes solver attributes and runs the calculations for the selected solver Changes solver attributes and runs the calculations for the selected solver @@ -5737,12 +5737,12 @@ used for the Elmer solver FEM_SolverElmer - + Solver Elmer Solver Elmer - + Creates a FEM solver Elmer Creates a FEM solver Elmer @@ -5750,12 +5750,12 @@ used for the Elmer solver FEM_SolverMystran - + Solver Mystran Solver Mystran - + Creates a FEM solver Mystran Creates a FEM solver Mystran @@ -5763,12 +5763,12 @@ used for the Elmer solver FEM_SolverRun - + Run solver calculations Run solver calculations - + Runs the calculations for the selected solver Runs the calculations for the selected solver @@ -5776,12 +5776,12 @@ used for the Elmer solver FEM_SolverZ88 - + Solver Z88 Solver Z88 - + Creates a FEM solver Z88 Creates a FEM solver Z88 @@ -6223,12 +6223,12 @@ Please select a result type first. FEM_SolverCalculiX - + Solver CalculiX (new framework) Solver CalculiX (new framework) - + Creates a FEM solver CalculiX new framework (less result error handling) Creates a FEM solver CalculiX new framework (less result error handling) @@ -6379,12 +6379,12 @@ Please select a result type first. FEM_MeshRegion - + FEM mesh refinement FEM mesh refinement - + Creates a FEM mesh refinement Creates a FEM mesh refinement diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_ru.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_ru.ts index b7852caa835f..6d533a33775e 100755 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_ru.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_ru.ts @@ -2971,12 +2971,12 @@ Specify another file please. Rotation Frequency: - Rotation Frequency: + Частота вращения: Revolutions per second - Revolutions per second + Оборотов в секунду @@ -4533,28 +4533,28 @@ normal vector of the face is used as direction Film Coefficient - Film Coefficient + Коэффициент пленки W/m^2/K - W/m^2/K + W/m^2/K K - K + K Surface Heat Flux - Surface Heat Flux + Поверхностный тепловой поток W/m^2 - W/m^2 + W/m^2 @@ -4653,7 +4653,7 @@ normal vector of the face is used as direction N/m - N/m + Н/м @@ -5676,12 +5676,12 @@ used for the Elmer solver FEM_ResultShow - + Show result Показать результат - + Shows and visualizes selected result data Наглядно показывает выбранные данные результата анализа @@ -5689,12 +5689,12 @@ used for the Elmer solver FEM_ResultsPurge - + Purge results Очистить результаты - + Purges all results from active analysis Удаляет все результаты из активного блока анализа @@ -5702,12 +5702,12 @@ used for the Elmer solver FEM_SolverCalculiXCcxTools - + Solver CalculiX Standard Решатель CalculiX Standard - + Creates a standard FEM solver CalculiX with ccx tools Создает стандартный решатель МКЭ CalculiX с помощью инструментов ccx @@ -5715,12 +5715,12 @@ used for the Elmer solver FEM_SolverControl - + Solver job control Управление работой решателя - + Changes solver attributes and runs the calculations for the selected solver Изменяет атрибуты решателя и выполняет алгоритмы вычисления выбранного решателя @@ -5728,12 +5728,12 @@ used for the Elmer solver FEM_SolverElmer - + Solver Elmer Решатель Elmer - + Creates a FEM solver Elmer Создает задачу МКЭ для решателя Elmer @@ -5741,12 +5741,12 @@ used for the Elmer solver FEM_SolverMystran - + Solver Mystran Решатель Mystran - + Creates a FEM solver Mystran Создает задачу МКЭ для решателя Mystran @@ -5754,12 +5754,12 @@ used for the Elmer solver FEM_SolverRun - + Run solver calculations Запустить алгоритм расчета решателя - + Runs the calculations for the selected solver Запускает вычисления для выбранного решателя @@ -5767,12 +5767,12 @@ used for the Elmer solver FEM_SolverZ88 - + Solver Z88 Решатель Z88 - + Creates a FEM solver Z88 Создает задачу для решателя МКЭ Z88 @@ -5875,7 +5875,7 @@ used for the Elmer solver Geometry reference selector - Geometry reference selector + Селектор геометрической ссылки @@ -6215,12 +6215,12 @@ Please select a result type first. FEM_SolverCalculiX - + Solver CalculiX (new framework) Решатель CalculiX (новый фреймворк) - + Creates a FEM solver CalculiX new framework (less result error handling) Создает новую структуру решателя МКЭ CalculiX (меньше обработки ошибок результатов) @@ -6371,12 +6371,12 @@ Please select a result type first. FEM_MeshRegion - + FEM mesh refinement Уточнение сетки МКЭ - + Creates a FEM mesh refinement Создает сетку ПЭМ @@ -6720,17 +6720,17 @@ Please select a result type first. Netgen - Netgen + Нетген Use legacy Netgen object implementation - Use legacy Netgen object implementation + Использовать устаревшую реализацию объекта Нетген Legacy Netgen - Legacy Netgen + Устаревший Нетген diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_sl.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_sl.ts index c411ef7d56c9..d529fa4eff27 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_sl.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_sl.ts @@ -5685,12 +5685,12 @@ used for the Elmer solver FEM_ResultShow - + Show result Prikaži rezultat - + Shows and visualizes selected result data Shows and visualizes selected result data @@ -5698,12 +5698,12 @@ used for the Elmer solver FEM_ResultsPurge - + Purge results Purge results - + Purges all results from active analysis Purges all results from active analysis @@ -5711,12 +5711,12 @@ used for the Elmer solver FEM_SolverCalculiXCcxTools - + Solver CalculiX Standard Solver CalculiX Standard - + Creates a standard FEM solver CalculiX with ccx tools Creates a standard FEM solver CalculiX with ccx tools @@ -5724,12 +5724,12 @@ used for the Elmer solver FEM_SolverControl - + Solver job control Solver job control - + Changes solver attributes and runs the calculations for the selected solver Changes solver attributes and runs the calculations for the selected solver @@ -5737,12 +5737,12 @@ used for the Elmer solver FEM_SolverElmer - + Solver Elmer Solver Elmer - + Creates a FEM solver Elmer Creates a FEM solver Elmer @@ -5750,12 +5750,12 @@ used for the Elmer solver FEM_SolverMystran - + Solver Mystran Solver Mystran - + Creates a FEM solver Mystran Creates a FEM solver Mystran @@ -5763,12 +5763,12 @@ used for the Elmer solver FEM_SolverRun - + Run solver calculations Run solver calculations - + Runs the calculations for the selected solver Runs the calculations for the selected solver @@ -5776,12 +5776,12 @@ used for the Elmer solver FEM_SolverZ88 - + Solver Z88 Solver Z88 - + Creates a FEM solver Z88 Creates a FEM solver Z88 @@ -6223,12 +6223,12 @@ Please select a result type first. FEM_SolverCalculiX - + Solver CalculiX (new framework) Solver CalculiX (new framework) - + Creates a FEM solver CalculiX new framework (less result error handling) Creates a FEM solver CalculiX new framework (less result error handling) @@ -6379,12 +6379,12 @@ Please select a result type first. FEM_MeshRegion - + FEM mesh refinement FEM mesh refinement - + Creates a FEM mesh refinement Creates a FEM mesh refinement 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 9bae3979d9ee..72623cc689ae 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_sr-CS.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_sr-CS.ts @@ -4546,13 +4546,13 @@ normal vector of the face is used as direction W/m^2/K - W/m^2/K + W/m^2/K K - K + K @@ -4562,7 +4562,7 @@ normal vector of the face is used as direction W/m^2 - W/m^2 + W/m^2 @@ -4661,7 +4661,7 @@ normal vector of the face is used as direction N/m - N/m + N/m @@ -5684,12 +5684,12 @@ used for the Elmer solver FEM_ResultShow - + Show result Prikaži rezultat - + Shows and visualizes selected result data Shows and visualizes selected result data @@ -5697,12 +5697,12 @@ used for the Elmer solver FEM_ResultsPurge - + Purge results Purge results - + Purges all results from active analysis Purges all results from active analysis @@ -5710,12 +5710,12 @@ used for the Elmer solver FEM_SolverCalculiXCcxTools - + Solver CalculiX Standard Standardni CalculiX solver - + Creates a standard FEM solver CalculiX with ccx tools Napravi standardni MKЕ solver CalculiX sa ccx alatima @@ -5723,12 +5723,12 @@ used for the Elmer solver FEM_SolverControl - + Solver job control Kontrola zadataka algoritma za rešavanje - + Changes solver attributes and runs the calculations for the selected solver Menja atribute i pokreće proračune za izabrani solver @@ -5736,12 +5736,12 @@ used for the Elmer solver FEM_SolverElmer - + Solver Elmer Elmer solver - + Creates a FEM solver Elmer Napravi MKЕ solver Elmer @@ -5749,12 +5749,12 @@ used for the Elmer solver FEM_SolverMystran - + Solver Mystran Mystran solver - + Creates a FEM solver Mystran Napravi MKЕ solver Mystran @@ -5762,12 +5762,12 @@ used for the Elmer solver FEM_SolverRun - + Run solver calculations Pokreni solver - + Runs the calculations for the selected solver Pokreni proračun izabranim solver-om @@ -5775,12 +5775,12 @@ used for the Elmer solver FEM_SolverZ88 - + Solver Z88 Z88 solver - + Creates a FEM solver Z88 Napravi MKЕ solver Z88 @@ -6222,12 +6222,12 @@ Please select a result type first. FEM_SolverCalculiX - + Solver CalculiX (new framework) CalculiX solver (nove generacije) - + Creates a FEM solver CalculiX new framework (less result error handling) Napravi MKЕ solver CalculiX nove generacije (poboljšana obrada grešaka) @@ -6378,12 +6378,12 @@ Please select a result type first. FEM_MeshRegion - + FEM mesh refinement FEM mesh refinement - + Creates a FEM mesh refinement Creates a FEM mesh refinement diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_sr.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_sr.ts index 53f563596f10..1d694c4e6712 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_sr.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_sr.ts @@ -4546,13 +4546,13 @@ normal vector of the face is used as direction W/m^2/K - W/m^2/K + W/m^2/K K - K + K @@ -4562,7 +4562,7 @@ normal vector of the face is used as direction W/m^2 - W/m^2 + W/m^2 @@ -4661,7 +4661,7 @@ normal vector of the face is used as direction N/m - N/m + N/m @@ -5684,12 +5684,12 @@ used for the Elmer solver FEM_ResultShow - + Show result Прикажи резултат - + Shows and visualizes selected result data Shows and visualizes selected result data @@ -5697,12 +5697,12 @@ used for the Elmer solver FEM_ResultsPurge - + Purge results Purge results - + Purges all results from active analysis Purges all results from active analysis @@ -5710,12 +5710,12 @@ used for the Elmer solver FEM_SolverCalculiXCcxTools - + Solver CalculiX Standard Стандардни CalculiX солвер - + Creates a standard FEM solver CalculiX with ccx tools Направи стандардни МКЕ солвер CalculiX са ccx алатима @@ -5723,12 +5723,12 @@ used for the Elmer solver FEM_SolverControl - + Solver job control Контрола задатака алгоритма за решавање - + Changes solver attributes and runs the calculations for the selected solver Мења атрибуте и покреће прорачуне за изабрани солвер @@ -5736,12 +5736,12 @@ used for the Elmer solver FEM_SolverElmer - + Solver Elmer Elmer солвер - + Creates a FEM solver Elmer Направи МКЕ солвер Elmer @@ -5749,12 +5749,12 @@ used for the Elmer solver FEM_SolverMystran - + Solver Mystran Mystran солвер - + Creates a FEM solver Mystran Направи МКЕ солвер Mystran @@ -5762,12 +5762,12 @@ used for the Elmer solver FEM_SolverRun - + Run solver calculations Покрени солвер - + Runs the calculations for the selected solver Покрени прорачун изабраним солвером @@ -5775,12 +5775,12 @@ used for the Elmer solver FEM_SolverZ88 - + Solver Z88 Z88 солвер - + Creates a FEM solver Z88 Направи МКЕ солвер Z88 @@ -6222,12 +6222,12 @@ Please select a result type first. FEM_SolverCalculiX - + Solver CalculiX (new framework) CalculiX солвер (нове генерације) - + Creates a FEM solver CalculiX new framework (less result error handling) Направи МКЕ солвер CalculiX нове генерације (побољшана обрада грешака) @@ -6378,12 +6378,12 @@ Please select a result type first. FEM_MeshRegion - + FEM mesh refinement FEM mesh refinement - + Creates a FEM mesh refinement Creates a FEM mesh refinement 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 07b3891c5cd7..df15c91de337 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_sv-SE.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_sv-SE.ts @@ -5685,12 +5685,12 @@ used for the Elmer solver FEM_ResultShow - + Show result Visa resultat - + Shows and visualizes selected result data Shows and visualizes selected result data @@ -5698,12 +5698,12 @@ used for the Elmer solver FEM_ResultsPurge - + Purge results Purge results - + Purges all results from active analysis Purges all results from active analysis @@ -5711,12 +5711,12 @@ used for the Elmer solver FEM_SolverCalculiXCcxTools - + Solver CalculiX Standard Solver CalculiX Standard - + Creates a standard FEM solver CalculiX with ccx tools Creates a standard FEM solver CalculiX with ccx tools @@ -5724,12 +5724,12 @@ used for the Elmer solver FEM_SolverControl - + Solver job control Solver job control - + Changes solver attributes and runs the calculations for the selected solver Changes solver attributes and runs the calculations for the selected solver @@ -5737,12 +5737,12 @@ used for the Elmer solver FEM_SolverElmer - + Solver Elmer Solver Elmer - + Creates a FEM solver Elmer Creates a FEM solver Elmer @@ -5750,12 +5750,12 @@ used for the Elmer solver FEM_SolverMystran - + Solver Mystran Solver Mystran - + Creates a FEM solver Mystran Creates a FEM solver Mystran @@ -5763,12 +5763,12 @@ used for the Elmer solver FEM_SolverRun - + Run solver calculations Run solver calculations - + Runs the calculations for the selected solver Runs the calculations for the selected solver @@ -5776,12 +5776,12 @@ used for the Elmer solver FEM_SolverZ88 - + Solver Z88 Solver Z88 - + Creates a FEM solver Z88 Creates a FEM solver Z88 @@ -6223,12 +6223,12 @@ Please select a result type first. FEM_SolverCalculiX - + Solver CalculiX (new framework) Solver CalculiX (new framework) - + Creates a FEM solver CalculiX new framework (less result error handling) Creates a FEM solver CalculiX new framework (less result error handling) @@ -6379,12 +6379,12 @@ Please select a result type first. FEM_MeshRegion - + FEM mesh refinement FEM mesh refinement - + Creates a FEM mesh refinement Creates a FEM mesh refinement diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_tr.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_tr.ts index 0268493b70a2..d7afde41b5e4 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_tr.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_tr.ts @@ -5678,12 +5678,12 @@ used for the Elmer solver FEM_ResultShow - + Show result Sonuçları göster - + Shows and visualizes selected result data Shows and visualizes selected result data @@ -5691,12 +5691,12 @@ used for the Elmer solver FEM_ResultsPurge - + Purge results Purge results - + Purges all results from active analysis Purges all results from active analysis @@ -5704,12 +5704,12 @@ used for the Elmer solver FEM_SolverCalculiXCcxTools - + Solver CalculiX Standard Solver CalculiX Standard - + Creates a standard FEM solver CalculiX with ccx tools Creates a standard FEM solver CalculiX with ccx tools @@ -5717,12 +5717,12 @@ used for the Elmer solver FEM_SolverControl - + Solver job control Solver job control - + Changes solver attributes and runs the calculations for the selected solver Changes solver attributes and runs the calculations for the selected solver @@ -5730,12 +5730,12 @@ used for the Elmer solver FEM_SolverElmer - + Solver Elmer Solver Elmer - + Creates a FEM solver Elmer Creates a FEM solver Elmer @@ -5743,12 +5743,12 @@ used for the Elmer solver FEM_SolverMystran - + Solver Mystran Solver Mystran - + Creates a FEM solver Mystran Creates a FEM solver Mystran @@ -5756,12 +5756,12 @@ used for the Elmer solver FEM_SolverRun - + Run solver calculations Run solver calculations - + Runs the calculations for the selected solver Runs the calculations for the selected solver @@ -5769,12 +5769,12 @@ used for the Elmer solver FEM_SolverZ88 - + Solver Z88 Solver Z88 - + Creates a FEM solver Z88 Creates a FEM solver Z88 @@ -6216,12 +6216,12 @@ Please select a result type first. FEM_SolverCalculiX - + Solver CalculiX (new framework) Solver CalculiX (new framework) - + Creates a FEM solver CalculiX new framework (less result error handling) Creates a FEM solver CalculiX new framework (less result error handling) @@ -6372,12 +6372,12 @@ Please select a result type first. FEM_MeshRegion - + FEM mesh refinement FEM mesh refinement - + Creates a FEM mesh refinement Creates a FEM mesh refinement diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_uk.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_uk.ts index 0881f574aa88..d6b69fe66216 100755 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_uk.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_uk.ts @@ -5685,12 +5685,12 @@ used for the Elmer solver FEM_ResultShow - + Show result Показати результат - + Shows and visualizes selected result data Показує та візуалізує вибрані дані результатів @@ -5698,12 +5698,12 @@ used for the Elmer solver FEM_ResultsPurge - + Purge results Очистити результати - + Purges all results from active analysis Видаляє всі результати активного аналізу @@ -5711,12 +5711,12 @@ used for the Elmer solver FEM_SolverCalculiXCcxTools - + Solver CalculiX Standard Розв’язувач CalculiX Standard - + Creates a standard FEM solver CalculiX with ccx tools Створює стандартний МСЕ розв'язувач CalculiX за допомогою інструментів ccx @@ -5724,12 +5724,12 @@ used for the Elmer solver FEM_SolverControl - + Solver job control Керування завданнями розв'язувача - + Changes solver attributes and runs the calculations for the selected solver Змінює атрибути розв'язувача та запускає обчислення для вибраного розв'язувача @@ -5737,12 +5737,12 @@ used for the Elmer solver FEM_SolverElmer - + Solver Elmer Розв'язувач Elmer - + Creates a FEM solver Elmer Створює розв'язувач МСЕ Elmer @@ -5750,12 +5750,12 @@ used for the Elmer solver FEM_SolverMystran - + Solver Mystran Розв'язувач Містрана - + Creates a FEM solver Mystran Створено МСЕ розв'язувач Mystran @@ -5763,12 +5763,12 @@ used for the Elmer solver FEM_SolverRun - + Run solver calculations Запустити обчислення розв'язувача - + Runs the calculations for the selected solver Запускає обчислення для обраного розв'язувача @@ -5776,12 +5776,12 @@ used for the Elmer solver FEM_SolverZ88 - + Solver Z88 Розв'язувач Z88 - + Creates a FEM solver Z88 Створює розв'язувач Z88 МСЕ @@ -6223,12 +6223,12 @@ Please select a result type first. FEM_SolverCalculiX - + Solver CalculiX (new framework) Розв'язувач CalculiX (новий фреймворк) - + Creates a FEM solver CalculiX new framework (less result error handling) Створює нову платформу для МСЕ-розв'язувача CalculiX (менше обробки помилок у результатах) @@ -6379,12 +6379,12 @@ Please select a result type first. FEM_MeshRegion - + FEM mesh refinement Уточнення сітки МСЕ - + Creates a FEM mesh refinement Створює уточнення сітки МСЕ 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 0ddddf02c3dc..3b0eab19cc10 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_val-ES.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_val-ES.ts @@ -5685,12 +5685,12 @@ used for the Elmer solver FEM_ResultShow - + Show result Mostra el resultat - + Shows and visualizes selected result data Shows and visualizes selected result data @@ -5698,12 +5698,12 @@ used for the Elmer solver FEM_ResultsPurge - + Purge results Purge results - + Purges all results from active analysis Purges all results from active analysis @@ -5711,12 +5711,12 @@ used for the Elmer solver FEM_SolverCalculiXCcxTools - + Solver CalculiX Standard Solver CalculiX Standard - + Creates a standard FEM solver CalculiX with ccx tools Creates a standard FEM solver CalculiX with ccx tools @@ -5724,12 +5724,12 @@ used for the Elmer solver FEM_SolverControl - + Solver job control Solver job control - + Changes solver attributes and runs the calculations for the selected solver Changes solver attributes and runs the calculations for the selected solver @@ -5737,12 +5737,12 @@ used for the Elmer solver FEM_SolverElmer - + Solver Elmer Solver Elmer - + Creates a FEM solver Elmer Creates a FEM solver Elmer @@ -5750,12 +5750,12 @@ used for the Elmer solver FEM_SolverMystran - + Solver Mystran Solver Mystran - + Creates a FEM solver Mystran Creates a FEM solver Mystran @@ -5763,12 +5763,12 @@ used for the Elmer solver FEM_SolverRun - + Run solver calculations Run solver calculations - + Runs the calculations for the selected solver Runs the calculations for the selected solver @@ -5776,12 +5776,12 @@ used for the Elmer solver FEM_SolverZ88 - + Solver Z88 Solver Z88 - + Creates a FEM solver Z88 Creates a FEM solver Z88 @@ -6223,12 +6223,12 @@ Please select a result type first. FEM_SolverCalculiX - + Solver CalculiX (new framework) Solver CalculiX (new framework) - + Creates a FEM solver CalculiX new framework (less result error handling) Creates a FEM solver CalculiX new framework (less result error handling) @@ -6379,12 +6379,12 @@ Please select a result type first. FEM_MeshRegion - + FEM mesh refinement FEM mesh refinement - + Creates a FEM mesh refinement Creates a FEM mesh refinement 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 68e6f536b782..12a8e5758fa5 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_zh-CN.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_zh-CN.ts @@ -47,12 +47,12 @@ Displacement boundary condition - Displacement boundary condition + 位移边界条件 Creates a displacement boundary condition for a geometric entity - Creates a displacement boundary condition for a geometric entity + 为几何实体创建位移边界条件 @@ -65,12 +65,12 @@ Fixed boundary condition - Fixed boundary condition + 固定边界条件 Creates a fixed boundary condition for a geometric entity - Creates a fixed boundary condition for a geometric entity + 为几何实体创建固定边界条件 @@ -106,7 +106,7 @@ Creates a force load applied to a geometric entity - Creates a force load applied to a geometric entity + 创建作用于几何实体的力荷载 @@ -137,12 +137,12 @@ Heat flux load - Heat flux load + 热通量载荷 Creates a heat flux load acting on a face - Creates a heat flux load acting on a face + 创建作用于表面的热通量载荷 @@ -160,7 +160,7 @@ Creates an initial temperature acting on a body - Creates an initial temperature acting on a body + 设置实体的初始温度 @@ -173,12 +173,12 @@ Plane multi-point constraint - Plane multi-point constraint + 平面多点约束 Creates a plane multi-point constraint for a face - Creates a plane multi-point constraint for a face + 为表面创建平面多点约束 @@ -196,7 +196,7 @@ Creates a pressure load acting on a face - Creates a pressure load acting on a face + 创建作用于表面的压强载荷 @@ -245,7 +245,7 @@ Temperature boundary condition - Temperature boundary condition + 温度边界条件 @@ -268,7 +268,7 @@ Create a local coordinate system on a face - Create a local coordinate system on a face + 在面上创建局部坐标系 @@ -286,7 +286,7 @@ Creates a FEM mesh nodes set - Creates a FEM mesh nodes set + 创建有限元网格节点集合 @@ -301,7 +301,7 @@ Select a single FEM Mesh, please. - Select a single FEM Mesh, please. + 请选择一个有限元网格. @@ -314,7 +314,7 @@ Node set by poly - Node set by poly + 按多边形组成节点集合 @@ -338,7 +338,7 @@ Apply changes to parameters directly and not on recompute only... - Apply changes to parameters directly and not on recompute only... + 直接应用更改到参数, 而非仅在重新计算时... @@ -351,7 +351,7 @@ Region clip filter - Region clip filter + 区域裁剪筛选器 @@ -903,12 +903,12 @@ Check Mesh - Check Mesh + 检查网格 Buckling - Buckling + 屈曲 @@ -918,7 +918,7 @@ Number of CPU's to use - Number of CPU's to use + 要使用的 CPU 数量 @@ -1031,7 +1031,7 @@ Beam, shell element 3D output format - Beam, shell element 3D output format + 梁、壳元素 3D 输出格式 @@ -1369,8 +1369,8 @@ with the last used dialog settings All analysis features are hidden in the model view when the results dialog is opened - All analysis features are hidden in the model view -when the results dialog is opened + 当打开结果对话框时,所有分析特征都隐藏在模型视图 +中 @@ -2073,7 +2073,7 @@ Specify another file please. Dissipation Rate [m2/s3] - Dissipation Rate [m2/s3] + 耗散率 [m2/s3] @@ -2083,18 +2083,18 @@ Specify another file please. Viscosity Ratio [1] - Viscosity Ratio [1] + 粘度比 [1] Hydraulic Diameter [m] - Hydraulic Diameter [m] + 水力直径 [m] Gradient [K/m] - Gradient [K/m] + 梯度 [K/m] @@ -2738,7 +2738,7 @@ Specify another file please. Matrix Material - Matrix Material + 基质材料 @@ -2781,12 +2781,12 @@ Specify another file please. Fluid Section Parameter - Fluid Section Parameter + 流体截面参数 Liquid Section Parameter - Liquid Section Parameter + 液体截面参数 @@ -2878,7 +2878,7 @@ Specify another file please. Head Loss [mm] - Head Loss [mm] + 压头损失 [mm] @@ -2888,7 +2888,7 @@ Specify another file please. Pipe Area - Pipe Area + 管道面积 @@ -3129,7 +3129,7 @@ with a harmonic/oscillating driving force Imaginary part of scalar potential - Imaginary part of scalar potential + 标势的虚部 @@ -3142,15 +3142,15 @@ with a harmonic/oscillating driving force Real part of potential x-component Note: has no effect if a solid was selected - Real part of potential x-component -Note: has no effect if a solid was selected + 矢势 X 分量的实部 +注意: 若选定了固体, 则无任何效果 Imaginary part of potential x-component Note: has no effect if a solid was selected - Imaginary part of potential x-component -Note: has no effect if a solid was selected + 矢势 X 分量的虚部 +注意: 若选定了固体, 则无任何效果 @@ -3163,15 +3163,15 @@ Note: has no effect if a solid was selected Real part of potential y-component Note: has no effect if a solid was selected - Real part of potential y-component -Note: has no effect if a solid was selected + 矢势 Y 分量的实部 +注意: 若选定了固体, 则无任何效果 Imaginary part of potential y-component Note: has no effect if a solid was selected - Imaginary part of potential y-component -Note: has no effect if a solid was selected + 矢势 Y 分量的虚部 +注意: 若选定了固体, 则无任何效果 @@ -3184,15 +3184,15 @@ Note: has no effect if a solid was selected Real part of potential z-component Note: has no effect if a solid was selected - Real part of potential z-component -Note: has no effect if a solid was selected + 矢势 Z 分量的实部 +注意: 若选定了固体, 则无任何效果 Imaginary part of potential z-component Note: has no effect if a solid was selected - Imaginary part of potential z-component -Note: has no effect if a solid was selected + 矢势 Z 分量的虚部 +注意: 若选定了固体, 则无任何效果 @@ -3217,13 +3217,13 @@ Note: has no effect if a solid was selected Beam section parameter - Beam section parameter + 梁截面参数 Cross section parameter - Cross section parameter + 截面参数 @@ -3243,7 +3243,7 @@ Note: has no effect if a solid was selected Outer diameter: - Outer diameter: + 外径: @@ -3254,12 +3254,12 @@ Note: has no effect if a solid was selected Shell thickness parameter - Shell thickness parameter + 壳厚度参数 Beam section rotation - Beam section rotation + 梁截面旋转 @@ -3302,7 +3302,7 @@ Note: has no effect if a solid was selected Mesh boundary layer settings - Mesh boundary layer settings + 网格边界层设置 @@ -3451,7 +3451,7 @@ Note: for 2D only setting for x is possible, Normal to boundary - Normal to boundary + 垂直于边界 @@ -3479,12 +3479,12 @@ Note: for 2D only setting for x is possible, FEM Mesh by Gmsh - FEM Mesh by Gmsh + 由 Gmsh 生成有限元网格 FEM Mesh Parameters - FEM Mesh Parameters + 有限元网格参数 @@ -3674,7 +3674,7 @@ Note: for 2D only setting for x is possible, von Mises Stress - von Mises 应力 + 范式等效应力 @@ -3684,7 +3684,7 @@ Note: for 2D only setting for x is possible, Max Principal Stress - 最大主要应力 + 最大主应力 @@ -3694,7 +3694,7 @@ Note: for 2D only setting for x is possible, Min Principal Stress - 最大主要应力 + 最小主应力 @@ -3790,7 +3790,7 @@ For possible variables, see the description box below. P1 - P3 # Max - Min Principal Stress - P1 - P3 # Max - Min Principal Stress + P1 - P3 # 第一 - 第三主应力 @@ -3880,7 +3880,7 @@ For possible variables, see the description box below. Mohr Coulomb: mc - Mohr Coulomb: mc + 莫尔-库仑: mc @@ -3923,12 +3923,12 @@ For possible variables, see the description box below. Check Mesh - Check Mesh + 检查网格 Buckling - Buckling + 屈曲 @@ -5177,12 +5177,12 @@ used for the Elmer solver Element Geometry - Element Geometry + 元素几何图形 &Element Geometry - &Element Geometry + &元素几何图形 @@ -5401,12 +5401,12 @@ used for the Elmer solver Beam cross section - Beam cross section + 梁截面 Creates a FEM beam cross section - Creates a FEM beam cross section + 创建 FEM 梁截面 @@ -5414,12 +5414,12 @@ used for the Elmer solver Shell plate thickness - Shell plate thickness + 壳板厚度 Creates a FEM shell plate thickness - Creates a FEM shell plate thickness + 创建 FEM 壳板厚度 @@ -5427,12 +5427,12 @@ used for the Elmer solver Beam rotation - Beam rotation + 梁旋转 Creates a FEM beam rotation - Creates a FEM beam rotation + 创建 FEM 梁旋转 @@ -5492,7 +5492,7 @@ used for the Elmer solver Electricforce equation - Electricforce equation + 电力方程 @@ -5685,12 +5685,12 @@ used for the Elmer solver FEM_ResultShow - + Show result 显示结果 - + Shows and visualizes selected result data Shows and visualizes selected result data @@ -5698,12 +5698,12 @@ used for the Elmer solver FEM_ResultsPurge - + Purge results Purge results - + Purges all results from active analysis Purges all results from active analysis @@ -5711,25 +5711,25 @@ used for the Elmer solver FEM_SolverCalculiXCcxTools - + Solver CalculiX Standard - Solver CalculiX Standard + 标准 CalculiX 求解器 - + Creates a standard FEM solver CalculiX with ccx tools - Creates a standard FEM solver CalculiX with ccx tools + 使用 ccx 工具创建标准的有限元 CalculiX 求解器 FEM_SolverControl - + Solver job control Solver job control - + Changes solver attributes and runs the calculations for the selected solver Changes solver attributes and runs the calculations for the selected solver @@ -5737,12 +5737,12 @@ used for the Elmer solver FEM_SolverElmer - + Solver Elmer Elmer求解器 - + Creates a FEM solver Elmer Creates a FEM solver Elmer @@ -5750,12 +5750,12 @@ used for the Elmer solver FEM_SolverMystran - + Solver Mystran Mystran求解器 - + Creates a FEM solver Mystran 创建Mystran有限元求解器 @@ -5763,12 +5763,12 @@ used for the Elmer solver FEM_SolverRun - + Run solver calculations Run solver calculations - + Runs the calculations for the selected solver Runs the calculations for the selected solver @@ -5776,12 +5776,12 @@ used for the Elmer solver FEM_SolverZ88 - + Solver Z88 Z88求解器 - + Creates a FEM solver Z88 建立Z88有限元求解器 @@ -5884,7 +5884,7 @@ used for the Elmer solver Geometry reference selector - Geometry reference selector + 几何图形参考选择器 @@ -5904,7 +5904,7 @@ used for the Elmer solver Selection mode - Selection mode + 选择模式 @@ -5937,17 +5937,17 @@ used for the Elmer solver von Mises Stress - von Mises 应力 + 范式等效应力 Max Shear Stress - Max Shear Stress + 最大剪应力 Max Principal Stress - 最大主要应力 + 最大主应力 @@ -5967,7 +5967,7 @@ used for the Elmer solver Min Principal Stress - 最大主要应力 + 最小主应力 @@ -6223,12 +6223,12 @@ Please select a result type first. FEM_SolverCalculiX - + Solver CalculiX (new framework) Solver CalculiX (new framework) - + Creates a FEM solver CalculiX new framework (less result error handling) Creates a FEM solver CalculiX new framework (less result error handling) @@ -6379,12 +6379,12 @@ Please select a result type first. FEM_MeshRegion - + FEM mesh refinement FEM mesh refinement - + Creates a FEM mesh refinement Creates a FEM mesh refinement 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 d03c6f23cd17..65241fba8e5b 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_zh-TW.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_zh-TW.ts @@ -3327,7 +3327,7 @@ Note: has no effect if a solid was selected Identifier used for mesh export - Identifier used for mesh export + 用於網格導出的標識符 @@ -3489,7 +3489,7 @@ Note: for 2D only setting for x is possible, Element dimension: - 物件尺寸: + 元件標註尺寸: @@ -3719,7 +3719,7 @@ Note: for 2D only setting for x is possible, Temperature - Temperature + 溫度 @@ -3778,7 +3778,7 @@ and colors the result mesh accordingly Calculate - Calculate + 計算 @@ -3810,7 +3810,7 @@ For possible variables, see the description box below. temperature: T - temperature: T + 溫度:T @@ -4265,7 +4265,7 @@ for the Elmer solver Formula - Formula + 公式 @@ -4707,7 +4707,7 @@ used for the Elmer solver Temperature - Temperature + 溫度 @@ -5685,12 +5685,12 @@ used for the Elmer solver FEM_ResultShow - + Show result 顯示結果 - + Shows and visualizes selected result data Shows and visualizes selected result data @@ -5698,12 +5698,12 @@ used for the Elmer solver FEM_ResultsPurge - + Purge results Purge results - + Purges all results from active analysis Purges all results from active analysis @@ -5711,12 +5711,12 @@ used for the Elmer solver FEM_SolverCalculiXCcxTools - + Solver CalculiX Standard Solver CalculiX Standard - + Creates a standard FEM solver CalculiX with ccx tools Creates a standard FEM solver CalculiX with ccx tools @@ -5724,12 +5724,12 @@ used for the Elmer solver FEM_SolverControl - + Solver job control Solver job control - + Changes solver attributes and runs the calculations for the selected solver Changes solver attributes and runs the calculations for the selected solver @@ -5737,12 +5737,12 @@ used for the Elmer solver FEM_SolverElmer - + Solver Elmer Solver Elmer - + Creates a FEM solver Elmer Creates a FEM solver Elmer @@ -5750,12 +5750,12 @@ used for the Elmer solver FEM_SolverMystran - + Solver Mystran Solver Mystran - + Creates a FEM solver Mystran Creates a FEM solver Mystran @@ -5763,12 +5763,12 @@ used for the Elmer solver FEM_SolverRun - + Run solver calculations Run solver calculations - + Runs the calculations for the selected solver Runs the calculations for the selected solver @@ -5776,12 +5776,12 @@ used for the Elmer solver FEM_SolverZ88 - + Solver Z88 Solver Z88 - + Creates a FEM solver Z88 Creates a FEM solver Z88 @@ -5922,17 +5922,17 @@ used for the Elmer solver Displacement X - Displacement X + X 方向位移 Displacement Y - Displacement Y + Y 方向位移 Displacement Z - Displacement Z + Z 方向位移 @@ -5952,7 +5952,7 @@ used for the Elmer solver Temperature - Temperature + 溫度 @@ -6223,12 +6223,12 @@ Please select a result type first. FEM_SolverCalculiX - + Solver CalculiX (new framework) Solver CalculiX (new framework) - + Creates a FEM solver CalculiX new framework (less result error handling) Creates a FEM solver CalculiX new framework (less result error handling) @@ -6379,12 +6379,12 @@ Please select a result type first. FEM_MeshRegion - + FEM mesh refinement FEM mesh refinement - + Creates a FEM mesh refinement Creates a FEM mesh refinement diff --git a/src/Mod/Fem/Gui/Resources/ui/Material.ui b/src/Mod/Fem/Gui/Resources/ui/Material.ui index 7efe5269b88d..41bdf99b9a7f 100755 --- a/src/Mod/Fem/Gui/Resources/ui/Material.ui +++ b/src/Mod/Fem/Gui/Resources/ui/Material.ui @@ -15,122 +15,7 @@ - - - - 16777215 - 1677215 - - - - Material - - - - - - - - Category - - - - - - - - - - - - - - Material card - - - - - - - - choose... - - - - - - - - Material name - - - - - - - TextLabel - - - - - - - - - Material Description - - - true - - - - - - - - - - - 16777215 - 1677215 - - - - Editing material - - - - - - - - Use FreeCAD material editor - - - - - - - - 0 - 0 - - - - Qt::RightToLeft - - - Use this task panel - - - false - - - - - - - + @@ -149,15 +34,15 @@ QFormLayout::AllNonFixedFieldsGrow - + - Density + Density: - - + + false @@ -170,27 +55,20 @@ 80 - 20 - - 0 kg/m^3 - - Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter + Qt::AlignLeft|Qt::AlignTrailing|Qt::AlignVCenter - 2.000000000000000 + 1.000000000000000 - 99999999999.000000000000000 + 100000000000.00000000000000 kg/m^3 - - 3 - 0.000000000000000 @@ -226,7 +104,7 @@ - + false @@ -239,27 +117,20 @@ 80 - 20 - - 0 Pa - - Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter + Qt::AlignLeft|Qt::AlignTrailing|Qt::AlignVCenter - 2.000000000000000 + 1.000000000000000 - 99999999999.000000000000000 + 100000000000.00000000000000 Pa - - 3 - 0.000000000000000 @@ -273,7 +144,7 @@ - + false @@ -286,14 +157,10 @@ 80 - 20 - Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter - - - 3 + Qt::AlignLeft|Qt::AlignTrailing|Qt::AlignVCenter 1.000000000000000 @@ -302,7 +169,7 @@ 0.100000000000000 - 0.300000000000000 + 0.000000000000000 @@ -336,7 +203,7 @@ - + false @@ -349,27 +216,20 @@ 80 - 20 - - 0 m^2/s - - Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter + Qt::AlignLeft|Qt::AlignTrailing|Qt::AlignVCenter 0.000001000000000 - 99999999999.000000000000000 + 100000000000.00000000000000 m^2/s - - 6 - 0.000000000000000 @@ -405,7 +265,7 @@ - + false @@ -418,27 +278,20 @@ 80 - 20 - - 0 W/m/K - - Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter + Qt::AlignLeft|Qt::AlignTrailing|Qt::AlignVCenter - 2.000000000000000 + 1.000000000000000 - 99999999999.000000000000000 + 100000000000.00000000000000 W/m/K - - 3 - 0.000000000000000 @@ -452,7 +305,7 @@ - + false @@ -465,27 +318,20 @@ 80 - 20 - - 0 m/m/K - - Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter + Qt::AlignLeft|Qt::AlignTrailing|Qt::AlignVCenter - 2.000000000000000 + 1.000000000000000 - 99999999999.000000000000000 + 100000000000.00000000000000 m/m/K - - 3 - 0.000000000000000 @@ -499,7 +345,7 @@ - + false @@ -512,74 +358,20 @@ 80 - 20 - - 0 J/kg/K - - Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter + Qt::AlignLeft|Qt::AlignTrailing|Qt::AlignVCenter - 2.000000000000000 + 1.000000000000000 - 99999999999.000000000000000 + 100000000000.00000000000000 J/kg/K - - 3 - - - 0.000000000000000 - - - - - - - Vol Expansion Coeff - - - - - - - false - - - - 0 - 0 - - - - - 80 - 20 - - - - 0 m/m/K - - - Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter - - - 0.001000000000000 - - - 1.000000000000000 - - - m/m/K - - - 6 - 0.000000000000000 @@ -590,26 +382,34 @@ - - - - Qt::Vertical + + + + + 0 + 0 + - - - 20 - 40 - + + Use this task panel - + + false + + - Gui::InputField - QLineEdit -
Gui/InputField.h
+ Gui::QuantitySpinBox + QWidget +
Gui/QuantitySpinBox.h
+
+ + MatGui::MaterialTreeWidget + QWidget +
Mod/Material/Gui/MaterialTreeWidget.h
@@ -617,7 +417,7 @@ chbu_allow_edit toggled(bool) - input_fd_density + qsb_density setEnabled(bool) @@ -633,7 +433,7 @@ chbu_allow_edit toggled(bool) - input_fd_young_modulus + qsb_young_modulus setEnabled(bool) @@ -649,7 +449,7 @@ chbu_allow_edit toggled(bool) - spinBox_poisson_ratio + qsb_poisson_ratio setEnabled(bool) @@ -665,7 +465,7 @@ chbu_allow_edit toggled(bool) - input_fd_kinematic_viscosity + qsb_kinematic_viscosity setEnabled(bool) @@ -681,7 +481,7 @@ chbu_allow_edit toggled(bool) - input_fd_thermal_conductivity + qsb_thermal_conductivity setEnabled(bool) @@ -697,7 +497,7 @@ chbu_allow_edit toggled(bool) - input_fd_expansion_coefficient + qsb_expansion_coefficient setEnabled(bool) @@ -713,7 +513,7 @@ chbu_allow_edit toggled(bool) - input_fd_specific_heat + qsb_specific_heat setEnabled(bool) diff --git a/src/Mod/Fem/Gui/Resources/ui/MeshGmsh.ui b/src/Mod/Fem/Gui/Resources/ui/MeshGmsh.ui index 62a1962d362b..4878d8dfdedc 100644 --- a/src/Mod/Fem/Gui/Resources/ui/MeshGmsh.ui +++ b/src/Mod/Fem/Gui/Resources/ui/MeshGmsh.ui @@ -23,7 +23,7 @@
- FEM Mesh Parameters + Mesh Parameters @@ -34,7 +34,7 @@ - Element dimension: + Element Dimension: @@ -44,7 +44,7 @@ - Max element size (0.0 = Auto): + Maximum Size: @@ -53,6 +53,9 @@ true + + Use 0.0 to set size automatically + mm @@ -79,7 +82,7 @@ - Min element size (0.0 = Auto): + Minimum Size: @@ -88,6 +91,9 @@ true + + Use 0.0 to set size automatically + mm @@ -117,7 +123,7 @@ - Element order: + Element Order: diff --git a/src/Mod/Fem/Gui/Resources/ui/MeshNetgen.ui b/src/Mod/Fem/Gui/Resources/ui/MeshNetgen.ui index 2250db7b6e1e..8b1644bbc492 100644 --- a/src/Mod/Fem/Gui/Resources/ui/MeshNetgen.ui +++ b/src/Mod/Fem/Gui/Resources/ui/MeshNetgen.ui @@ -44,7 +44,7 @@ - Maximal Size: + Maximum Size: @@ -79,7 +79,7 @@ - Minimal Size: + Minimum Size: diff --git a/src/Mod/Fem/femmesh/netgentools.py b/src/Mod/Fem/femmesh/netgentools.py index 701937ed5425..88fe25d187f5 100644 --- a/src/Mod/Fem/femmesh/netgentools.py +++ b/src/Mod/Fem/femmesh/netgentools.py @@ -66,7 +66,7 @@ class NetgenTools: } meshing_step = { - "AnalizeGeometry": 1, # MESHCONST_ANALYSE + "AnalyzeGeometry": 1, # MESHCONST_ANALYSE "MeshEdges": 2, # MESHCONST_MESHEDGES "MeshSurface": 3, # MESHCONST_MESHSURFACE "OptimizeSurface": 4, # MESHCONST_OPTSURFACE @@ -131,6 +131,19 @@ def run_netgen(brep_file, threads, heal, params, second_order, result_file): geom.Heal() mesh = geom.GenerateMesh(mp=meshing.MeshingParameters(**params)) + result = { + "coords": [], + "Edges": [[], []], + "Faces": [[], []], + "Volumes": [[], []], + } + groups = {"Edges": [], "Faces": [], "Solids": []} + + # save empty data if last step is geometry analysis + if params["perfstepsend"] == NetgenTools.meshing_step["AnalyzeGeometry"]: + np.save(result_file, [result, groups]) + return None + if second_order: mesh.SecondOrder() @@ -175,7 +188,6 @@ def run_netgen(brep_file, threads, heal, params, second_order, result_file): idx_faces = faces["index"] idx_volumes = volumes["index"] - groups = {"Edges": [], "Faces": [], "Solids": []} for i in np.unique(idx_edges): edge_i = (np.nonzero(idx_edges == i)[0] + 1).tolist() groups["Edges"].append([i, edge_i]) diff --git a/src/Mod/Fem/femobjects/material_common.py b/src/Mod/Fem/femobjects/material_common.py index f230b843ccd0..10011c797827 100644 --- a/src/Mod/Fem/femobjects/material_common.py +++ b/src/Mod/Fem/femobjects/material_common.py @@ -70,6 +70,16 @@ def _get_properties(self): value=["Solid", "Fluid"], ) ) + prop.append( + _PropHelper( + type="App::PropertyString", + name="UUID", + group="Material", + doc="Material UUID", + hidden=True, + value="", + ) + ) return prop diff --git a/src/Mod/Fem/femobjects/mesh_gmsh.py b/src/Mod/Fem/femobjects/mesh_gmsh.py index b0727aba8df2..d93abc0c26bc 100644 --- a/src/Mod/Fem/femobjects/mesh_gmsh.py +++ b/src/Mod/Fem/femobjects/mesh_gmsh.py @@ -82,7 +82,7 @@ def _get_properties(self): _PropHelper( type="App::PropertyLength", name="CharacteristicLengthMax", - group="FEM Gmsh Mesh Params", + group="Mesh Parameters", doc="Max mesh element size (0.0 means infinity)", value=0.0, # will be 1e+22 ) @@ -91,7 +91,7 @@ def _get_properties(self): _PropHelper( type="App::PropertyLength", name="CharacteristicLengthMin", - group="FEM Gmsh Mesh Params", + group="Mesh Parameters", doc="Min mesh element size", value=0.0, ) @@ -100,7 +100,7 @@ def _get_properties(self): _PropHelper( type="App::PropertyEnumeration", name="ElementDimension", - group="FEM Gmsh Mesh Params", + group="Mesh Parameters", doc="Dimension of mesh elements ('From Shape': according ShapeType of part to mesh)", value=["From Shape", "1D", "2D", "3D"], ) @@ -109,7 +109,7 @@ def _get_properties(self): _PropHelper( type="App::PropertyEnumeration", name="ElementOrder", - group="FEM Gmsh Mesh Params", + group="Mesh Parameters", doc="Order of mesh elements", value=["1st", "2nd"], ) @@ -118,7 +118,7 @@ def _get_properties(self): _PropHelper( type="App::PropertyBool", name="OptimizeStd", - group="FEM Gmsh Mesh Params", + group="Mesh Parameters", doc="Optimize tetrahedral elements", value=True, ) @@ -127,7 +127,7 @@ def _get_properties(self): _PropHelper( type="App::PropertyBool", name="OptimizeNetgen", - group="FEM Gmsh Mesh Params", + group="Mesh Parameters", doc="Optimize tetra elements by use of Netgen", value=False, ) @@ -136,7 +136,7 @@ def _get_properties(self): _PropHelper( type="App::PropertyEnumeration", name="HighOrderOptimize", - group="FEM Gmsh Mesh Params", + group="Mesh Parameters", doc="Optimization of high order meshes", value=[ "None", @@ -151,7 +151,7 @@ def _get_properties(self): _PropHelper( type="App::PropertyBool", name="RecombineAll", - group="FEM Gmsh Mesh Params", + group="Mesh Parameters", doc="Apply recombination algorithm to all surfaces", value=False, ) @@ -160,7 +160,7 @@ def _get_properties(self): _PropHelper( type="App::PropertyBool", name="Recombine3DAll", - group="FEM Gmsh Mesh Params", + group="Mesh Parameters", doc="Apply recombination algorithm to all volumes", value=False, ) @@ -169,7 +169,7 @@ def _get_properties(self): _PropHelper( type="App::PropertyEnumeration", name="RecombinationAlgorithm", - group="FEM Gmsh Mesh Params", + group="Mesh Parameters", doc="Recombination algorithm", value=[ "Simple", @@ -183,7 +183,7 @@ def _get_properties(self): _PropHelper( type="App::PropertyBool", name="CoherenceMesh", - group="FEM Gmsh Mesh Params", + group="Mesh Parameters", doc="Removes all duplicate mesh vertices", value=True, ) @@ -192,7 +192,7 @@ def _get_properties(self): _PropHelper( type="App::PropertyFloat", name="GeometryTolerance", - group="FEM Gmsh Mesh Params", + group="Mesh Parameters", doc="Geometrical Tolerance (0.0 means GMSH std = 1e-08)", value=1e-06, ) @@ -201,7 +201,7 @@ def _get_properties(self): _PropHelper( type="App::PropertyBool", name="SecondOrderLinear", - group="FEM Gmsh Mesh Params", + group="Mesh Parameters", doc="Second order nodes are created by linear interpolation", value=False, ) @@ -210,7 +210,7 @@ def _get_properties(self): _PropHelper( type="App::PropertyIntegerConstraint", name="MeshSizeFromCurvature", - group="FEM Gmsh Mesh Params", + group="Mesh Parameters", doc="Number of elements per 2*pi radians, 0 to deactivate", value=(12, 0, 10000, 1), ) @@ -219,7 +219,7 @@ def _get_properties(self): _PropHelper( type="App::PropertyEnumeration", name="Algorithm2D", - group="FEM Gmsh Mesh Params", + group="Mesh Parameters", doc="Mesh algorithm 2D", value=[ "Automatic", @@ -237,7 +237,7 @@ def _get_properties(self): _PropHelper( type="App::PropertyEnumeration", name="Algorithm3D", - group="FEM Gmsh Mesh Params", + group="Mesh Parameters", doc="Mesh algorithm 3D", value=[ "Automatic", @@ -254,7 +254,7 @@ def _get_properties(self): _PropHelper( type="App::PropertyBool", name="GroupsOfNodes", - group="FEM Gmsh Mesh Params", + group="Mesh Parameters", doc="For each group create not only the elements but the nodes too", value=False, ) @@ -263,7 +263,7 @@ def _get_properties(self): _PropHelper( type="App::PropertyEnumeration", name="SubdivisionAlgorithm", - group="FEM Gmsh Mesh Params", + group="Mesh Parameters", doc="Mesh subdivision algorithm", value=["None", "All Quadrangles", "All Hexahedra", "Barycentric"], ) @@ -290,6 +290,9 @@ def onDocumentRestored(self, obj): prop.handle_change_type( obj, "App::PropertyBool", lambda x: "Optimization" if x else "None" ) + # Migrate group of properties for old projects + if obj.getGroupOfProperty(prop.name) == "FEM Gmsh Mesh Params": + obj.setGroupOfProperty(prop.name, "Mesh Parameters") # migrate old Part property to Shape property try: diff --git a/src/Mod/Fem/femobjects/mesh_netgen.py b/src/Mod/Fem/femobjects/mesh_netgen.py index 3b023b384f30..de04357beb64 100644 --- a/src/Mod/Fem/femobjects/mesh_netgen.py +++ b/src/Mod/Fem/femobjects/mesh_netgen.py @@ -278,7 +278,7 @@ def _get_properties(self): # Netgen meshing steps meshing_step = [ - "AnalizeGeometry", + "AnalyzeGeometry", "MeshEdges", "MeshSurface", "OptimizeSurface", @@ -534,6 +534,8 @@ def onDocumentRestored(self, obj): prop.handle_change_type( obj, "App::PropertyInteger", lambda x: 0 if x <= 1 else 5 if x >= 6 else x - 1 ) + # update enum values + setattr(obj, prop.name, prop.value) def get_predef_fineness_params(self, fineness): # set specific parameters by fineness diff --git a/src/Mod/Fem/femtaskpanels/task_material_common.py b/src/Mod/Fem/femtaskpanels/task_material_common.py index d2c1afdc9404..d3c2a0ff989f 100644 --- a/src/Mod/Fem/femtaskpanels/task_material_common.py +++ b/src/Mod/Fem/femtaskpanels/task_material_common.py @@ -32,11 +32,12 @@ # \brief task panel for common material object from PySide import QtCore -from PySide import QtGui import FreeCAD import FreeCADGui from FreeCAD import Units +import Materials +import MatGui from femguiutils import selection_widgets from . import base_femtaskpanel @@ -50,78 +51,68 @@ class _TaskPanel(base_femtaskpanel._BaseTaskPanel): def __init__(self, obj): super().__init__(obj) - self.material = self.obj.Material # FreeCAD material dictionary of current material - self.card_path = "" - self.materials = {} # { card_path : FreeCAD material dict, ... } - self.cards = {} # { card_path : card_names, ... } - self.icons = {} # { card_path : icon_path, ... } - # mat_card is the FCMat file - # card_name is the file name of the mat_card - # card_path is the whole file path of the mat_card - # material_name is the value of the key name in FreeCAD material dictionary - # they might not match because of special letters in the material_name - # which are changed in the card_name to english standard characters - self.has_transient_mat = False + # FreeCAD material dictionary of current material + self.material = self.obj.Material + self.uuid = self.obj.UUID + self.material_manager = Materials.MaterialManager() # parameter widget self.parameterWidget = FreeCADGui.PySideUic.loadUi( FreeCAD.getHomePath() + "Mod/Fem/Resources/ui/Material.ui" ) - # globals - QtCore.QObject.connect( - self.parameterWidget.cb_materials, QtCore.SIGNAL("activated(int)"), self.choose_material - ) + self.material_tree = MatGui.MaterialTreeWidget(self.parameterWidget.wgt_material_tree) + self.material_tree.expanded = False + self.material_tree.IncludeEmptyFolders = False + self.material_tree.IncludeEmptyLibraries = False + QtCore.QObject.connect( self.parameterWidget.chbu_allow_edit, QtCore.SIGNAL("clicked()"), self.toggleInputFieldsReadOnly, ) - QtCore.QObject.connect( - self.parameterWidget.pushButton_editMat, QtCore.SIGNAL("clicked()"), self.edit_material - ) # basic properties must be provided QtCore.QObject.connect( - self.parameterWidget.input_fd_density, + self.parameterWidget.qsb_density, QtCore.SIGNAL("editingFinished()"), self.density_changed, ) # mechanical properties QtCore.QObject.connect( - self.parameterWidget.input_fd_young_modulus, + self.parameterWidget.qsb_young_modulus, QtCore.SIGNAL("editingFinished()"), self.ym_changed, ) QtCore.QObject.connect( - self.parameterWidget.spinBox_poisson_ratio, + self.parameterWidget.qsb_poisson_ratio, QtCore.SIGNAL("editingFinished()"), self.pr_changed, ) # thermal properties QtCore.QObject.connect( - self.parameterWidget.input_fd_thermal_conductivity, + self.parameterWidget.qsb_thermal_conductivity, QtCore.SIGNAL("editingFinished()"), self.tc_changed, ) QtCore.QObject.connect( - self.parameterWidget.input_fd_expansion_coefficient, + self.parameterWidget.qsb_expansion_coefficient, QtCore.SIGNAL("editingFinished()"), self.tec_changed, ) QtCore.QObject.connect( - self.parameterWidget.input_fd_specific_heat, + self.parameterWidget.qsb_specific_heat, QtCore.SIGNAL("editingFinished()"), self.sh_changed, ) # fluidic properties, only volumetric thermal expansion coeff makes sense QtCore.QObject.connect( - self.parameterWidget.input_fd_kinematic_viscosity, + self.parameterWidget.qsb_kinematic_viscosity, QtCore.SIGNAL("editingFinished()"), self.kinematic_viscosity_changed, ) QtCore.QObject.connect( - self.parameterWidget.input_fd_vol_expansion_coefficient, - QtCore.SIGNAL("editingFinished()"), - self.vtec_changed, + self.parameterWidget.wgt_material_tree, + QtCore.SIGNAL("onMaterial(QString)"), + self.set_from_editor, ) # init all parameter input files with read only @@ -129,54 +120,11 @@ def __init__(self, obj): self.toggleInputFieldsReadOnly() # hide some groupBox according to material category - # note: input_fd_vol_expansion_coefficient is currently not used - # it might be used in future for solids - self.parameterWidget.label_category.setText(self.obj.Category) if self.obj.Category == "Fluid": + self.filter_models(self.obj.Category) self.parameterWidget.groupBox_mechanical.setVisible(0) - self.parameterWidget.label_vol_expansion_coefficient.setVisible(0) - self.parameterWidget.input_fd_vol_expansion_coefficient.setVisible(0) else: self.parameterWidget.groupBox_fluidic.setVisible(0) - self.parameterWidget.label_vol_expansion_coefficient.setVisible(0) - self.parameterWidget.input_fd_vol_expansion_coefficient.setVisible(0) - - # get all available materials (fill self.materials, self.cards and self.icons) - from materialtools.cardutils import import_materials as getmats - - # Note: import_materials(category="Solid", ...), - # category default to Solid, but must be given for FluidMaterial to be imported - self.materials, self.cards, self.icons = getmats(self.obj.Category) - # fill the material comboboxes with material cards - self.add_cards_to_combo_box() - - # search for exact this mat_card in all known cards, choose the current material - self.card_path = self.get_material_card(self.material) - FreeCAD.Console.PrintLog(f"card_path: {self.card_path}\n") - if not self.card_path: - # we have not found our material in self.materials dict :-( - # we're going to add a user-defined temporary material: a document material - FreeCAD.Console.PrintMessage( - "Previously used material card can not be found in material directories. " - "Add document material.\n" - ) - self.card_path = "_document_material" - self.materials[self.card_path] = self.material - self.parameterWidget.cb_materials.addItem( - QtGui.QIcon(":/icons/help-browser.svg"), self.card_path, self.card_path - ) - index = self.parameterWidget.cb_materials.findData(self.card_path) - # fill input fields and set the current material in the cb widget - self.choose_material(index) - else: - # we found our exact material in self.materials dict :-) - FreeCAD.Console.PrintLog( - "Previously used material card was found in material directories. " - "We will use this material.\n" - ) - index = self.parameterWidget.cb_materials.findData(self.card_path) - # fill input fields and set the current material in the cb widget - self.choose_material(index) # geometry selection widget self.selectionWidget = selection_widgets.GeometryElementsSelection( @@ -187,29 +135,18 @@ def __init__(self, obj): self.form = [self.parameterWidget, self.selectionWidget] # check references, has to be after initialisation of selectionWidget + self.material_tree.UUID = self.get_material_uuid(self.material) + self.set_mat_params_in_input_fields(self.material) + self.selectionWidget.has_equal_references_shape_types() # leave task panel *************************************************************************** def accept(self): - # print(self.material) - if self.material == {}: # happens if material editor was canceled - FreeCAD.Console.PrintError("Empty material dictionary, nothing was changed.\n") - self.recompute_and_set_back_all() - return True if self.selectionWidget.has_equal_references_shape_types(): - self.do_not_set_thermal_zeros() - from materialtools.cardutils import check_mat_units as checkunits - - if checkunits(self.material) is True: - self.obj.Material = self.material - self.obj.References = self.selectionWidget.references - else: - error_message = ( - "Due to some wrong material quantity units in the changed " - "material data, the task panel changes where not accepted.\n" - ) - FreeCAD.Console.PrintError(error_message) - QtGui.QMessageBox.critical(None, "Material data not changed", error_message) + self.obj.Material = self.material + self.obj.UUID = self.uuid + self.obj.References = self.selectionWidget.references + self.selectionWidget.finish_selection() return super().accept() @@ -217,30 +154,6 @@ def reject(self): self.selectionWidget.finish_selection() return super().reject() - def do_not_set_thermal_zeros(self): - """thermal material parameter are set to 0.0 if not available - this leads to wrong material values and to not finding the card - on reopen the task pane, thus do not write thermal parameter, - if they are 0.0 - """ - if Units.Quantity(self.material["ThermalConductivity"]) == 0.0: - self.material.pop("ThermalConductivity", None) - FreeCAD.Console.PrintMessage( - "Zero ThermalConductivity value. " - "This parameter is not saved in the material data.\n" - ) - if Units.Quantity(self.material["ThermalExpansionCoefficient"]) == 0.0: - self.material.pop("ThermalExpansionCoefficient", None) - FreeCAD.Console.PrintMessage( - "Zero ThermalExpansionCoefficient value. " - "This parameter is not saved in the material data.\n" - ) - if Units.Quantity(self.material["SpecificHeat"]) == 0.0: - self.material.pop("SpecificHeat", None) - FreeCAD.Console.PrintMessage( - "Zero SpecificHeat value. This parameter is not saved in the material data.\n" - ) - def isfloat(self, num): try: float(num) @@ -249,20 +162,39 @@ def isfloat(self, num): return False # choose material **************************************************************************** - def get_material_card(self, material): - for a_mat in self.materials: + def filter_models(self, category): + material_filter = Materials.MaterialFilter() + models = set(Materials.ModelManager().Models.keys()) + uuids = Materials.UUIDs() + if category == "Fluid": + material_filter.RequiredModels = [uuids.Fluid] + self.material_tree.setFilter(material_filter) + + def get_material_uuid(self, material): + if self.uuid: + try: + self.material_manager.getMaterial(self.uuid) + return self.uuid + except: + return "" + + if not self.material: + return "" + + for a_mat in self.material_manager.Materials: # check if every item of the current material fits to a known material card # if all items were found we know it is the right card # we can hereby not simply perform # set(self.materials[a_mat].items()) ^ set(material.items()) # because entries are often identical, just appear in the set in a different order unmatched_item = False + a_mat_prop = self.material_manager.getMaterial(a_mat).Properties.items() for item in material.items(): - if item not in self.materials[a_mat].items(): + if item not in a_mat_prop: unmatched_item = True # often the difference is just a decimal e.g. "120" to "120.0" # therefore first check if the item name exists - for a_mat_item in self.materials[a_mat].items(): + for a_mat_item in a_mat_prop: if item[0] == a_mat_item[0]: # now check if we have a number value in a unit if item[1].split() and not self.isfloat(item[1].split()[0]): @@ -282,459 +214,139 @@ def get_material_card(self, material): return a_mat return "" - def choose_material(self, index): - if index < 0: - return - self.card_path = self.parameterWidget.cb_materials.itemData(index) # returns whole path - FreeCAD.Console.PrintMessage(f"Material card chosen:\n {self.card_path}\n") - self.material = self.materials[self.card_path] - self.check_material_keys() - self.set_mat_params_in_input_fields(self.material) - self.parameterWidget.cb_materials.setCurrentIndex(index) # set after input fields - gen_mat_desc = "" - gen_mat_name = "" - if "Description" in self.material: - gen_mat_desc = self.material["Description"] - if "Name" in self.material: - gen_mat_name = self.material["Name"] - self.parameterWidget.l_mat_description.setText(gen_mat_desc) - self.parameterWidget.l_mat_name.setText(gen_mat_name) - # print("choose_material: done") - - def set_transient_material(self): - self.card_path = "_transient_material" - self.materials[self.card_path] = self.material # = the current input fields data - index = self.parameterWidget.cb_materials.findData(self.card_path) - self.choose_material(index) - - def add_transient_material(self): - self.has_transient_mat = True - self.card_path = "_transient_material" - self.parameterWidget.cb_materials.addItem( - QtGui.QIcon(":/icons/help-browser.svg"), self.card_path, self.card_path - ) - self.set_transient_material() - - # how to edit a material ********************************************************************* - def edit_material(self): - # opens the material editor to choose a material or edit material params - import MaterialEditor - - if self.card_path not in self.cards: - FreeCAD.Console.PrintLog( - "Card path not in cards, material dict will be used to open Material Editor.\n" - ) - new_material_params = MaterialEditor.editMaterial( - material=self.material, category=self.obj.Category - ) - else: - new_material_params = MaterialEditor.editMaterial( - card_path=self.card_path, category=self.obj.Category - ) - # material editor returns the mat_dict only, not a card_path - # if the material editor was canceled a empty dict will be returned - # do not change the self.material - # check if dict is not empty (do not use "is True") - if new_material_params: - # check material quantity units - from materialtools.cardutils import check_mat_units as checkunits - - if checkunits(new_material_params) is True: - self.material = new_material_params - self.card_path = self.get_material_card(self.material) - self.check_material_keys() - self.set_mat_params_in_input_fields(self.material) - if not self.card_path: - FreeCAD.Console.PrintMessage( - "Material card chosen by the material editor " - "was not found in material directories.\n" - "Either the card does not exist or some material " - "parameter where changed in material editor.\n" - ) - if self.has_transient_mat is False: - self.add_transient_material() - else: - self.set_transient_material() - else: - # we found our exact material in self.materials dict :-) - FreeCAD.Console.PrintLog( - "Material card chosen by the material editor " - "was found in material directories. " - "The found material card will be used.\n" - ) - index = self.parameterWidget.cb_materials.findData(self.card_path) - # set the current material in the cb widget - self.choose_material(index) - else: - error_message = ( - "Due to some wrong material quantity units in data passed " - "by the material editor, the material data was not changed.\n" - ) - FreeCAD.Console.PrintError(error_message) - QtGui.QMessageBox.critical(None, "Material data not changed", error_message) - else: - FreeCAD.Console.PrintLog("No changes where made by the material editor.\n") - def toggleInputFieldsReadOnly(self): if self.parameterWidget.chbu_allow_edit.isChecked(): - self.parameterWidget.input_fd_density.setReadOnly(False) - self.parameterWidget.input_fd_young_modulus.setReadOnly(False) - self.parameterWidget.spinBox_poisson_ratio.setReadOnly(False) - self.parameterWidget.input_fd_thermal_conductivity.setReadOnly(False) - self.parameterWidget.input_fd_expansion_coefficient.setReadOnly(False) - self.parameterWidget.input_fd_specific_heat.setReadOnly(False) - self.parameterWidget.input_fd_kinematic_viscosity.setReadOnly(False) - self.parameterWidget.input_fd_vol_expansion_coefficient.setReadOnly(False) + self.parameterWidget.qsb_density.setReadOnly(False) + self.parameterWidget.qsb_young_modulus.setReadOnly(False) + self.parameterWidget.qsb_poisson_ratio.setReadOnly(False) + self.parameterWidget.qsb_thermal_conductivity.setReadOnly(False) + self.parameterWidget.qsb_expansion_coefficient.setReadOnly(False) + self.parameterWidget.qsb_specific_heat.setReadOnly(False) + self.parameterWidget.qsb_kinematic_viscosity.setReadOnly(False) + self.parameterWidget.wgt_material_tree.setEnabled(False) + self.uuid = "" + self.mat_from_input_fields() else: - self.parameterWidget.input_fd_density.setReadOnly(True) - self.parameterWidget.input_fd_young_modulus.setReadOnly(True) - self.parameterWidget.spinBox_poisson_ratio.setReadOnly(True) - self.parameterWidget.input_fd_thermal_conductivity.setReadOnly(True) - self.parameterWidget.input_fd_expansion_coefficient.setReadOnly(True) - self.parameterWidget.input_fd_specific_heat.setReadOnly(True) - self.parameterWidget.input_fd_kinematic_viscosity.setReadOnly(True) - self.parameterWidget.input_fd_vol_expansion_coefficient.setReadOnly(True) + self.parameterWidget.qsb_density.setReadOnly(True) + self.parameterWidget.qsb_young_modulus.setReadOnly(True) + self.parameterWidget.qsb_poisson_ratio.setReadOnly(True) + self.parameterWidget.qsb_thermal_conductivity.setReadOnly(True) + self.parameterWidget.qsb_expansion_coefficient.setReadOnly(True) + self.parameterWidget.qsb_specific_heat.setReadOnly(True) + self.parameterWidget.qsb_kinematic_viscosity.setReadOnly(True) + self.parameterWidget.wgt_material_tree.setEnabled(True) + self.set_from_editor(self.material_tree.UUID) # material parameter input fields ************************************************************ - def check_material_keys(self): - # FreeCAD units definition is at file end of src/Base/Unit.cpp - if not self.material: - self.material["Name"] = "NoName" - if "Density" in self.material: - if "Density" not in str(Units.Unit(self.material["Density"])): - FreeCAD.Console.PrintMessage( - "Density in material data seems to have no unit " - "or a wrong unit (reset the value): {}\n".format(self.material["Name"]) - ) - self.material["Density"] = "0 kg/m^3" - else: - if self.material["Name"] != "NoName": - FreeCAD.Console.PrintMessage( - "Density not found in {}\n".format(self.material["Name"]) - ) - self.material["Density"] = "0 kg/m^3" - if self.obj.Category == "Solid": - # mechanical properties - if "YoungsModulus" in self.material: - # unit type of YoungsModulus is Pressure - if "Pressure" not in str(Units.Unit(self.material["YoungsModulus"])): - FreeCAD.Console.PrintMessage( - "YoungsModulus in material data seems to have no unit " - "or a wrong unit (reset the value): {}\n".format(self.material["Name"]) - ) - self.material["YoungsModulus"] = "0 MPa" - else: - if self.material["Name"] != "NoName": - FreeCAD.Console.PrintMessage( - "YoungsModulus not found in {}\n".format(self.material["Name"]) - ) - self.material["YoungsModulus"] = "0 MPa" - if "PoissonRatio" in self.material: - # PoissonRatio does not have a unit, but it is checked if there is no value at all - try: - # next line with float() is ok - # a quantity of a empty string returns very small value, would be wrong here - float(self.material["PoissonRatio"]) - except ValueError: - FreeCAD.Console.PrintMessage( - "PoissonRatio has wrong or no data (reset the value): {}\n".format( - self.material["PoissonRatio"] - ) - ) - self.material["PoissonRatio"] = "0" - else: - if self.material["Name"] != "NoName": - FreeCAD.Console.PrintMessage( - "PoissonRatio not found in {}\n".format(self.material["Name"]) - ) - self.material["PoissonRatio"] = "0" - if self.obj.Category == "Fluid": - # Fluidic properties - if "KinematicViscosity" in self.material: - ki_vis = self.material["KinematicViscosity"] - if "KinematicViscosity" not in str(Units.Unit(ki_vis)): - FreeCAD.Console.PrintMessage( - "KinematicViscosity in material data seems to have no unit " - "or a wrong unit (reset the value): {}\n".format(self.material["Name"]) - ) - self.material["KinematicViscosity"] = "0 m^2/s" - else: - if self.material["Name"] != "NoName": - FreeCAD.Console.PrintMessage( - "KinematicViscosity not found in {}\n".format(self.material["Name"]) - ) - self.material["KinematicViscosity"] = "0 m^2/s" - if "ThermalExpansionCoefficient" in self.material: - vol_ther_ex_co = self.material["ThermalExpansionCoefficient"] - if "ThermalExpansionCoefficient" not in str(Units.Unit(vol_ther_ex_co)): - FreeCAD.Console.PrintMessage( - "ThermalExpansionCoefficient in material data " - "seems to have no unit or a wrong unit (reset the value): {}\n".format( - self.material["Name"] - ) - ) - self.material["ThermalExpansionCoefficient"] = "0 1/K" - else: - if self.material["Name"] != "NoName": - FreeCAD.Console.PrintMessage( - "ThermalExpansionCoefficient not found in {}\n".format( - self.material["Name"] - ) - ) - self.material["ThermalExpansionCoefficient"] = "0 1/K" - if "VolumetricThermalExpansionCoefficient" in self.material: - # unit type VolumetricThermalExpansionCoefficient is ThermalExpansionCoefficient - vol_ther_ex_co = self.material["VolumetricThermalExpansionCoefficient"] - if "ThermalExpansionCoefficient" not in str(Units.Unit(vol_ther_ex_co)): - FreeCAD.Console.PrintMessage( - "VolumetricThermalExpansionCoefficient in material data " - "seems to have no unit or a wrong unit (reset the value): {}\n".format( - self.material["Name"] - ) - ) - self.material["VolumetricThermalExpansionCoefficient"] = "0 1/K" - else: - # as fallback only add VolumetricThermalExpansionCoefficient if there is no - # ThermalExpansionCoefficient - if "ThermalExpansionCoefficient" not in self.material: - self.material["VolumetricThermalExpansionCoefficient"] = "0 1/K" - # Thermal properties - if "ThermalConductivity" in self.material: - # TODO implement for all task panel values - # https://forum.freecad.org/viewtopic.php?f=18&t=56912&p=516826#p516800 - try: - Units.Quantity(self.material["ThermalConductivity"]) - except Exception: - FreeCAD.Console.PrintError( - "Problem with the quantity for ThermalConductivity: '{}' Reset value.\n" - "May try the following in Python console:\n" - "from FreeCAD import Units\n" - "Units.Quantity('{}')\n".format( - self.material["ThermalConductivity"], self.material["ThermalConductivity"] - ) - ) - self.material["ThermalConductivity"] = "0 W/m/K" - if "ThermalConductivity" not in str(Units.Unit(self.material["ThermalConductivity"])): - FreeCAD.Console.PrintMessage( - "ThermalConductivity in material data seems to have no unit " - "or a wrong unit (reset the value): {}\n".format(self.material["Name"]) - ) - self.material["ThermalConductivity"] = "0 W/m/K" - else: - if self.material["Name"] != "NoName": - FreeCAD.Console.PrintMessage( - "ThermalConductivity not found in {}\n".format(self.material["Name"]) - ) - self.material["ThermalConductivity"] = "0 W/m/K" - if "ThermalExpansionCoefficient" in self.material: - the_ex_co = self.material["ThermalExpansionCoefficient"] - if "ThermalExpansionCoefficient" not in str(Units.Unit(the_ex_co)): - FreeCAD.Console.PrintMessage( - "ThermalExpansionCoefficient in material data seems to have no unit " - "or a wrong unit (reset the value): {}\n".format(self.material["Name"]) - ) - self.material["ThermalExpansionCoefficient"] = "0 um/m/K" - else: - if self.material["Name"] != "NoName": - FreeCAD.Console.PrintMessage( - "ThermalExpansionCoefficient not found in {}\n".format(self.material["Name"]) - ) - self.material["ThermalExpansionCoefficient"] = "0 um/m/K" - if "SpecificHeat" in self.material: - if "SpecificHeat" not in str(Units.Unit(self.material["SpecificHeat"])): - FreeCAD.Console.PrintMessage( - "SpecificHeat in material data seems to have no unit " - "or a wrong unit (reset the value): {}\n".format(self.material["Name"]) - ) - self.material["SpecificHeat"] = "0 J/kg/K" - else: - if self.material["Name"] != "NoName": - FreeCAD.Console.PrintMessage( - "SpecificHeat not found in {}\n".format(self.material["Name"]) - ) - self.material["SpecificHeat"] = "0 J/kg/K" - FreeCAD.Console.PrintMessage("\n") - - def update_material_property(self, inputfield_text, matProperty, qUnit, variation=0.001): - # print(inputfield_text) - # this update property works for all Gui::InputField widgets - if qUnit != "": - value = Units.Quantity(inputfield_text).getValueAs(qUnit) - old_value = Units.Quantity(self.material[matProperty]).getValueAs(qUnit) - else: - # for example PoissonRatio - value = Units.Quantity(inputfield_text).Value - old_value = Units.Quantity(self.material[matProperty]).Value - # value = float(inputfield_text) # this fails on locale with comma - # https://forum.freecad.org/viewtopic.php?f=18&t=56912&p=523313#p523313 - - if not (1 - variation < float(old_value) / value < 1 + variation): - material = self.material - if qUnit != "": - material[matProperty] = str(value) + " " + qUnit - else: - material[matProperty] = str(value) - self.material = material - if self.has_transient_mat is False: - self.add_transient_material() - else: - self.set_transient_material() - # print(inputfield_text) - # mechanical input fields def ym_changed(self): - # FreeCADs standard unit for stress is kPa for UnitsSchemeInternal, but MPa can be used - self.update_material_property( - self.parameterWidget.input_fd_young_modulus.text(), - "YoungsModulus", - "kPa", - ) + if self.parameterWidget.chbu_allow_edit.isChecked(): + self.material["YoungsModulus"] = self.parameterWidget.qsb_young_modulus.property( + "value" + ).UserString def density_changed(self): - print( - "String read from density input field: {}".format( - self.parameterWidget.input_fd_density.text() - ) - ) - # FreeCADs standard unit for density is kg/mm^3 for UnitsSchemeInternal - self.update_material_property( - self.parameterWidget.input_fd_density.text(), - "Density", - "kg/m^3", - ) + if self.parameterWidget.chbu_allow_edit.isChecked(): + self.material["Density"] = self.parameterWidget.qsb_density.property("value").UserString def pr_changed(self): - value = self.parameterWidget.spinBox_poisson_ratio.value() - if value: - self.update_material_property( - self.parameterWidget.spinBox_poisson_ratio.text(), - "PoissonRatio", - "", + if self.parameterWidget.chbu_allow_edit.isChecked(): + self.material["PoissonRatio"] = str( + self.parameterWidget.qsb_poisson_ratio.property("value").Value ) - elif value == 0: - # PoissonRatio was set to 0.0 what is possible - material = self.material - material["PoissonRatio"] = str(value) - self.material = material - if self.has_transient_mat is False: - self.add_transient_material() - else: - self.set_transient_material() # thermal input fields def tc_changed(self): - self.update_material_property( - self.parameterWidget.input_fd_thermal_conductivity.text(), - "ThermalConductivity", - "W/m/K", - ) + if self.parameterWidget.chbu_allow_edit.isChecked(): + self.material["ThermalConductivity"] = ( + self.parameterWidget.qsb_thermal_conductivity.property("value").UserString + ) def tec_changed(self): - self.update_material_property( - self.parameterWidget.input_fd_expansion_coefficient.text(), - "ThermalExpansionCoefficient", - "um/m/K", - ) + if self.parameterWidget.chbu_allow_edit.isChecked(): + self.material["ThermalExpansionCoefficient"] = ( + self.parameterWidget.qsb_expansion_coefficient.property("value").UserString + ) def sh_changed(self): - self.update_material_property( - self.parameterWidget.input_fd_specific_heat.text(), - "SpecificHeat", - "J/kg/K", - ) + if self.parameterWidget.chbu_allow_edit.isChecked(): + self.material["SpecificHeat"] = self.parameterWidget.qsb_specific_heat.property( + "value" + ).UserString # fluidic input fields - def vtec_changed(self): - self.update_material_property( - self.parameterWidget.input_fd_vol_expansion_coefficient.text(), - "VolumetricThermalExpansionCoefficient", - "m^3/m^3/K", - ) - def kinematic_viscosity_changed(self): - self.update_material_property( - self.parameterWidget.input_fd_kinematic_viscosity.text(), - "KinematicViscosity", - "m^2/s", - ) + if self.parameterWidget.chbu_allow_edit.isChecked(): + self.material["KinematicViscosity"] = ( + self.parameterWidget.qsb_kinematic_viscosity.property("value").UserString + ) def set_mat_params_in_input_fields(self, matmap): if "YoungsModulus" in matmap: - ym_new_unit = "MPa" - ym = Units.Quantity(matmap["YoungsModulus"]) - ym_with_new_unit = ym.getValueAs(ym_new_unit) - q = Units.Quantity(f"{ym_with_new_unit} {ym_new_unit}") - self.parameterWidget.input_fd_young_modulus.setText(q.UserString) + self.parameterWidget.qsb_young_modulus.setProperty( + "value", Units.Quantity(matmap["YoungsModulus"]) + ) + else: + self.parameterWidget.qsb_young_modulus.setProperty("rawValue", 0.0) + if "PoissonRatio" in matmap: - self.parameterWidget.spinBox_poisson_ratio.setValue(float(matmap["PoissonRatio"])) + self.parameterWidget.qsb_poisson_ratio.setProperty( + "value", Units.Quantity(matmap["PoissonRatio"]) + ) + else: + self.parameterWidget.qsb_poisson_ratio.setProperty("rawValue", 0.0) # Fluidic properties if "KinematicViscosity" in matmap: - nu_new_unit = "m^2/s" - nu = Units.Quantity(matmap["KinematicViscosity"]) - nu_with_new_unit = nu.getValueAs(nu_new_unit) - q = Units.Quantity(f"{nu_with_new_unit} {nu_new_unit}") - self.parameterWidget.input_fd_kinematic_viscosity.setText(q.UserString) - # For isotropic materials and fluidic material - # use the volumetric thermal expansion coefficient - # is approximately three times the linear coefficient for solids - if "VolumetricThermalExpansionCoefficient" in matmap: - vtec_new_unit = "m^3/m^3/K" - vtec = Units.Quantity(matmap["VolumetricThermalExpansionCoefficient"]) - vtec_with_new_unit = vtec.getValueAs(vtec_new_unit) - q = Units.Quantity(f"{vtec_with_new_unit} {vtec_new_unit}") - self.parameterWidget.input_fd_vol_expansion_coefficient.setText(q.UserString) + self.parameterWidget.qsb_kinematic_viscosity.setProperty( + "value", Units.Quantity(matmap["KinematicViscosity"]) + ) + else: + self.parameterWidget.qsb_kinematic_viscosity.setProperty("rawValue", 0.0) + if "Density" in matmap: - density_new_unit = "kg/m^3" - density = Units.Quantity(matmap["Density"]) - density_with_new_unit = density.getValueAs(density_new_unit) - # self.parameterWidget.input_fd_density.setText( - # "{} {}".format(density_with_new_unit, density_new_unit) - # ) - q = Units.Quantity(f"{density_with_new_unit} {density_new_unit}") - self.parameterWidget.input_fd_density.setText(q.UserString) + self.parameterWidget.qsb_density.setProperty("value", Units.Quantity(matmap["Density"])) + else: + self.parameterWidget.qsb_density.setProperty("rawValue", 0.0) # thermal properties if "ThermalConductivity" in matmap: - tc_new_unit = "W/m/K" - tc = Units.Quantity(matmap["ThermalConductivity"]) - tc_with_new_unit = tc.getValueAs(tc_new_unit) - q = Units.Quantity(f"{tc_with_new_unit} {tc_new_unit}") - self.parameterWidget.input_fd_thermal_conductivity.setText(q.UserString) - if "ThermalExpansionCoefficient" in matmap: # linear, only for solid - tec_new_unit = "um/m/K" - tec = Units.Quantity(matmap["ThermalExpansionCoefficient"]) - tec_with_new_unit = tec.getValueAs(tec_new_unit) - q = Units.Quantity(f"{tec_with_new_unit} {tec_new_unit}") - self.parameterWidget.input_fd_expansion_coefficient.setText(q.UserString) - if "SpecificHeat" in matmap: - sh_new_unit = "J/kg/K" - sh = Units.Quantity(matmap["SpecificHeat"]) - sh_with_new_unit = sh.getValueAs(sh_new_unit) - q = Units.Quantity(f"{sh_with_new_unit} {sh_new_unit}") - self.parameterWidget.input_fd_specific_heat.setText(q.UserString) - - # fill the combo box with cards ************************************************************** - def add_cards_to_combo_box(self): - # fill combobox, in combo box the card name is used not the material name - self.parameterWidget.cb_materials.clear() + self.parameterWidget.qsb_thermal_conductivity.setProperty( + "value", Units.Quantity(matmap["ThermalConductivity"]) + ) + else: + self.parameterWidget.qsb_thermal_conductivity.setProperty("rawValue", 0.0) - mat_prefs = FreeCAD.ParamGet("User parameter:BaseApp/Preferences/Mod/Material/Cards") - sort_by_resources = mat_prefs.GetBool("SortByResources", False) + if "ThermalExpansionCoefficient" in matmap: + v = Units.Quantity(matmap["ThermalExpansionCoefficient"]) + v.Format = {"Precision": 3} + self.parameterWidget.qsb_expansion_coefficient.setProperty("value", v) + else: + self.parameterWidget.qsb_expansion_coefficient.setProperty("rawValue", 0.0) + if "SpecificHeat" in matmap: + self.parameterWidget.qsb_specific_heat.setProperty( + "value", Units.Quantity(matmap["SpecificHeat"]) + ) + else: + self.parameterWidget.qsb_specific_heat.setProperty("rawValue", 0.0) - card_name_list = [] # [ [card_name, card_path, icon_path], ... ] + def set_from_editor(self, value): + if not value: + return + mat = self.material_manager.getMaterial(value) + self.material = mat.Properties + self.uuid = mat.UUID + self.set_mat_params_in_input_fields(self.material) - if sort_by_resources is True: - for a_path in sorted(self.materials): - card_name_list.append([self.cards[a_path], a_path, self.icons[a_path]]) - else: - card_names_tmp = {} - for path, name in self.cards.items(): - card_names_tmp[name] = path - for a_name in sorted(card_names_tmp): - a_path = card_names_tmp[a_name] - card_name_list.append([a_name, a_path, self.icons[a_path]]) - - for mat in card_name_list: - self.parameterWidget.cb_materials.addItem(QtGui.QIcon(mat[2]), mat[0], mat[1]) - # the whole card path is added to the combo box to make it unique - # see def choose_material: - # for assignment of self.card_path the path form the parameterWidget is used + def mat_from_input_fields(self): + d = {} + d["Name"] = "Custom" + p = self.parameterWidget + d["Density"] = p.qsb_density.property("value").UserString + d["ThermalConductivity"] = p.qsb_thermal_conductivity.property("value").UserString + d["ThermalExpansionCoefficient"] = p.qsb_expansion_coefficient.property("value").UserString + d["SpecificHeat"] = p.qsb_specific_heat.property("value").UserString + if self.obj.Category == "Solid": + d["YoungsModulus"] = p.qsb_young_modulus.property("value").UserString + d["PoissonRatio"] = str(p.qsb_poisson_ratio.property("value").Value) + elif self.obj.Category == "Fluid": + d["KinematicViscosity"] = p.qsb_kinematic_viscosity.property("value").UserString + self.material = d diff --git a/src/Mod/Help/Resources/translations/Help.ts b/src/Mod/Help/Resources/translations/Help.ts index 190daf2ce26f..4d6d62cf24a5 100644 --- a/src/Mod/Help/Resources/translations/Help.ts +++ b/src/Mod/Help/Resources/translations/Help.ts @@ -164,7 +164,7 @@ Markdown version above. QObject - + General diff --git a/src/Mod/Help/Resources/translations/Help_be.ts b/src/Mod/Help/Resources/translations/Help_be.ts index df2f26ecb7b1..94f191f1b9d5 100644 --- a/src/Mod/Help/Resources/translations/Help_be.ts +++ b/src/Mod/Help/Resources/translations/Help_be.ts @@ -176,7 +176,7 @@ Markdown version above. QObject - + General Асноўныя diff --git a/src/Mod/Help/Resources/translations/Help_ca.ts b/src/Mod/Help/Resources/translations/Help_ca.ts index e248bf65bb70..046e7e1b00b0 100644 --- a/src/Mod/Help/Resources/translations/Help_ca.ts +++ b/src/Mod/Help/Resources/translations/Help_ca.ts @@ -172,7 +172,7 @@ Markdown version above. QObject - + General General diff --git a/src/Mod/Help/Resources/translations/Help_cs.ts b/src/Mod/Help/Resources/translations/Help_cs.ts index 52cb02a73084..5f6372521c86 100644 --- a/src/Mod/Help/Resources/translations/Help_cs.ts +++ b/src/Mod/Help/Resources/translations/Help_cs.ts @@ -178,7 +178,7 @@ To vyžaduje komponentu PySide QtWebengineWidgets. QObject - + General Obecné diff --git a/src/Mod/Help/Resources/translations/Help_da.ts b/src/Mod/Help/Resources/translations/Help_da.ts index 698da2379a23..fa87c0ef7ac0 100644 --- a/src/Mod/Help/Resources/translations/Help_da.ts +++ b/src/Mod/Help/Resources/translations/Help_da.ts @@ -177,7 +177,7 @@ Markdown versionen ovenfor. QObject - + General Generel diff --git a/src/Mod/Help/Resources/translations/Help_de.ts b/src/Mod/Help/Resources/translations/Help_de.ts index 4bd5f3e7a3b6..1cae48ae265f 100644 --- a/src/Mod/Help/Resources/translations/Help_de.ts +++ b/src/Mod/Help/Resources/translations/Help_de.ts @@ -172,7 +172,7 @@ Markdown Version ausgewählt ist. QObject - + General Allgemein diff --git a/src/Mod/Help/Resources/translations/Help_el.ts b/src/Mod/Help/Resources/translations/Help_el.ts index 4d436856db05..1b52494813f0 100644 --- a/src/Mod/Help/Resources/translations/Help_el.ts +++ b/src/Mod/Help/Resources/translations/Help_el.ts @@ -172,7 +172,7 @@ Markdown version above. QObject - + General Γενικές diff --git a/src/Mod/Help/Resources/translations/Help_es-AR.ts b/src/Mod/Help/Resources/translations/Help_es-AR.ts index e87e475095ae..a9fa9d06a7fe 100644 --- a/src/Mod/Help/Resources/translations/Help_es-AR.ts +++ b/src/Mod/Help/Resources/translations/Help_es-AR.ts @@ -176,7 +176,7 @@ Markdown. QObject - + General General diff --git a/src/Mod/Help/Resources/translations/Help_es-ES.ts b/src/Mod/Help/Resources/translations/Help_es-ES.ts index f4b6dfd63920..5d424304b76e 100644 --- a/src/Mod/Help/Resources/translations/Help_es-ES.ts +++ b/src/Mod/Help/Resources/translations/Help_es-ES.ts @@ -172,7 +172,7 @@ Markdown version above. QObject - + General General diff --git a/src/Mod/Help/Resources/translations/Help_eu.ts b/src/Mod/Help/Resources/translations/Help_eu.ts index 0d36bb644f24..56f1d0e878cc 100644 --- a/src/Mod/Help/Resources/translations/Help_eu.ts +++ b/src/Mod/Help/Resources/translations/Help_eu.ts @@ -177,7 +177,7 @@ Markdown version above. QObject - + General Orokorra diff --git a/src/Mod/Help/Resources/translations/Help_fi.ts b/src/Mod/Help/Resources/translations/Help_fi.ts index 2ad34c10f5d6..a0af8616dd33 100644 --- a/src/Mod/Help/Resources/translations/Help_fi.ts +++ b/src/Mod/Help/Resources/translations/Help_fi.ts @@ -177,7 +177,7 @@ Markdown version above. QObject - + General Yleiset diff --git a/src/Mod/Help/Resources/translations/Help_fr.ts b/src/Mod/Help/Resources/translations/Help_fr.ts index c8170a644cd4..fe2b36c26f67 100644 --- a/src/Mod/Help/Resources/translations/Help_fr.ts +++ b/src/Mod/Help/Resources/translations/Help_fr.ts @@ -164,7 +164,7 @@ Markdown version above. QObject - + General Général diff --git a/src/Mod/Help/Resources/translations/Help_hr.qm b/src/Mod/Help/Resources/translations/Help_hr.qm index 49f80233eb09..967f50e98dce 100644 Binary files a/src/Mod/Help/Resources/translations/Help_hr.qm and b/src/Mod/Help/Resources/translations/Help_hr.qm differ diff --git a/src/Mod/Help/Resources/translations/Help_hr.ts b/src/Mod/Help/Resources/translations/Help_hr.ts index 9dc65e2c34cb..5122420be898 100644 --- a/src/Mod/Help/Resources/translations/Help_hr.ts +++ b/src/Mod/Help/Resources/translations/Help_hr.ts @@ -87,7 +87,7 @@ custom stylesheet below and can look nicer than the wiki option. The 'Markd Note: if PySide Web components are not found on your system, help pages will open in your default web browser regardless of the options below - Note: if PySide Web components are not found on your system, help pages will open in your default web browser regardless of the options below + Napomena: ako PySide web komponente nisu pronađene na vašem sustavu, stranice pomoći će se otvoriti u vašem zadanom web pregledniku bez obzira na opcije ispod @@ -103,8 +103,8 @@ custom stylesheet below and can look nicer than the wiki option. The 'Markd The documentation will open in a dockable dialog inside the FreeCAD window, which allows you to keep it open while working in the 3D view. This requires the PySide QtWebengineWidgets component - The documentation will open in a dockable dialog inside the FreeCAD window, -which allows you to keep it open while working in the 3D view. This requires the PySide QtWebengineWidgets component + Dokumentacija će se otvoriti u Ugrađenom dijalogu koji se može pohraniti u prozoru FreeCAD-a, +što vam omogućuje da ga držite otvorenim dok radite u 3D prikazu.Ovo zahtijeva komponentu PySide QtWebengineWidgets @@ -123,7 +123,7 @@ Ova opcija će raditi samo ako ste odabrali Markdown verziju gore. The documentation will open in a new tab inside the FreeCAD interface. This requires the PySide QtWebengineWidgets component - The documentation will open in a new tab inside the FreeCAD interface. This requires the PySide QtWebengineWidgets component + Dokumentacija će se otvoriti u novoj kartici unutar FreeCAD sučelja. Ovo zahtijeva komponentu PySide QtWebengineWidgets @@ -156,12 +156,12 @@ Ova opcija će raditi samo ako ste odabrali Markdown verziju gore. PySide QtWebEngineWidgets module is not available. Help rendering is done with the system browser - PySide QtWebEngineWidgets module is not available. Help rendering is done with the system browser + PySide QtWebEngineWidgets modul nije dostupan. Prikazivanje pomoći vrši se preglednikom sustava There is no Markdown renderer installed on your system, so this help page is rendered as is. Please install the Markdown or Pandoc Python modules to improve the rendering of this page. - There is no Markdown renderer installed on your system, so this help page is rendered as is. Please install the Markdown or Pandoc Python modules to improve the rendering of this page. + Na vašem sustavu nije instaliran Markdown renderer, pa se ova stranica pomoći prikazuje kakva jest. Instalirajte module Markdown ili Pandoc Python kako biste poboljšali prikaz ove stranice. @@ -172,7 +172,7 @@ Ova opcija će raditi samo ako ste odabrali Markdown verziju gore. QObject - + General Općenito diff --git a/src/Mod/Help/Resources/translations/Help_hu.ts b/src/Mod/Help/Resources/translations/Help_hu.ts index 20b3ad48b433..b3039e5c8692 100644 --- a/src/Mod/Help/Resources/translations/Help_hu.ts +++ b/src/Mod/Help/Resources/translations/Help_hu.ts @@ -172,7 +172,7 @@ Markdown fenti verziót választotta. QObject - + General Általános diff --git a/src/Mod/Help/Resources/translations/Help_it.ts b/src/Mod/Help/Resources/translations/Help_it.ts index 157107ae226a..53d248bd74bb 100644 --- a/src/Mod/Help/Resources/translations/Help_it.ts +++ b/src/Mod/Help/Resources/translations/Help_it.ts @@ -177,7 +177,7 @@ Markdown sopra. QObject - + General Generale diff --git a/src/Mod/Help/Resources/translations/Help_ja.ts b/src/Mod/Help/Resources/translations/Help_ja.ts index fc32cf1bcfba..c49a1214138a 100644 --- a/src/Mod/Help/Resources/translations/Help_ja.ts +++ b/src/Mod/Help/Resources/translations/Help_ja.ts @@ -167,7 +167,7 @@ Markdown version above. QObject - + General 標準 diff --git a/src/Mod/Help/Resources/translations/Help_ka.ts b/src/Mod/Help/Resources/translations/Help_ka.ts index 46b3072bf8f3..cea0310a3797 100644 --- a/src/Mod/Help/Resources/translations/Help_ka.ts +++ b/src/Mod/Help/Resources/translations/Help_ka.ts @@ -166,7 +166,7 @@ Markdown version above. QObject - + General ზოგადი diff --git a/src/Mod/Help/Resources/translations/Help_ko.ts b/src/Mod/Help/Resources/translations/Help_ko.ts index 0bb81d8b7499..439395c725ef 100644 --- a/src/Mod/Help/Resources/translations/Help_ko.ts +++ b/src/Mod/Help/Resources/translations/Help_ko.ts @@ -177,7 +177,7 @@ Markdown version above. QObject - + General 일반 diff --git a/src/Mod/Help/Resources/translations/Help_lt.ts b/src/Mod/Help/Resources/translations/Help_lt.ts index c8701c3448bf..65ca10b30c66 100644 --- a/src/Mod/Help/Resources/translations/Help_lt.ts +++ b/src/Mod/Help/Resources/translations/Help_lt.ts @@ -167,7 +167,7 @@ Markdown version above. QObject - + General Bendrosios diff --git a/src/Mod/Help/Resources/translations/Help_nl.ts b/src/Mod/Help/Resources/translations/Help_nl.ts index 4a6d7a7bab31..aaf0c6d1158e 100644 --- a/src/Mod/Help/Resources/translations/Help_nl.ts +++ b/src/Mod/Help/Resources/translations/Help_nl.ts @@ -170,7 +170,7 @@ Markdown version above. QObject - + General Algemeen diff --git a/src/Mod/Help/Resources/translations/Help_pl.ts b/src/Mod/Help/Resources/translations/Help_pl.ts index 5927fbce5eb8..62c6d473b762 100644 --- a/src/Mod/Help/Resources/translations/Help_pl.ts +++ b/src/Mod/Help/Resources/translations/Help_pl.ts @@ -171,7 +171,7 @@ Renderowanie Pomocy odbywa się za pomocą przeglądarki z twojego systemu. QObject - + General Ogólne diff --git a/src/Mod/Help/Resources/translations/Help_pt-BR.ts b/src/Mod/Help/Resources/translations/Help_pt-BR.ts index be8e3dea8a2c..c0ad7bfdc346 100644 --- a/src/Mod/Help/Resources/translations/Help_pt-BR.ts +++ b/src/Mod/Help/Resources/translations/Help_pt-BR.ts @@ -164,7 +164,7 @@ Markdown version above. QObject - + General Geral diff --git a/src/Mod/Help/Resources/translations/Help_pt-PT.ts b/src/Mod/Help/Resources/translations/Help_pt-PT.ts index 1a1df83c2e23..b8e0542f560c 100644 --- a/src/Mod/Help/Resources/translations/Help_pt-PT.ts +++ b/src/Mod/Help/Resources/translations/Help_pt-PT.ts @@ -176,7 +176,7 @@ Markdown version above. QObject - + General Geral diff --git a/src/Mod/Help/Resources/translations/Help_ro.ts b/src/Mod/Help/Resources/translations/Help_ro.ts index 428e7a098681..06c68db09566 100644 --- a/src/Mod/Help/Resources/translations/Help_ro.ts +++ b/src/Mod/Help/Resources/translations/Help_ro.ts @@ -176,7 +176,7 @@ de mai sus. QObject - + General General diff --git a/src/Mod/Help/Resources/translations/Help_ru.ts b/src/Mod/Help/Resources/translations/Help_ru.ts index 29b5b4b083b0..0db6f5d7bc23 100644 --- a/src/Mod/Help/Resources/translations/Help_ru.ts +++ b/src/Mod/Help/Resources/translations/Help_ru.ts @@ -177,7 +177,7 @@ Markdown version above. QObject - + General Основные diff --git a/src/Mod/Help/Resources/translations/Help_sl.ts b/src/Mod/Help/Resources/translations/Help_sl.ts index c75092aa68b0..85a31e25f5b1 100644 --- a/src/Mod/Help/Resources/translations/Help_sl.ts +++ b/src/Mod/Help/Resources/translations/Help_sl.ts @@ -177,7 +177,7 @@ Markdown version above. QObject - + General Splošne nastavitve diff --git a/src/Mod/Help/Resources/translations/Help_sr-CS.ts b/src/Mod/Help/Resources/translations/Help_sr-CS.ts index 7387754fd6a0..b54ea719814c 100644 --- a/src/Mod/Help/Resources/translations/Help_sr-CS.ts +++ b/src/Mod/Help/Resources/translations/Help_sr-CS.ts @@ -172,7 +172,7 @@ Markdown version above. QObject - + General Opšte diff --git a/src/Mod/Help/Resources/translations/Help_sr.ts b/src/Mod/Help/Resources/translations/Help_sr.ts index 50c3dd6eb3b5..00920545239a 100644 --- a/src/Mod/Help/Resources/translations/Help_sr.ts +++ b/src/Mod/Help/Resources/translations/Help_sr.ts @@ -172,7 +172,7 @@ Markdown version above. QObject - + General Опште diff --git a/src/Mod/Help/Resources/translations/Help_sv-SE.ts b/src/Mod/Help/Resources/translations/Help_sv-SE.ts index 767297b5ff39..05a58783c368 100644 --- a/src/Mod/Help/Resources/translations/Help_sv-SE.ts +++ b/src/Mod/Help/Resources/translations/Help_sv-SE.ts @@ -177,7 +177,7 @@ Markdown version above. QObject - + General Allmän diff --git a/src/Mod/Help/Resources/translations/Help_tr.ts b/src/Mod/Help/Resources/translations/Help_tr.ts index 34fc9c5e2a16..035e696281f5 100644 --- a/src/Mod/Help/Resources/translations/Help_tr.ts +++ b/src/Mod/Help/Resources/translations/Help_tr.ts @@ -177,7 +177,7 @@ Markdown version above. QObject - + General Genel diff --git a/src/Mod/Help/Resources/translations/Help_uk.ts b/src/Mod/Help/Resources/translations/Help_uk.ts index a6842d7d11aa..e82ed1e1c1d2 100644 --- a/src/Mod/Help/Resources/translations/Help_uk.ts +++ b/src/Mod/Help/Resources/translations/Help_uk.ts @@ -169,7 +169,7 @@ Markdown version above. QObject - + General Загальні diff --git a/src/Mod/Help/Resources/translations/Help_val-ES.ts b/src/Mod/Help/Resources/translations/Help_val-ES.ts index 5e8f60ce82e2..e78546725745 100644 --- a/src/Mod/Help/Resources/translations/Help_val-ES.ts +++ b/src/Mod/Help/Resources/translations/Help_val-ES.ts @@ -177,7 +177,7 @@ Markdown version above. QObject - + General General diff --git a/src/Mod/Help/Resources/translations/Help_zh-CN.qm b/src/Mod/Help/Resources/translations/Help_zh-CN.qm index 3f08553ac39f..c30b5fa84070 100644 Binary files a/src/Mod/Help/Resources/translations/Help_zh-CN.qm and b/src/Mod/Help/Resources/translations/Help_zh-CN.qm differ diff --git a/src/Mod/Help/Resources/translations/Help_zh-CN.ts b/src/Mod/Help/Resources/translations/Help_zh-CN.ts index 61cebd62f4d9..8e060c70679d 100644 --- a/src/Mod/Help/Resources/translations/Help_zh-CN.ts +++ b/src/Mod/Help/Resources/translations/Help_zh-CN.ts @@ -151,12 +151,12 @@ Markdown 版本的情况下,这才会起作用。 Contents for this page could not be retrieved. Please check settings under menu Edit -> Preferences -> General -> Help - Contents for this page could not be retrieved. Please check settings under menu Edit -> Preferences -> General -> Help + 无法检索此页面的内容。请检查菜单编辑下的设置 -> 首选项 -> 常规-> 帮助 Help files location could not be determined. Please check settings under menu Edit -> Preferences -> General -> Help - Help files location could not be determined. Please check settings under menu Edit -> Preferences -> General -> Help + 无法确定帮助文件位置。请检查菜单下的设置:编辑 -> 首选项 -> 常规-> 帮助 @@ -177,7 +177,7 @@ Markdown 版本的情况下,这才会起作用。 QObject - + General 常规 diff --git a/src/Mod/Help/Resources/translations/Help_zh-TW.ts b/src/Mod/Help/Resources/translations/Help_zh-TW.ts index 7258f80a86d6..55e4082f06f2 100644 --- a/src/Mod/Help/Resources/translations/Help_zh-TW.ts +++ b/src/Mod/Help/Resources/translations/Help_zh-TW.ts @@ -177,7 +177,7 @@ Markdown version above. QObject - + General 一般 diff --git a/src/Mod/Import/App/dxf/dxf.cpp b/src/Mod/Import/App/dxf/dxf.cpp index 8dab4113378b..2cd1f3b24a09 100644 --- a/src/Mod/Import/App/dxf/dxf.cpp +++ b/src/Mod/Import/App/dxf/dxf.cpp @@ -2118,7 +2118,7 @@ bool CDxfRead::ReadText() // NOLINTEND(cppcoreguidelines-avoid-magic-numbers, readability-magic-numbers) } else { - ImportError("Unable to process encoding for TEXT/MTEXT '%s'", textPrefix); + ImportError("Unable to process encoding for TEXT/MTEXT '%s'\n", textPrefix); } repeat_last_record(); return true; @@ -2357,26 +2357,29 @@ bool CDxfRead::get_next_record() return m_not_eof; } - if ((*m_ifs).eof()) { - m_not_eof = false; - return false; - } + do { + if ((*m_ifs).eof()) { + m_not_eof = false; + return false; + } - std::getline(*m_ifs, m_record_data); - ++m_line; - int temp = 0; - if (!ParseValue(this, &temp)) { - ImportError("CDxfRead::get_next_record() Failed to get integer record type from '%s'\n", - m_record_data); - return false; - } - m_record_type = (eDXFGroupCode_t)temp; - if ((*m_ifs).eof()) { - return false; - } + std::getline(*m_ifs, m_record_data); + ++m_line; + int temp = 0; + if (!ParseValue(this, &temp)) { + ImportError("CDxfRead::get_next_record() Failed to get integer record type from '%s'\n", + m_record_data); + return false; + } + m_record_type = (eDXFGroupCode_t)temp; + if ((*m_ifs).eof()) { + return false; + } + + std::getline(*m_ifs, m_record_data); + ++m_line; + } while (m_record_type == eComment); - std::getline(*m_ifs, m_record_data); - ++m_line; // Remove any carriage return at the end of m_str which may occur because of inconsistent // handling of LF vs. CRLF line termination. auto last = m_record_data.rbegin(); diff --git a/src/Mod/Import/App/dxf/dxf.h b/src/Mod/Import/App/dxf/dxf.h index b9a82e123f47..411dd62fa019 100644 --- a/src/Mod/Import/App/dxf/dxf.h +++ b/src/Mod/Import/App/dxf/dxf.h @@ -211,6 +211,7 @@ enum eDXFGroupCode_t eUCSXDirection = 111, eUCSYDirection = 112, eExtrusionDirection = 210, + eComment = 999, // The following apply to points and directions in text DXF files to identify the three // coordinates diff --git a/src/Mod/Inspection/Gui/Resources/translations/Inspection_zh-CN.qm b/src/Mod/Inspection/Gui/Resources/translations/Inspection_zh-CN.qm index cad920672343..65a58d7025d9 100644 Binary files a/src/Mod/Inspection/Gui/Resources/translations/Inspection_zh-CN.qm and b/src/Mod/Inspection/Gui/Resources/translations/Inspection_zh-CN.qm differ diff --git a/src/Mod/Inspection/Gui/Resources/translations/Inspection_zh-CN.ts b/src/Mod/Inspection/Gui/Resources/translations/Inspection_zh-CN.ts index b7f4968f31b3..830f8a86b622 100644 --- a/src/Mod/Inspection/Gui/Resources/translations/Inspection_zh-CN.ts +++ b/src/Mod/Inspection/Gui/Resources/translations/Inspection_zh-CN.ts @@ -67,7 +67,7 @@ Nominal - Nominal + 标称量 @@ -116,18 +116,18 @@ Distance: > %1 - Distance: > %1 + 距离: > %1 Distance: < %1 - Distance: < %1 + 距离: < %1 Distance: %1 - Distance: %1 + 距离: %1 diff --git a/src/Mod/Material/App/Exceptions.h b/src/Mod/Material/App/Exceptions.h index c27adbdf24db..97ca83c47917 100644 --- a/src/Mod/Material/App/Exceptions.h +++ b/src/Mod/Material/App/Exceptions.h @@ -50,7 +50,9 @@ class ModelNotFound: public Base::Exception { public: ModelNotFound() - {} + { + this->setMessage("Model not found"); + } explicit ModelNotFound(const char* msg) { this->setMessage(msg); @@ -82,7 +84,9 @@ class MaterialNotFound: public Base::Exception { public: MaterialNotFound() - {} + { + this->setMessage("Material not found"); + } explicit MaterialNotFound(const char* msg) { this->setMessage(msg); @@ -130,7 +134,9 @@ class PropertyNotFound: public Base::Exception { public: PropertyNotFound() - {} + { + this->setMessage("Property not found"); + } explicit PropertyNotFound(const char* msg) { this->setMessage(msg); @@ -146,7 +152,9 @@ class LibraryNotFound: public Base::Exception { public: LibraryNotFound() - {} + { + this->setMessage("Library not found"); + } explicit LibraryNotFound(const char* msg) { this->setMessage(msg); @@ -162,7 +170,9 @@ class InvalidModel: public Base::Exception { public: InvalidModel() - {} + { + this->setMessage("Invalid model"); + } explicit InvalidModel(const char* msg) { this->setMessage(msg); @@ -178,7 +188,9 @@ class InvalidIndex: public Base::Exception { public: InvalidIndex() - {} + { + this->setMessage("Invalid index"); + } explicit InvalidIndex(char* msg) { this->setMessage(msg); diff --git a/src/Mod/Material/App/ModelLoader.cpp b/src/Mod/Material/App/ModelLoader.cpp index ef816e6b9c67..468470496169 100644 --- a/src/Mod/Material/App/ModelLoader.cpp +++ b/src/Mod/Material/App/ModelLoader.cpp @@ -27,7 +27,9 @@ #endif #include +#include #include +#include #include "Model.h" @@ -76,7 +78,9 @@ const QString ModelLoader::getUUIDFromPath(const QString& path) } try { - YAML::Node yamlroot = YAML::LoadFile(path.toStdString()); + Base::FileInfo fi(path.toStdString()); + Base::ifstream str(fi); + YAML::Node yamlroot = YAML::Load(str); std::string base = "Model"; if (yamlroot["AppearanceModel"]) { base = "AppearanceModel"; @@ -103,7 +107,9 @@ std::shared_ptr ModelLoader::getModelFromPath(std::shared_ptrselectionModel(); diff --git a/src/Mod/Material/Gui/Resources/translations/Material.ts b/src/Mod/Material/Gui/Resources/translations/Material.ts index 0ba6f1b559a1..662d8ac4e607 100644 --- a/src/Mod/Material/Gui/Resources/translations/Material.ts +++ b/src/Mod/Material/Gui/Resources/translations/Material.ts @@ -204,17 +204,17 @@ MatGui::DlgDisplayPropertiesImp - + Basic Appearance - + Texture Appearance - + All Materials @@ -887,76 +887,76 @@ If unchecked, they will be sorted by their name. - + Unnamed - + Old Format Material - + This file is in the old material card format. - + This card uses the old format and must be saved before use - - - - + + + + Property - - - - + + + + Value - - - - + + + + Type - + Favorites - + Recent - + Units - + Context menu - + Inherit from - + Inherit new material @@ -1111,11 +1111,6 @@ If unchecked, they will be sorted by their name. QDockWidget - - - Display properties - - Material @@ -1157,22 +1152,22 @@ If unchecked, they will be sorted by their name. - + You must save the material before using it. - + Unsaved Material - + Do you want to save your changes to the material before closing? - + If you don't save, your changes will be lost. diff --git a/src/Mod/Material/Gui/Resources/translations/Material_be.ts b/src/Mod/Material/Gui/Resources/translations/Material_be.ts index 6834277f3706..292d589549c2 100644 --- a/src/Mod/Material/Gui/Resources/translations/Material_be.ts +++ b/src/Mod/Material/Gui/Resources/translations/Material_be.ts @@ -204,17 +204,17 @@ MatGui::DlgDisplayPropertiesImp - + Basic Appearance Асноўны знешні выгляд - + Texture Appearance Знешні выгляд тэкстуры - + All Materials Усе матэрыялы @@ -891,76 +891,76 @@ If unchecked, they will be sorted by their name. Выдаліць мадэль знешняга выгляду - + Unnamed Без назвы - + Old Format Material Стары фармат матэрыялу - + This file is in the old material card format. Гэты файл прадстаўлены ў старым фармаце карткі матэрыялаў. - + This card uses the old format and must be saved before use На гэтай карце ўжываецца стары фармат, і яго неабходна захаваць перад тым, як ужываць - - - - + + + + Property Уласцівасць - - - - + + + + Value Значэнне - - - - + + + + Type Тып - + Favorites Абраныя - + Recent Нядаўнія - + Units Адзінкі вымярэння - + Context menu Кантэкстнае меню - + Inherit from Успадкаваць з - + Inherit new material Успадкаваць новы матэрыял @@ -1115,11 +1115,6 @@ If unchecked, they will be sorted by their name. QDockWidget - - - Display properties - Адлюстраванне ўласцівасцяў - Material @@ -1161,22 +1156,22 @@ If unchecked, they will be sorted by their name. Выдаленне гэтага элементу таксама прывядзе да выдалення ўсяго зместу. - + You must save the material before using it. Вы павінны захаваць матэрыял перад яго ўжываннем. - + Unsaved Material Незахаваны матэрыял - + Do you want to save your changes to the material before closing? Ці жадаеце вы захаваць свае змены ў матэрыяле перад тым, як зачыніць? - + If you don't save, your changes will be lost. Калі вы не захаваеце, вашыя змены будуць незваротна страчаныя. diff --git a/src/Mod/Material/Gui/Resources/translations/Material_ca.ts b/src/Mod/Material/Gui/Resources/translations/Material_ca.ts index 9a8f29de2149..6f2c0291e9f9 100644 --- a/src/Mod/Material/Gui/Resources/translations/Material_ca.ts +++ b/src/Mod/Material/Gui/Resources/translations/Material_ca.ts @@ -204,17 +204,17 @@ MatGui::DlgDisplayPropertiesImp - + Basic Appearance Aparença bàsica - + Texture Appearance Aparença de textura - + All Materials Tots els Materials @@ -888,76 +888,76 @@ Si no es marca, s'ordenaran pel seu nom. Eliminar model d'aparença - + Unnamed Sense nom - + Old Format Material Format de material antic - + This file is in the old material card format. Aquest fitxer està en el model de targeta de material antic. - + This card uses the old format and must be saved before use Aquesta targeta utilitza el format antic, i ha de ser desat abans del primer ús - - - - + + + + Property Propietat - - - - + + + + Value Valor - - - - + + + + Type Tipus - + Favorites Preferits - + Recent Recents - + Units Unitats - + Context menu Menú contextual - + Inherit from Heretar de - + Inherit new material Heretar material nou @@ -1112,11 +1112,6 @@ Si no es marca, s'ordenaran pel seu nom. QDockWidget - - - Display properties - Mostra les propietats - Material @@ -1158,22 +1153,22 @@ Si no es marca, s'ordenaran pel seu nom. En suprimir-ho, també s'eliminarà tots els continguts. - + You must save the material before using it. Has de desar el material abans d'utilitzar-lo. - + Unsaved Material Material No desat - + Do you want to save your changes to the material before closing? Voleu desar els vostres canvis en el material abans de tancar? - + If you don't save, your changes will be lost. Si no guardeu els canvis, es perdran. diff --git a/src/Mod/Material/Gui/Resources/translations/Material_cs.ts b/src/Mod/Material/Gui/Resources/translations/Material_cs.ts index a8a44e51da7f..9495f7310ce0 100644 --- a/src/Mod/Material/Gui/Resources/translations/Material_cs.ts +++ b/src/Mod/Material/Gui/Resources/translations/Material_cs.ts @@ -204,17 +204,17 @@ MatGui::DlgDisplayPropertiesImp - + Basic Appearance Základní vzhledy - + Texture Appearance Texturované vzhledy - + All Materials Všechny materiály @@ -888,76 +888,76 @@ Pokud není zaškrtnuto, budou seřazeny podle jména. Odstranit vzhledový model - + Unnamed Nepojmenovaný - + Old Format Material Materiál starého formátu - + This file is in the old material card format. Tento soubor je ve starém formátu karty materiálu. - + This card uses the old format and must be saved before use Tato karta používá starý formát a musí být před použitím uložena - - - - + + + + Property Vlastnost - - - - + + + + Value Hodnota - - - - + + + + Type Typ - + Favorites Oblíbené - + Recent Nedávné - + Units Jednotky - + Context menu Kontextová nabídka - + Inherit from Zdědit z - + Inherit new material Zdědit nový materiál @@ -1112,11 +1112,6 @@ Pokud není zaškrtnuto, budou seřazeny podle jména. QDockWidget - - - Display properties - Vlastnosti zobrazení - Material @@ -1158,22 +1153,22 @@ Pokud není zaškrtnuto, budou seřazeny podle jména. Odstraněním tohoto odstraníte také veškerý obsah. - + You must save the material before using it. Před použitím musíte materiál uložit. - + Unsaved Material Neuložený materiál - + Do you want to save your changes to the material before closing? Přejete si uložit změny materiálu před zavřením? - + If you don't save, your changes will be lost. V případě neuložení budou vaše změny ztraceny. diff --git a/src/Mod/Material/Gui/Resources/translations/Material_da.ts b/src/Mod/Material/Gui/Resources/translations/Material_da.ts index b822a3fdbeae..3ba24598f108 100644 --- a/src/Mod/Material/Gui/Resources/translations/Material_da.ts +++ b/src/Mod/Material/Gui/Resources/translations/Material_da.ts @@ -204,17 +204,17 @@ MatGui::DlgDisplayPropertiesImp - + Basic Appearance Basic Appearance - + Texture Appearance Texture Appearance - + All Materials All Materials @@ -889,76 +889,76 @@ If unchecked, they will be sorted by their name. Delete appearance model - + Unnamed Unavngivet - + Old Format Material Old Format Material - + This file is in the old material card format. This file is in the old material card format. - + This card uses the old format and must be saved before use This card uses the old format and must be saved before use - - - - + + + + Property Egenskab - - - - + + + + Value Værdi - - - - + + + + Type Type - + Favorites Favorites - + Recent Recent - + Units Units - + Context menu Context menu - + Inherit from Inherit from - + Inherit new material Inherit new material @@ -1113,11 +1113,6 @@ If unchecked, they will be sorted by their name. QDockWidget - - - Display properties - Display properties - Material @@ -1159,22 +1154,22 @@ If unchecked, they will be sorted by their name. Removing this will also remove all contents. - + You must save the material before using it. You must save the material before using it. - + Unsaved Material Unsaved Material - + Do you want to save your changes to the material before closing? Do you want to save your changes to the material before closing? - + If you don't save, your changes will be lost. If you don't save, your changes will be lost. diff --git a/src/Mod/Material/Gui/Resources/translations/Material_de.ts b/src/Mod/Material/Gui/Resources/translations/Material_de.ts index e9917e6f96a6..d148748a5f76 100644 --- a/src/Mod/Material/Gui/Resources/translations/Material_de.ts +++ b/src/Mod/Material/Gui/Resources/translations/Material_de.ts @@ -204,17 +204,17 @@ MatGui::DlgDisplayPropertiesImp - + Basic Appearance Grundlegende Darstellung - + Texture Appearance Textur-Darstellung - + All Materials Alle Materialien @@ -889,76 +889,76 @@ Wenn deaktiviert, werden sie nach ihrem Namen sortiert. Darstellungs-Modell löschen - + Unnamed Unbenannt - + Old Format Material Altes Material-Format - + This file is in the old material card format. Diese Datei ist im Format der alten Materialkarte. - + This card uses the old format and must be saved before use Diese Karte benutzt das alte Format und muss vor der Verwendung gespeichert werden - - - - + + + + Property Eigenschaft - - - - + + + + Value Wert - - - - + + + + Type Typ - + Favorites Favoriten - + Recent Kürzlich verwendet - + Units Einheiten - + Context menu Kontextmenü - + Inherit from Erben von - + Inherit new material Neues Material vererben @@ -1113,11 +1113,6 @@ Wenn deaktiviert, werden sie nach ihrem Namen sortiert. QDockWidget - - - Display properties - Anzeigeeigenschaften - Material @@ -1159,22 +1154,22 @@ Wenn deaktiviert, werden sie nach ihrem Namen sortiert. Das Entfernen löscht auch alle Inhalte. - + You must save the material before using it. Das Material muss vor der Verwendung gespeichert werden. - + Unsaved Material Ungespeichertes Material - + Do you want to save your changes to the material before closing? Soll das Material vor dem Schließen gespeichert werden? - + If you don't save, your changes will be lost. Ohne Speichern gehen die Änderungen verloren. diff --git a/src/Mod/Material/Gui/Resources/translations/Material_el.ts b/src/Mod/Material/Gui/Resources/translations/Material_el.ts index 251409f6551d..2d7def600338 100644 --- a/src/Mod/Material/Gui/Resources/translations/Material_el.ts +++ b/src/Mod/Material/Gui/Resources/translations/Material_el.ts @@ -204,17 +204,17 @@ MatGui::DlgDisplayPropertiesImp - + Basic Appearance Βασική Εμφάνιση - + Texture Appearance Εμφάνιση Υφής - + All Materials Όλα Τα Υλικά @@ -891,76 +891,76 @@ If unchecked, they will be sorted by their name. Διαγραφή μοντέλου εμφάνισης - + Unnamed Ανώνυμο - + Old Format Material Υλικό Παλαιάς Μορφής - + This file is in the old material card format. Αυτό το αρχείο έχει την παλιά μορφή κάρτας υλικού. - + This card uses the old format and must be saved before use Αυτή η κάρτα χρησιμοποιεί την παλιά μορφή και πρέπει να αποθηκευτεί πριν από τη χρήση - - - - + + + + Property Ιδιότητα - - - - + + + + Value Τιμή - - - - + + + + Type Τύπος - + Favorites Αγαπημένα - + Recent Πρόσφατα - + Units Μονάδες - + Context menu Μενού πλαισίου - + Inherit from Κληρονόμηση από - + Inherit new material Κληρονόμηση νέου υλικού @@ -1115,11 +1115,6 @@ If unchecked, they will be sorted by their name. QDockWidget - - - Display properties - Εμφάνιση ιδιοτήτων - Material @@ -1161,22 +1156,22 @@ If unchecked, they will be sorted by their name. Η Αφαίρεση αυτού, θα αφαιρέσει επίσης όλα τα περιεχόμενα. - + You must save the material before using it. Πρέπει να αποθηκεύσετε το υλικό πριν το χρησιμοποιήσετε. - + Unsaved Material Μη Αποθηκευμένο Υλικό - + Do you want to save your changes to the material before closing? Θέλετε να αποθηκεύσετε τις αλλαγές σας στο υλικό πριν από το κλείσιμο; - + If you don't save, your changes will be lost. Αν don't αποθηκεύσετε, οι αλλαγές σας θα χαθούν. diff --git a/src/Mod/Material/Gui/Resources/translations/Material_es-AR.ts b/src/Mod/Material/Gui/Resources/translations/Material_es-AR.ts index e174b5141f93..38f971558757 100644 --- a/src/Mod/Material/Gui/Resources/translations/Material_es-AR.ts +++ b/src/Mod/Material/Gui/Resources/translations/Material_es-AR.ts @@ -204,17 +204,17 @@ MatGui::DlgDisplayPropertiesImp - + Basic Appearance Apariencia básica - + Texture Appearance Apariencia de textura - + All Materials Todos los materiales @@ -889,76 +889,76 @@ Si no está marcado, serán ordenadas por su nombre. Eliminar modelo de apariencia - + Unnamed Sin nombre - + Old Format Material Material de formato antiguo - + This file is in the old material card format. Este archivo está en el formato de tarjeta material antigua. - + This card uses the old format and must be saved before use Esta tarjeta utiliza el formato antiguo y debe guardarse antes de usarla - - - - + + + + Property Propiedad - - - - + + + + Value Valor - - - - + + + + Type Tipo - + Favorites Favoritos - + Recent Reciente - + Units Unidades - + Context menu Menú contextual - + Inherit from Heredar de - + Inherit new material Heredar nuevo material @@ -1113,11 +1113,6 @@ Si no está marcado, serán ordenadas por su nombre. QDockWidget - - - Display properties - Mostrar propiedades - Material @@ -1159,22 +1154,22 @@ Si no está marcado, serán ordenadas por su nombre. Al eliminar esto también se eliminará todo el contenido. - + You must save the material before using it. Debe guardar el material antes de usarlo. - + Unsaved Material Material sin guardar - + Do you want to save your changes to the material before closing? ¿Desea guardar los cambios en el material antes de cerrar? - + If you don't save, your changes will be lost. De no guardar, se perderán los cambios. diff --git a/src/Mod/Material/Gui/Resources/translations/Material_es-ES.ts b/src/Mod/Material/Gui/Resources/translations/Material_es-ES.ts index b1aa7d232d68..5c5763d1afd3 100644 --- a/src/Mod/Material/Gui/Resources/translations/Material_es-ES.ts +++ b/src/Mod/Material/Gui/Resources/translations/Material_es-ES.ts @@ -204,17 +204,17 @@ MatGui::DlgDisplayPropertiesImp - + Basic Appearance Apariencia básica - + Texture Appearance Apariencia de textura - + All Materials Todos los materiales @@ -889,76 +889,76 @@ Si no está marcado, serán ordenadas por su nombre. Eliminar modelo de apariencia - + Unnamed Sin nombre - + Old Format Material Material de formato antiguo - + This file is in the old material card format. Este archivo está en el formato de tarjeta material antigua. - + This card uses the old format and must be saved before use Esta tarjeta utiliza el formato antiguo y debe guardarse antes de usarla - - - - + + + + Property Propiedades - - - - + + + + Value Valor - - - - + + + + Type Tipo - + Favorites Favoritos - + Recent Reciente - + Units Unidades - + Context menu Menú contextual - + Inherit from Heredar de - + Inherit new material Heredar nuevo material @@ -1113,11 +1113,6 @@ Si no está marcado, serán ordenadas por su nombre. QDockWidget - - - Display properties - Mostrar propiedades - Material @@ -1159,22 +1154,22 @@ Si no está marcado, serán ordenadas por su nombre. Al eliminar esto también se eliminará todo el contenido. - + You must save the material before using it. Debe guardar el material antes de usarlo. - + Unsaved Material Material sin guardar - + Do you want to save your changes to the material before closing? ¿Desea guardar los cambios en el material antes de cerrar? - + If you don't save, your changes will be lost. De no guardar, se perderán los cambios. diff --git a/src/Mod/Material/Gui/Resources/translations/Material_eu.ts b/src/Mod/Material/Gui/Resources/translations/Material_eu.ts index b322377244b1..5eaa6f0df229 100644 --- a/src/Mod/Material/Gui/Resources/translations/Material_eu.ts +++ b/src/Mod/Material/Gui/Resources/translations/Material_eu.ts @@ -204,17 +204,17 @@ MatGui::DlgDisplayPropertiesImp - + Basic Appearance Basic Appearance - + Texture Appearance Texture Appearance - + All Materials All Materials @@ -889,76 +889,76 @@ If unchecked, they will be sorted by their name. Delete appearance model - + Unnamed Izenik gabea - + Old Format Material Old Format Material - + This file is in the old material card format. This file is in the old material card format. - + This card uses the old format and must be saved before use This card uses the old format and must be saved before use - - - - + + + + Property Propietatea - - - - + + + + Value Balioa - - - - + + + + Type Mota - + Favorites Favorites - + Recent Recent - + Units Unitateak - + Context menu Context menu - + Inherit from Inherit from - + Inherit new material Inherit new material @@ -1113,11 +1113,6 @@ If unchecked, they will be sorted by their name. QDockWidget - - - Display properties - Display properties - Material @@ -1159,22 +1154,22 @@ If unchecked, they will be sorted by their name. Removing this will also remove all contents. - + You must save the material before using it. You must save the material before using it. - + Unsaved Material Unsaved Material - + Do you want to save your changes to the material before closing? Do you want to save your changes to the material before closing? - + If you don't save, your changes will be lost. If you don't save, your changes will be lost. diff --git a/src/Mod/Material/Gui/Resources/translations/Material_fi.ts b/src/Mod/Material/Gui/Resources/translations/Material_fi.ts index dcac35e31be4..daebfe4de94a 100644 --- a/src/Mod/Material/Gui/Resources/translations/Material_fi.ts +++ b/src/Mod/Material/Gui/Resources/translations/Material_fi.ts @@ -204,17 +204,17 @@ MatGui::DlgDisplayPropertiesImp - + Basic Appearance Basic Appearance - + Texture Appearance Texture Appearance - + All Materials All Materials @@ -889,76 +889,76 @@ If unchecked, they will be sorted by their name. Delete appearance model - + Unnamed Nimetön - + Old Format Material Old Format Material - + This file is in the old material card format. This file is in the old material card format. - + This card uses the old format and must be saved before use This card uses the old format and must be saved before use - - - - + + + + Property Ominaisuus - - - - + + + + Value Arvo - - - - + + + + Type Tyyppi - + Favorites Favorites - + Recent Recent - + Units Yksiköt - + Context menu Context menu - + Inherit from Inherit from - + Inherit new material Inherit new material @@ -1113,11 +1113,6 @@ If unchecked, they will be sorted by their name. QDockWidget - - - Display properties - Display properties - Material @@ -1159,22 +1154,22 @@ If unchecked, they will be sorted by their name. Removing this will also remove all contents. - + You must save the material before using it. You must save the material before using it. - + Unsaved Material Unsaved Material - + Do you want to save your changes to the material before closing? Do you want to save your changes to the material before closing? - + If you don't save, your changes will be lost. If you don't save, your changes will be lost. diff --git a/src/Mod/Material/Gui/Resources/translations/Material_fr.ts b/src/Mod/Material/Gui/Resources/translations/Material_fr.ts index 632fc227d835..c697ea0e6d0b 100644 --- a/src/Mod/Material/Gui/Resources/translations/Material_fr.ts +++ b/src/Mod/Material/Gui/Resources/translations/Material_fr.ts @@ -204,17 +204,17 @@ MatGui::DlgDisplayPropertiesImp - + Basic Appearance Apparence de base - + Texture Appearance Apparence des textures - + All Materials Tous les matériaux @@ -888,76 +888,76 @@ S'ils ne sont pas cochés, ils seront triés par leur nom. Supprimer le modèle d'apparence - + Unnamed Nouveau - + Old Format Material Matériau à l'ancien format - + This file is in the old material card format. Ce fichier est à l'ancien format du jeu de paramètres du matériau. - + This card uses the old format and must be saved before use Ce jeu de paramètres utilise l'ancien format et doit être enregistré avant d'être utilisé. - - - - + + + + Property Propriété - - - - + + + + Value Valeur - - - - + + + + Type Type - + Favorites Favoris - + Recent Récents - + Units Unités - + Context menu Menu contextuel - + Inherit from Hériter de - + Inherit new material Hériter d'un nouveau matériau @@ -1112,11 +1112,6 @@ S'ils ne sont pas cochés, ils seront triés par leur nom. QDockWidget - - - Display properties - Afficher les propriétés - Material @@ -1158,22 +1153,22 @@ S'ils ne sont pas cochés, ils seront triés par leur nom. Supprimer ceci supprimera également tous les contenus. - + You must save the material before using it. Vous devez enregistrer le matériau avant de l'utiliser. - + Unsaved Material Matériau non sauvegardé - + Do you want to save your changes to the material before closing? Voulez-vous enregistrer les modifications apportées à ce matériau avant de fermer ? - + If you don't save, your changes will be lost. Si vous n'enregistrez pas, vos modifications seront perdues. diff --git a/src/Mod/Material/Gui/Resources/translations/Material_hr.ts b/src/Mod/Material/Gui/Resources/translations/Material_hr.ts index 8aa5769f5c92..24663e5d35b8 100644 --- a/src/Mod/Material/Gui/Resources/translations/Material_hr.ts +++ b/src/Mod/Material/Gui/Resources/translations/Material_hr.ts @@ -12,7 +12,7 @@ Inspect the appearance properties of the selected object - Inspect the appearance properties of the selected object + Provjerite svojstva izgleda odabranog objekta @@ -26,7 +26,7 @@ Inspect the material properties of the selected object - Inspect the material properties of the selected object + Provjerite svojstva materijala odabranog objekta @@ -52,7 +52,7 @@ 2D Array - 2D Array + 2D Matrica @@ -70,7 +70,7 @@ 3D Array - 3D Array + 3D Matrica @@ -88,18 +88,18 @@ Confirm Delete - Confirm Delete + Potvrdite Brisanje Are you sure you want to delete the row? - Are you sure you want to delete the row? + Jeste li sigurni da želite izbrisati redak? Removing this will also remove all 2D contents. - Removing this will also remove all 2D contents. + Uklanjanjem ovoga također će se ukloniti svi 2D sadržaji. @@ -183,12 +183,12 @@ Color plot: - Color plot: + Boja ispisa: Custom appearance: - Custom appearance: + Korisnički prilagođen izgled: @@ -204,19 +204,19 @@ MatGui::DlgDisplayPropertiesImp - + Basic Appearance - Basic Appearance + Osnovni Prikaz - + Texture Appearance - Texture Appearance + Prikaz Teksture - + All Materials - All Materials + Svi Materijali @@ -249,12 +249,12 @@ Sub.Shape / Type - Sub.Shape / Type + Sub.Shape / Type Shape.TypeID / TypeID - Shape.TypeID / TypeID + Shape.TypeID / TypeID @@ -274,27 +274,27 @@ Diffuse Color - Diffuse Color + Difuzna boja Ambient Color - Ambient Color + Ambijentalna boja Emissive Color - Emissive Color + Emisiona boja Specular Color - Specular Color + Boja sjaja Shininess - Shininess + Sjajnost @@ -332,12 +332,12 @@ Sub.Shape / Type - Sub.Shape / Type + Sub.Shape / Type Shape.TypeID / TypeID - Shape.TypeID / TypeID + Shape.TypeID / TypeID @@ -362,7 +362,7 @@ Internal Name: - Internal Name: + Interni Naziv: @@ -402,35 +402,35 @@ Library: - Library: + Biblioteka: Library Directory: - Library Directory: + Direktorij biblioteke: Sub Directory: - Sub Directory: + Pod Direktorij: Inherits: - Inherits: + Nasljeđuje: Model UUID: - Model UUID: + Model UUID: Has value: - Has value: + Ima vrijednost: @@ -445,22 +445,22 @@ Appearance Models: - Appearance Models: + Modeli izgleda: Physical Models: - Physical Models: + Fizički modeli: Appearance Properties: - Appearance Properties: + Svojstva izgleda: Physical Properties: - Physical Properties: + Fizička svojstva: @@ -482,7 +482,7 @@ Physical - Physical + Fizička @@ -495,92 +495,92 @@ Card resources - Card resources + Resursi kartice The cards built-in to FreeCAD will be listed as available. - The cards built-in to FreeCAD will be listed as available. + U FreeCAD ugrađene kartice bit će navedene kao dostupne. Use built-in materials - Use built-in materials + Koristite ugrađene materijale Use materials added by external workbenches. - Use materials added by external workbenches. + Koristite materijale dodane vanjskim radnim proširenjima. Use materials from external workbenches - Use materials from external workbenches + Koristite materijale od vanjskih radnih proširenja Also cards from FreeCAD's preferences directory will be listed as available. - Also cards from FreeCAD's preferences directory will be listed as available. + Takođe kartice iz FreeCAD direktorija postavki bit će navedene kao dostupne. Use materials from Materials directory in user's FreeCAD preference directory - Use materials from Materials directory in user's FreeCAD preference directory + Koristi materijale iz direktorija Materijali u korisničkom direktoriju postavke FreeCAD-a. Also material cards also from the specified directory will be listed as available. - Also material cards also from the specified directory -will be listed as available. + Takođe kartice materijala iz navedenog direktorija +bit će navedene kao dostupne. Use materials from user defined directory - Use materials from user defined directory + Koristite materijale iz korisnički definiranog direktorija User directory - User directory + Korisnički direktorij Card sorting and duplicates - Card sorting and duplicates + Sortiranje kartica i duplikati Duplicate cards will be deleted from the displayed material card list. - Duplicate cards will be deleted from the displayed material card list. + Duplikati kartica će biti obrisani sa prikazane liste kartica materijala. Delete card duplicates - Delete card duplicates + Izbriši duplikate kartice Material cards appear sorted by their resources (locations). If unchecked, they will be sorted by their name. - Material cards appear sorted by their resources (locations). -If unchecked, they will be sorted by their name. + Kartice materijala će se pojavljivati sortirane prema bibliotekama kojima pripadaju (lokacijama). +Ako nije označeno, one će biti sortirane po imenima. Sort by resources - Sort by resources + Sortiraj po bibliotekama Material Selector - Material Selector + Odabir Materijala Show favorites - Show favorites + Prikaži omiljene @@ -592,24 +592,24 @@ If unchecked, they will be sorted by their name. Show empty libraries - Show empty libraries + Prikaži prazne biblioteke Show empty folders - Show empty folders + Prikaži prazne mape Show legacy files - Show legacy files + Prikaži naslijeđene datoteke Material Editor - Material Editor + Uređivač Materijala @@ -622,7 +622,7 @@ If unchecked, they will be sorted by their name. Thumbnail - Thumbnail + Sličica @@ -652,7 +652,7 @@ If unchecked, they will be sorted by their name. Image files (*.svg);;All files (*) - Image files (*.svg);;All files (*) + Datoteke slika (*.svg);;Sve datoteke (*) @@ -660,7 +660,7 @@ If unchecked, they will be sorted by their name. List Edit - List Edit + Uredi Listu @@ -691,7 +691,7 @@ If unchecked, they will be sorted by their name. Library: - Library: + Biblioteka: @@ -708,7 +708,7 @@ If unchecked, they will be sorted by their name. Save as Inherited - Save as Inherited + Spremi kao naslijeđeno @@ -718,32 +718,32 @@ If unchecked, they will be sorted by their name. Are you sure you want to save over '%1'? - Are you sure you want to save over '%1'? + Jeste li sigurni da želite prekopisati '%1'? Saving over the original file may cause other documents to break. This is not recommended. - Saving over the original file may cause other documents to break. This is not recommended. + Spremanje preko izvorne datoteke može uzrokovati oštećenje drugih dokumenata. Ovo se ne preporučuje. Confirm Save As New Material - Confirm Save As New Material + Potvrdite Spremi kao novi materijal Save as new material - Save as new material + Spremi kao novi materijal This material already exists in this library. Would you like to save as a new material? - This material already exists in this library. Would you like to save as a new material? + Ovaj materijal već postoji u ovoj biblioteci. Želite li spremiti kao novi materijal? Confirm Save As Copy - Confirm Save As Copy + Potvrdite Spremi kao kopiju @@ -753,7 +753,7 @@ If unchecked, they will be sorted by their name. Saving a copy is not recommended as it can break other documents. We recommend you save as a new material. - Saving a copy is not recommended as it can break other documents. We recommend you save as a new material. + Spremanje kopije se ne preporučuje jer može oštetiti druge dokumente. Preporučujemo da spremite kao novi materijal. @@ -763,7 +763,7 @@ If unchecked, they will be sorted by their name. Save As New - Save As New + Spremi kao Novi @@ -776,7 +776,7 @@ If unchecked, they will be sorted by their name. Launch editor - Launch editor + Pokreni uređivač @@ -836,7 +836,7 @@ If unchecked, they will be sorted by their name. Source Reference - Source Reference + Referenca izvora @@ -851,27 +851,27 @@ If unchecked, they will be sorted by their name. Inherit New - Inherit New + Novo naslijeđeno Add to favorites - Add to favorites + Dodaj u omiljene Physical - Physical + Fizički Add physical model - Add physical model + Dodaj fizički model Delete physical model - Delete physical model + Izbriši fizički model @@ -881,86 +881,86 @@ If unchecked, they will be sorted by their name. Add appearance model - Add appearance model + Dodaj model izgleda Delete appearance model - Delete appearance model + Izbriši model izgleda - + Unnamed Neimenovano - + Old Format Material - Old Format Material + Materijal starog formata - + This file is in the old material card format. - This file is in the old material card format. + Ova datoteka je u starom formatu kartice materijala. - + This card uses the old format and must be saved before use - This card uses the old format and must be saved before use + Ova kartica koristi stari format i mora se spremiti prije upotrebe - - - - + + + + Property Svojstva - - - - + + + + Value Vrijednost - - - - + + + + Type Tip - + Favorites Favoriti - + Recent Nedavno - + Units Mjerne jedinice - + Context menu Kontekstni izbornik - + Inherit from - Inherit from + Naslijedi od - + Inherit new material - Inherit new material + Naslijedi novi materijal @@ -968,7 +968,7 @@ If unchecked, they will be sorted by their name. Material Models - Material Models + Modeli materijala @@ -1000,7 +1000,7 @@ If unchecked, they will be sorted by their name. Add to favorites - Add to favorites + Dodaj u omiljene @@ -1022,7 +1022,7 @@ If unchecked, they will be sorted by their name. Inherited - Inherited + Naslijeđeno @@ -1045,7 +1045,7 @@ If unchecked, they will be sorted by their name. Text Edit - Text Edit + Uredi tekst @@ -1053,7 +1053,7 @@ If unchecked, they will be sorted by their name. Material Editor - Material Editor + Uređivač Materijala @@ -1063,17 +1063,17 @@ If unchecked, they will be sorted by their name. Opens the Product URL of this material in an external browser - Opens the Product URL of this material in an external browser + Otvara URL proizvoda ovog materijala u vanjskom pregledniku Existing material cards - Existing material cards + Postojeće kartice materijala Opens an existing material card - Opens an existing material card + Otvori jednu karticu materijala @@ -1083,22 +1083,22 @@ If unchecked, they will be sorted by their name. Saves this material as a card - Saves this material as a card + Spremi ovaj materijal kao karticu Save as... - Save as... + Spremi kao... Material parameter - Material parameter + Parametar materijala Add / remove parameter - Add / remove parameter + Dodaj / ukloni parametar @@ -1108,16 +1108,11 @@ If unchecked, they will be sorted by their name. Delete property - Delete property + Izbriši svojstvo QDockWidget - - - Display properties - Prikaži svojstva - Material @@ -1129,7 +1124,7 @@ If unchecked, they will be sorted by their name. Material workbench - Material workbench + Materijal radni prostor @@ -1140,56 +1135,56 @@ If unchecked, they will be sorted by their name. Confirm Overwrite - Confirm Overwrite + Potvrda prekopisanja No writeable library - No writeable library + Nema biblioteke za pisanje Are you sure you want to delete '%1'? - Are you sure you want to delete '%1'? + Jeste li sigurni da želite izbrisati '%1'? Removing this will also remove all contents. - Removing this will also remove all contents. + Uklanjanjem ovoga također će se ukloniti svi sadržaji. - + You must save the material before using it. - You must save the material before using it. + Materijal morate spremiti prije korištenja. - + Unsaved Material - Unsaved Material + Nespremljeni Materijal - + Do you want to save your changes to the material before closing? - Do you want to save your changes to the material before closing? + Želite li spremiti promjene u maerijalu prije zatvaranja? - + If you don't save, your changes will be lost. - If you don't save, your changes will be lost. + Ako ne spremite, vaše promjene bit će izgubljene. Confirm Delete - Confirm Delete + Potvrdite Brisanje Are you sure you want to delete the row? - Are you sure you want to delete the row? + Jeste li sigurni da želite izbrisati redak? @@ -1197,13 +1192,13 @@ If unchecked, they will be sorted by their name. Appearance... - Appearance... + Izgled... Sets the display properties of the selected object - Sets the display properties of the selected object + Postavlja svojstva prikaza odabranog objekta @@ -1211,13 +1206,13 @@ If unchecked, they will be sorted by their name. Material... - Material... + Materijal... Sets the material of the selected object - Sets the material of the selected object + Postavlja materijal odabranog objekta diff --git a/src/Mod/Material/Gui/Resources/translations/Material_hu.ts b/src/Mod/Material/Gui/Resources/translations/Material_hu.ts index 9d195e5188a1..aba292f33d5a 100644 --- a/src/Mod/Material/Gui/Resources/translations/Material_hu.ts +++ b/src/Mod/Material/Gui/Resources/translations/Material_hu.ts @@ -204,17 +204,17 @@ MatGui::DlgDisplayPropertiesImp - + Basic Appearance Alapértelmezett megjelenítés - + Texture Appearance Szerkezet megjelenítés - + All Materials Összes anyagtípus @@ -889,76 +889,76 @@ Ha le van tiltva, név szerint vannak rendezve. Megjelenési modell törlése - + Unnamed Névtelen - + Old Format Material Régi formátumú anyag - + This file is in the old material card format. Ez a fájl a régi anyagkártya formátumú. - + This card uses the old format and must be saved before use Ez a kártya a régi formátumot használja, és használat előtt el kell menteni - - - - + + + + Property Tulajdonság - - - - + + + + Value Érték - - - - + + + + Type Típus - + Favorites Kedvencek - + Recent Előzmények - + Units Egységek - + Context menu Helyi menü - + Inherit from Öröklés a következőből - + Inherit new material Öröklés új anyagként @@ -1113,11 +1113,6 @@ Ha le van tiltva, név szerint vannak rendezve. QDockWidget - - - Display properties - Tulajdonságok megjelenítése - Material @@ -1159,22 +1154,22 @@ Ha le van tiltva, név szerint vannak rendezve. Ennek eltávolítása az összes tartalmat is eltávolítja. - + You must save the material before using it. Az anyagot használat előtt el kell mentenie. - + Unsaved Material Nem mentett anyag - + Do you want to save your changes to the material before closing? Szeretné elmenteni a módosításokat az anyagban a bezárás előtt? - + If you don't save, your changes will be lost. Ha nem menti el, a módosítások elvesznek. diff --git a/src/Mod/Material/Gui/Resources/translations/Material_it.ts b/src/Mod/Material/Gui/Resources/translations/Material_it.ts index 47008bade38f..1a233bc56ae0 100644 --- a/src/Mod/Material/Gui/Resources/translations/Material_it.ts +++ b/src/Mod/Material/Gui/Resources/translations/Material_it.ts @@ -204,17 +204,17 @@ MatGui::DlgDisplayPropertiesImp - + Basic Appearance Aspetto di base - + Texture Appearance Aspetto texture - + All Materials Tutti i materiali @@ -888,76 +888,76 @@ Se non selezionato, saranno ordinate per il loro nome. Elimina modello di aspetto - + Unnamed Senza nome - + Old Format Material Materiale nel vecchio formato - + This file is in the old material card format. Questo file è nel vecchio formato di scheda materiale. - + This card uses the old format and must be saved before use Questa scheda usa il vecchio formato e deve essere salvata prima dell'uso - - - - + + + + Property Proprietà - - - - + + + + Value Valore - - - - + + + + Type Tipo - + Favorites Preferiti - + Recent Recenti - + Units Unità - + Context menu Menu contestuale - + Inherit from Eredita da - + Inherit new material Eredita nuovo materiale @@ -1112,11 +1112,6 @@ Se non selezionato, saranno ordinate per il loro nome. QDockWidget - - - Display properties - Visualizza proprietà - Material @@ -1158,22 +1153,22 @@ Se non selezionato, saranno ordinate per il loro nome. Rimuovendo questo saranno rimossi anche tutti i contenuti. - + You must save the material before using it. Devi salvare il materiale prima di usarlo. - + Unsaved Material Materiale non salvato - + Do you want to save your changes to the material before closing? Vuoi salvare le modifiche al materiale prima di chiudere? - + If you don't save, your changes will be lost. Non salvando, tutte le modifiche andranno perse. diff --git a/src/Mod/Material/Gui/Resources/translations/Material_ja.ts b/src/Mod/Material/Gui/Resources/translations/Material_ja.ts index 326fcda47d49..c4fffc13bef0 100644 --- a/src/Mod/Material/Gui/Resources/translations/Material_ja.ts +++ b/src/Mod/Material/Gui/Resources/translations/Material_ja.ts @@ -204,17 +204,17 @@ MatGui::DlgDisplayPropertiesImp - + Basic Appearance 基本的な外観 - + Texture Appearance テクスチャーの外観 - + All Materials 全てのマテリアル @@ -888,76 +888,76 @@ If unchecked, they will be sorted by their name. 外観モデルを削除 - + Unnamed Unnamed - + Old Format Material 古い形式のマテリアル - + This file is in the old material card format. このファイルの形式は旧バージョンで作成されたものです。 - + This card uses the old format and must be saved before use このファイルの形式は旧バージョンで作成されたものです。使用する前に、一度保存する必要があります。 - - - - + + + + Property プロパティ - - - - + + + + Value - - - - + + + + Type タイプ - + Favorites お気に入り - + Recent 最近 - + Units 単位 - + Context menu コンテキストメニュー - + Inherit from 継承元 - + Inherit new material 新規マテリアルを継承 @@ -1112,11 +1112,6 @@ If unchecked, they will be sorted by their name. QDockWidget - - - Display properties - プロパティを表示 - Material @@ -1158,22 +1153,22 @@ If unchecked, they will be sorted by their name. この削除により、すべてのコンテンツも削除されます。 - + You must save the material before using it. 使用する前にマテリアルを保存する必要があります。 - + Unsaved Material 未保存のマテリアル - + Do you want to save your changes to the material before closing? 閉じる前にマテリアルの変更を保存しますか? - + If you don't save, your changes will be lost. 保存しない場合、変更内容は失われます。 diff --git a/src/Mod/Material/Gui/Resources/translations/Material_ka.ts b/src/Mod/Material/Gui/Resources/translations/Material_ka.ts index 27960dcd8d2e..8d4195305bcb 100644 --- a/src/Mod/Material/Gui/Resources/translations/Material_ka.ts +++ b/src/Mod/Material/Gui/Resources/translations/Material_ka.ts @@ -204,17 +204,17 @@ MatGui::DlgDisplayPropertiesImp - + Basic Appearance ძირითადი გარეგნობა - + Texture Appearance ტექსტურის გარეგნობა - + All Materials ყველა მასალა @@ -889,76 +889,76 @@ If unchecked, they will be sorted by their name. გარეგნობის მოდელის წაშლა - + Unnamed უსახელო - + Old Format Material ძველი ფორმატის მასალა - + This file is in the old material card format. ფაილი ძველი მასალის ბარათის ფორმატშია. - + This card uses the old format and must be saved before use ეს ბარათი ძველ ფორმატს იყენებს და გამოყენებამდე უნდა შეინახოთ - - - - + + + + Property თვისება - - - - + + + + Value მნიშვნელობა - - - - + + + + Type ტიპი - + Favorites რჩეულები - + Recent ბოლო - + Units საზომი ერთეული - + Context menu კონტექსტური მენიუ - + Inherit from მემკვიდრეობით საიდან - + Inherit new material ახალი მასალა მემკვიდრეობით @@ -1113,11 +1113,6 @@ If unchecked, they will be sorted by their name. QDockWidget - - - Display properties - თვისებების ჩვენება - Material @@ -1159,22 +1154,22 @@ If unchecked, they will be sorted by their name. ამის წაშლა მის შემცველობასაც წაშლის. - + You must save the material before using it. მასალის გამოყენებამდე აუცილებელია, შეინახოთ ის. - + Unsaved Material შეუნახავი მასალა - + Do you want to save your changes to the material before closing? გსურთ შეინახოთ მასალის ცვლილებები მის დახურვამდე? - + If you don't save, your changes will be lost. თუ არ შეინახავთ, თქვენი ცვლილებები დაიკარგება. diff --git a/src/Mod/Material/Gui/Resources/translations/Material_ko.ts b/src/Mod/Material/Gui/Resources/translations/Material_ko.ts index 5d7e0a058480..073be31c32c1 100644 --- a/src/Mod/Material/Gui/Resources/translations/Material_ko.ts +++ b/src/Mod/Material/Gui/Resources/translations/Material_ko.ts @@ -204,17 +204,17 @@ MatGui::DlgDisplayPropertiesImp - + Basic Appearance Basic Appearance - + Texture Appearance Texture Appearance - + All Materials All Materials @@ -889,76 +889,76 @@ If unchecked, they will be sorted by their name. Delete appearance model - + Unnamed 이름없음 - + Old Format Material Old Format Material - + This file is in the old material card format. This file is in the old material card format. - + This card uses the old format and must be saved before use This card uses the old format and must be saved before use - - - - + + + + Property 속성 - - - - + + + + Value - - - - + + + + Type 유형 - + Favorites Favorites - + Recent Recent - + Units 단위 - + Context menu Context menu - + Inherit from Inherit from - + Inherit new material Inherit new material @@ -1113,11 +1113,6 @@ If unchecked, they will be sorted by their name. QDockWidget - - - Display properties - Display properties - Material @@ -1159,22 +1154,22 @@ If unchecked, they will be sorted by their name. Removing this will also remove all contents. - + You must save the material before using it. You must save the material before using it. - + Unsaved Material Unsaved Material - + Do you want to save your changes to the material before closing? Do you want to save your changes to the material before closing? - + If you don't save, your changes will be lost. If you don't save, your changes will be lost. diff --git a/src/Mod/Material/Gui/Resources/translations/Material_lt.ts b/src/Mod/Material/Gui/Resources/translations/Material_lt.ts index 6e985cbd6b71..f29cd729540e 100644 --- a/src/Mod/Material/Gui/Resources/translations/Material_lt.ts +++ b/src/Mod/Material/Gui/Resources/translations/Material_lt.ts @@ -204,17 +204,17 @@ MatGui::DlgDisplayPropertiesImp - + Basic Appearance Pagrindinė išvaizda - + Texture Appearance Tekstūros išvaizda - + All Materials Visos medžiagos @@ -889,76 +889,76 @@ If unchecked, they will be sorted by their name. Naikinti išvaizdos modelį - + Unnamed Be pavadinimo - + Old Format Material Senojo formato medžiaga - + This file is in the old material card format. Šis failas yra senojo formato medžiagos kortelė. - + This card uses the old format and must be saved before use Ši kortelė naudoja senąjį formatą ir turi būti išsaugota prieš naudojimą - - - - + + + + Property Savybė - - - - + + + + Value Reikšmė - - - - + + + + Type Rūšis - + Favorites Parankiniai - + Recent Paskiausi - + Units Matavimo vienetai - + Context menu Kontekstinis meniu - + Inherit from Paveldėti iš - + Inherit new material Paveldėti naują medžiagą @@ -1113,11 +1113,6 @@ If unchecked, they will be sorted by their name. QDockWidget - - - Display properties - Rodymo ypatybės - Material @@ -1159,22 +1154,22 @@ If unchecked, they will be sorted by their name. Pašalinus tai, bus pašalintas ir visas turinys. - + You must save the material before using it. Prieš naudodami medžiagą, turite ją išsaugoti. - + Unsaved Material Neišsaugota medžiaga - + Do you want to save your changes to the material before closing? Ar norite įrašyti medžiagos savybių keitimus prieš užveriant? - + If you don't save, your changes will be lost. Jei neįrašysite, jūsų pakeitimai bus prarasti. diff --git a/src/Mod/Material/Gui/Resources/translations/Material_nl.ts b/src/Mod/Material/Gui/Resources/translations/Material_nl.ts index dc2979846772..ced4c5a72ef9 100644 --- a/src/Mod/Material/Gui/Resources/translations/Material_nl.ts +++ b/src/Mod/Material/Gui/Resources/translations/Material_nl.ts @@ -204,17 +204,17 @@ MatGui::DlgDisplayPropertiesImp - + Basic Appearance Basic Appearance - + Texture Appearance Texture Appearance - + All Materials Alle materialen @@ -889,76 +889,76 @@ If unchecked, they will be sorted by their name. Delete appearance model - + Unnamed Naamloos - + Old Format Material Old Format Material - + This file is in the old material card format. This file is in the old material card format. - + This card uses the old format and must be saved before use This card uses the old format and must be saved before use - - - - + + + + Property Eigenschap - - - - + + + + Value Waarde - - - - + + + + Type Type - + Favorites Favorieten - + Recent Recent - + Units Eenheden - + Context menu Contextmenu - + Inherit from Inherit from - + Inherit new material Inherit new material @@ -1113,11 +1113,6 @@ If unchecked, they will be sorted by their name. QDockWidget - - - Display properties - Display properties - Material @@ -1159,22 +1154,22 @@ If unchecked, they will be sorted by their name. Removing this will also remove all contents. - + You must save the material before using it. You must save the material before using it. - + Unsaved Material Unsaved Material - + Do you want to save your changes to the material before closing? Do you want to save your changes to the material before closing? - + If you don't save, your changes will be lost. If you don't save, your changes will be lost. diff --git a/src/Mod/Material/Gui/Resources/translations/Material_pl.ts b/src/Mod/Material/Gui/Resources/translations/Material_pl.ts index 4ada8fea1114..6dec508ea0b9 100644 --- a/src/Mod/Material/Gui/Resources/translations/Material_pl.ts +++ b/src/Mod/Material/Gui/Resources/translations/Material_pl.ts @@ -204,17 +204,17 @@ MatGui::DlgDisplayPropertiesImp - + Basic Appearance Wygląd podstawowy - + Texture Appearance Wygląd tekstur - + All Materials Wszystkie materiały @@ -895,76 +895,76 @@ Najlepiej dokonać zapisu jako nowy materiał. Usuń model wyglądu - + Unnamed Bez nazwy - + Old Format Material Stary format materiału - + This file is in the old material card format. Ten plik jest w formacie starej karty materiałowej. - + This card uses the old format and must be saved before use Ta karta używa starego formatu i musi być zapisana przed użyciem - - - - + + + + Property Właściwości - - - - + + + + Value Wartości - - - - + + + + Type Typ - + Favorites Ulubione - + Recent Ostatnie - + Units Jednostki - + Context menu Menu podręczne - + Inherit from Powiel od - + Inherit new material Powiel nowy materiał @@ -1119,11 +1119,6 @@ Najlepiej dokonać zapisu jako nowy materiał. QDockWidget - - - Display properties - Wyświetl właściwości - Material @@ -1165,22 +1160,22 @@ Najlepiej dokonać zapisu jako nowy materiał. Usunięcie tej pozycji spowoduje również usunięcie całej zawartości. - + You must save the material before using it. Musisz zapisać materiał przed jego zastosowaniem. - + Unsaved Material Niezapisany materiał - + Do you want to save your changes to the material before closing? Czy chcesz zapisać zmiany w materiale przed zamknięciem? - + If you don't save, your changes will be lost. Jeśli nie wykonasz zapisu, zmiany zostaną utracone. diff --git a/src/Mod/Material/Gui/Resources/translations/Material_pt-BR.ts b/src/Mod/Material/Gui/Resources/translations/Material_pt-BR.ts index 367fe143aabe..feaf5e4c3812 100644 --- a/src/Mod/Material/Gui/Resources/translations/Material_pt-BR.ts +++ b/src/Mod/Material/Gui/Resources/translations/Material_pt-BR.ts @@ -204,17 +204,17 @@ MatGui::DlgDisplayPropertiesImp - + Basic Appearance Aparência básica - + Texture Appearance Aparência de textura - + All Materials Todos os materiais @@ -888,76 +888,76 @@ Se desmarcado, eles serão classificados pelo nome. Excluir modelo de aparência - + Unnamed Sem nome - + Old Format Material Formato antigo de material - + This file is in the old material card format. Este arquivo está no formato antigo de cartão de material. - + This card uses the old format and must be saved before use Este cartão utiliza o formato antigo e deve ser salvo antes de ser usado - - - - + + + + Property Propriedade - - - - + + + + Value Valor - - - - + + + + Type Tipo - + Favorites Favoritos - + Recent Recente - + Units Unidades - + Context menu Menu de contexto - + Inherit from Herdado de - + Inherit new material Herdar novo material @@ -1112,11 +1112,6 @@ Se desmarcado, eles serão classificados pelo nome. QDockWidget - - - Display properties - Propriedades de exibição - Material @@ -1158,22 +1153,22 @@ Se desmarcado, eles serão classificados pelo nome. Remover isto também irá remover todo o conteúdo. - + You must save the material before using it. Você deve salvar o material antes de utilizá-lo. - + Unsaved Material Material não salvo - + Do you want to save your changes to the material before closing? Deseja salvar suas alterações no material antes de fechar? - + If you don't save, your changes will be lost. Se você não for salvar, suas alterações serão perdidas. diff --git a/src/Mod/Material/Gui/Resources/translations/Material_pt-PT.ts b/src/Mod/Material/Gui/Resources/translations/Material_pt-PT.ts index 8c23cdd8a06e..1b15a2654029 100644 --- a/src/Mod/Material/Gui/Resources/translations/Material_pt-PT.ts +++ b/src/Mod/Material/Gui/Resources/translations/Material_pt-PT.ts @@ -6,13 +6,13 @@ Inspect Appearance... - Inspect Appearance... + Inspecionar Aparência... Inspect the appearance properties of the selected object - Inspect the appearance properties of the selected object + Inspecionar as propriedades de aparência do objeto selecionado @@ -20,13 +20,13 @@ Inspect Material... - Inspect Material... + Inspecionar Material... Inspect the material properties of the selected object - Inspect the material properties of the selected object + Inspecionar as propriedades de material do objeto selecionado @@ -39,12 +39,12 @@ Edit... - Edit... + Editar... Edit material properties - Edit material properties + Editar propriedades do material @@ -52,17 +52,17 @@ 2D Array - 2D Array + Matriz 2D Delete row - Delete row + Eliminar linha Context menu - Context menu + Menu de contexto @@ -70,36 +70,36 @@ 3D Array - 3D Array + Matriz 3D Delete row - Delete row + Eliminar linha Context menu - Context menu + Menu de contexto Confirm Delete - Confirm Delete + Confirmar Eliminação Are you sure you want to delete the row? - Are you sure you want to delete the row? + Tem a certeza que quer eliminar a linha? Removing this will also remove all 2D contents. - Removing this will also remove all 2D contents. + Remover isto também irá remover todos os conteúdos 2D. @@ -133,7 +133,7 @@ Display properties - Display properties + Propriedades de visualização @@ -173,7 +173,7 @@ Line transparency: - Line transparency: + Transparência da linha: @@ -183,17 +183,17 @@ Color plot: - Color plot: + Cor do traçado: Custom appearance: - Custom appearance: + Aparência personalizada: Point color: - Point color: + Cor do ponto: @@ -204,19 +204,19 @@ MatGui::DlgDisplayPropertiesImp - + Basic Appearance - Basic Appearance + Aparência Básica - + Texture Appearance - Texture Appearance + Aparência da Textura - + All Materials - All Materials + Todos os Materiais @@ -224,12 +224,12 @@ Form - De + Formulário Document - Documento + Documento @@ -239,22 +239,22 @@ Name of the active document - Name of the active document + Nome do documento ativo Label / Internal Name - Label / Internal Name + Etiqueta / Nome Interno Sub.Shape / Type - Sub.Shape / Type + Sub.Forma / Type Shape.TypeID / TypeID - Shape.TypeID / TypeID + Forma.TypeID / TypeID @@ -264,37 +264,37 @@ Tab 1 - Tab 1 + Sparador 1 Tab 2 - Tab 2 + Sparador 2 Diffuse Color - Diffuse Color + Cor Difusa Ambient Color - Ambient Color + Cor Ambiente Emissive Color - Emissive Color + Cor Emissiva Specular Color - Specular Color + Cor Especular Shininess - Shininess + Brilho @@ -307,12 +307,12 @@ Form - De + Formulário Document - Documento + Documento @@ -322,22 +322,22 @@ Name of the active document - Name of the active document + Nome do documento ativo Label / Internal Name - Label / Internal Name + Etiqueta / Nome Interno Sub.Shape / Type - Sub.Shape / Type + Sub.Forma / Type Shape.TypeID / TypeID - Shape.TypeID / TypeID + Forma.TypeID / TypeID @@ -347,33 +347,33 @@ Copy to clipboard - Copiar para Área de Transferência + Copiar para a Área de Transferência Document: - Document: + Documento: Label: - Label: + Etiqueta: Internal Name: - Internal Name: + Nome interno: Type: - Type: + Tipo: TypeID: - TypeID: + TypeID: @@ -382,7 +382,7 @@ Name: - Name: + Nome: @@ -396,71 +396,71 @@ UUID: - UUID: + UUID: Library: - Library: + Biblioteca: Library Directory: - Library Directory: + Diretório da Biblioteca: Sub Directory: - Sub Directory: + Subdiretório: Inherits: - Inherits: + Herda: Model UUID: - Model UUID: + UUID do modelo: Has value: - Has value: + Tem valor: No - No + Não Yes - Yes + Sim Appearance Models: - Appearance Models: + Modelos de Aparência: Physical Models: - Physical Models: + Modelos Físicos: Appearance Properties: - Appearance Properties: + Propriedades da Aparência: Physical Properties: - Physical Properties: + Propriedades Físicas: @@ -477,12 +477,12 @@ Default Material - Default Material + Material Padrão Physical - Physical + Física @@ -490,7 +490,7 @@ General - Geral + Geral @@ -609,7 +609,7 @@ If unchecked, they will be sorted by their name. Material Editor - Material Editor + Editor de Materiais @@ -622,12 +622,12 @@ If unchecked, they will be sorted by their name. Thumbnail - Thumbnail + Miniatura File... - File... + Ficheiro... @@ -647,12 +647,12 @@ If unchecked, they will be sorted by their name. Image files (*.jpg *.jpeg *.png *.bmp);;All files (*) - Image files (*.jpg *.jpeg *.png *.bmp);;All files (*) + Ficheiros de imagem (*.jpg *.jpeg *.png *.bmp);;Todos os ficheiros (*) Image files (*.svg);;All files (*) - Image files (*.svg);;All files (*) + Ficheiros de imagem (*.svg);;Todos os ficheiros (*) @@ -665,7 +665,7 @@ If unchecked, they will be sorted by their name. Delete Row - Delete Row + Eliminar Linha @@ -686,7 +686,7 @@ If unchecked, they will be sorted by their name. Save Material - Save Material + Guardar Material @@ -698,12 +698,12 @@ If unchecked, they will be sorted by their name. New Folder - New Folder + Nova Pasta Filename: - Filename: + Nome do ficheiro: @@ -728,12 +728,12 @@ If unchecked, they will be sorted by their name. Confirm Save As New Material - Confirm Save As New Material + Confirmar gravação como Novo Material Save as new material - Save as new material + Guardar como novo material @@ -743,12 +743,12 @@ If unchecked, they will be sorted by their name. Confirm Save As Copy - Confirm Save As Copy + Confirmar gravação como Cópia Save as Copy - Save as Copy + Guardar como Cópia @@ -758,17 +758,17 @@ If unchecked, they will be sorted by their name. Save Copy - Save Copy + Guardar Cópia Save As New - Save As New + Salvar como Novo Context menu - Context menu + Menu de contexto @@ -776,19 +776,19 @@ If unchecked, they will be sorted by their name. Launch editor - Launch editor + Iniciar editor Favorites - Favorites + Favoritos Recent - Recent + Recentes @@ -801,22 +801,22 @@ If unchecked, they will be sorted by their name. General - Geral + Geral Parent - Parent + Antecessor Tags - Tags + Etiquetas Source URL - Source URL + URL da Fonte @@ -836,7 +836,7 @@ If unchecked, they will be sorted by their name. Source Reference - Source Reference + Referência da Fonte @@ -851,27 +851,27 @@ If unchecked, they will be sorted by their name. Inherit New - Inherit New + Herdar Novo Add to favorites - Add to favorites + Adicionar aos favoritos Physical - Physical + Física Add physical model - Add physical model + Adicionar modelo físico Delete physical model - Delete physical model + Eliminar modelo físico @@ -881,86 +881,86 @@ If unchecked, they will be sorted by their name. Add appearance model - Add appearance model + Adicionar modelo de aparência Delete appearance model - Delete appearance model + Eliminar modelo de aparência - + Unnamed Sem nome - + Old Format Material - Old Format Material + Material em Formato Antigo - + This file is in the old material card format. - This file is in the old material card format. + Este ficheiro está no formato antigo de cartão de material. - + This card uses the old format and must be saved before use - This card uses the old format and must be saved before use + Este cartão utiliza o formato antigo e tem de ser salvo antes de ser usado - - - - + + + + Property Propriedade - - - - + + + + Value Valor - - - - + + + + Type Tipo - + Favorites - Favorites + Favoritos - + Recent - Recent + Recentes - + Units Unidades - + Context menu - Context menu + Menu de contexto - + Inherit from - Inherit from + Herdar de - + Inherit new material - Inherit new material + Herdar novo material @@ -968,12 +968,12 @@ If unchecked, they will be sorted by their name. Material Models - Material Models + Modelos de Materiais General - Geral + Geral @@ -990,7 +990,7 @@ If unchecked, they will be sorted by their name. DOI - DOI + DOI @@ -1000,7 +1000,7 @@ If unchecked, they will be sorted by their name. Add to favorites - Add to favorites + Adicionar aos favoritos @@ -1012,17 +1012,17 @@ If unchecked, they will be sorted by their name. Favorites - Favorites + Favoritos Recent - Recent + Recentes Inherited - Inherited + Herdado @@ -1053,12 +1053,12 @@ If unchecked, they will be sorted by their name. Material Editor - Material Editor + Editor de Materiais Material card - Material card + Cartão de material @@ -1068,12 +1068,12 @@ If unchecked, they will be sorted by their name. Existing material cards - Existing material cards + Cartões de material existentes Opens an existing material card - Opens an existing material card + Abre um cartão de material existente @@ -1083,22 +1083,22 @@ If unchecked, they will be sorted by their name. Saves this material as a card - Saves this material as a card + Grava este material como um cartão Save as... - Save as... + Guardar como... Material parameter - Material parameter + Parâmetro do Material Add / remove parameter - Add / remove parameter + Adicionar / remover parâmetro @@ -1108,16 +1108,11 @@ If unchecked, they will be sorted by their name. Delete property - Delete property + Eliminar propriedade QDockWidget - - - Display properties - Display properties - Material @@ -1129,7 +1124,7 @@ If unchecked, they will be sorted by their name. Material workbench - Material workbench + Bancada de trabalho dos Materiais @@ -1140,7 +1135,7 @@ If unchecked, they will be sorted by their name. Confirm Overwrite - Confirm Overwrite + Confirmar Substituição @@ -1156,25 +1151,25 @@ If unchecked, they will be sorted by their name. Removing this will also remove all contents. - Removing this will also remove all contents. + Remover isto também irá remover todo o conteúdo. - + You must save the material before using it. You must save the material before using it. - + Unsaved Material - Unsaved Material + Material não guardado - + Do you want to save your changes to the material before closing? Do you want to save your changes to the material before closing? - + If you don't save, your changes will be lost. If you don't save, your changes will be lost. @@ -1183,13 +1178,13 @@ If unchecked, they will be sorted by their name. Confirm Delete - Confirm Delete + Confirmar Eliminação Are you sure you want to delete the row? - Are you sure you want to delete the row? + Tem a certeza que quer eliminar a linha? @@ -1197,13 +1192,13 @@ If unchecked, they will be sorted by their name. Appearance... - Appearance... + Aparência... Sets the display properties of the selected object - Sets the display properties of the selected object + Define as propriedades de exibição do objeto selecionado @@ -1211,13 +1206,13 @@ If unchecked, they will be sorted by their name. Material... - Material... + Material... Sets the material of the selected object - Sets the material of the selected object + Define o material do objeto selecionado @@ -1225,7 +1220,7 @@ If unchecked, they will be sorted by their name. &Materials - &Materials + &Materiais diff --git a/src/Mod/Material/Gui/Resources/translations/Material_ro.ts b/src/Mod/Material/Gui/Resources/translations/Material_ro.ts index b931ac9cbe19..d0f120bf3a6f 100644 --- a/src/Mod/Material/Gui/Resources/translations/Material_ro.ts +++ b/src/Mod/Material/Gui/Resources/translations/Material_ro.ts @@ -204,17 +204,17 @@ MatGui::DlgDisplayPropertiesImp - + Basic Appearance Basic Appearance - + Texture Appearance Texture Appearance - + All Materials All Materials @@ -889,76 +889,76 @@ If unchecked, they will be sorted by their name. Delete appearance model - + Unnamed Nedenumit - + Old Format Material Old Format Material - + This file is in the old material card format. This file is in the old material card format. - + This card uses the old format and must be saved before use This card uses the old format and must be saved before use - - - - + + + + Property Proprietate - - - - + + + + Value Valoare - - - - + + + + Type Tip - + Favorites Favorites - + Recent Recent - + Units unitati - + Context menu Context menu - + Inherit from Inherit from - + Inherit new material Inherit new material @@ -1113,11 +1113,6 @@ If unchecked, they will be sorted by their name. QDockWidget - - - Display properties - Display properties - Material @@ -1159,22 +1154,22 @@ If unchecked, they will be sorted by their name. Removing this will also remove all contents. - + You must save the material before using it. You must save the material before using it. - + Unsaved Material Unsaved Material - + Do you want to save your changes to the material before closing? Do you want to save your changes to the material before closing? - + If you don't save, your changes will be lost. If you don't save, your changes will be lost. diff --git a/src/Mod/Material/Gui/Resources/translations/Material_ru.ts b/src/Mod/Material/Gui/Resources/translations/Material_ru.ts index e45048b0580c..0d31c423b1f5 100644 --- a/src/Mod/Material/Gui/Resources/translations/Material_ru.ts +++ b/src/Mod/Material/Gui/Resources/translations/Material_ru.ts @@ -204,17 +204,17 @@ MatGui::DlgDisplayPropertiesImp - + Basic Appearance Основной внешний вид - + Texture Appearance Внешний вид текстур - + All Materials Все материалы @@ -889,76 +889,76 @@ If unchecked, they will be sorted by their name. Удалить модель внешнего вида - + Unnamed Безымянный - + Old Format Material Материал старого формата - + This file is in the old material card format. Этот файл находится в старом формате карты материала. - + This card uses the old format and must be saved before use Эта карта использует старый формат и должна быть сохранена перед использованием - - - - + + + + Property Свойство - - - - + + + + Value Значение - - - - + + + + Type Тип - + Favorites Избранное - + Recent Недавние - + Units Единицы измерения - + Context menu Контекстное меню - + Inherit from Наследовать от - + Inherit new material Наследовать новый материал @@ -1113,11 +1113,6 @@ If unchecked, they will be sorted by their name. QDockWidget - - - Display properties - Свойства экрана - Material @@ -1159,22 +1154,22 @@ If unchecked, they will be sorted by their name. Это также удалит все содержимое. - + You must save the material before using it. Вы должны сохранить материал перед его использованием. - + Unsaved Material Несохраненный материал - + Do you want to save your changes to the material before closing? Вы хотите сохранить изменения в материале перед закрытием? - + If you don't save, your changes will be lost. Если вы не сохранитесь, все изменения будут безвозвратно утеряны. diff --git a/src/Mod/Material/Gui/Resources/translations/Material_sl.ts b/src/Mod/Material/Gui/Resources/translations/Material_sl.ts index 3bfd385e8ae6..fdf3c72aad98 100644 --- a/src/Mod/Material/Gui/Resources/translations/Material_sl.ts +++ b/src/Mod/Material/Gui/Resources/translations/Material_sl.ts @@ -204,17 +204,17 @@ MatGui::DlgDisplayPropertiesImp - + Basic Appearance Basic Appearance - + Texture Appearance Texture Appearance - + All Materials All Materials @@ -889,76 +889,76 @@ If unchecked, they will be sorted by their name. Delete appearance model - + Unnamed Neimenovan - + Old Format Material Old Format Material - + This file is in the old material card format. This file is in the old material card format. - + This card uses the old format and must be saved before use This card uses the old format and must be saved before use - - - - + + + + Property Lastnost - - - - + + + + Value Vrednost - - - - + + + + Type Vrsta - + Favorites Favorites - + Recent Recent - + Units Enote - + Context menu Context menu - + Inherit from Inherit from - + Inherit new material Inherit new material @@ -1113,11 +1113,6 @@ If unchecked, they will be sorted by their name. QDockWidget - - - Display properties - Display properties - Material @@ -1159,22 +1154,22 @@ If unchecked, they will be sorted by their name. Removing this will also remove all contents. - + You must save the material before using it. You must save the material before using it. - + Unsaved Material Unsaved Material - + Do you want to save your changes to the material before closing? Do you want to save your changes to the material before closing? - + If you don't save, your changes will be lost. If you don't save, your changes will be lost. diff --git a/src/Mod/Material/Gui/Resources/translations/Material_sr-CS.ts b/src/Mod/Material/Gui/Resources/translations/Material_sr-CS.ts index a1f767360182..e50d701600d7 100644 --- a/src/Mod/Material/Gui/Resources/translations/Material_sr-CS.ts +++ b/src/Mod/Material/Gui/Resources/translations/Material_sr-CS.ts @@ -204,17 +204,17 @@ MatGui::DlgDisplayPropertiesImp - + Basic Appearance Osnovni izgled - + Texture Appearance Izgled teksture - + All Materials Svi materijali @@ -888,76 +888,76 @@ Ako nije čekirano, biće sortirani po imenima. Obriši vizuelni model - + Unnamed Bez imena - + Old Format Material Stari format materijala - + This file is in the old material card format. Ova datoteka je u starom formatu kartice materijala. - + This card uses the old format and must be saved before use Ova kartica koristi stari format i mora biti sačuvana pre upotrebe - - - - + + + + Property Osobina - - - - + + + + Value Vrednost - - - - + + + + Type Vrsta - + Favorites Omiljeni - + Recent Nedavni - + Units Merne jedinice - + Context menu Kontekstni meni - + Inherit from Nasledi od - + Inherit new material Nasledi novi materijal @@ -1112,11 +1112,6 @@ Ako nije čekirano, biće sortirani po imenima. QDockWidget - - - Display properties - Osobine prikaza - Material @@ -1158,22 +1153,22 @@ Ako nije čekirano, biće sortirani po imenima. Uklanjanjem ovoga, uklonićeš i sav sadržaj. - + You must save the material before using it. Pre upotrebe moraš sačuvati materijal. - + Unsaved Material Nesačuvan materijal - + Do you want to save your changes to the material before closing? Da li želiš da sačuvaš promene u materijalu pre zatvaranja? - + If you don't save, your changes will be lost. Ako ne sačuvaš, promene će biti izgubljene. diff --git a/src/Mod/Material/Gui/Resources/translations/Material_sr.ts b/src/Mod/Material/Gui/Resources/translations/Material_sr.ts index 1b9703050fa8..992e3db1fc15 100644 --- a/src/Mod/Material/Gui/Resources/translations/Material_sr.ts +++ b/src/Mod/Material/Gui/Resources/translations/Material_sr.ts @@ -204,17 +204,17 @@ MatGui::DlgDisplayPropertiesImp - + Basic Appearance Основни изглед - + Texture Appearance Изглед текстуре - + All Materials Сви материјали @@ -888,76 +888,76 @@ If unchecked, they will be sorted by their name. Обриши визуелни модел - + Unnamed Без имена - + Old Format Material Стари формат материјала - + This file is in the old material card format. Ова датотека је у старом формату картице материјала. - + This card uses the old format and must be saved before use Ова картица користи стари формат и мора бити пре употребе сачувана - - - - + + + + Property Оcобина - - - - + + + + Value Вредност - - - - + + + + Type Врста - + Favorites Омиљени - + Recent Недавни - + Units Мерне јединице - + Context menu Контекстни мени - + Inherit from Наследи од - + Inherit new material Наследи нови материјал @@ -1112,11 +1112,6 @@ If unchecked, they will be sorted by their name. QDockWidget - - - Display properties - Особине приказа - Material @@ -1158,22 +1153,22 @@ If unchecked, they will be sorted by their name. Уклањањем овога, уклонићеш и сав садржај. - + You must save the material before using it. Пре употребе мораш сачувати материјал. - + Unsaved Material Несачувани материјал - + Do you want to save your changes to the material before closing? Да ли желиш да сачуваш промене у материјалу пре затварања? - + If you don't save, your changes will be lost. Ако не cачуваш, промене ће бити изгубљене. diff --git a/src/Mod/Material/Gui/Resources/translations/Material_sv-SE.ts b/src/Mod/Material/Gui/Resources/translations/Material_sv-SE.ts index 29b1576f0e19..c87b88a8c005 100644 --- a/src/Mod/Material/Gui/Resources/translations/Material_sv-SE.ts +++ b/src/Mod/Material/Gui/Resources/translations/Material_sv-SE.ts @@ -204,17 +204,17 @@ MatGui::DlgDisplayPropertiesImp - + Basic Appearance Basic Appearance - + Texture Appearance Texture Appearance - + All Materials All Materials @@ -889,76 +889,76 @@ If unchecked, they will be sorted by their name. Delete appearance model - + Unnamed Namnlös - + Old Format Material Old Format Material - + This file is in the old material card format. This file is in the old material card format. - + This card uses the old format and must be saved before use This card uses the old format and must be saved before use - - - - + + + + Property Egenskap - - - - + + + + Value Värde - - - - + + + + Type Typ - + Favorites Favorites - + Recent Recent - + Units Enheter - + Context menu Context menu - + Inherit from Inherit from - + Inherit new material Inherit new material @@ -1113,11 +1113,6 @@ If unchecked, they will be sorted by their name. QDockWidget - - - Display properties - Display properties - Material @@ -1159,22 +1154,22 @@ If unchecked, they will be sorted by their name. Removing this will also remove all contents. - + You must save the material before using it. You must save the material before using it. - + Unsaved Material Unsaved Material - + Do you want to save your changes to the material before closing? Do you want to save your changes to the material before closing? - + If you don't save, your changes will be lost. If you don't save, your changes will be lost. diff --git a/src/Mod/Material/Gui/Resources/translations/Material_tr.ts b/src/Mod/Material/Gui/Resources/translations/Material_tr.ts index 3cf556658ae7..e0287f92dd91 100644 --- a/src/Mod/Material/Gui/Resources/translations/Material_tr.ts +++ b/src/Mod/Material/Gui/Resources/translations/Material_tr.ts @@ -183,7 +183,7 @@ Color plot: - Color plot: + Renk şeması: @@ -204,17 +204,17 @@ MatGui::DlgDisplayPropertiesImp - + Basic Appearance Basic Appearance - + Texture Appearance Texture Appearance - + All Materials All Materials @@ -430,7 +430,7 @@ Has value: - Has value: + Değeri var: @@ -586,7 +586,7 @@ If unchecked, they will be sorted by their name. Show recent - Show recent + Son gösterilenleri göster @@ -763,7 +763,7 @@ If unchecked, they will be sorted by their name. Save As New - Save As New + Yeni Olarak Kaydet @@ -806,7 +806,7 @@ If unchecked, they will be sorted by their name. Parent - Parent + Ebeveyn @@ -851,7 +851,7 @@ If unchecked, they will be sorted by their name. Inherit New - Inherit New + Yeniyi devral @@ -889,76 +889,76 @@ If unchecked, they will be sorted by their name. Delete appearance model - + Unnamed İsimsiz - + Old Format Material Old Format Material - + This file is in the old material card format. This file is in the old material card format. - + This card uses the old format and must be saved before use This card uses the old format and must be saved before use - - - - + + + + Property Özellik - - - - + + + + Value Değer - - - - + + + + Type Türü - + Favorites Favorites - + Recent Recent - + Units Birimler - + Context menu Context menu - + Inherit from Inherit from - + Inherit new material Inherit new material @@ -1113,11 +1113,6 @@ If unchecked, they will be sorted by their name. QDockWidget - - - Display properties - Display properties - Material @@ -1159,22 +1154,22 @@ If unchecked, they will be sorted by their name. Removing this will also remove all contents. - + You must save the material before using it. You must save the material before using it. - + Unsaved Material Unsaved Material - + Do you want to save your changes to the material before closing? Do you want to save your changes to the material before closing? - + If you don't save, your changes will be lost. If you don't save, your changes will be lost. @@ -1211,7 +1206,7 @@ If unchecked, they will be sorted by their name. Material... - Material... + Malzeme... diff --git a/src/Mod/Material/Gui/Resources/translations/Material_uk.ts b/src/Mod/Material/Gui/Resources/translations/Material_uk.ts index 23d20848c37d..75d746ed38ac 100644 --- a/src/Mod/Material/Gui/Resources/translations/Material_uk.ts +++ b/src/Mod/Material/Gui/Resources/translations/Material_uk.ts @@ -204,17 +204,17 @@ MatGui::DlgDisplayPropertiesImp - + Basic Appearance Основний зовнішній вигляд - + Texture Appearance Зовнішній вигляд текстури - + All Materials Усі матеріали @@ -889,76 +889,76 @@ If unchecked, they will be sorted by their name. Видалити модель зовнішнього вигляду - + Unnamed Без назви - + Old Format Material Старий формат матеріалу - + This file is in the old material card format. Цей файл у старому форматі карток матеріалів. - + This card uses the old format and must be saved before use Ця картка використовує старий формат і повинна бути збережена перед використанням - - - - + + + + Property Властивість - - - - + + + + Value Значення - - - - + + + + Type Тип - + Favorites Обране - + Recent Недавні - + Units Одиниці - + Context menu Контекстне меню - + Inherit from Успадковувати від - + Inherit new material Успадковувати новий матеріал @@ -1113,11 +1113,6 @@ If unchecked, they will be sorted by their name. QDockWidget - - - Display properties - Відображення властивостей - Material @@ -1159,22 +1154,22 @@ If unchecked, they will be sorted by their name. Видалення призведе до видалення всього вмісту. - + You must save the material before using it. Ви повинні зберегти матеріал, перш ніж використовувати його. - + Unsaved Material Незбережений матеріал - + Do you want to save your changes to the material before closing? Бажаєте зберегти зміни до матеріалу перед закриттям? - + If you don't save, your changes will be lost. Якщо ви не збережете' зміни, вони будуть втрачені. diff --git a/src/Mod/Material/Gui/Resources/translations/Material_val-ES.ts b/src/Mod/Material/Gui/Resources/translations/Material_val-ES.ts index fcf02fb4c44d..ceeff7f50a7e 100644 --- a/src/Mod/Material/Gui/Resources/translations/Material_val-ES.ts +++ b/src/Mod/Material/Gui/Resources/translations/Material_val-ES.ts @@ -204,17 +204,17 @@ MatGui::DlgDisplayPropertiesImp - + Basic Appearance Basic Appearance - + Texture Appearance Texture Appearance - + All Materials All Materials @@ -889,76 +889,76 @@ If unchecked, they will be sorted by their name. Delete appearance model - + Unnamed Sense nom - + Old Format Material Old Format Material - + This file is in the old material card format. This file is in the old material card format. - + This card uses the old format and must be saved before use This card uses the old format and must be saved before use - - - - + + + + Property Propietat - - - - + + + + Value Valor - - - - + + + + Type Tipus - + Favorites Favorites - + Recent Recent - + Units Unitats - + Context menu Context menu - + Inherit from Inherit from - + Inherit new material Inherit new material @@ -1113,11 +1113,6 @@ If unchecked, they will be sorted by their name. QDockWidget - - - Display properties - Display properties - Material @@ -1159,22 +1154,22 @@ If unchecked, they will be sorted by their name. Removing this will also remove all contents. - + You must save the material before using it. You must save the material before using it. - + Unsaved Material Unsaved Material - + Do you want to save your changes to the material before closing? Do you want to save your changes to the material before closing? - + If you don't save, your changes will be lost. If you don't save, your changes will be lost. diff --git a/src/Mod/Material/Gui/Resources/translations/Material_zh-CN.ts b/src/Mod/Material/Gui/Resources/translations/Material_zh-CN.ts index 88d97aec8758..61fc9bb7e073 100644 --- a/src/Mod/Material/Gui/Resources/translations/Material_zh-CN.ts +++ b/src/Mod/Material/Gui/Resources/translations/Material_zh-CN.ts @@ -204,17 +204,17 @@ MatGui::DlgDisplayPropertiesImp - + Basic Appearance 基本外观 - + Texture Appearance 纹理外观 - + All Materials 所有材料 @@ -805,7 +805,7 @@ If unchecked, they will be sorted by their name. Parent - Parent + 父级 @@ -888,76 +888,76 @@ If unchecked, they will be sorted by their name. Delete appearance model - + Unnamed 未命名 - + Old Format Material Old Format Material - + This file is in the old material card format. This file is in the old material card format. - + This card uses the old format and must be saved before use This card uses the old format and must be saved before use - - - - + + + + Property 属性 - - - - + + + + Value - - - - + + + + Type 类型 - + Favorites Favorites - + Recent Recent - + Units 单位 - + Context menu 下拉菜单 - + Inherit from Inherit from - + Inherit new material Inherit new material @@ -1112,11 +1112,6 @@ If unchecked, they will be sorted by their name. QDockWidget - - - Display properties - 显示属性 - Material @@ -1158,22 +1153,22 @@ If unchecked, they will be sorted by their name. Removing this will also remove all contents. - + You must save the material before using it. You must save the material before using it. - + Unsaved Material Unsaved Material - + Do you want to save your changes to the material before closing? Do you want to save your changes to the material before closing? - + If you don't save, your changes will be lost. If you don't save, your changes will be lost. diff --git a/src/Mod/Material/Gui/Resources/translations/Material_zh-TW.ts b/src/Mod/Material/Gui/Resources/translations/Material_zh-TW.ts index b541f0cb62ac..2f7e969dc4a2 100644 --- a/src/Mod/Material/Gui/Resources/translations/Material_zh-TW.ts +++ b/src/Mod/Material/Gui/Resources/translations/Material_zh-TW.ts @@ -204,17 +204,17 @@ MatGui::DlgDisplayPropertiesImp - + Basic Appearance Basic Appearance - + Texture Appearance Texture Appearance - + All Materials 所有材質 @@ -373,7 +373,7 @@ TypeID: - TypeID: + TypeID: @@ -569,7 +569,7 @@ If unchecked, they will be sorted by their name. Sort by resources - Sort by resources + 按資源排序 @@ -660,7 +660,7 @@ If unchecked, they will be sorted by their name. List Edit - List Edit + 編輯列表 @@ -856,7 +856,7 @@ If unchecked, they will be sorted by their name. Add to favorites - Add to favorites + 加入最愛 @@ -889,76 +889,76 @@ If unchecked, they will be sorted by their name. Delete appearance model - + Unnamed 未命名 - + Old Format Material Old Format Material - + This file is in the old material card format. This file is in the old material card format. - + This card uses the old format and must be saved before use 此卡片使用舊格式因此必須在使用前先儲存 - - - - + + + + Property 屬性 - - - - + + + + Value - - - - + + + + Type 類型 - + Favorites 最愛 - + Recent 最近 - + Units 單位 - + Context menu 內容選單 - + Inherit from Inherit from - + Inherit new material Inherit new material @@ -1113,11 +1113,6 @@ If unchecked, they will be sorted by their name. QDockWidget - - - Display properties - 顯示屬性 - Material @@ -1159,22 +1154,22 @@ If unchecked, they will be sorted by their name. 移除這個將會移除所有內容。 - + You must save the material before using it. 您必須在使用材質前先儲存它。 - + Unsaved Material 未儲存材質 - + Do you want to save your changes to the material before closing? 您是否在關閉前要儲存改變至此材質? - + If you don't save, your changes will be lost. 您若不儲存將會失去所有修改。 diff --git a/src/Mod/Measure/App/Measurement.cpp b/src/Mod/Measure/App/Measurement.cpp index 7f816d7a293c..5d4e6b0140c7 100644 --- a/src/Mod/Measure/App/Measurement.cpp +++ b/src/Mod/Measure/App/Measurement.cpp @@ -122,68 +122,63 @@ MeasureType Measurement::findType() int other = 0; for (; obj != objects.end(); ++obj, ++subEl) { - - // Check if solid object - if (strcmp((*subEl).c_str(), "") == 0) { - vols++; + TopoDS_Shape refSubShape; + try { + refSubShape = Part::Feature::getShape(*obj, (*subEl).c_str(), true); + if (refSubShape.IsNull()) { + return MeasureType::Invalid; + } } - else { + catch (Standard_Failure& e) { + std::stringstream errorMsg; - TopoDS_Shape refSubShape; - try { - refSubShape = Part::Feature::getShape(*obj, (*subEl).c_str(), true); - if (refSubShape.IsNull()) { - return MeasureType::Invalid; - } - } - catch (Standard_Failure& e) { - std::stringstream errorMsg; + errorMsg << "Measurement - getType - " << e.GetMessageString() << std::endl; + throw Base::CADKernelError(e.GetMessageString()); + } - errorMsg << "Measurement - getType - " << e.GetMessageString() << std::endl; - throw Base::CADKernelError(e.GetMessageString()); - } + switch (refSubShape.ShapeType()) { + case TopAbs_VERTEX: { + verts++; + } break; + case TopAbs_EDGE: { + edges++; + TopoDS_Edge edge = TopoDS::Edge(refSubShape); + BRepAdaptor_Curve sf(edge); - switch (refSubShape.ShapeType()) { - case TopAbs_VERTEX: { - verts++; - } break; - case TopAbs_EDGE: { - edges++; - TopoDS_Edge edge = TopoDS::Edge(refSubShape); - BRepAdaptor_Curve sf(edge); - - if (sf.GetType() == GeomAbs_Line) { - lines++; - } - else if (sf.GetType() == GeomAbs_Circle) { - circles++; - } - } break; - case TopAbs_FACE: { - faces++; - TopoDS_Face face = TopoDS::Face(refSubShape); - BRepAdaptor_Surface sf(face); - - if (sf.GetType() == GeomAbs_Plane) { - planes++; - } - else if (sf.GetType() == GeomAbs_Cylinder) { - cylinders++; - } - else if (sf.GetType() == GeomAbs_Sphere) { - spheres++; - } - else if (sf.GetType() == GeomAbs_Cone) { - cones++; - } - else if (sf.GetType() == GeomAbs_Torus) { - torus++; - } - } break; - default: - other++; - break; - } + if (sf.GetType() == GeomAbs_Line) { + lines++; + } + else if (sf.GetType() == GeomAbs_Circle) { + circles++; + } + } break; + case TopAbs_FACE: { + faces++; + TopoDS_Face face = TopoDS::Face(refSubShape); + BRepAdaptor_Surface sf(face); + + if (sf.GetType() == GeomAbs_Plane) { + planes++; + } + else if (sf.GetType() == GeomAbs_Cylinder) { + cylinders++; + } + else if (sf.GetType() == GeomAbs_Sphere) { + spheres++; + } + else if (sf.GetType() == GeomAbs_Cone) { + cones++; + } + else if (sf.GetType() == GeomAbs_Torus) { + torus++; + } + } break; + case TopAbs_SOLID: { + vols++; + } break; + default: + other++; + break; } } @@ -287,7 +282,7 @@ TopoDS_Shape Measurement::getShape(App::DocumentObject* rootObj, const char* sub { std::vector names = Base::Tools::splitSubName(subName); - if (names.empty() || names.back() == "") { + if (names.empty()) { TopoDS_Shape shape = Part::Feature::getShape(rootObj); if (shape.IsNull()) { throw Part::NullShapeException("null shape in measurement"); diff --git a/src/Mod/Measure/Gui/ViewProviderMeasureDistance.cpp b/src/Mod/Measure/Gui/ViewProviderMeasureDistance.cpp index 745e783a822e..0d312d7fafc3 100644 --- a/src/Mod/Measure/Gui/ViewProviderMeasureDistance.cpp +++ b/src/Mod/Measure/Gui/ViewProviderMeasureDistance.cpp @@ -254,7 +254,7 @@ SbMatrix ViewProviderMeasureDistance::getMatrix() Base::Vector3d localXAxis = (vec2 - vec1).Normalize(); Base::Vector3d localYAxis = getTextDirection(localXAxis, tolerance).Normalize(); - // X and Y axis have to be 90° to eachother + // X and Y axis have to be 90° to each other assert(fabs(localYAxis.Dot(localXAxis)) < tolerance); Base::Vector3d localZAxis = localYAxis.Cross(localXAxis).Normalize(); diff --git a/src/Mod/Mesh/App/Core/MeshIO.cpp b/src/Mod/Mesh/App/Core/MeshIO.cpp index 4630cff29ef2..56cb3c10e88e 100644 --- a/src/Mod/Mesh/App/Core/MeshIO.cpp +++ b/src/Mod/Mesh/App/Core/MeshIO.cpp @@ -525,7 +525,7 @@ bool MeshInput::LoadOFF(std::istream& rstrIn) str >> std::ws >> a; // no transparency if (!str) { - a = 0.0f; + a = 1.0f; } if (r > 1.0f || g > 1.0f || b > 1.0f || a > 1.0f) { @@ -578,7 +578,7 @@ bool MeshInput::LoadOFF(std::istream& rstrIn) str >> std::ws >> a; // no transparency if (!str) { - a = 0.0f; + a = 1.0f; } if (r > 1.0f || g > 1.0f || b > 1.0f || a > 1.0f) { diff --git a/src/Mod/Mesh/Gui/Resources/translations/Mesh_de.ts b/src/Mod/Mesh/Gui/Resources/translations/Mesh_de.ts index e11eb66ddd1b..2a4f7182f3aa 100644 --- a/src/Mod/Mesh/Gui/Resources/translations/Mesh_de.ts +++ b/src/Mod/Mesh/Gui/Resources/translations/Mesh_de.ts @@ -183,7 +183,7 @@ Exports a mesh to file - Netz in eine Datei exportieren + Exportiert ein Netz in eine Datei @@ -315,7 +315,7 @@ Imports a mesh from file - Importiert Netz aus einer Datei + Importiert ein Netz aus einer Datei @@ -435,7 +435,7 @@ Refinement... - Aufbereitung... + Aufbereiten... diff --git a/src/Mod/Mesh/Gui/Resources/translations/Mesh_zh-TW.ts b/src/Mod/Mesh/Gui/Resources/translations/Mesh_zh-TW.ts index bea90d144b75..f861a5ee367e 100644 --- a/src/Mod/Mesh/Gui/Resources/translations/Mesh_zh-TW.ts +++ b/src/Mod/Mesh/Gui/Resources/translations/Mesh_zh-TW.ts @@ -44,7 +44,7 @@ Mesh - Mesh + 網格 @@ -102,7 +102,7 @@ Mesh - Mesh + 網格 @@ -115,7 +115,7 @@ Mesh - Mesh + 網格 @@ -134,7 +134,7 @@ Mesh - Mesh + 網格 @@ -153,7 +153,7 @@ Mesh - Mesh + 網格 @@ -172,7 +172,7 @@ Mesh - Mesh + 網格 @@ -191,7 +191,7 @@ Mesh - Mesh + 網格 @@ -210,7 +210,7 @@ Mesh - Mesh + 網格 @@ -229,7 +229,7 @@ Mesh - Mesh + 網格 @@ -248,7 +248,7 @@ Mesh - Mesh + 網格 @@ -267,7 +267,7 @@ Mesh - Mesh + 網格 @@ -285,7 +285,7 @@ Mesh - Mesh + 網格 @@ -304,7 +304,7 @@ Mesh - Mesh + 網格 @@ -336,7 +336,7 @@ Mesh - Mesh + 網格 @@ -354,7 +354,7 @@ Mesh - Mesh + 網格 @@ -373,7 +373,7 @@ Mesh - Mesh + 網格 @@ -392,7 +392,7 @@ Mesh - Mesh + 網格 @@ -411,7 +411,7 @@ Mesh - Mesh + 網格 @@ -430,7 +430,7 @@ Mesh - Mesh + 網格 @@ -449,7 +449,7 @@ Mesh - Mesh + 網格 @@ -468,7 +468,7 @@ Mesh - Mesh + 網格 @@ -487,7 +487,7 @@ Mesh - Mesh + 網格 @@ -524,7 +524,7 @@ Mesh - Mesh + 網格 @@ -543,7 +543,7 @@ Mesh - Mesh + 網格 @@ -562,7 +562,7 @@ Mesh - Mesh + 網格 @@ -581,7 +581,7 @@ Mesh - Mesh + 網格 @@ -599,7 +599,7 @@ Mesh - Mesh + 網格 @@ -631,7 +631,7 @@ Mesh - Mesh + 網格 @@ -650,7 +650,7 @@ Mesh - Mesh + 網格 @@ -1476,12 +1476,12 @@ to a smoother appearance. <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:12px; margin-bottom:12px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px; font-size:8pt;">This is the smallest angle between two faces where normals get calculated to do flat shading.</p><p style=" margin-top:12px; margin-bottom:12px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px; font-size:8pt;">If the angle between the normals of two neighbouring faces is less than the crease angle, the faces will be smoothshaded around their common edge.</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:12px; margin-bottom:12px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px; font-size:8pt;">This is the smallest angle between two faces where normals get calculated to do flat shading.</p><p style=" margin-top:12px; margin-bottom:12px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px; font-size:8pt;">If the angle between the normals of two neighbouring faces is less than the crease angle, the faces will be smoothshaded around their common edge.</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:12px; margin-bottom:12px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px; font-size:8pt;">這是計算平面陰影時兩個面的法向量之間的最小角度。</p><p style=" margin-top:12px; margin-bottom:12px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px; font-size:8pt;">如果兩個相鄰面的法向量之間的角度小於摺痕角度,則這些面在它們的公共邊緣將會進行平滑陰影處理。</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; font-size:8pt;"><span style=" font-weight:600;">Hint</span></p><p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px; font-size:8pt;">Defining the normals per vertex is also called <span style=" font-style:italic;">Phong shading</span></p><p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px; font-size:8pt; font-style:italic;"><span style=" font-style:normal;">while defining the normals per face is called </span>Flat shading<span style=" font-style:normal;">.</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; font-size:8pt;"><span style=" font-weight:600;">Hint</span></p><p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px; font-size:8pt;">Defining the normals per vertex is also called <span style=" font-style:italic;">Phong shading</span></p><p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px; font-size:8pt; font-style:italic;"><span style=" font-style:normal;">while defining the normals per face is called </span>Flat shading<span style=" font-style:normal;">.</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; font-size:8pt;"><span style=" font-weight:600;">提示</span></p><p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px; font-size:8pt;">以每個頂點來定義法向量也稱為<span style=" font-style:italic;">Phong 陰影處理</span></p><p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px; font-size:8pt; font-style:italic;"><span style=" font-style:normal;">而以每個面來定義法向量則稱為</span>平面陰影處理<span style=" font-style:normal;">。</span></p></body></html> diff --git a/src/Mod/Mesh/Gui/ViewProviderCurvature.cpp b/src/Mod/Mesh/Gui/ViewProviderCurvature.cpp index d01d1b106800..c3bfd13e025c 100644 --- a/src/Mod/Mesh/Gui/ViewProviderCurvature.cpp +++ b/src/Mod/Mesh/Gui/ViewProviderCurvature.cpp @@ -363,7 +363,7 @@ void ViewProviderMeshCurvature::setVertexCurvatureMode(int mode) for (auto const& value : fValues | boost::adaptors::indexed(0)) { App::Color c = pcColorBar->getColor(value.value()); diffcol[value.index()].setValue(c.r, c.g, c.b); - transp[value.index()] = c.a; + transp[value.index()] = c.transparency(); } pcColorMat->diffuseColor.finishEditing(); diff --git a/src/Mod/MeshPart/App/MeshFlatteningLscmRelax.cpp b/src/Mod/MeshPart/App/MeshFlatteningLscmRelax.cpp index 025d81416c64..1071e0c9c8a4 100644 --- a/src/Mod/MeshPart/App/MeshFlatteningLscmRelax.cpp +++ b/src/Mod/MeshPart/App/MeshFlatteningLscmRelax.cpp @@ -511,7 +511,7 @@ void LscmRelax::set_q_l_g() Vector3 r31 = r3 - r1; double r21_norm = r21.norm(); r21.normalize(); - // if triangle is fliped this gives wrong results? + // if triangle is flipped this gives wrong results? this->q_l_g.row(i) << r21_norm, r31.dot(r21), r31.cross(r21).norm(); } } @@ -531,7 +531,7 @@ void LscmRelax::set_q_l_m() Vector2 r31 = r3 - r1; double r21_norm = r21.norm(); r21.normalize(); - // if triangle is fliped this gives wrong results! + // if triangle is flipped this gives wrong results! this->q_l_m.row(i) << r21_norm, r31.dot(r21), -(r31.x() * r21.y() - r31.y() * r21.x()); } } diff --git a/src/Mod/MeshPart/Gui/Resources/translations/MeshPart_zh-TW.ts b/src/Mod/MeshPart/Gui/Resources/translations/MeshPart_zh-TW.ts index 917bf9b21a31..11f85bde6610 100644 --- a/src/Mod/MeshPart/Gui/Resources/translations/MeshPart_zh-TW.ts +++ b/src/Mod/MeshPart/Gui/Resources/translations/MeshPart_zh-TW.ts @@ -305,7 +305,7 @@ This command only works with a 'mesh' object, not a regular face or surface. To Angular deviation: - Angular deviation: + 角度偏差: @@ -316,8 +316,8 @@ This command only works with a 'mesh' object, not a regular face or surface. To The maximal linear deviation of a mesh segment will be the specified Surface deviation multiplied by the length of the current mesh segment (edge) - The maximal linear deviation of a mesh segment will be the specified -Surface deviation multiplied by the length of the current mesh segment (edge) + 網格段的最大線性偏差將被指定 +表面偏差乘以目前網格段(邊)的長度 @@ -327,7 +327,7 @@ Surface deviation multiplied by the length of the current mesh segment (edge) Mesh will get face colors of the object - Mesh will get face colors of the object + 網格將取得物件的面顏色 @@ -344,7 +344,7 @@ this feature (e.g. the format OBJ). Define segments by face colors - Define segments by face colors + 透過面顏色定義段 @@ -365,8 +365,8 @@ this feature (e.g. the format OBJ). If this number is smaller the mesh becomes finer. The smallest value is 0. - 如果該數字較小則網格會變得更細. -最小值為 0. + 如果該數字較小則網格會變得更細。 +最小值為 0。 @@ -451,7 +451,7 @@ A value in the range of 0.2-10. Whether optimization of surface shape will be done - Whether optimization of surface shape will be done + 是否會進行表面形狀的最佳化 @@ -461,17 +461,17 @@ A value in the range of 0.2-10. Whether second order elements will be generated - Whether second order elements will be generated + 是否產生二階元件 Second order elements - 二階元素 + 二階元件 Whether meshes will be arranged preferably using quadrilateral faces - Whether meshes will be arranged preferably using quadrilateral faces + 是否優先使用四邊形面來排列網格 @@ -481,7 +481,7 @@ A value in the range of 0.2-10. Leave panel open - Leave panel open + 讓面板保持開啟狀態 @@ -492,21 +492,21 @@ A value in the range of 0.2-10. No active document - 無可用文件 + 無作業中文件 You have selected a body without tip. Either set the tip of the body or select a different shape, please. - You have selected a body without tip. -Either set the tip of the body or select a different shape, please. + 您選擇了不帶尖端的主體。 +請設定主體的尖端或選擇不同的形狀。 You have selected a shape without faces. Select a different shape, please. - You have selected a shape without faces. -Select a different shape, please. + 您選擇了一個沒有面的形狀。 +請選擇不同的形狀。 @@ -542,27 +542,27 @@ Select a different shape, please. Trim by plane - Trim by plane + 用平面修剪 Select the side you want to keep. - Select the side you want to keep. + 選擇您要保留的一側。 Below - Below + 以下 Above - Above + 以上 Split - Split + 分割 @@ -578,12 +578,12 @@ Select a different shape, please. Unwrap mesh - Unwrap mesh + 展開網格 Find a flat representation of a mesh. - Find a flat representation of a mesh. + 求網格的平面表示方式。 @@ -591,12 +591,12 @@ Select a different shape, please. Unwrap face - Unwrap face + 展開面 Find a flat representation of a face. - Find a flat representation of a face. + 求面的平面表示方式。 diff --git a/src/Mod/OpenSCAD/Resources/translations/OpenSCAD_de.qm b/src/Mod/OpenSCAD/Resources/translations/OpenSCAD_de.qm index 149110ee0521..68ead07eeee5 100644 Binary files a/src/Mod/OpenSCAD/Resources/translations/OpenSCAD_de.qm and b/src/Mod/OpenSCAD/Resources/translations/OpenSCAD_de.qm differ diff --git a/src/Mod/OpenSCAD/Resources/translations/OpenSCAD_de.ts b/src/Mod/OpenSCAD/Resources/translations/OpenSCAD_de.ts index ab50583db358..a6ed27a63c4a 100644 --- a/src/Mod/OpenSCAD/Resources/translations/OpenSCAD_de.ts +++ b/src/Mod/OpenSCAD/Resources/translations/OpenSCAD_de.ts @@ -345,12 +345,12 @@ Refine Shape Feature - Form Feature verfeinern + Formelement aufbereiten Create Refine Shape Feature - Erstelle verfeinertes Form Feature + Erstellt ein verfeinertes Formelement diff --git a/src/Mod/OpenSCAD/Resources/translations/OpenSCAD_zh-TW.qm b/src/Mod/OpenSCAD/Resources/translations/OpenSCAD_zh-TW.qm index cab8e6d61bd2..f57073b8beda 100644 Binary files a/src/Mod/OpenSCAD/Resources/translations/OpenSCAD_zh-TW.qm and b/src/Mod/OpenSCAD/Resources/translations/OpenSCAD_zh-TW.qm differ diff --git a/src/Mod/OpenSCAD/Resources/translations/OpenSCAD_zh-TW.ts b/src/Mod/OpenSCAD/Resources/translations/OpenSCAD_zh-TW.ts index a298bec2e1c1..2fb19174756d 100644 --- a/src/Mod/OpenSCAD/Resources/translations/OpenSCAD_zh-TW.ts +++ b/src/Mod/OpenSCAD/Resources/translations/OpenSCAD_zh-TW.ts @@ -168,7 +168,7 @@ It looks like you may be using a Snap version of OpenSCAD. - 看起來您可能正在使用 Snap 版本的 OpenSCAD. + 看起來您可能正在使用鎖點版本的 OpenSCAD。 diff --git a/src/Mod/OpenSCAD/importCSG.py b/src/Mod/OpenSCAD/importCSG.py index c1fc501595d5..816fc7289d3e 100644 --- a/src/Mod/OpenSCAD/importCSG.py +++ b/src/Mod/OpenSCAD/importCSG.py @@ -305,7 +305,7 @@ def p_part(p): def p_2d_point(p): '2d_point : OSQUARE NUMBER COMMA NUMBER ESQUARE' global points_list - if printverbose: print("2d Point") + if printverbose: print("2D Point") p[0] = [float(p[2]), float(p[4])] diff --git a/src/Mod/Part/App/Attacher.cpp b/src/Mod/Part/App/Attacher.cpp index 1353f14dd881..2c555179dcc8 100644 --- a/src/Mod/Part/App/Attacher.cpp +++ b/src/Mod/Part/App/Attacher.cpp @@ -1980,7 +1980,7 @@ TYPESYSTEM_SOURCE(Attacher::AttachEnginePlane, Attacher::AttachEngine) AttachEnginePlane::AttachEnginePlane() { - //re-used 3d modes: all of Attacher3d + //reused 3d modes: all of Attacher3d AttachEngine3D attacher3D; this->modeRefTypes = attacher3D.modeRefTypes; this->EnableAllSupportedModes(); @@ -2016,7 +2016,7 @@ AttachEngineLine::AttachEngineLine() modeRefTypes.resize(mmDummy_NumberOfModes); refTypeString s; - //re-used 3d modes + //reused 3d modes AttachEngine3D attacher3D; modeRefTypes[mm1AxisX] = attacher3D.modeRefTypes[mmObjectYZ]; modeRefTypes[mm1AxisY] = attacher3D.modeRefTypes[mmObjectXZ]; @@ -2413,7 +2413,7 @@ AttachEnginePoint::AttachEnginePoint() modeRefTypes.resize(mmDummy_NumberOfModes); refTypeString s; - //re-used 3d modes + //reused 3d modes AttachEngine3D attacher3D; modeRefTypes[mm0Origin] = attacher3D.modeRefTypes[mmObjectXY]; modeRefTypes[mm0CenterOfCurvature] = attacher3D.modeRefTypes[mmRevolutionSection]; diff --git a/src/Mod/Part/App/FeatureExtrusion.h b/src/Mod/Part/App/FeatureExtrusion.h index f89a8d340024..31e5fb8973f5 100644 --- a/src/Mod/Part/App/FeatureExtrusion.h +++ b/src/Mod/Part/App/FeatureExtrusion.h @@ -75,7 +75,7 @@ class PartExport Extrusion : public Part::Feature /** * @brief fetchAxisLink: read AxisLink to obtain the direction and - * length. Note: this routine is re-used in Extrude dialog, hence it + * length. Note: this routine is reused in Extrude dialog, hence it * is static. * @param axisLink (input): the link * @param basepoint (output): starting point of edge. Not used by extrude as of now. diff --git a/src/Mod/Part/App/FeaturePartFuse.cpp b/src/Mod/Part/App/FeaturePartFuse.cpp index 690944cd8b53..19f3091c4e6c 100644 --- a/src/Mod/Part/App/FeaturePartFuse.cpp +++ b/src/Mod/Part/App/FeaturePartFuse.cpp @@ -102,12 +102,15 @@ App::DocumentObjectExecReturn *MultiFuse::execute() TopoShape compoundOfArguments; // if only one source shape, and it is a compound - fuse children of the compound - if (shapes.size() == 1) { + const int maxIterations = 1'000'000; // will trigger "not enough shape objects linked" error below if ever reached + for (int i = 0; shapes.size() == 1 && i < maxIterations; ++i) { compoundOfArguments = shapes[0]; if (compoundOfArguments.getShape().ShapeType() == TopAbs_COMPOUND) { shapes.clear(); shapes = compoundOfArguments.getSubTopoShapes(); argumentsAreInCompound = true; + } else { + break; } } diff --git a/src/Mod/Part/App/FeatureRevolution.h b/src/Mod/Part/App/FeatureRevolution.h index 27da2fb1e8e6..aed3e9e1f57e 100644 --- a/src/Mod/Part/App/FeatureRevolution.h +++ b/src/Mod/Part/App/FeatureRevolution.h @@ -64,7 +64,7 @@ class PartExport Revolution : public Part::Feature /** * @brief fetchAxisLink: read AxisLink to obtain the axis parameters and - * angle span. Note: this routine is re-used in Revolve dialog, hence it + * angle span. Note: this routine is reused in Revolve dialog, hence it * is static. * @param axisLink (input): the link * @param center (output): base point of axis diff --git a/src/Mod/Part/App/PartFeature.cpp b/src/Mod/Part/App/PartFeature.cpp index 5924616e5e5b..ad967dd3a8e8 100644 --- a/src/Mod/Part/App/PartFeature.cpp +++ b/src/Mod/Part/App/PartFeature.cpp @@ -861,7 +861,12 @@ App::Material Feature::getMaterialAppearance() const void Feature::setMaterialAppearance(const App::Material& material) { - ShapeMaterial.setValue(material); + try { + ShapeMaterial.setValue(material); + } + catch (const Base::Exception& e) { + e.ReportException(); + } } // Toponaming project March 2024: This method should be going away when we get to the python layer. diff --git a/src/Mod/Part/App/TopoShape.cpp b/src/Mod/Part/App/TopoShape.cpp index 6f7c6a95ab04..2259e3798b54 100644 --- a/src/Mod/Part/App/TopoShape.cpp +++ b/src/Mod/Part/App/TopoShape.cpp @@ -2333,7 +2333,7 @@ TopoDS_Shape TopoShape::makeSpiralHelix(Standard_Real radiusbottom, Standard_Rea } TopoDS_Wire wire = mkWire.Wire(); - BRepLib::BuildCurves3d(wire, Precision::Confusion(), GeomAbs_Shape::GeomAbs_C1, 14, 10000); + BRepLib::BuildCurves3d(wire, Precision::Confusion() * 1e-6 * (radiusbottom+radiustop), GeomAbs_Shape::GeomAbs_C1, 14, 10000); // precision must be reduced for very large parts to avoid #17113 return TopoDS_Shape(std::move(wire)); } diff --git a/src/Mod/Part/BOPTools/GeneralFuseResult.py b/src/Mod/Part/BOPTools/GeneralFuseResult.py index 377890db51df..80cb72794f86 100644 --- a/src/Mod/Part/BOPTools/GeneralFuseResult.py +++ b/src/Mod/Part/BOPTools/GeneralFuseResult.py @@ -270,7 +270,7 @@ def _splitInCompound(self, compound, existing_pieces): """Splits aggregates inside compound. Returns None if nothing is split, otherwise returns compound. existing_pieces is a dict. Key is deep hash. Value is tuple (int, shape). It is - used to search for if this split piece was already generated, and re-use the old + used to search for if this split piece was already generated, and reuse the old one.""" changed = False diff --git a/src/Mod/Part/Gui/Command.cpp b/src/Mod/Part/Gui/Command.cpp index 9b3bd9ad37dd..7c8576f0edc7 100644 --- a/src/Mod/Part/Gui/Command.cpp +++ b/src/Mod/Part/Gui/Command.cpp @@ -368,23 +368,7 @@ void CmdPartCommon::activated(int iMsg) std::vector Sel = getSelection().getSelectionEx(nullptr, App::DocumentObject::getClassTypeId(), Gui::ResolveMode::FollowLink); - //test if selected object is a compound, and if it is, look how many children it has... - std::size_t numShapes = 0; - if (Sel.size() == 1){ - numShapes = 1; //to be updated later in code, if - Gui::SelectionObject selobj = Sel[0]; - TopoDS_Shape sh = Part::Feature::getShape(selobj.getObject()); - if (sh.ShapeType() == TopAbs_COMPOUND) { - numShapes = 0; - TopoDS_Iterator it(sh); - for (; it.More(); it.Next()) { - ++numShapes; - } - } - } else { - numShapes = Sel.size(); - } - if (numShapes < 2) { + if (Sel.empty()) { QMessageBox::warning(Gui::getMainWindow(), QObject::tr("Wrong selection"), QObject::tr("Please select two shapes or more. Or, select one compound containing two or more shapes to compute the intersection between.")); return; @@ -450,12 +434,15 @@ void CmdPartFuse::activated(int iMsg) numShapes = 1; //to be updated later in code Gui::SelectionObject selobj = Sel[0]; TopoDS_Shape sh = Part::Feature::getShape(selobj.getObject()); - if (sh.ShapeType() == TopAbs_COMPOUND) { + while (numShapes==1 && sh.ShapeType() == TopAbs_COMPOUND) { numShapes = 0; TopoDS_Iterator it(sh); + TopoDS_Shape last; for (; it.More(); it.Next()) { ++numShapes; + last = it.Value(); } + sh = last; } } else { numShapes = Sel.size(); @@ -2094,8 +2081,8 @@ CmdColorPerFace::CmdColorPerFace() { sAppModule = "Part"; sGroup = QT_TR_NOOP("Part"); - sMenuText = QT_TR_NOOP("Color per face"); - sToolTipText = QT_TR_NOOP("Set the color of each individual face " + sMenuText = QT_TR_NOOP("Appearance per face"); + sToolTipText = QT_TR_NOOP("Set the appearance of each individual face " "of the selected object."); sStatusTip = sToolTipText; sWhatsThis = "Part_ColorPerFace"; diff --git a/src/Mod/Part/Gui/DlgExportStep.ui b/src/Mod/Part/Gui/DlgExportStep.ui index ec994844688c..269ebece0cf1 100644 --- a/src/Mod/Part/Gui/DlgExportStep.ui +++ b/src/Mod/Part/Gui/DlgExportStep.ui @@ -11,7 +11,7 @@ - STEP + STEP Export Settings diff --git a/src/Mod/Part/Gui/DlgExtrusion.ui b/src/Mod/Part/Gui/DlgExtrusion.ui index 6507e35cc240..bc3a1e483857 100644 --- a/src/Mod/Part/Gui/DlgExtrusion.ui +++ b/src/Mod/Part/Gui/DlgExtrusion.ui @@ -65,7 +65,7 @@ - Click to start selecting an edge in 3d view. + Click to start selecting an edge in 3D view. Select diff --git a/src/Mod/Part/Gui/DlgImportStep.ui b/src/Mod/Part/Gui/DlgImportStep.ui index d39f9da54531..cde8eeb748b2 100644 --- a/src/Mod/Part/Gui/DlgImportStep.ui +++ b/src/Mod/Part/Gui/DlgImportStep.ui @@ -11,7 +11,7 @@ - STEP + STEP Import Settings diff --git a/src/Mod/Part/Gui/Resources/translations/Part.ts b/src/Mod/Part/Gui/Resources/translations/Part.ts index aa2dc129ffe0..0460e928eb07 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part.ts @@ -2203,7 +2203,7 @@ of projection. - + Edit attachment @@ -4958,189 +4958,189 @@ of object being attached. PartGui::TaskCheckGeometryDialog - + Shape Content - - + + Settings - + Skip this settings page and run the geometry check automatically. - + Default: false - + Run boolean operation check - + Extra boolean operations check that can sometimes find errors that the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false - + Single-threaded - + Run the geometry check in a single thread. This is slower, but more stable. Default: false - + Log errors - + Log errors to report view. Default: true - + Expand shape content - + Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false - + Advanced shape content - + Show advanced shape content. Changes will take effect next time you use the check geometry tool. Default: false - + Individual boolean operation checks: - + Bad type - + Self-intersect - + Too small edge - + Nonrecoverable face - + Continuity - + Incompatibility of face - + Incompatibility of vertex - + Incompatibility of edge - + Invalid curve on surface - + Check for bad argument types. Default: true - + Skip this settings page - + Check for self-intersections. Default: true - + Check for edges that are too small. Default: true - + Check for nonrecoverable faces. Default: true - + Check for continuity. Default: true - + Check for incompatible faces. Default: true - + Check for incompatible vertices. Default: true - + Check for incompatible edges. Default: true - + Check for invalid curves on surfaces. Default: true - + Run check - + Results @@ -5195,6 +5195,26 @@ Individual boolean operation checks: Checked object + + + Tolerance information + + + + + Global Minimum + + + + + Global Average + + + + + Global Maximum + + PartGui::TaskDlgAttacher @@ -5204,7 +5224,7 @@ Individual boolean operation checks: - + Datum dialog: Input error @@ -5840,7 +5860,7 @@ Do you want to continue? - + Invalid @@ -6747,4 +6767,50 @@ by dragging a selection rectangle in the 3D view + + Part_ToleranceFeatures + + + Computing the result failed with an error: + + + + + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + + + + + Bad selection + + + + + Continue + + + + + Part_ToleranceSet + + + Set Tolerance + + + + + Set Tolerance for selected objects. + + + + + Select at least one object or compounds + + + + + Bad selection + + + diff --git a/src/Mod/Part/Gui/Resources/translations/Part_be.ts b/src/Mod/Part/Gui/Resources/translations/Part_be.ts index 19705ace9e59..a06d94addf52 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_be.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_be.ts @@ -2207,7 +2207,7 @@ of projection. Пераўтварыць паліганальную сетку - + Edit attachment Змяніць мацаванне @@ -4991,33 +4991,33 @@ of object being attached. PartGui::TaskCheckGeometryDialog - + Shape Content Змест фігуры - - + + Settings Налады - + Skip this settings page and run the geometry check automatically. Прапусціць налады старонкі і выканаць праверку геаметрыі аўтаматычна. - + Default: false Першапачаткова: false - + Run boolean operation check Запусціць праверку лагічнай аперацыі - + Extra boolean operations check that can sometimes find errors that the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false @@ -5026,46 +5026,46 @@ mean the checked object is unusable. Default: false азначаюць, што правераны аб'ект непрыдатны для ўжывання. Першапачаткова: false - + Single-threaded Аднапатокавы - + Run the geometry check in a single thread. This is slower, but more stable. Default: false Запусціць праверку геаметрыі ў адным патоку. Праца павольная, але больш стабільная. Першапачаткова: false - + Log errors Часопіс памылак - + Log errors to report view. Default: true Часопіс памылак у праглядзе справаздачы. Першапачаткова: true - + Expand shape content Разгарнуць змест фігуры - + Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false Разгарнуць змест фігуры. Змены ўступяць у сілу пры наступным ужыванні інструмента праверкі геаметрыі. Першапачаткова: false - + Advanced shape content Пашыраны змест фігуры - + Show advanced shape content. Changes will take effect next time you use the check geometry tool. Default: false Паказаць пашыраны змест фігуры. @@ -5073,114 +5073,114 @@ the check geometry tool. Default: false Першапачаткова: false - + Individual boolean operation checks: Праверкі асобнай лагічнай аперацыі: - + Bad type Няправільны тып - + Self-intersect Самаперакрыжаванне - + Too small edge Занадта малое рабро - + Nonrecoverable face Неадноўленая грань - + Continuity Бесперапыннасць - + Incompatibility of face Несумяшчальнасць грані - + Incompatibility of vertex Несумяшчальная вяршыня - + Incompatibility of edge Несумяшчальнасць рабра - + Invalid curve on surface Хібная крывая на паверхні - + Check for bad argument types. Default: true Праверыць на няправільныя тыпы аргументаў. Першапачаткова: true - + Skip this settings page Прапусціць налады старонкі - + Check for self-intersections. Default: true Праверыць на самаперакрыжаванні. Першапачаткова: true - + Check for edges that are too small. Default: true Праверыць на занадта малыя рэбры. Першапачаткова: true - + Check for nonrecoverable faces. Default: true Праверыць на неадноўленыя грані. Першапачаткова: true - + Check for continuity. Default: true Праверыць на бесперапыннасць. Першапачаткова: true - + Check for incompatible faces. Default: true Праверыць на несумяшчальнасць граняў. Першапачаткова: true - + Check for incompatible vertices. Default: true Праверыць на несумяшчальнасць вяршынь. Першапачаткова: true - + Check for incompatible edges. Default: true Праверыць на несумяшчальнасць рэбраў. Першапачаткова: true - + Check for invalid curves on surfaces. Default: true Праверыць на хібныя крывая на паверхні. Першапачаткова: true - + Run check Запусціць праверку - + Results Вынікі @@ -5238,6 +5238,26 @@ Individual boolean operation checks: Checked object Правяраемы аб'ект + + + Tolerance information + Tolerance information + + + + Global Minimum + Global Minimum + + + + Global Average + Global Average + + + + Global Maximum + Global Maximum + PartGui::TaskDlgAttacher @@ -5247,7 +5267,7 @@ Individual boolean operation checks: Прымацаваць - + Datum dialog: Input error Дыялог пункту адліку: памылка ўводу @@ -5886,7 +5906,7 @@ Do you want to continue? Лагічная аперацыя: недапушчальная - + Invalid Хібны @@ -6809,4 +6829,50 @@ by dragging a selection rectangle in the 3D view Болей не паказваць гэтае дыялогавае акно + + Part_ToleranceFeatures + + + Computing the result failed with an error: + Вылічэнне выніку завяршылася памылкай: + + + + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + Націсніце 'Працягнуць', каб стварыць функцыю ў любым выпадку, або 'Спыніць', каб адмяніць. + + + + Bad selection + Дрэнны выбар + + + + Continue + Працягнуць + + + + Part_ToleranceSet + + + Set Tolerance + Set Tolerance + + + + Set Tolerance for selected objects. + Set Tolerance for selected objects. + + + + Select at least one object or compounds + Select at least one object or compounds + + + + Bad selection + Дрэнны выбар + + diff --git a/src/Mod/Part/Gui/Resources/translations/Part_ca.ts b/src/Mod/Part/Gui/Resources/translations/Part_ca.ts index 4d70d0e7e23a..c3c10b97cf9e 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_ca.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_ca.ts @@ -2206,7 +2206,7 @@ de projecció. Convertir malla - + Edit attachment Editar adjunt @@ -4988,190 +4988,190 @@ de l'objecte que s'adjunta. PartGui::TaskCheckGeometryDialog - + Shape Content Forma contingut - - + + Settings Paràmetres - + Skip this settings page and run the geometry check automatically. Ometeu aquesta pàgina de configuració i executeu la comprovació de geometria automàticament. - + Default: false Per defecte: fals - + Run boolean operation check Feu córrer la comprovació d'operació booleana - + Extra boolean operations check that can sometimes find errors that the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false La comprovació extra d'operacions booleanes fa que a cops es trobin errors que la comprovació estàndard geometria Brep no troba. Aquests errors no sempre significa que l'objecte comprovat és inservible. Per defecte: fals - + Single-threaded Un sol fil - + Run the geometry check in a single thread. This is slower, but more stable. Default: false Fa córrer la comprovació de geometria en un sol fil. Això és més lent però més estable. Per defecte: fals - + Log errors Registre d'errors - + Log errors to report view. Default: true Registrar errors a la vista d'informes. Per defecte: veritat - + Expand shape content Expandir contingut de forma - + Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false Expandeix el contingut de formes. Els canvis tindran efecte el següent cop que useu l'eina de comprovació de geometria. Per defecte: fals - + Advanced shape content Contingut avançat de forma - + Show advanced shape content. Changes will take effect next time you use the check geometry tool. Default: false Mostra el contingut avançat de formes. Els canvis tindran efecte el següent cop que useu l'eina de comprovació de geometria. Per defecte: fals - + Individual boolean operation checks: Comprovacions d'operació booleana individual: - + Bad type Tipus dolent - + Self-intersect Auto intersecció - + Too small edge Vora massa petita - + Nonrecoverable face Cara irrecuperable - + Continuity Continuitat - + Incompatibility of face Incompatibilitat de cara - + Incompatibility of vertex Incompatibilitat de vèrtex - + Incompatibility of edge Incompatibilitat de vora - + Invalid curve on surface Corba invàlida a la superfície - + Check for bad argument types. Default: true Comprova tipus d'argument dolents. Per defecte: veritat - + Skip this settings page Omet aquesta pàgina de configuració - + Check for self-intersections. Default: true Comprova auto interaccions. Per defecte: veritat - + Check for edges that are too small. Default: true Comproveu vores que són massa petites, Per defecte: veritat - + Check for nonrecoverable faces. Default: true Comprovar cares irrecuperables. Per defecte: veritat - + Check for continuity. Default: true Comprovar continuïtat. Per defecte: veritat - + Check for incompatible faces. Default: true Comprovar cares incompatibles. Per defecte: veritat - + Check for incompatible vertices. Default: true Comprovar vèrtex incompatibles. Per defecte: veritat - + Check for incompatible edges. Default: true Comprovar vores incompatibles. Per defecte: veritat - + Check for invalid curves on surfaces. Default: true Comprovar corbes invàlides a superfícies. Per defecte: veritat - + Run check Fer córrer comprovació - + Results Resultats @@ -5227,6 +5227,26 @@ Comprovacions d'operació booleana individual: Checked object Objectes comprovats + + + Tolerance information + Tolerance information + + + + Global Minimum + Global Minimum + + + + Global Average + Global Average + + + + Global Maximum + Global Maximum + PartGui::TaskDlgAttacher @@ -5236,7 +5256,7 @@ Comprovacions d'operació booleana individual: Adjunt - + Datum dialog: Input error Diàleg datum: error d'entrada @@ -5873,7 +5893,7 @@ Do you want to continue? Operació booleana: no vàlida - + Invalid Invàlid @@ -6794,4 +6814,50 @@ by dragging a selection rectangle in the 3D view No ho tornis a mostrar + + Part_ToleranceFeatures + + + Computing the result failed with an error: + El càlcul del resultat ha fallat amb un error: + + + + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + Clica 'Continuar' per crear igualment la característica o 'Avortar' per cancel·lar. + + + + Bad selection + Mala selecció + + + + Continue + Continua + + + + Part_ToleranceSet + + + Set Tolerance + Set Tolerance + + + + Set Tolerance for selected objects. + Set Tolerance for selected objects. + + + + Select at least one object or compounds + Select at least one object or compounds + + + + Bad selection + Mala selecció + + diff --git a/src/Mod/Part/Gui/Resources/translations/Part_cs.ts b/src/Mod/Part/Gui/Resources/translations/Part_cs.ts index 57a7bd879363..886f9c02bda2 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_cs.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_cs.ts @@ -2205,7 +2205,7 @@ Pohled kamery určuje směr projekce. Převést síť - + Edit attachment Upravit připojení @@ -4992,33 +4992,33 @@ Poznámka: Umístění je určeno v lokálním souřadnicovém systému připoje PartGui::TaskCheckGeometryDialog - + Shape Content Obsah tvaru - - + + Settings Nastavení - + Skip this settings page and run the geometry check automatically. Přeskočit tuto stránku nastavení a provést kontrolu geometrie automaticky. - + Default: false Výchozí: vypnuto - + Run boolean operation check Spustit kontrolu booleovských operací - + Extra boolean operations check that can sometimes find errors that the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false @@ -5027,160 +5027,160 @@ které standardní kontrola geometrie BRep postrádá. Tyto chyby nemusí vždy znamenat, že kontrolovaný objekt je nepoužitelný. Výchozí: vypnuto - + Single-threaded Jedním vláknem - + Run the geometry check in a single thread. This is slower, but more stable. Default: false Spustit kontrolu geometrie v jednom vlákně. Toto je pomalejší, ale stabilnější. Výchozí: vypnuto - + Log errors Zaznamenat chyby - + Log errors to report view. Default: true Zaznamenávat chyby pro zobrazení hlášení. Výchozí: zapnuto - + Expand shape content Rozbalit obsah tvaru - + Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false Rozbalí obsah tvaru. Změny se projeví při příštím použití nástroje pro kontrolu geometrie. Výchozí: vypnuto - + Advanced shape content Rozšířený obsah tvaru - + Show advanced shape content. Changes will take effect next time you use the check geometry tool. Default: false Zobrazit rozšířený obsah tvaru. Změny se projeví při příštím použití nástroje pro kontrolu geometrie. Výchozí: vypnuto - + Individual boolean operation checks: Jednotlivé kontroly booleovských operací: - + Bad type Chybný typ - + Self-intersect Sebe protínání - + Too small edge Příliš malá hrana - + Nonrecoverable face Neobnovitelná plocha - + Continuity Kontinuita - + Incompatibility of face Nekompatibilita plochy - + Incompatibility of vertex Nekompatibilita vrcholu - + Incompatibility of edge Nekompatibilita hrany - + Invalid curve on surface Neplatná křivka na povrchu - + Check for bad argument types. Default: true Zkontrolovat špatné typy argumentů. Výchozí: zapnuto - + Skip this settings page Přeskočit tuto stránku nastavení - + Check for self-intersections. Default: true Kontrolovat protínání sama sebe. Výchozí: zapnuto - + Check for edges that are too small. Default: true Zkontrolovat hrany, které jsou příliš malé. Výchozí: zapnuto - + Check for nonrecoverable faces. Default: true Zkontrolovat neobnovitelné plochy. Výchozí: zapnuto - + Check for continuity. Default: true Kontrola kontinuity. Výchozí: zapnuto - + Check for incompatible faces. Default: true Zkontrolovat nekompatibilní plochy. Výchozí: zapnuto - + Check for incompatible vertices. Default: true Zkontrolovat nekompatibilní vrcholy. Výchozí: zapnuto - + Check for incompatible edges. Default: true Zkontrolovat nekompatibilní hrany. Výchozí: zapnuto - + Check for invalid curves on surfaces. Default: true Kontrola neplatných křivek na površích. Výchozí: zapnuto - + Run check Spustit kontrolu - + Results Výsledky @@ -5238,6 +5238,26 @@ Jednotlivé kontroly booleovských operací: Checked object Zkontrolovaný objekt + + + Tolerance information + Tolerance information + + + + Global Minimum + Global Minimum + + + + Global Average + Global Average + + + + Global Maximum + Global Maximum + PartGui::TaskDlgAttacher @@ -5247,7 +5267,7 @@ Jednotlivé kontroly booleovských operací: Připojení - + Datum dialog: Input error Dialog hodnoty: Chyba vstupu @@ -5884,7 +5904,7 @@ Chcete pokračovat? Booleovská operace: Neplatné - + Invalid Neplatné @@ -6807,4 +6827,50 @@ přetažením výběrového obdélníku v 3D pohledu Nezobrazovat tento dialog znovu + + Part_ToleranceFeatures + + + Computing the result failed with an error: + Výpočet výsledku se nezdařil s chybou: + + + + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + Klikněte na 'Pokračovat' pro vytvoření funkce i tak, nebo na 'Přerušit' pro zrušení. + + + + Bad selection + Špatný výběr + + + + Continue + Pokračovat + + + + Part_ToleranceSet + + + Set Tolerance + Set Tolerance + + + + Set Tolerance for selected objects. + Set Tolerance for selected objects. + + + + Select at least one object or compounds + Select at least one object or compounds + + + + Bad selection + Špatný výběr + + diff --git a/src/Mod/Part/Gui/Resources/translations/Part_da.ts b/src/Mod/Part/Gui/Resources/translations/Part_da.ts index b5184ae8bee9..461b2f2dfa67 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_da.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_da.ts @@ -2206,7 +2206,7 @@ of projection. Convert mesh - + Edit attachment Edit attachment @@ -4998,33 +4998,33 @@ of object being attached. PartGui::TaskCheckGeometryDialog - + Shape Content Shape Content - - + + Settings Settings - + Skip this settings page and run the geometry check automatically. Skip this settings page and run the geometry check automatically. - + Default: false Default: false - + Run boolean operation check Run boolean operation check - + Extra boolean operations check that can sometimes find errors that the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false @@ -5033,160 +5033,160 @@ the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false - + Single-threaded Single-threaded - + Run the geometry check in a single thread. This is slower, but more stable. Default: false Run the geometry check in a single thread. This is slower, but more stable. Default: false - + Log errors Log errors - + Log errors to report view. Default: true Log errors to report view. Default: true - + Expand shape content Expand shape content - + Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false - + Advanced shape content Advanced shape content - + Show advanced shape content. Changes will take effect next time you use the check geometry tool. Default: false Show advanced shape content. Changes will take effect next time you use the check geometry tool. Default: false - + Individual boolean operation checks: Individual boolean operation checks: - + Bad type Bad type - + Self-intersect Self-intersect - + Too small edge Too small edge - + Nonrecoverable face Nonrecoverable face - + Continuity Fortsættelse - + Incompatibility of face Incompatibility of face - + Incompatibility of vertex Incompatibility of vertex - + Incompatibility of edge Incompatibility of edge - + Invalid curve on surface Invalid curve on surface - + Check for bad argument types. Default: true Check for bad argument types. Default: true - + Skip this settings page Skip this settings page - + Check for self-intersections. Default: true Check for self-intersections. Default: true - + Check for edges that are too small. Default: true Check for edges that are too small. Default: true - + Check for nonrecoverable faces. Default: true Check for nonrecoverable faces. Default: true - + Check for continuity. Default: true Check for continuity. Default: true - + Check for incompatible faces. Default: true Check for incompatible faces. Default: true - + Check for incompatible vertices. Default: true Check for incompatible vertices. Default: true - + Check for incompatible edges. Default: true Check for incompatible edges. Default: true - + Check for invalid curves on surfaces. Default: true Check for invalid curves on surfaces. Default: true - + Run check Run check - + Results Results @@ -5242,6 +5242,26 @@ Individual boolean operation checks: Checked object Checked object + + + Tolerance information + Tolerance information + + + + Global Minimum + Global Minimum + + + + Global Average + Global Average + + + + Global Maximum + Global Maximum + PartGui::TaskDlgAttacher @@ -5251,7 +5271,7 @@ Individual boolean operation checks: Tilføjelse - + Datum dialog: Input error Datum dialog: Input error @@ -5889,7 +5909,7 @@ Do you want to continue? Boolean operation: Not valid - + Invalid Invalid @@ -6812,4 +6832,50 @@ by dragging a selection rectangle in the 3D view Don't show this dialog again + + Part_ToleranceFeatures + + + Computing the result failed with an error: + Computing the result failed with an error: + + + + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + + + + Bad selection + Bad selection + + + + Continue + Continue + + + + Part_ToleranceSet + + + Set Tolerance + Set Tolerance + + + + Set Tolerance for selected objects. + Set Tolerance for selected objects. + + + + Select at least one object or compounds + Select at least one object or compounds + + + + Bad selection + Bad selection + + diff --git a/src/Mod/Part/Gui/Resources/translations/Part_de.ts b/src/Mod/Part/Gui/Resources/translations/Part_de.ts index c39448445d16..0de8a8e29f78 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_de.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_de.ts @@ -1814,7 +1814,7 @@ Create primitives... - Grundkörper erstellen... + Grundelemente erstellen... @@ -2206,7 +2206,7 @@ der Projektion. Netz umwandeln - + Edit attachment Befestigung bearbeiten @@ -3409,7 +3409,7 @@ during file reading (slower but higher details). Geometric Primitives - Geometrische Grundkörper + Geometrische Grundelemente @@ -4990,33 +4990,33 @@ Hinweis: Die Positionierung wird im lokalen Koordinatensystem des befestigten Ob PartGui::TaskCheckGeometryDialog - + Shape Content Form-Inhalt - - + + Settings Einstellungen - + Skip this settings page and run the geometry check automatically. Überspringe diese Einstellungsseite und führe die Geometrie-Prüfung automatisch aus. - + Default: false Standard: "false" - + Run boolean operation check Überprüfung boolescher Verknüpfungen ausführen - + Extra boolean operations check that can sometimes find errors that the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false @@ -5025,157 +5025,157 @@ von der Standardprüfung der B-rep-Geometrie übersehen werden. Diese Fehler bedeuten nicht immer, dass das geprüfte Objekt unbrauchbar ist. Standardwert: falsch - + Single-threaded Einzelner Thread - + Run the geometry check in a single thread. This is slower, but more stable. Default: false Geometrieprüfung in einem einzigen Thread ausführen. Dies ist langsamer, aber stabiler. Standard: falsch - + Log errors Fehler protokollieren - + Log errors to report view. Default: true Fehler protokollieren zur Meldung. Standard: Ja - + Expand shape content Form-Inhalt erweitern - + Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false Den Inhalt der Form erweitern. Die Änderungen werden bei der nächsten Verwendung des Werkzeugs wirksam. Standard: falsch - + Advanced shape content Erweiterter Formeninhalt - + Show advanced shape content. Changes will take effect next time you use the check geometry tool. Default: false Erweiterte Formeninhalte anzeigen. Änderungen werden bei der nächsten Verwendung des Werkzeugs wirksam. Standardwert: falsch - + Individual boolean operation checks: Einzelne Überprüfungen boolescher Verknüpfungen: - + Bad type Falscher Typ - + Self-intersect Selbstdurchdringung - + Too small edge Zu kleine Kante - + Nonrecoverable face Nicht wiederherstellbare Fläche - + Continuity Stetigkeit - + Incompatibility of face Inkompatible Fläche - + Incompatibility of vertex Inkompatibler Knotenpunkt - + Incompatibility of edge Inkompatible Kante - + Invalid curve on surface Ungültige Kurve auf der Oberfläche - + Check for bad argument types. Default: true Auf schlechte Argument-Typen überprüfen. Standard: Ja - + Skip this settings page Diese Einstellungsseite überspringen - + Check for self-intersections. Default: true Auf Selbstdurchdringung überprüfen. Standard: true - + Check for edges that are too small. Default: true Auf zu kleine Kanten überprüfen. Standard: true - + Check for nonrecoverable faces. Default: true Auf nicht wiederherstellbare Flächen überprüfen. Standard: true - + Check for continuity. Default: true Auf Stetigkeit prüfen. Standard: true - + Check for incompatible faces. Default: true Auf nicht passende Flächen überprüfen. Standard: true - + Check for incompatible vertices. Default: true Auf nicht passende Knotenpunkte überprüfen. Standard: true - + Check for incompatible edges. Default: true Auf nicht passende Kanten überprüfen. Standard: true - + Check for invalid curves on surfaces. Default: true Nach ungültigen Kurven auf Oberflächen suchen. Standard: true - + Run check Prüfung ausführen - + Results Ergebnisse @@ -5231,6 +5231,26 @@ Einzelne Überprüfungen boolescher Verknüpfungen: Checked object Geprüftes Objekt + + + Tolerance information + Tolerance information + + + + Global Minimum + Global Minimum + + + + Global Average + Global Average + + + + Global Maximum + Global Maximum + PartGui::TaskDlgAttacher @@ -5240,7 +5260,7 @@ Einzelne Überprüfungen boolescher Verknüpfungen: Befestigen - + Datum dialog: Input error Bezugspunkt Dialog: Eingabefehler @@ -5877,7 +5897,7 @@ Do you want to continue? Boolesche Verknüpfung: Ungültig - + Invalid Ungültig @@ -6799,4 +6819,50 @@ eines Auswahlrechtecks in der 3D-Ansicht ausgewählt werden Diesen Dialog nicht mehr anzeigen + + Part_ToleranceFeatures + + + Computing the result failed with an error: + Das Berechnen des Ergebnisses ist mit einem Fehler gescheitert: + + + + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + Auf 'Weiter' klicken, um die Funktion trotzdem zu erstellen, oder 'Abbrechen' um abzubrechen. + + + + Bad selection + Ungünstige Auswahl + + + + Continue + Fortsetzen + + + + Part_ToleranceSet + + + Set Tolerance + Set Tolerance + + + + Set Tolerance for selected objects. + Set Tolerance for selected objects. + + + + Select at least one object or compounds + Select at least one object or compounds + + + + Bad selection + Ungünstige Auswahl + + diff --git a/src/Mod/Part/Gui/Resources/translations/Part_el.ts b/src/Mod/Part/Gui/Resources/translations/Part_el.ts index f02d112b04d6..56eeda5b2e5f 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_el.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_el.ts @@ -2206,7 +2206,7 @@ of projection. Convert mesh - + Edit attachment Edit attachment @@ -4999,33 +4999,33 @@ of object being attached. PartGui::TaskCheckGeometryDialog - + Shape Content Περιεχόμενο Σχήματος - - + + Settings Ρυθμίσεις - + Skip this settings page and run the geometry check automatically. Skip this settings page and run the geometry check automatically. - + Default: false Default: false - + Run boolean operation check Run boolean operation check - + Extra boolean operations check that can sometimes find errors that the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false @@ -5034,159 +5034,159 @@ the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false - + Single-threaded Single-threaded - + Run the geometry check in a single thread. This is slower, but more stable. Default: false Run the geometry check in a single thread. This is slower, but more stable. Default: false - + Log errors Log errors - + Log errors to report view. Default: true Log errors to report view. Default: true - + Expand shape content Expand shape content - + Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false - + Advanced shape content Advanced shape content - + Show advanced shape content. Changes will take effect next time you use the check geometry tool. Default: false Εμφάνιση περιεχομένου σχήματος για προχωρημένους. Οι αλλαγές θα τεθούν σε ισχύ την επόμενη φορά που θα χρησιμοποιήσετε το εργαλείο ελέγχου γεωμετρίας. Προεπιλογή: ψευδής (false) - + Individual boolean operation checks: Individual boolean operation checks: - + Bad type Bad type - + Self-intersect Self-intersect - + Too small edge Too small edge - + Nonrecoverable face Nonrecoverable face - + Continuity Συνέχεια - + Incompatibility of face Incompatibility of face - + Incompatibility of vertex Incompatibility of vertex - + Incompatibility of edge Incompatibility of edge - + Invalid curve on surface Invalid curve on surface - + Check for bad argument types. Default: true Check for bad argument types. Default: true - + Skip this settings page Skip this settings page - + Check for self-intersections. Default: true Check for self-intersections. Default: true - + Check for edges that are too small. Default: true Ελέγξτε για ακμές που είναι πολύ μικρές. Προεπιλογή: Αληθές (true) - + Check for nonrecoverable faces. Default: true Check for nonrecoverable faces. Default: true - + Check for continuity. Default: true Check for continuity. Default: true - + Check for incompatible faces. Default: true Check for incompatible faces. Default: true - + Check for incompatible vertices. Default: true Check for incompatible vertices. Default: true - + Check for incompatible edges. Default: true Check for incompatible edges. Default: true - + Check for invalid curves on surfaces. Default: true Check for invalid curves on surfaces. Default: true - + Run check Run check - + Results Results @@ -5242,6 +5242,26 @@ Individual boolean operation checks: Checked object Checked object + + + Tolerance information + Tolerance information + + + + Global Minimum + Global Minimum + + + + Global Average + Global Average + + + + Global Maximum + Global Maximum + PartGui::TaskDlgAttacher @@ -5251,7 +5271,7 @@ Individual boolean operation checks: Συνημμένο - + Datum dialog: Input error Παράθυρο διαλόγου περιορισμών διαστάσεων: Σφάλμα εισαγωγής @@ -5889,7 +5909,7 @@ Do you want to continue? Boolean operation: Not valid - + Invalid Μη έγκυρο @@ -6812,4 +6832,50 @@ by dragging a selection rectangle in the 3D view Don't show this dialog again + + Part_ToleranceFeatures + + + Computing the result failed with an error: + Computing the result failed with an error: + + + + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + + + + Bad selection + Bad selection + + + + Continue + Συνεχίστε + + + + Part_ToleranceSet + + + Set Tolerance + Set Tolerance + + + + Set Tolerance for selected objects. + Set Tolerance for selected objects. + + + + Select at least one object or compounds + Select at least one object or compounds + + + + Bad selection + Bad selection + + 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 8ee45b4ba806..b5e31f460841 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_es-AR.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_es-AR.ts @@ -2206,7 +2206,7 @@ de proyección. Convertir malla - + Edit attachment Editar adjunto @@ -4999,33 +4999,33 @@ del objeto que se adjunta. PartGui::TaskCheckGeometryDialog - + Shape Content Contenido de Forma - - + + Settings Configuración - + Skip this settings page and run the geometry check automatically. Omitir esta página de configuración y ejecutar la verificación de geometría automáticamente. - + Default: false Por defecto: false - + Run boolean operation check Ejecutar comprobación de operación booleana - + Extra boolean operations check that can sometimes find errors that the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false @@ -5034,159 +5034,159 @@ la verificación estándar de la geometría BRep falla. Estos errores no siempre significan que el objeto comprobado es inutilizable. Por defecto: false - + Single-threaded De un solo hilo - + Run the geometry check in a single thread. This is slower, but more stable. Default: false Ejecute la comprobación de geometría en un solo hilo. Esto es mas lento pero más estable. Predeterminado: falso - + Log errors Registro de Errores - + Log errors to report view. Default: true Registro de errores para vista de reportes. Por defecto: verdadero - + Expand shape content Expandir contenido de forma - + Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false Expandir contenido de forma. Los cambios tendrán efecto la próxima vez que utilices la herramienta de verificación de geometría. Por defecto: false - + Advanced shape content Contenido avanzado de forma - + Show advanced shape content. Changes will take effect next time you use the check geometry tool. Default: false Muestra el contenido avanzado de la forma. Los cambios tendrán efecto la próxima vez que utilices la herramienta de verificación de geometría. Por defecto: false - + Individual boolean operation checks: Comprobación de operaciones booleanas individuales: - + Bad type Tipo incorrecto - + Self-intersect Autointersección - + Too small edge Borde demasiado pequeño - + Nonrecoverable face Cara no recuperable - + Continuity Continuidad - + Incompatibility of face Incompatibilidad de la cara - + Incompatibility of vertex Incompatibilidad de vértices - + Incompatibility of edge Incompatibilidad del borde - + Invalid curve on surface Curva no válida en la superficie - + Check for bad argument types. Default: true Chequear tipos de argumentos incorrectos. Predeterminado: verdadero - + Skip this settings page Omitir esta página de configuración - + Check for self-intersections. Default: true Chequear autointersecciones. Predeterminado: verdadero - + Check for edges that are too small. Default: true Chequear aristas demasiado pequeñas. Predeterminado: verdadero - + Check for nonrecoverable faces. Default: true Chequear caras irrecuperables. Predeterminado: verdadero - + Check for continuity. Default: true Chequear continuidad. Predeterminado: verdadero - + Check for incompatible faces. Default: true Chequear caras incompatibles. Predeterminadoo: verdadero - + Check for incompatible vertices. Default: true Chequear vértices incompatibles. Predeterminado: verdadero - + Check for incompatible edges. Default: true Chequear aristas incompatibles. Predeterminado: verdadero - + Check for invalid curves on surfaces. Default: true Chequear curvas inválidas en superficies. Predeterminado: verdadero - + Run check Ejecutar verificación - + Results Resultados @@ -5242,6 +5242,26 @@ Comprobación de operaciones booleanas individuales: Checked object Objeto marcado + + + Tolerance information + Tolerance information + + + + Global Minimum + Global Minimum + + + + Global Average + Global Average + + + + Global Maximum + Global Maximum + PartGui::TaskDlgAttacher @@ -5251,7 +5271,7 @@ Comprobación de operaciones booleanas individuales: Adjunto - + Datum dialog: Input error Diálogo de Referencia: error de entrada @@ -5888,7 +5908,7 @@ Do you want to continue? Operación booleana: no válida - + Invalid Inválido @@ -6811,4 +6831,50 @@ arrastrando un rectángulo de selección en la vista 3D No volver a mostrar este cuadro de diálogo + + Part_ToleranceFeatures + + + Computing the result failed with an error: + El cálculo del resultado falló con un error: + + + + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + Haga clic en 'Continuar' para crear la característica de todos modos, o 'Abortar' para cancelar. + + + + Bad selection + Mala selección + + + + Continue + Continuo + + + + Part_ToleranceSet + + + Set Tolerance + Set Tolerance + + + + Set Tolerance for selected objects. + Set Tolerance for selected objects. + + + + Select at least one object or compounds + Select at least one object or compounds + + + + Bad selection + Mala selección + + 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 855bf1cf6f67..39a851a898d5 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_es-ES.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_es-ES.ts @@ -2206,7 +2206,7 @@ de proyección. Convertir malla - + Edit attachment Editar adjunto @@ -4996,192 +4996,192 @@ del objeto que se adjunta. PartGui::TaskCheckGeometryDialog - + Shape Content Contenido de Forma - - + + Settings Opciones - + Skip this settings page and run the geometry check automatically. Omitir esta página de configuración y ejecutar la verificación de geometría automáticamente. - + Default: false Por defecto: falso - + Run boolean operation check Ejecutar comprobación de operación booleana - + Extra boolean operations check that can sometimes find errors that the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false Comprobación de operaciones booleanas extra que a veces pueden encontrar errores que la verificación estándar de la geometría BRep falla. Estos errores no siempre significan que el objeto comprobado es inutilizable. Por defecto: falso - + Single-threaded De un solo hilo - + Run the geometry check in a single thread. This is slower, but more stable. Default: false Ejecute la comprobación de geometría en un solo hilo. Esto es mas lento pero más estable. Predeterminado: falso - + Log errors Registro de Errores - + Log errors to report view. Default: true Registro de errores para vista de reportes. Por defecto: verdadero - + Expand shape content Expandir contenido de forma - + Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false Expandir contenido de forma. Los cambios tendrán efecto la próxima vez que utilices la herramienta de verificación de geometría. Por defecto: false - + Advanced shape content Contenido avanzado de forma - + Show advanced shape content. Changes will take effect next time you use the check geometry tool. Default: false Muestra el contenido avanzado de la forma. Los cambios tendrán efecto la próxima vez que utilices la herramienta de verificación de geometría. Por defecto: false - + Individual boolean operation checks: Comprobación de operaciones booleanas individuales: - + Bad type Tipo incorrecto - + Self-intersect Auto-intersección - + Too small edge Arista demasiada pequeña - + Nonrecoverable face Cara no recuperable - + Continuity Continuidad - + Incompatibility of face Incompatibilidad de cara - + Incompatibility of vertex Incompatibilidad de vértices - + Incompatibility of edge Incompatibilidad de arista - + Invalid curve on surface Curva inválida en la superficie - + Check for bad argument types. Default: true Chequear tipos de argumentos incorrectos. Predeterminado: verdadero - + Skip this settings page Omitir esta página de configuración - + Check for self-intersections. Default: true Chequear autointersecciones. Predeterminado: verdadero - + Check for edges that are too small. Default: true Chequear aristas demasiado pequeñas. Predeterminado: verdadero - + Check for nonrecoverable faces. Default: true Chequear caras irrecuperables. Predeterminado: verdadero - + Check for continuity. Default: true Chequear continuidad. Predeterminado: verdadero - + Check for incompatible faces. Default: true Chequear caras incompatibles. Predeterminadoo: verdadero - + Check for incompatible vertices. Default: true Chequear vértices incompatibles. Predeterminado: verdadero - + Check for incompatible edges. Default: true Chequear aristas incompatibles. Predeterminado: verdadero - + Check for invalid curves on surfaces. Default: true Chequear curvas inválidas en superficies. Predeterminado: verdadero - + Run check Ejecutar verificación - + Results Resultados @@ -5237,6 +5237,26 @@ Comprobación de operaciones booleanas individuales: Checked object Objeto marcado + + + Tolerance information + Tolerance information + + + + Global Minimum + Global Minimum + + + + Global Average + Global Average + + + + Global Maximum + Global Maximum + PartGui::TaskDlgAttacher @@ -5246,7 +5266,7 @@ Comprobación de operaciones booleanas individuales: Adjunto - + Datum dialog: Input error Diálogo Datum: Error de entrada @@ -5883,7 +5903,7 @@ Do you want to continue? Operación booleana: no válida - + Invalid No válido @@ -6806,4 +6826,50 @@ arrastrando un rectángulo de selección en la vista 3D No volver a mostrar este cuadro de diálogo + + Part_ToleranceFeatures + + + Computing the result failed with an error: + El cálculo del resultado falló con un error: + + + + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + Haga clic en 'Continuar' para crear la característica de todos modos, o 'Abortar' para cancelar. + + + + Bad selection + Mala selección + + + + Continue + Continuar + + + + Part_ToleranceSet + + + Set Tolerance + Set Tolerance + + + + Set Tolerance for selected objects. + Set Tolerance for selected objects. + + + + Select at least one object or compounds + Select at least one object or compounds + + + + Bad selection + Mala selección + + diff --git a/src/Mod/Part/Gui/Resources/translations/Part_eu.ts b/src/Mod/Part/Gui/Resources/translations/Part_eu.ts index 9ba83f52a1a9..15298294200d 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_eu.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_eu.ts @@ -2206,7 +2206,7 @@ zehazten du. Bihurtu amarauna - + Edit attachment Editatu eranskina @@ -4995,33 +4995,33 @@ koordenatu-sistema lokalean adierazten da. PartGui::TaskCheckGeometryDialog - + Shape Content Formaren edukia - - + + Settings Ezarpenak - + Skip this settings page and run the geometry check automatically. Saltatu ezarpenen orri hau eta exekutatu geometria-egiaztatzea automatikoki. - + Default: false Balio lehenetsia: faltsua - + Run boolean operation check Exekutatu eragiketa boolearraren egiaztatzea - + Extra boolean operations check that can sometimes find errors that the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false @@ -5030,160 +5030,160 @@ estandarrak aurkitzen ez dituen erroreak aurkitzen dituena. Errore horiek ez dut beti adierazten egiaztatutako objektua erabilezina denik. Lehenetsia: faltsua - + Single-threaded Hari bakarrekoa - + Run the geometry check in a single thread. This is slower, but more stable. Default: false Exekutatu geometria-egiaztatzea hari bakarrean. Motelagoa da, baina egonkorragoa. Lehenetsia: faltsua - + Log errors Erregistratu erroreak - + Log errors to report view. Default: true Erregistratu txosten-bistaren erroreak. Lehenetsia: egia - + Expand shape content Hedatu formaren edukia - + Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false Hedatu formaren edukia. Geometria egiaztatzeko tresna erabiltzen den hurrengoan sartuko dira indarrean aldaketak. Lehenetsia: faltsua - + Advanced shape content Formaren eduki aurreratua - + Show advanced shape content. Changes will take effect next time you use the check geometry tool. Default: false Erakutsi formaren eduki aurreratua. Geometria egiaztatzeko tresna erabiltzen den hurrengoan sartuko dira indarrean aldaketak. Lehenetsia: faltsua - + Individual boolean operation checks: Eragiketa boolearren banakako egiaztatzeak: - + Bad type Mota okerra - + Self-intersect Autoebaki - + Too small edge Ertz txikiegia - + Nonrecoverable face Aurpegi berreskuraezina - + Continuity Jarraitutasuna - + Incompatibility of face Aurpegien bateraezintasuna - + Incompatibility of vertex Erpinen bateraezintasuna - + Incompatibility of edge Ertzen bateraezintasuna - + Invalid curve on surface Kurba baliogabea gainazalean - + Check for bad argument types. Default: true Egiaztatu argumentu mota okerrak. Lehenetsia: egia - + Skip this settings page Skip this settings page - + Check for self-intersections. Default: true Egiaztatu autoebakidurak. Lehenetsia: egia - + Check for edges that are too small. Default: true Egiaztatu txikiegiak diren ertzak. Lehenetsia: egia - + Check for nonrecoverable faces. Default: true Egiaztatu aurpegi berreskuraezinak. Lehenetsia: egia - + Check for continuity. Default: true Egiaztatu jarraitutasuna. Balio lehenetsia: egia - + Check for incompatible faces. Default: true Egiaztatu aurpegi bateraezinak. Lehenetsia: egia - + Check for incompatible vertices. Default: true Egiaztatu erpin bateraezinak. Lehenetsia: egia - + Check for incompatible edges. Default: true Egiaztatu ertz bateraezinak. Lehenetsia: egia - + Check for invalid curves on surfaces. Default: true Egiaztatu kurba baliogabeak gainazaletan. Lehenetsia: egia - + Run check Exekutatu egiaztatzea - + Results Emaitzak @@ -5239,6 +5239,26 @@ Eragiketa boolearren banakako egiaztatzeak: Checked object Objektu markatua + + + Tolerance information + Tolerance information + + + + Global Minimum + Global Minimum + + + + Global Average + Global Average + + + + Global Maximum + Global Maximum + PartGui::TaskDlgAttacher @@ -5248,7 +5268,7 @@ Eragiketa boolearren banakako egiaztatzeak: Eranskina - + Datum dialog: Input error Zero puntuaren elkarrizketa-koadroa: Sarrera-errorea @@ -5885,7 +5905,7 @@ Do you want to continue? Eragiketa boolearra: Ez da baliozkoa - + Invalid Baliogabea @@ -6807,4 +6827,50 @@ by dragging a selection rectangle in the 3D view Ez erakutsi elkarrizketa-koadro hau berriro + + Part_ToleranceFeatures + + + Computing the result failed with an error: + Emaitza kalkulatzean errore bat gertatu da: + + + + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + Egin klik 'Jarraitu' aukeran elementua sortzeko, edo sakatu 'Abortatu' bertan behera uzteko. + + + + Bad selection + Hautapen okerra + + + + Continue + Jarraitu + + + + Part_ToleranceSet + + + Set Tolerance + Set Tolerance + + + + Set Tolerance for selected objects. + Set Tolerance for selected objects. + + + + Select at least one object or compounds + Select at least one object or compounds + + + + Bad selection + Hautapen okerra + + diff --git a/src/Mod/Part/Gui/Resources/translations/Part_fi.ts b/src/Mod/Part/Gui/Resources/translations/Part_fi.ts index da10d1aab292..5a187a1fd017 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_fi.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_fi.ts @@ -2203,7 +2203,7 @@ of projection. Convert mesh - + Edit attachment Muokkaa liitettä @@ -4996,33 +4996,33 @@ of object being attached. PartGui::TaskCheckGeometryDialog - + Shape Content Muodon sisältö - - + + Settings Asetukset - + Skip this settings page and run the geometry check automatically. Skip this settings page and run the geometry check automatically. - + Default: false Default: false - + Run boolean operation check Run boolean operation check - + Extra boolean operations check that can sometimes find errors that the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false @@ -5031,160 +5031,160 @@ the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false - + Single-threaded Single-threaded - + Run the geometry check in a single thread. This is slower, but more stable. Default: false Run the geometry check in a single thread. This is slower, but more stable. Default: false - + Log errors Kirjaa virheet - + Log errors to report view. Default: true Log errors to report view. Default: true - + Expand shape content Expand shape content - + Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false - + Advanced shape content Advanced shape content - + Show advanced shape content. Changes will take effect next time you use the check geometry tool. Default: false Show advanced shape content. Changes will take effect next time you use the check geometry tool. Default: false - + Individual boolean operation checks: Individual boolean operation checks: - + Bad type Bad type - + Self-intersect Self-intersect - + Too small edge Too small edge - + Nonrecoverable face Nonrecoverable face - + Continuity Jatkuvuus - + Incompatibility of face Incompatibility of face - + Incompatibility of vertex Incompatibility of vertex - + Incompatibility of edge Incompatibility of edge - + Invalid curve on surface Invalid curve on surface - + Check for bad argument types. Default: true Check for bad argument types. Default: true - + Skip this settings page Skip this settings page - + Check for self-intersections. Default: true Check for self-intersections. Default: true - + Check for edges that are too small. Default: true Check for edges that are too small. Default: true - + Check for nonrecoverable faces. Default: true Check for nonrecoverable faces. Default: true - + Check for continuity. Default: true Check for continuity. Default: true - + Check for incompatible faces. Default: true Check for incompatible faces. Default: true - + Check for incompatible vertices. Default: true Check for incompatible vertices. Default: true - + Check for incompatible edges. Default: true Check for incompatible edges. Default: true - + Check for invalid curves on surfaces. Default: true Check for invalid curves on surfaces. Default: true - + Run check Run check - + Results Tulokset @@ -5240,6 +5240,26 @@ Individual boolean operation checks: Checked object Checked object + + + Tolerance information + Tolerance information + + + + Global Minimum + Global Minimum + + + + Global Average + Global Average + + + + Global Maximum + Global Maximum + PartGui::TaskDlgAttacher @@ -5249,7 +5269,7 @@ Individual boolean operation checks: Liitos - + Datum dialog: Input error Päivämäärä ikkuna: Syöttövirhe @@ -5887,7 +5907,7 @@ Haluatko jatkaa? Boolean operation: Not valid - + Invalid Virheellinen @@ -6810,4 +6830,50 @@ by dragging a selection rectangle in the 3D view Don't show this dialog again + + Part_ToleranceFeatures + + + Computing the result failed with an error: + Computing the result failed with an error: + + + + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + Napsauta 'Jatka' luodaksesi ominaisuuden joka tapauksessa tai 'Keskeytä' peruuttaaksesi. + + + + Bad selection + Bad selection + + + + Continue + Jatka + + + + Part_ToleranceSet + + + Set Tolerance + Set Tolerance + + + + Set Tolerance for selected objects. + Set Tolerance for selected objects. + + + + Select at least one object or compounds + Select at least one object or compounds + + + + Bad selection + Bad selection + + diff --git a/src/Mod/Part/Gui/Resources/translations/Part_fr.ts b/src/Mod/Part/Gui/Resources/translations/Part_fr.ts index d4a0a7e0f7ee..58888cc12824 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_fr.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_fr.ts @@ -2204,7 +2204,7 @@ La vue de la caméra détermine la direction de la projection. Convertir le maillage - + Edit attachment Modifier l'ancrage @@ -4984,33 +4984,33 @@ Remarque : la position est exprimée dans le système de coordonnées local de l PartGui::TaskCheckGeometryDialog - + Shape Content Contenu de la forme - - + + Settings Paramètres - + Skip this settings page and run the geometry check automatically. Sauter cette page de paramètres et exécuter la vérification de la géométrie automatiquement. - + Default: false Par défaut : faux - + Run boolean operation check Exécuter la vérification de l’opération booléenne - + Extra boolean operations check that can sometimes find errors that the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false @@ -5020,12 +5020,12 @@ manqué. Ces erreurs ne signifient pas toujours que l’objet vérifié est inut Valeur par défaut : faux - + Single-threaded Exécution sur un seul thread - + Run the geometry check in a single thread. This is slower, but more stable. Default: false Lancer la vérification de la géométrie avec un seul thread. @@ -5033,23 +5033,23 @@ C'est plus lent, mais plus stable. Valeur par défaut : false - + Log errors Journal des erreurs - + Log errors to report view. Default: true Les logs d'erreurs vers la Vue rapport. Valeur par défaut : true - + Expand shape content Développer le contenu de la forme - + Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false Développer le contenu de la forme. Les modifications prendront effet la @@ -5057,12 +5057,12 @@ prochaine fois que vous utiliserez l'outil de vérification de la géométrie. Valeur par défaut : false - + Advanced shape content Contenu avancé de la forme - + Show advanced shape content. Changes will take effect next time you use the check geometry tool. Default: false Afficher le contenu avancé de la forme. Les modifications prendront effet la @@ -5070,123 +5070,123 @@ prochaine fois que vous utiliserez l'outil de vérification de la géométrie. Valeur par défaut : false - + Individual boolean operation checks: Vérifications des différentes opérations booléennes : - + Bad type Mauvais type d'argument - + Self-intersect Auto-intersection - + Too small edge Arête trop petite - + Nonrecoverable face Face non-récupérable - + Continuity Continuité - + Incompatibility of face Incompatibilité de face - + Incompatibility of vertex Incompatibilité de sommet - + Incompatibility of edge Incompatibilité d’arête - + Invalid curve on surface Courbe de surface non valable - + Check for bad argument types. Default: true Vérifier la présence de mauvais types d'arguments. Valeur par défaut : true - + Skip this settings page Passer cette page de paramètres - + Check for self-intersections. Default: true Vérifier la présence d'auto-intersections. Valeur par défaut : true - + Check for edges that are too small. Default: true Vérifier la présence d'arêtes trop petites. Valeur par défaut : true - + Check for nonrecoverable faces. Default: true Vérifier la présence de faces non récupérables. Valeur par défaut : true - + Check for continuity. Default: true Vérifier la continuité. Valeur par défaut : true - + Check for incompatible faces. Default: true Vérifier la présence de faces incompatibles. Valeur par défaut : true - + Check for incompatible vertices. Default: true Vérifier la présence de sommets incompatibles. Valeur par défaut : true - + Check for incompatible edges. Default: true Vérifier la présence d'arêtes incompatibles. Valeur par défaut : true - + Check for invalid curves on surfaces. Default: true Vérifier la présence de courbes invalides sur des surfaces. Valeur par défaut : true - + Run check Lancer la vérification - + Results Résultats @@ -5242,6 +5242,26 @@ Valeur par défaut : true Checked object Objet vérifié + + + Tolerance information + Tolerance information + + + + Global Minimum + Global Minimum + + + + Global Average + Global Average + + + + Global Maximum + Global Maximum + PartGui::TaskDlgAttacher @@ -5251,7 +5271,7 @@ Valeur par défaut : true Ancrage - + Datum dialog: Input error Fenêtre de dialogue du point de référence : erreur de saisie @@ -5888,7 +5908,7 @@ Voulez-vous continuer ? Opération booléenne : non valide - + Invalid Invalide @@ -6456,7 +6476,7 @@ Cela créera un "filtre composé" pour chaque forme. Boolean fragments - Éléments booléens + Fragments booléens @@ -6465,7 +6485,7 @@ or from the shapes inside a compound. This is a boolean union which is then sliced at the intersections of the original shapes. A 'Compound Filter' can be used to extract the individual slices. - Créer un objet "Éléments booléens" à partir de deux ou plusieurs objets sélectionnés ou des formes à l'intérieur d'un composé. + Créer un objet "Fragments booléens" à partir de deux ou plusieurs objets sélectionnés ou des formes à l'intérieur d'un composé. Il s'agit d'une union booléenne qui est ensuite coupée aux intersections des formes originales. Un "filtre de composé" peut être utilisé pour extraire différents morceaux. @@ -6805,4 +6825,50 @@ by dragging a selection rectangle in the 3D view Ne plus afficher ce dialogue + + Part_ToleranceFeatures + + + Computing the result failed with an error: + Le calcul du résultat a échoué avec une erreur : + + + + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + Cliquez sur "Continuer" pour créer tout de même la fonction ou sur "Interrompre" pour annuler. + + + + Bad selection + Sélection non valide + + + + Continue + Continuer + + + + Part_ToleranceSet + + + Set Tolerance + Set Tolerance + + + + Set Tolerance for selected objects. + Set Tolerance for selected objects. + + + + Select at least one object or compounds + Select at least one object or compounds + + + + Bad selection + Sélection non valide + + diff --git a/src/Mod/Part/Gui/Resources/translations/Part_hr.ts b/src/Mod/Part/Gui/Resources/translations/Part_hr.ts index f9226f6a9934..72fa4c6b2230 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_hr.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_hr.ts @@ -576,7 +576,7 @@ X' Y' plane is parallel to the plane (object's XY) and passes through the vertex AttachmentPlane mode tooltip - X' Y' plane is parallel to the plane (object's XY) and passes through the vertex + Ravnina X' Y' paralelna je s ravninom (XY objekta) i prolazi kroz vrh @@ -785,7 +785,7 @@ X' Y' plane is parallel to the plane (object's XY) and passes through the vertex. Attachment3D mode tooltip - X' Y' plane is parallel to the plane (object's XY) and passes through the vertex. + Ravnina X' Y' paralelna je s ravninom (XY objekta) i prolazi kroz vrh. @@ -2211,7 +2211,7 @@ projekcije. Pretvori mrežu - + Edit attachment Uređivanje privitka @@ -2607,7 +2607,7 @@ predmeta koji se pridružuje. Uncheck this to skip invisible objects when exporting, which is useful for CADs that do not support invisibility STEP styling. - Uncheck this to skip invisible objects when exporting, which is useful for CADs that do not support invisibility STEP styling. + Poništite ovo da biste preskočili nevidljive objekte prilikom izvoza, što je korisno za CAD-ove koji ne podržavaju STEP stiliziranje nevidljivosti . @@ -2615,10 +2615,10 @@ predmeta koji se pridružuje. a single object. Please note that when importing back the STEP file, the placement will be encoded into the shape geometry, instead of keeping it inside the Placement property. - Check this option to keep the placement information when exporting -a single object. Please note that when importing back the STEP file, the -placement will be encoded into the shape geometry, instead of keeping -it inside the Placement property. + Označite ovu opciju kako biste zadržali informacije o položaju prilikom izvoza +jednog objekta. Imajte na umu da prilikom povratnog uvoza STEP datoteke, +položaj će biti kodiran u geometriju oblika, umjesto da se zadrži +unutar svojstva Položaj. @@ -3092,7 +3092,7 @@ Please check one or more edge entities first. Export solids and shells as - Export solids and shells as + Izvoz čvrsto tijelo i ljuske kao @@ -3166,8 +3166,8 @@ Please check one or more edge entities first. If checked, Compound merge will be done during file reading (slower but higher details). - If checked, Compound merge will be done -during file reading (slower but higher details). + Ako je označeno, izvršiti će se spajanje složenih spojeva +tijekom čitanja datoteke (sporije, ali veći detalji). @@ -3223,7 +3223,7 @@ during file reading (slower but higher details). Do not use instance names. Useful for some legacy STEP files with non-meaningful auto-generated instance names. - Do not use instance names. Useful for some legacy STEP files with non-meaningful auto-generated instance names. + Nemojte koristiti nazive instance. Korisno za neke naslijeđene STEP datoteke s nesmislenim automatski generiranim nazivima instanci. @@ -4091,12 +4091,12 @@ during file reading (slower but higher details). These settings are experimental and may result in decreased stability, more problems and undefined behaviors. - These settings are experimental and may result in decreased stability, more problems and undefined behaviors. + Ove su postavke eksperimentalne i mogu dovesti do smanjene stabilnosti, više problema i nedefiniranog ponašanja. Allow multiple solids in Part Design Body by default (experimental) - Allow multiple solids in Part Design Body by default (experimental) + Prema zadanim postavkama dopusti više čvrstih tijela u tijelu dizajna dijela (eksperimentalno) @@ -4134,32 +4134,32 @@ during file reading (slower but higher details). Ambient shape color - Ambient shape color + Boja ambijenta The default ambient color for new shapes - The default ambient color for new shapes + Zadana boja ambijenta za nove oblike Emissive shape color - Emissive shape color + Emisivna boja oblika The default emissive color for new shapes - The default emissive color for new shapes + Zadana emisivna boja za nove oblike Specular shape color - Specular shape color + Boja sjaja oblika The default specular color for new shapes - The default specular color for new shapes + Zadana boja sjaja za nove oblike @@ -4174,12 +4174,12 @@ during file reading (slower but higher details). Shape shininess - Shape shininess + Sjaj oblika The default shininess for new shapes - The default shininess for new shapes + Zadani sjaj za nove oblike @@ -4253,10 +4253,10 @@ during file reading (slower but higher details). If not checked, it depends on the option "Backlight color" (preferences section Display -> 3D View); either the backlight color will be used or black. - The bottom side of the surface will be rendered the same way as the top. -If not checked, it depends on the option "Backlight color" -(preferences section Display -> 3D View); either the backlight color -will be used or black. + Donja strana površine bit će prikazana na isti način kao i gornja. +Ako nije označeno, ovisi o opciji "Boja pozadinskog osvjetljenja" +(odjeljak postavki Prikaz -> 3D prikaz); bilo boju pozadinskog osvjetljenja +koristit će se ili crna. @@ -4514,7 +4514,7 @@ u suprotnom koristit će se normalni vektor ravnine skice Persistent Section Cutting - Persistent Section Cutting + Trajno rezanje presjeka @@ -5015,33 +5015,33 @@ predmeta koji se pridružuje. PartGui::TaskCheckGeometryDialog - + Shape Content Sadržaj oblika - - + + Settings Postavke - + Skip this settings page and run the geometry check automatically. Preskoči ovu stranicu postavki i automatski pokreni provjeru geometrije - + Default: false Zadano: netačno - + Run boolean operation check Pokreni provjeru booleove (logičke) operacije - + Extra boolean operations check that can sometimes find errors that the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false @@ -5050,159 +5050,159 @@ standardna BRep provjera geometrije promaši. Ove greške ne znače uvijek da je provjereni objekt neupotrebljiv. Zadano: netočno - + Single-threaded Jednoredno - + Run the geometry check in a single thread. This is slower, but more stable. Default: false Pokrenite provjeru geometrije u jednom slijedu. Ovo je sporije, ali stabilnije. Zadano: netočno - + Log errors Dnevnik grešaka - + Log errors to report view. Default: true Zabilježite pogreške za pregled izvješća. Zadano: točno - + Expand shape content Proširi sadržaj oblika - + Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false Proširite sadržaj oblika. Promjene će stupiti na snagu sljedeći put kada koristite alat za provjeru geometrije. Zadano: netočno - + Advanced shape content Napredni sadržaj oblika - + Show advanced shape content. Changes will take effect next time you use the check geometry tool. Default: false Prikazuje napredni sadržaj oblika. Promjene će stupiti na snagu sljedeći put kada koristite alat za provjeru geometrije. Zadano: netočno - + Individual boolean operation checks: Pojedinačne provjere boleovih (logičkih) operacija: - + Bad type Pogrešna vrsta - + Self-intersect Samo-preklapanje - + Too small edge Premali rub - + Nonrecoverable face Nepopravljivo lice - + Continuity Kontinuitet - + Incompatibility of face Nekompatibilnost lica - + Incompatibility of vertex Nekompatibilnost tjemene točke - + Incompatibility of edge Nekompatibilnost ruba - + Invalid curve on surface Nevažeća krivulja na površini - + Check for bad argument types. Default: true Provjerava pogrešni argument vrste. Zadano:istina - + Skip this settings page - Skip this settings page + Preskoči ovu stranicu postavki - + Check for self-intersections. Default: true Provjerava za samo-preklapanje. Zadano:istina - + Check for edges that are too small. Default: true Provjerite ima li rubova koji su premali. Zadano: istina - + Check for nonrecoverable faces. Default: true Provjerava za nepopravljivo lice. Zadano:istina - + Check for continuity. Default: true Provjerava za kontinuitet. Zadano:istina - + Check for incompatible faces. Default: true Provjerava za nekompatibilnost lica. Zadano:istina - + Check for incompatible vertices. Default: true Provjerava za nekompatibilnost tjemene točke. Zadano:istina - + Check for incompatible edges. Default: true Provjerava za nekompatibilnost rubova. Zadano:istina - + Check for invalid curves on surfaces. Default: true Provjerava za nevažeće krivulje na površini. Zadano:istina - + Run check Pokreni provjeru - + Results Rezultati @@ -5260,6 +5260,26 @@ Individual boolean operation checks: Checked object Provjereni objekt + + + Tolerance information + Tolerance information + + + + Global Minimum + Global Minimum + + + + Global Average + Global Average + + + + Global Maximum + Global Maximum + PartGui::TaskDlgAttacher @@ -5269,7 +5289,7 @@ Individual boolean operation checks: Dodatak - + Datum dialog: Input error Dijalog polazišta: ulazne pogreške @@ -5584,12 +5604,12 @@ Do you want to continue? Please select two shapes or more. Or, select one compound containing two or more shapes to compute the intersection between. - Please select two shapes or more. Or, select one compound containing two or more shapes to compute the intersection between. + Molimo odaberite dva oblika ili više oblika, ili odaberite jedan spojeni dio koji sadrži dva ili više oblika od kojih se izračuna presjek između njih. Please select two shapes or more. Or, select one compound containing two or more shapes to be fused. - Please select two shapes or more. Or, select one compound containing two or more shapes to be fused. + Molimo odaberite dva oblika ili više oblika, ili odaberite jedan spojeni dio koji sadrži dva ili više oblika koji če se spojiti. @@ -5906,7 +5926,7 @@ Do you want to continue? Booleanska operacija: nije valjan - + Invalid Nevažeće @@ -5968,7 +5988,7 @@ Do you want to continue? Set appearance per face... - Set appearance per face... + Postavi izgled po licu... @@ -6628,7 +6648,7 @@ To znači da će se ukloniti preklapajući volumeni oblika. The document '%1' doesn't exist. - The document '%1' doesn't exist. + Dokument '%1' ne postoji. @@ -6797,7 +6817,7 @@ Skalira odabrani oblik Set appearance per face - Set appearance per face + Postavi izgled po licu @@ -6817,14 +6837,14 @@ Skalira odabrani oblik Custom appearance: - Custom appearance: + Korisnički prilagođen izgled: When checked, you can select multiple faces by dragging a selection rectangle in the 3D view - When checked, you can select multiple faces -by dragging a selection rectangle in the 3D view + Kada je označeno, možete odabrati više lica +povlačenjem pravokutnika odabira u 3D prikazu @@ -6852,4 +6872,54 @@ by dragging a selection rectangle in the 3D view Ne prikazuj više ovaj dijalog + + Part_ToleranceFeatures + + + Computing the result failed with an error: + Izračunavanje rezultata nije uspjelo: + + + + + + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + Kliknite 'Nastavi' da biste ipak stvorili funkciju ili 'Prekini' da biste odustali. + + + + + + Bad selection + Nevažeći odabir + + + + Continue + Nastavi + + + + Part_ToleranceSet + + + Set Tolerance + Set Tolerance + + + + Set Tolerance for selected objects. + Set Tolerance for selected objects. + + + + Select at least one object or compounds + Select at least one object or compounds + + + + Bad selection + Nevažeći odabir + + diff --git a/src/Mod/Part/Gui/Resources/translations/Part_hu.ts b/src/Mod/Part/Gui/Resources/translations/Part_hu.ts index d3832e27b69a..0225ce2dfa69 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_hu.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_hu.ts @@ -2206,7 +2206,7 @@ irányát. Rács konvertálása - + Edit attachment Csatolmány szerkesztése @@ -4996,193 +4996,193 @@ rendszerében fejezzük ki. PartGui::TaskCheckGeometryDialog - + Shape Content Alakzat tartalma - - + + Settings Beállítások - + Skip this settings page and run the geometry check automatically. Hagyja ki ezt a beállítási oldalt, és futtassa automatikusan a geometriai ellenőrzést. - + Default: false Alapértelmezett: hamis - + Run boolean operation check Logikai művelet ellenőrzés futtatása - + Extra boolean operations check that can sometimes find errors that the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false Extra logikai műveletek ellenőrzése, amely néha hibákat talál, melyeket a szabványos BRep geometria-ellenőrzés elmulaszt. Ezek a hibák nem mindig jelentik azt, hogy a vizsgált tárgy használhatatlan. Alapértelmezett: hamis - + Single-threaded Egyszálas - + Run the geometry check in a single thread. This is slower, but more stable. Default: false Futtassa a geometria-ellenőrzést egyetlen szálban. Ez lassabb, de stabilabb. Alapértelmezett: hamis - + Log errors Hibák naplózása - + Log errors to report view. Default: true Hibák naplózása a jelentés nézethez. Alapértelmezett: igaz - + Expand shape content Alakzat tartalom kibontása - + Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false Alakzat tartalom kibontás. A módosítások legközelebb a geometria ellenőrző eszköz használata esetén lépnek életbe. Alapértelmezett: hamis - + Advanced shape content Speciális alakzat tartalom kibontása - + Show advanced shape content. Changes will take effect next time you use the check geometry tool. Default: false Speciális alakzat tartalom kibontás. A módosítások legközelebb a geometria ellenőrző eszköz használata esetén lépnek életbe. Alapértelmezett: hamis - + Individual boolean operation checks: Egyedi logikai művelet ellenőrzés: - + Bad type Rossz típus - + Self-intersect Ön-metszés - + Too small edge Túl kicsi él - + Nonrecoverable face Nem visszavehető felület - + Continuity Folytonosság - + Incompatibility of face A felület inkompatibilitása - + Incompatibility of vertex A végpont inkompatibilitása - + Incompatibility of edge Az él inkompatibilitása - + Invalid curve on surface Érvénytelen görbe a felületen - + Check for bad argument types. Default: true Ellenőrizze a rossz argumentumtípusokat. Alapértelmezett: igaz - + Skip this settings page Hagyja ki ezt a beállítási oldalt - + Check for self-intersections. Default: true Ellenőrizze az ön-metszéseket. Alapértelmezett: igaz - + Check for edges that are too small. Default: true Ellenőrizze, hogy vannak-e túl kicsi élek. Alapértelmezett: igaz - + Check for nonrecoverable faces. Default: true Ellenőrizze a nem visszavehető felületeket. Alapértelmezett: igaz - + Check for continuity. Default: true Ellenőrizze a folytonosságot. Alapértelmezett: igaz - + Check for incompatible faces. Default: true Ellenőrizze a felületek inkompatibilitását. Alapértelmezett: igaz - + Check for incompatible vertices. Default: true Ellenőrizze a végpontok inkompatibilitását. Alapértelmezett: igaz - + Check for incompatible edges. Default: true Ellenőrizze az élek inkompatibilitását. Alapértelmezett: igaz - + Check for invalid curves on surfaces. Default: true Érvénytelen görbék ellenőrzése a felületen. Alapértelmezett: igaz - + Run check Ellenőrzés futtatás - + Results Eredmények @@ -5238,6 +5238,26 @@ Egyedi logikai művelet ellenőrzés: Checked object Ellenőrzött tárgy + + + Tolerance information + Tolerance information + + + + Global Minimum + Global Minimum + + + + Global Average + Global Average + + + + Global Maximum + Global Maximum + PartGui::TaskDlgAttacher @@ -5247,7 +5267,7 @@ Egyedi logikai művelet ellenőrzés: Melléklet - + Datum dialog: Input error Referencia párbeszédpanel: bemenet hiba @@ -5883,7 +5903,7 @@ Do you want to continue? Logikai művelet: Érvénytelen - + Invalid Érvénytelen @@ -6804,4 +6824,50 @@ egy kijelölési téglalap húzásával a 3D nézetben Ne jelenjen meg újra ez az ablak + + Part_ToleranceFeatures + + + Computing the result failed with an error: + Az eredmény kiszámítása hiba miatt nem sikerült: + + + + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + Kattintson a 'Folytatás' gombra a funkció létrehozásához, vagy a 'Megszakítás' gombra a törléshez. + + + + Bad selection + Rossz kiválasztás + + + + Continue + Tovább + + + + Part_ToleranceSet + + + Set Tolerance + Set Tolerance + + + + Set Tolerance for selected objects. + Set Tolerance for selected objects. + + + + Select at least one object or compounds + Select at least one object or compounds + + + + Bad selection + Rossz kiválasztás + + diff --git a/src/Mod/Part/Gui/Resources/translations/Part_it.ts b/src/Mod/Part/Gui/Resources/translations/Part_it.ts index 6853f728e3ba..6a9da411d261 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_it.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_it.ts @@ -2206,7 +2206,7 @@ della proiezione. Converti mesh - + Edit attachment Modifica associazione @@ -2309,7 +2309,7 @@ della proiezione. Note: The placement is expressed in local space of object being attached. - Nota: il posizionamento è espresso nel sistema di coordinate locali dell'oggetto da allegare. + Nota: il posizionamento è espresso nel sistema di coordinate locali dell'oggetto da associare. @@ -2332,7 +2332,7 @@ della proiezione. Note: The placement is expressed in local space of object being attached. Rotazione attorno all'asse x Nota: il posizionamento è espresso nel sistema di coordinate locali -dell'oggetto da allegare. +dell'oggetto da associare. @@ -2345,7 +2345,7 @@ dell'oggetto da allegare. Note: The placement is expressed in local space of object being attached. Rotazione attorno all'asse x Nota: il posizionamento è espresso nel sistema di coordinate locali -dell'oggetto da allegare. +dell'oggetto da associare. @@ -2357,7 +2357,7 @@ dell'oggetto da allegare. Rotation around the z-axis Note: The placement is expressed in local space of object being attached. Rotazione attorno all'asse z -Nota: il posizionamento è espresso nello spazio locale dell'oggetto da allegare. +Nota: il posizionamento è espresso nello spazio locale dell'oggetto da associare. @@ -4851,7 +4851,7 @@ saranno visibili solo i tagli creati Note: The placement is expressed in local coordinate system of object being attached. Nota: il posizionamento è espresso nel sistema di coordinate locali -dell'oggetto da allegare. +dell'oggetto da associare. @@ -4875,7 +4875,7 @@ Note: The placement is expressed in local coordinate system of object being attached. Rotazione attorno all'asse x Nota: il posizionamento è espresso nel sistema di coordinate locali -dell'oggetto da allegare. +dell'oggetto da associare. @@ -4994,33 +4994,33 @@ dell'oggetto da associare. PartGui::TaskCheckGeometryDialog - + Shape Content Contenuto della forma - - + + Settings Impostazioni - + Skip this settings page and run the geometry check automatically. Salta questa pagina delle impostazioni ed esegui automaticamente il controllo della geometria. - + Default: false Predefinito: falso - + Run boolean operation check Esegue il controllo dell'operazione booleana - + Extra boolean operations check that can sometimes find errors that the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false @@ -5029,160 +5029,160 @@ il controllo della geometria BRep standard non trova. Questi errori non sempre significano che l'oggetto controllato è inutilizzabile. Predefinito: false - + Single-threaded Thread singolo - + Run the geometry check in a single thread. This is slower, but more stable. Default: false Esegue il controllo della geometria in un singolo thread. Questo è più lento, ma più stabile. Predefinito: false - + Log errors Registro Errori - + Log errors to report view. Default: true Registra errori nella report view. Predefinito: true - + Expand shape content Espandi contenuto di forma - + Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false Mostra il contenuto della forma avanzata. Le modifiche avranno effetto la prossima volta che userai lo strumento della geometria di controllo. Predefinito: false - + Advanced shape content Contenuto avanzato della forma - + Show advanced shape content. Changes will take effect next time you use the check geometry tool. Default: false Mostra il contenuto della forma avanzata. Le modifiche avranno effetto la prossima volta che userai lo strumento della geometria di controllo. Predefinito: false - + Individual boolean operation checks: Controlli individuali delle operazioni booleane: - + Bad type Tipo errato - + Self-intersect Autointersezione - + Too small edge Bordo troppo piccolo - + Nonrecoverable face Faccia non recuperabile - + Continuity Continuità - + Incompatibility of face Incompatibilità della faccia - + Incompatibility of vertex Incompatibilità del vertice - + Incompatibility of edge Incompatibilità del bordo - + Invalid curve on surface Curva sulla superficie non valida - + Check for bad argument types. Default: true Controlla tipi di argomenti errati. Predefinito: true - + Skip this settings page Salta questa pagina delle impostazioni - + Check for self-intersections. Default: true Controlla auto-intersezioni. Predefinito: true - + Check for edges that are too small. Default: true Controlla i bordi troppo piccoli. Predefinito: true - + Check for nonrecoverable faces. Default: true Controlla le facce non recuperabili. Predefinito: vero - + Check for continuity. Default: true Controlla la continuità. Predefinito: true - + Check for incompatible faces. Default: true Controlla le facce incompatibili. Predefinito: true - + Check for incompatible vertices. Default: true Controlla i vertici incompatibili. Predefinito: true - + Check for incompatible edges. Default: true Controlla i bordi incompatibili. Predefinito: true - + Check for invalid curves on surfaces. Default: true Verifica curve non valide sulle superfici. Predefinito: true - + Run check Esegui controllo - + Results Risultati @@ -5238,6 +5238,26 @@ Controlli individuali delle operazioni booleane: Checked object Oggetto controllato + + + Tolerance information + Tolerance information + + + + Global Minimum + Global Minimum + + + + Global Average + Global Average + + + + Global Maximum + Global Maximum + PartGui::TaskDlgAttacher @@ -5247,7 +5267,7 @@ Controlli individuali delle operazioni booleane: Associazione - + Datum dialog: Input error Dialogo dei riferimenti: errore di Input @@ -5883,7 +5903,7 @@ Do you want to continue? Operazione booleana: Non valida - + Invalid Non valido @@ -6065,7 +6085,7 @@ Do you want to continue? Connect objects - Congiunge oggetti + Congiungi oggetti @@ -6806,4 +6826,50 @@ trascinando un rettangolo di selezione nella vista 3D Non mostrare più questa finestra di dialogo + + Part_ToleranceFeatures + + + Computing the result failed with an error: + Il calcolo del risultato è fallito con un errore: + + + + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + Fare clic su 'Continua' per creare comunque la funzionalità, o 'Annulla' per annullare. + + + + Bad selection + Selezione errata + + + + Continue + Continua + + + + Part_ToleranceSet + + + Set Tolerance + Set Tolerance + + + + Set Tolerance for selected objects. + Set Tolerance for selected objects. + + + + Select at least one object or compounds + Select at least one object or compounds + + + + Bad selection + Selezione errata + + diff --git a/src/Mod/Part/Gui/Resources/translations/Part_ja.ts b/src/Mod/Part/Gui/Resources/translations/Part_ja.ts index cae744626ee0..d6693ac26530 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_ja.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_ja.ts @@ -2206,7 +2206,7 @@ of projection. メッシュを変換 - + Edit attachment 添付ファイルを編集 @@ -3183,7 +3183,7 @@ during file reading (slower but higher details). Reduce number of objects using Link array - リンク配列複写を使用したオブジェクトの数を減らす + リンク整列を使用したオブジェクトの数を減らす @@ -4983,191 +4983,191 @@ of object being attached. PartGui::TaskCheckGeometryDialog - + Shape Content シェイプのコンテンツ - - + + Settings 設定 - + Skip this settings page and run the geometry check automatically. この設定をスキップし、ジオメトリチェックを自動的に実行します。 - + Default: false デフォルト: false - + Run boolean operation check ブーリアン演算の検査を実行 - + Extra boolean operations check that can sometimes find errors that the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false ブーリアン演算の追加検査。標準の BRep ジオメトリ検査では見落とされるようなエラーを発見できる場合があります。これらのエラーは、必ずしも検査されたオブジェクトが使用できないことを意味するものではありません。既定: false - + Single-threaded シングルスレッド - + Run the geometry check in a single thread. This is slower, but more stable. Default: false 単一スレッドでジオメトリチェックを実行します。これは遅くなりますが、 安定性が向上します。デフォルト: false - + Log errors エラーを記録 - + Log errors to report view. Default: true レポートビューにエラーを記録します。デフォルト: true - + Expand shape content シェイプの内容を展開 - + Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false シェイプコンテンツを展開します。次回ジオメトリチェックツールを使用するときに変更が有効になります。既定:false - + Advanced shape content 高度なシェイプコンテンツ - + Show advanced shape content. Changes will take effect next time you use the check geometry tool. Default: false シェイプコンテンツを展開します。次回ジオメトリチェックツールを使用するときに変更が有効になります。既定:false - + Individual boolean operation checks: 個々のブーリアン演算の検査: - + Bad type 不正なタイプ - + Self-intersect 自己交差 - + Too small edge エッジが小さすぎます - + Nonrecoverable face 回復不能な面 - + Continuity 続行 - + Incompatibility of face 面の非互換性 - + Incompatibility of vertex 頂点の非互換性 - + Incompatibility of edge エッジの非互換性 - + Invalid curve on surface サーフェス上の無効な曲線 - + Check for bad argument types. Default: true 不正な引数タイプをチェックします。デフォルト: true - + Skip this settings page この設定ページをスキップ - + Check for self-intersections. Default: true 自己交差を確認します。デフォルト: true - + Check for edges that are too small. Default: true 小さすぎるエッジをチェックします。デフォルト: true - + Check for nonrecoverable faces. Default: true 回復不能な面を確認します。デフォルト: true - + Check for continuity. Default: true 連続性をチェックします。デフォルト: true - + Check for incompatible faces. Default: true 互換性のない面を確認します。デフォルト: true - + Check for incompatible vertices. Default: true 互換性のない頂点をチェックします。デフォルト: true - + Check for incompatible edges. Default: true 互換性のないエッジを確認します。デフォルト: true - + Check for invalid curves on surfaces. Default: true サーフェス上の無効な曲線をチェックします。デフォルト: true - + Run check チェックを実行 - + Results 結果 @@ -5222,6 +5222,26 @@ Individual boolean operation checks: Checked object 検査されたオブジェクト + + + Tolerance information + Tolerance information + + + + Global Minimum + Global Minimum + + + + Global Average + Global Average + + + + Global Maximum + Global Maximum + PartGui::TaskDlgAttacher @@ -5231,7 +5251,7 @@ Individual boolean operation checks: アタッチメント - + Datum dialog: Input error データムダイアログ: 入力エラー @@ -5868,7 +5888,7 @@ Do you want to continue? ブーリアン演算: 無効です。 - + Invalid 無効です @@ -6785,4 +6805,50 @@ by dragging a selection rectangle in the 3D view 今後、このダイアログは表示しない + + Part_ToleranceFeatures + + + Computing the result failed with an error: + エラーが起きたため結果計算に失敗しました: + + + + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + フィーチャーを作成する場合は「続行」を、キャンセルする場合は「破棄」をクリックしてください。 + + + + Bad selection + 不適切な選択 + + + + Continue + 続行 + + + + Part_ToleranceSet + + + Set Tolerance + Set Tolerance + + + + Set Tolerance for selected objects. + Set Tolerance for selected objects. + + + + Select at least one object or compounds + Select at least one object or compounds + + + + Bad selection + 不適切な選択 + + diff --git a/src/Mod/Part/Gui/Resources/translations/Part_ka.ts b/src/Mod/Part/Gui/Resources/translations/Part_ka.ts index e74526cee017..187c3fb4daac 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_ka.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_ka.ts @@ -2205,7 +2205,7 @@ of projection. მრავალკუთხა ბადის გარდაქმნა - + Edit attachment მიმაგრების ჩასწორება @@ -4992,193 +4992,193 @@ of object being attached. PartGui::TaskCheckGeometryDialog - + Shape Content მოხაზულობის შემცველობა - - + + Settings მორგება - + Skip this settings page and run the geometry check automatically. მორგების გვერდის გამოტოვება და გეომეტრიის ავტომატური შემოწმების გაშვება. - + Default: false ნაგულისხმევი: false - + Run boolean operation check ლოგიკური ოპერაციის შემოწმების გაშვება - + Extra boolean operations check that can sometimes find errors that the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false დამატებით ბულევურ შემოწმებას ხანდახან შეუძლია იპოვოს შეცდომები, რომელიც სტანდარტულ BRep გეომეტრიის შემოწმებამ გამოტოვა. ეს შეცდომები ყოველთვის არ ნიშნავს, რომ შემოწმებული ობიექტის გამოყენება შეუძლებელია. ნაგულისხმევი მნიშვნელობა: არა - + Single-threaded ერთ ნაკადად - + Run the geometry check in a single thread. This is slower, but more stable. Default: false გეომეტრიის შემოწმების ერთ ნაკადად გაშვება. ეს უფრო ნელია, მაგრამ უფრო სტაბილური. ნაგულისხმევად: გამორთულია - + Log errors შეცდომების ჟურნალი - + Log errors to report view. Default: true შეცდომების ანგარიშის ხედში ჩვენება. ნაგულისხმევი: დიახ - + Expand shape content მონახაზის შემცველობის გაფართოება - + Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false მოხაზულობის შემცველობის გაფართოება. ცვლილებები ზალაში შევა შემდეგ ჯერზე, როცა გეომეტრიის შემოწმების ხელსაწყოს გამოიყენებთ. ნაგულისხმევად: არა - + Advanced shape content გაფართოებული მონახაზის შემცველობა - + Show advanced shape content. Changes will take effect next time you use the check geometry tool. Default: false მოხაზულობის დამატებითი შემცველობის ჩვენება. ცვლილებები ზალაში შევა შემდეგ ჯერზე, როცა გეომეტრიის შემოწმების ხელსაწყოს გამოიყენებთ. ნაგულისხმევად: არა - + Individual boolean operation checks: ინდივიდუალური ლოგიკური ოპერაციების შემოწმებები: - + Bad type არასწორი ტიპი - + Self-intersect თვით-თანაკვეთა - + Too small edge წიბო ძალიან პატარაა - + Nonrecoverable face აღუდგენელი ზედაპირი - + Continuity უწყვეტობა - + Incompatibility of face ზედაპირის შეუთავსებლობა - + Incompatibility of vertex წვეროს შეუთავსებლობა - + Incompatibility of edge წიბოს შეუთავსებლობა - + Invalid curve on surface არასწორი არასწორი მრუდი ზედაპირზე - + Check for bad argument types. Default: true არგუმენტების არასწორ ტიპებზე შემოწმება. ნაგულისხმევი: დიახ - + Skip this settings page ამ მორგების გვერდის გამოტოვება - + Check for self-intersections. Default: true თვითკვეთებზე შემოწმება. ნაგულისხმევი: დიახ - + Check for edges that are too small. Default: true ძალიან პატარა წიბოებზე შემოწმება. ნაგულისხმევი: დიახ - + Check for nonrecoverable faces. Default: true აღუდგენელი ზედაპირების არსებობის შემოწმება. ნაგულისხმევი: დიახ - + Check for continuity. Default: true უწყვეტობაზე შემოწმება. ნაგულისხმევი: დიახ - + Check for incompatible faces. Default: true შეუთავსებელ ზედაპირებზე შემოწმება. ნაგულისხმევი: დიახ - + Check for incompatible vertices. Default: true შეუთავსებელ წვეროებზე შემოწმება. ნაგულისხმევი: დიახ - + Check for incompatible edges. Default: true შეუთავსებელ წიბოებზე შემოწმება. ნაგულისხმევი: დიახ - + Check for invalid curves on surfaces. Default: true ზედაპირების არასწორ მრუდებზე შემოწმება. ნაგულისხმევი: დიახ - + Run check შემოწმების გაშვება - + Results შედეგები @@ -5234,6 +5234,26 @@ Individual boolean operation checks: Checked object ჩართული ობიექტი + + + Tolerance information + Tolerance information + + + + Global Minimum + Global Minimum + + + + Global Average + Global Average + + + + Global Maximum + Global Maximum + PartGui::TaskDlgAttacher @@ -5243,7 +5263,7 @@ Individual boolean operation checks: დანართი - + Datum dialog: Input error სიდიდე: შეყვანის შეცდომა @@ -5881,7 +5901,7 @@ Do you want to continue? ლოგიკური ოპერაცია: არასწორია - + Invalid არასწორი @@ -6804,4 +6824,50 @@ by dragging a selection rectangle in the 3D view აღარ მაჩვენო + + Part_ToleranceFeatures + + + Computing the result failed with an error: + შედეგის გამოთვლა დასრულდა შეცდომით: + + + + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + დააწექით "გაგრძელება"-ს თვისების მაინც შესაქმნელად, ან "შეწყვეტა"-ს, გაუქმებისთვის. + + + + Bad selection + არასწორი მონიშნული + + + + Continue + გაგრძელება + + + + Part_ToleranceSet + + + Set Tolerance + Set Tolerance + + + + Set Tolerance for selected objects. + Set Tolerance for selected objects. + + + + Select at least one object or compounds + Select at least one object or compounds + + + + Bad selection + არასწორი მონიშნული + + diff --git a/src/Mod/Part/Gui/Resources/translations/Part_ko.ts b/src/Mod/Part/Gui/Resources/translations/Part_ko.ts index 2c195ea7cafa..937b8093d98f 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_ko.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_ko.ts @@ -2204,7 +2204,7 @@ of projection. Convert mesh - + Edit attachment 부착 정보 편집 @@ -4989,33 +4989,33 @@ of object being attached. PartGui::TaskCheckGeometryDialog - + Shape Content Shape Content - - + + Settings Settings - + Skip this settings page and run the geometry check automatically. Skip this settings page and run the geometry check automatically. - + Default: false Default: false - + Run boolean operation check Run boolean operation check - + Extra boolean operations check that can sometimes find errors that the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false @@ -5024,160 +5024,160 @@ the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false - + Single-threaded Single-threaded - + Run the geometry check in a single thread. This is slower, but more stable. Default: false Run the geometry check in a single thread. This is slower, but more stable. Default: false - + Log errors Log errors - + Log errors to report view. Default: true Log errors to report view. Default: true - + Expand shape content Expand shape content - + Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false - + Advanced shape content Advanced shape content - + Show advanced shape content. Changes will take effect next time you use the check geometry tool. Default: false Show advanced shape content. Changes will take effect next time you use the check geometry tool. Default: false - + Individual boolean operation checks: Individual boolean operation checks: - + Bad type Bad type - + Self-intersect Self-intersect - + Too small edge 너무 작은 모서리 - + Nonrecoverable face Nonrecoverable face - + Continuity 연속성 - + Incompatibility of face Incompatibility of face - + Incompatibility of vertex Incompatibility of vertex - + Incompatibility of edge 모서리의 비호환성 - + Invalid curve on surface Invalid curve on surface - + Check for bad argument types. Default: true Check for bad argument types. Default: true - + Skip this settings page Skip this settings page - + Check for self-intersections. Default: true Check for self-intersections. Default: true - + Check for edges that are too small. Default: true Check for edges that are too small. Default: true - + Check for nonrecoverable faces. Default: true Check for nonrecoverable faces. Default: true - + Check for continuity. Default: true Check for continuity. Default: true - + Check for incompatible faces. Default: true Check for incompatible faces. Default: true - + Check for incompatible vertices. Default: true Check for incompatible vertices. Default: true - + Check for incompatible edges. Default: true Check for incompatible edges. Default: true - + Check for invalid curves on surfaces. Default: true Check for invalid curves on surfaces. Default: true - + Run check Run check - + Results Results @@ -5232,6 +5232,26 @@ Individual boolean operation checks: Checked object Checked object + + + Tolerance information + Tolerance information + + + + Global Minimum + Global Minimum + + + + Global Average + Global Average + + + + Global Maximum + Global Maximum + PartGui::TaskDlgAttacher @@ -5241,7 +5261,7 @@ Individual boolean operation checks: 부착 - + Datum dialog: Input error Datum dialog: Input error @@ -5877,7 +5897,7 @@ Do you want to continue? Boolean operation: Not valid - + Invalid 올바르지 않음 @@ -6800,4 +6820,50 @@ by dragging a selection rectangle in the 3D view Don't show this dialog again + + Part_ToleranceFeatures + + + Computing the result failed with an error: + Computing the result failed with an error: + + + + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + + + + Bad selection + 잘못된 선택 + + + + Continue + 계속 + + + + Part_ToleranceSet + + + Set Tolerance + Set Tolerance + + + + Set Tolerance for selected objects. + Set Tolerance for selected objects. + + + + Select at least one object or compounds + Select at least one object or compounds + + + + Bad selection + 잘못된 선택 + + diff --git a/src/Mod/Part/Gui/Resources/translations/Part_lt.ts b/src/Mod/Part/Gui/Resources/translations/Part_lt.ts index 0395928cb101..af4fd63c5adf 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_lt.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_lt.ts @@ -2206,7 +2206,7 @@ of projection. Keisti tinklą - + Edit attachment Keisti priedą @@ -4999,190 +4999,190 @@ of object being attached. PartGui::TaskCheckGeometryDialog - + Shape Content Pavidalo turinys - - + + Settings Nuostatos - + Skip this settings page and run the geometry check automatically. Praleisti šį nustatymų langą ir paleisti savaiminę geometrijos patikrą. - + Default: false Įprastai: neleisti - + Run boolean operation check Paleisti dvejetainio veiksmo patikrą - + Extra boolean operations check that can sometimes find errors that the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false Papildoma loginio veiksmo patikra kartais gali rasti klaidų, kurių įprastinė BRep geometrijos patikra neranda. Šios klaidos ne visada reiškia, kad patikrintas kūnas yra netinkamas naudoti. Numatytasis: neleisti - + Single-threaded Vienoje gijoje - + Run the geometry check in a single thread. This is slower, but more stable. Default: false Paleisti geometrijos patikrą vienoje gijoje. Tai atliekama lėčiau, bet patikimiau. Įprastai: neleisti - + Log errors Įrašyti klaidas į žurnalą - + Log errors to report view. Default: true Įrašyti klaidas į ataskaitos rodinį. Įprastai: taip - + Expand shape content Išplėsti pavidalo turinį - + Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false Išplėsti pavidalo turinį. Pakeitimai įsigalios kitą kartą naudojant geometrijos patikrinimo įrankį. Įprastai: ne - + Advanced shape content Išplėstinis pavidalo turinys - + Show advanced shape content. Changes will take effect next time you use the check geometry tool. Default: false Rodyti įšplėstinį pavidalo turinį. Pakeitimai įsigalios kitą kartą naudojant geometrijos patikrinimo įrankį. Įprastai: ne - + Individual boolean operation checks: Atskiri dvejetainio veiksmo patikrinimai: - + Bad type Bloga rūšis - + Self-intersect Persikirtimai su savimi - + Too small edge Per maža kraštinė - + Nonrecoverable face Neatstatoma siena - + Continuity Glotnumas - + Incompatibility of face Nesuderinama siena - + Incompatibility of vertex Nesuderinama viršūnė - + Incompatibility of edge Nesuderinama kraštinė - + Invalid curve on surface Netinkama paviršiaus kreivė - + Check for bad argument types. Default: true Check for bad argument types. Default: true - + Skip this settings page Skip this settings page - + Check for self-intersections. Default: true Check for self-intersections. Default: true - + Check for edges that are too small. Default: true Check for edges that are too small. Default: true - + Check for nonrecoverable faces. Default: true Check for nonrecoverable faces. Default: true - + Check for continuity. Default: true Check for continuity. Default: true - + Check for incompatible faces. Default: true Check for incompatible faces. Default: true - + Check for incompatible vertices. Default: true Check for incompatible vertices. Default: true - + Check for incompatible edges. Default: true Check for incompatible edges. Default: true - + Check for invalid curves on surfaces. Default: true Check for invalid curves on surfaces. Default: true - + Run check Paleisti patikrą - + Results Gaviniai @@ -5240,6 +5240,26 @@ Atskiri dvejetainio veiksmo patikrinimai: Checked object Checked object + + + Tolerance information + Tolerance information + + + + Global Minimum + Global Minimum + + + + Global Average + Global Average + + + + Global Maximum + Global Maximum + PartGui::TaskDlgAttacher @@ -5249,7 +5269,7 @@ Atskiri dvejetainio veiksmo patikrinimai: Attachment - + Datum dialog: Input error Duomens įvesties langas: Įvesties klaida @@ -5886,7 +5906,7 @@ Ar vistiek norite tęsti? Dvejetainis veiksmas: Neteisingas - + Invalid Neteisingas @@ -6809,4 +6829,50 @@ velkant pasirinkimo stačiakampį erdviniame rodinyje Neberodykite šio lango + + Part_ToleranceFeatures + + + Computing the result failed with an error: + Computing the result failed with an error: + + + + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + + + + Bad selection + Netinkamas pasirinkimas + + + + Continue + Tęsti + + + + Part_ToleranceSet + + + Set Tolerance + Set Tolerance + + + + Set Tolerance for selected objects. + Set Tolerance for selected objects. + + + + Select at least one object or compounds + Select at least one object or compounds + + + + Bad selection + Netinkamas pasirinkimas + + diff --git a/src/Mod/Part/Gui/Resources/translations/Part_nl.ts b/src/Mod/Part/Gui/Resources/translations/Part_nl.ts index 1dc455492dea..ec41c3f90653 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_nl.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_nl.ts @@ -2204,7 +2204,7 @@ Het camerabeeld bepaalt de richting van de projectie. Convert mesh - + Edit attachment Bijlage bewerken @@ -4996,33 +4996,33 @@ of object being attached. PartGui::TaskCheckGeometryDialog - + Shape Content Vorm Inhoud - - + + Settings Instellingen - + Skip this settings page and run the geometry check automatically. Skip this settings page and run the geometry check automatically. - + Default: false Standaard: onwaar - + Run boolean operation check Run boolean operation check - + Extra boolean operations check that can sometimes find errors that the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false @@ -5031,160 +5031,160 @@ the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false - + Single-threaded Single-threaded - + Run the geometry check in a single thread. This is slower, but more stable. Default: false Run the geometry check in a single thread. This is slower, but more stable. Default: false - + Log errors Log errors - + Log errors to report view. Default: true Log errors to report view. Default: true - + Expand shape content Expand shape content - + Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false - + Advanced shape content Advanced shape content - + Show advanced shape content. Changes will take effect next time you use the check geometry tool. Default: false Show advanced shape content. Changes will take effect next time you use the check geometry tool. Default: false - + Individual boolean operation checks: Individual boolean operation checks: - + Bad type Slecht type - + Self-intersect Self-intersect - + Too small edge Te kleine rand - + Nonrecoverable face Nonrecoverable face - + Continuity Continuïteit - + Incompatibility of face Incompatibility of face - + Incompatibility of vertex Incompatibility of vertex - + Incompatibility of edge Incompatibility of edge - + Invalid curve on surface Invalid curve on surface - + Check for bad argument types. Default: true Check for bad argument types. Default: true - + Skip this settings page Skip this settings page - + Check for self-intersections. Default: true Check for self-intersections. Default: true - + Check for edges that are too small. Default: true Check for edges that are too small. Default: true - + Check for nonrecoverable faces. Default: true Check for nonrecoverable faces. Default: true - + Check for continuity. Default: true Controleer op continuïteit. Standaard: waar - + Check for incompatible faces. Default: true Check for incompatible faces. Default: true - + Check for incompatible vertices. Default: true Check for incompatible vertices. Default: true - + Check for incompatible edges. Default: true Check for incompatible edges. Default: true - + Check for invalid curves on surfaces. Default: true Check for invalid curves on surfaces. Default: true - + Run check Voer controle uit - + Results Resultaten @@ -5240,6 +5240,26 @@ Individual boolean operation checks: Checked object Gecontroleerd object + + + Tolerance information + Tolerance information + + + + Global Minimum + Global Minimum + + + + Global Average + Global Average + + + + Global Maximum + Global Maximum + PartGui::TaskDlgAttacher @@ -5249,7 +5269,7 @@ Individual boolean operation checks: Bijlage - + Datum dialog: Input error Dimensiedialoogvenster: invoerfout @@ -5886,7 +5906,7 @@ Wilt u doorgaan? Boolean operation: Not valid - + Invalid Ongeldig @@ -6809,4 +6829,50 @@ by dragging a selection rectangle in the 3D view Dit dialoogvenster niet meer weergeven + + Part_ToleranceFeatures + + + Computing the result failed with an error: + Computing the result failed with an error: + + + + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + + + + Bad selection + Foute selectie + + + + Continue + Doorgaan + + + + Part_ToleranceSet + + + Set Tolerance + Set Tolerance + + + + Set Tolerance for selected objects. + Set Tolerance for selected objects. + + + + Select at least one object or compounds + Select at least one object or compounds + + + + Bad selection + Foute selectie + + diff --git a/src/Mod/Part/Gui/Resources/translations/Part_pl.ts b/src/Mod/Part/Gui/Resources/translations/Part_pl.ts index d10210a003ce..76503ea7fc49 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_pl.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_pl.ts @@ -2216,7 +2216,7 @@ Ujęcie widoku określa kierunek rzutowania. Konwertuj siatkę - + Edit attachment Edytuj dołączenie @@ -5010,33 +5010,33 @@ dołączanego obiektu. PartGui::TaskCheckGeometryDialog - + Shape Content Zawartość kształtu - - + + Settings Ustawienia - + Skip this settings page and run the geometry check automatically. Pomiń tę stronę ustawień i uruchom kontrolę geometrii automatycznie. - + Default: false Domyślnie: fałsz - + Run boolean operation check Uruchom kontrolę operacji logicznych - + Extra boolean operations check that can sometimes find errors that the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false @@ -5044,160 +5044,160 @@ mean the checked object is unusable. Default: false oznaczają, że sprawdzany obiekt jest bezużyteczny. Domyślnie: nie - + Single-threaded Jednowątkowy - + Run the geometry check in a single thread. This is slower, but more stable. Default: false Uruchom sprawdzanie geometrii w pojedynczym wątku. Działanie jest wolniejsze, ale bardziej stabilne. Domyślnie: nie - + Log errors Zapisuj błędy - + Log errors to report view. Default: true Logowanie błędów w widoku raportu. Domyślnie: tak - + Expand shape content Rozwiń zawartość kształtu - + Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false Rozwiń zawartość kształtu. Zmiany zaczną obowiązywać następnym razem, gdy użyjesz narzędzia do sprawdzania geometrii. Domyślnie: nie - + Advanced shape content Zaawansowana zawartość kształtu - + Show advanced shape content. Changes will take effect next time you use the check geometry tool. Default: false Pokaż zaawansowaną zawartość kształtu. Zmiany zaczną obowiązywać następnym razem, gdy używasz narzędzia sprawdzania geometrii. Domyślnie: nie - + Individual boolean operation checks: Pojedyncze kontrole operacji logicznych: - + Bad type Błędny typ - + Self-intersect Samoprzecięcia - + Too small edge Zbyt mała krawędź - + Nonrecoverable face Ściana nie do odzyskania - + Continuity Ciągłość - + Incompatibility of face Niekompatybilność ściany - + Incompatibility of vertex Niekompatybilność wierzchołka - + Incompatibility of edge Niekompatybilność krawędzi - + Invalid curve on surface Nieprawidłowa krzywa na powierzchni - + Check for bad argument types. Default: true Sprawdzaj nieprawidłowe rodzaje argumentów. Domyślnie: tak - + Skip this settings page Pomiń ustawienia - + Check for self-intersections. Default: true Sprawdź czy nie ma samoprzecięć. Domyślnie: tak - + Check for edges that are too small. Default: true Sprawdź, czy krawędzie nie są zbyt małe. Domyślnie: tak - + Check for nonrecoverable faces. Default: true Sprawdź, czy nie ma możliwości odzyskania ścian. Domyślnie: tak - + Check for continuity. Default: true Sprawdź ciągłość. Domyślnie: tak - + Check for incompatible faces. Default: true Sprawdź, czy nie ma nieprawidłowych powierzchni. Domyślnie: tak - + Check for incompatible vertices. Default: true Sprawdź niekompatybilne wierzchołki. Domyślnie: tak - + Check for incompatible edges. Default: true Sprawdzaj niekompatybilne krawędzie. Domyślnie: tak - + Check for invalid curves on surfaces. Default: true Sprawdzaj nieprawidłowe krzywe na powierzchni. Domyślnie: tak - + Run check Uruchom sprawdzanie - + Results Wyniki @@ -5255,6 +5255,26 @@ Pojedyncze kontrole operacji logicznych: Checked object Zaznaczony obiekt + + + Tolerance information + Tolerance information + + + + Global Minimum + Global Minimum + + + + Global Average + Global Average + + + + Global Maximum + Global Maximum + PartGui::TaskDlgAttacher @@ -5264,7 +5284,7 @@ Pojedyncze kontrole operacji logicznych: Dołączenie - + Datum dialog: Input error Dialog punktu odniesienia: Błąd wprowadzenia @@ -5901,7 +5921,7 @@ Lub, wybierz jedno złożenie zawierające dwa lub więcej kształtów, które m Operacja logiczna: Nieprawidłowa - + Invalid Nieprawidłowy @@ -6829,4 +6849,50 @@ przez przeciągnięcie prostokąta zaznaczenia w oknie widoku 3D Nie pokazuj ponownie tego okna + + Part_ToleranceFeatures + + + Computing the result failed with an error: + Obliczanie wyniku zakończyło się niepowodzeniem z błędem: + + + + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + Kliknij "Kontynuuj", aby mimo to utworzyć cechę, lub "Przerwij", aby anulować. + + + + Bad selection + Błędny wybór + + + + Continue + Kontynuuj + + + + Part_ToleranceSet + + + Set Tolerance + Set Tolerance + + + + Set Tolerance for selected objects. + Set Tolerance for selected objects. + + + + Select at least one object or compounds + Select at least one object or compounds + + + + Bad selection + 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 a04d75c18a85..7eb9b2f348cf 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_pt-BR.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_pt-BR.ts @@ -2203,7 +2203,7 @@ of projection. Converter malha - + Edit attachment Editar anexo @@ -4975,193 +4975,193 @@ Nota: As coordenadas da posição são relacionadas ao sistema local de coordena PartGui::TaskCheckGeometryDialog - + Shape Content Conteúdo da forma - - + + Settings Configurações - + Skip this settings page and run the geometry check automatically. Ignora esta página de configurações e executa a verificação de geometrias automaticamente. - + Default: false Padrão: falso - + Run boolean operation check Executar verificação de operação booleana - + Extra boolean operations check that can sometimes find errors that the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false A verificação extra de operações booleanas pode algumas vezes achar erros que a verifição Brep padrão não detectou. Esses erros nem sempre significam que o objeto marcado é inutilizável. Padrão: falso - + Single-threaded Um histórico - + Run the geometry check in a single thread. This is slower, but more stable. Default: false Execute a verificação de geometria em um único histórico. Isto é mais lento, mas mais estável. Padrão: falso - + Log errors Log de erros - + Log errors to report view. Default: true Registrar os erros na visualização de relatório. Padrão: verdadeiro - + Expand shape content Expandir conteúdo da forma - + Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false Expandir o conteúdo da forma. As alterações terão efeito na próxima vez que você usar a ferramenta de verificação de geometria. Padrão: falso - + Advanced shape content Conteúdo avançado de forma - + Show advanced shape content. Changes will take effect next time you use the check geometry tool. Default: false Exibe o conteúdo avançado da forma. As alterações terão efeito na próxima vez que você usar a ferramenta de verificação de geometria. Padrão: falso - + Individual boolean operation checks: Verificações de operações booleanas individuais: - + Bad type Tipo inválido - + Self-intersect Auto-intersecção - + Too small edge Margem muito pequena - + Nonrecoverable face Face não-recuperável - + Continuity Continuidade - + Incompatibility of face Incompatibilidade de face - + Incompatibility of vertex Incompatibilidade de vértice - + Incompatibility of edge Incompatibilidade de margem - + Invalid curve on surface Curva inválida na superfície - + Check for bad argument types. Default: true Verificar por tipos de argumento inválidos. Padrão: verdadeiro - + Skip this settings page Ignorar página de configurações - + Check for self-intersections. Default: true Verificar auto-intersecções. Padrão: verdadeiro - + Check for edges that are too small. Default: true Verificar arestas muito pequenas. Padrão: verdadeiro - + Check for nonrecoverable faces. Default: true Verificar faces não recuperáveis. Padrão: verdadeiro - + Check for continuity. Default: true Verificar continuidade. Padrão: verdadeiro - + Check for incompatible faces. Default: true Verificação de faces incompatíveis. Padrão: verdadeiro - + Check for incompatible vertices. Default: true Verificação de vértices incompatíveis. Padrão: verdadeiro - + Check for incompatible edges. Default: true Verificar arestas incompatíveis. Padrão: verdadeiro - + Check for invalid curves on surfaces. Default: true Verificar curvas inválidas em superfícies. Padrão: verdadeiro - + Run check Executar verificação - + Results Resultados @@ -5217,6 +5217,26 @@ Verificações de operações booleanas individuais: Checked object Objeto selecionado + + + Tolerance information + Tolerance information + + + + Global Minimum + Global Minimum + + + + Global Average + Global Average + + + + Global Maximum + Global Maximum + PartGui::TaskDlgAttacher @@ -5226,7 +5246,7 @@ Verificações de operações booleanas individuais: Fixação - + Datum dialog: Input error Caixa de diálogo Referência: erro de entrada @@ -5863,7 +5883,7 @@ Deseja continuar? Operação booleana: Não válida - + Invalid Inválido @@ -6776,4 +6796,50 @@ fazendo um retângulo de seleção na vista 3D Não mostrar este diálogo novamente + + Part_ToleranceFeatures + + + Computing the result failed with an error: + O cálculo do resultado falhou com um erro: + + + + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + Clique em 'Continuar' para criar o objeto mesmo assim, ou 'Abortar' para cancelar. + + + + Bad selection + Erro de seleção + + + + Continue + Continuar + + + + Part_ToleranceSet + + + Set Tolerance + Set Tolerance + + + + Set Tolerance for selected objects. + Set Tolerance for selected objects. + + + + Select at least one object or compounds + Select at least one object or compounds + + + + Bad selection + Erro de seleção + + 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 f5be2561f79a..fad303d58be4 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_pt-PT.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_pt-PT.ts @@ -2206,7 +2206,7 @@ of projection. Convert mesh - + Edit attachment Edit attachment @@ -4991,33 +4991,33 @@ of object being attached. PartGui::TaskCheckGeometryDialog - + Shape Content Conteúdo da forma - - + + Settings Ajustes - + Skip this settings page and run the geometry check automatically. Skip this settings page and run the geometry check automatically. - + Default: false Default: false - + Run boolean operation check Run boolean operation check - + Extra boolean operations check that can sometimes find errors that the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false @@ -5026,160 +5026,160 @@ the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false - + Single-threaded Single-threaded - + Run the geometry check in a single thread. This is slower, but more stable. Default: false Run the geometry check in a single thread. This is slower, but more stable. Default: false - + Log errors Log errors - + Log errors to report view. Default: true Log errors to report view. Default: true - + Expand shape content Expand shape content - + Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false - + Advanced shape content Advanced shape content - + Show advanced shape content. Changes will take effect next time you use the check geometry tool. Default: false Show advanced shape content. Changes will take effect next time you use the check geometry tool. Default: false - + Individual boolean operation checks: Individual boolean operation checks: - + Bad type Bad type - + Self-intersect Self-intersect - + Too small edge Too small edge - + Nonrecoverable face Nonrecoverable face - + Continuity Continuidade - + Incompatibility of face Incompatibility of face - + Incompatibility of vertex Incompatibility of vertex - + Incompatibility of edge Incompatibility of edge - + Invalid curve on surface Invalid curve on surface - + Check for bad argument types. Default: true Check for bad argument types. Default: true - + Skip this settings page Skip this settings page - + Check for self-intersections. Default: true Check for self-intersections. Default: true - + Check for edges that are too small. Default: true Check for edges that are too small. Default: true - + Check for nonrecoverable faces. Default: true Check for nonrecoverable faces. Default: true - + Check for continuity. Default: true Check for continuity. Default: true - + Check for incompatible faces. Default: true Check for incompatible faces. Default: true - + Check for incompatible vertices. Default: true Check for incompatible vertices. Default: true - + Check for incompatible edges. Default: true Check for incompatible edges. Default: true - + Check for invalid curves on surfaces. Default: true Check for invalid curves on surfaces. Default: true - + Run check Run check - + Results Results @@ -5235,6 +5235,26 @@ Individual boolean operation checks: Checked object Checked object + + + Tolerance information + Tolerance information + + + + Global Minimum + Global Minimum + + + + Global Average + Global Average + + + + Global Maximum + Global Maximum + PartGui::TaskDlgAttacher @@ -5244,7 +5264,7 @@ Individual boolean operation checks: fixação - + Datum dialog: Input error Caixa de diálogo Referência: erro de entrada @@ -5880,7 +5900,7 @@ Do you want to continue? Boolean operation: Not valid - + Invalid Inválido @@ -6803,4 +6823,50 @@ by dragging a selection rectangle in the 3D view Don't show this dialog again + + Part_ToleranceFeatures + + + Computing the result failed with an error: + Computing the result failed with an error: + + + + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + + + + Bad selection + Bad selection + + + + Continue + Continuar + + + + Part_ToleranceSet + + + Set Tolerance + Set Tolerance + + + + Set Tolerance for selected objects. + Set Tolerance for selected objects. + + + + Select at least one object or compounds + Select at least one object or compounds + + + + Bad selection + Bad selection + + diff --git a/src/Mod/Part/Gui/Resources/translations/Part_ro.ts b/src/Mod/Part/Gui/Resources/translations/Part_ro.ts index 0c5e030dd17b..79d0ecebaf7d 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_ro.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_ro.ts @@ -2207,7 +2207,7 @@ de proiecție. Convertește plasa - + Edit attachment Editare atașament @@ -4994,33 +4994,33 @@ obiectului ce este ataşat. PartGui::TaskCheckGeometryDialog - + Shape Content Conținutul Formei - - + + Settings Setari - + Skip this settings page and run the geometry check automatically. Săriți peste această pagină de setări și executați verificarea geometriei automat. - + Default: false Implicit: fals - + Run boolean operation check Rulează verificarea operației boolean - + Extra boolean operations check that can sometimes find errors that the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false @@ -5029,160 +5029,160 @@ verificarea geometriei BRep o ratează. Aceste erori nu întotdeauna înseamnă că obiectul verificat este inutilizabil. Implicit: fals - + Single-threaded Fixare unică - + Run the geometry check in a single thread. This is slower, but more stable. Default: false Rulează verificarea geometriei într-o singură discuție. Acest lucru este mai lent, dar mai stabil. Implicit: fals - + Log errors Jurnal erori - + Log errors to report view. Default: true Înregistrează erorile pentru a raporta vizualizarea. Implicit: adevărat - + Expand shape content Extindeți conținutul formei - + Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false Extindeți conținutul de formă. Modificările vor intra în vigoare data viitoare când utilizați unealta de verificare a geometriei. Implicit: false - + Advanced shape content Conținut de formă avansată - + Show advanced shape content. Changes will take effect next time you use the check geometry tool. Default: false Afișare conținut avansat de formă. Modificările vor intra în vigoare data viitoare când utilizați unealta de verificare a geometriei. Implicit: false - + Individual boolean operation checks: Operarea testului boolean individual: - + Bad type Tip greșit - + Self-intersect Auto-intersectare - + Too small edge Marginea prea mică - + Nonrecoverable face Faţă nerecuperabilă - + Continuity Continuitate - + Incompatibility of face Incompatibilitatea feţei - + Incompatibility of vertex Incompatibilitatea cu vertex - + Incompatibility of edge Incompatibilitatea marginii - + Invalid curve on surface Curbă nevalidă pe suprafață - + Check for bad argument types. Default: true Verifică după tipuri de argumente greșite. Implicit: adevărat - + Skip this settings page Skip this settings page - + Check for self-intersections. Default: true Verifică după intersecții. Implicit: adevărat - + Check for edges that are too small. Default: true Verifică dacă muchiile sunt prea mici. Implicit: adevărat - + Check for nonrecoverable faces. Default: true Verifică pentru fețe nerecuperabile. Implicit: adevărat - + Check for continuity. Default: true Verificare continuitate. Implicit: adevărat - + Check for incompatible faces. Default: true Verifică dacă există fețe incompatibile. Implicit: adevărat - + Check for incompatible vertices. Default: true Verifică dacă există noduri incompatibile. Implicit: adevărat - + Check for incompatible edges. Default: true Verifică pentru margini incompatibile. Implicit: adevărat - + Check for invalid curves on surfaces. Default: true Verifică pentru curbe invalide pe suprafețe. Implicit: adevărat - + Run check Execută verificarea - + Results Rezultate @@ -5239,6 +5239,26 @@ Operarea testului boolean individual: Checked object Obiectul verificat + + + Tolerance information + Tolerance information + + + + Global Minimum + Global Minimum + + + + Global Average + Global Average + + + + Global Maximum + Global Maximum + PartGui::TaskDlgAttacher @@ -5248,7 +5268,7 @@ Operarea testului boolean individual: Ataşament - + Datum dialog: Input error Cutie de dialog a dimensiunii: eroare de intrare @@ -5886,7 +5906,7 @@ Do you want to continue? Operație booleană: Nevalidă - + Invalid Invalid @@ -6809,4 +6829,50 @@ by dragging a selection rectangle in the 3D view Nu mai afișa acest dialog + + Part_ToleranceFeatures + + + Computing the result failed with an error: + Calcularea rezultatului a eșuat cu o eroare: + + + + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + Faceţi clic pe "Continuaţi" pentru a crea funcţia oricum, sau pe 'Abandonează' pentru a anula. + + + + Bad selection + Selecție greșită + + + + Continue + Continua + + + + Part_ToleranceSet + + + Set Tolerance + Set Tolerance + + + + Set Tolerance for selected objects. + Set Tolerance for selected objects. + + + + Select at least one object or compounds + Select at least one object or compounds + + + + Bad selection + Selecție greșită + + diff --git a/src/Mod/Part/Gui/Resources/translations/Part_ru.ts b/src/Mod/Part/Gui/Resources/translations/Part_ru.ts index 4f2fead7aacd..eefb76a1ae0b 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_ru.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_ru.ts @@ -2207,7 +2207,7 @@ of projection. Конвертировать сетку - + Edit attachment Изменить вложение @@ -4993,193 +4993,193 @@ of object being attached. PartGui::TaskCheckGeometryDialog - + Shape Content Содержимое фигуры - - + + Settings Настройки - + Skip this settings page and run the geometry check automatically. Пропустить эту страницу настроек и выполнить проверку геометрии автоматически. - + Default: false По умолчанию: false - + Run boolean operation check Запустить проверку логической операции - + Extra boolean operations check that can sometimes find errors that the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false Проверка дополнительных логических операций, которая иногда может найти ошибки, которые стандартная проверка геометрии BRep не выполняются. Эти ошибки не всегда означают, что проверенный объект непригоден для использования. По умолчанию: ложь - + Single-threaded Однопоточный - + Run the geometry check in a single thread. This is slower, but more stable. Default: false Запустите проверку геометрии в одном потоке. Это медленнее, но более стабильно. По умолчанию: ложь - + Log errors Журнал ошибок - + Log errors to report view. Default: true Журнал ошибок в Просмотре отчёта. По умолчанию: true - + Expand shape content Развернуть содержимое фигуры - + Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false Развернуть содержимое формы. Изменения вступят в силу при следующем использовании инструмента геометрии проверки. По умолчанию: false - + Advanced shape content Расширенное содержимое формы - + Show advanced shape content. Changes will take effect next time you use the check geometry tool. Default: false Развернуть содержимое формы. Изменения вступят в силу при следующем использовании инструмента геометрии проверки. По умолчанию: false - + Individual boolean operation checks: Проверка индивидуальных логических операций: - + Bad type Некорректный тип - + Self-intersect Самопересечение - + Too small edge Слишком маленькое ребро - + Nonrecoverable face Невосстанавливаемая грань - + Continuity Непрерывность - + Incompatibility of face Несовместимость грани - + Incompatibility of vertex Несовместимость вершины - + Incompatibility of edge Несовместимость края - + Invalid curve on surface Недопустимая кривая на поверхности - + Check for bad argument types. Default: true Отметьте для некорректных типов аргументов. По умолчанию: true - + Skip this settings page Пропустить страницу настроек - + Check for self-intersections. Default: true Проверка на самопересечения. По умолчанию: true - + Check for edges that are too small. Default: true Проверка слишком маленького ребра. По умолчанию: да - + Check for nonrecoverable faces. Default: true Отметьте для невосстановимых граней. По умолчанию: true - + Check for continuity. Default: true Проверьте непрерывность. По умолчанию: true - + Check for incompatible faces. Default: true Проверять несовместимые грани. По умолчанию: true - + Check for incompatible vertices. Default: true Отметьте для несовместимых вершин. По умолчанию: true - + Check for incompatible edges. Default: true Проверять несовместимые грани. По умолчанию: true - + Check for invalid curves on surfaces. Default: true Проверять на недопустимые кривые на поверхностях. По умолчанию: true - + Run check Запустить проверку - + Results Результаты @@ -5237,6 +5237,26 @@ Individual boolean operation checks: Checked object Проверяемый объект + + + Tolerance information + Tolerance information + + + + Global Minimum + Global Minimum + + + + Global Average + Global Average + + + + Global Maximum + Global Maximum + PartGui::TaskDlgAttacher @@ -5246,7 +5266,7 @@ Individual boolean operation checks: Вложение - + Datum dialog: Input error Величина: ошибка ввода @@ -5882,7 +5902,7 @@ Do you want to continue? Булева операция: Недопустимое действие - + Invalid Недопустимый @@ -6810,4 +6830,50 @@ by dragging a selection rectangle in the 3D view Больше не показывать этот диалог + + Part_ToleranceFeatures + + + Computing the result failed with an error: + Вычисление результата завершилось ошибкой: + + + + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + Нажмите 'Продолжить', чтобы все равно создать этот элемент, или 'Прервать' для отмены. + + + + Bad selection + Некорректное выделение + + + + Continue + Продолжить + + + + Part_ToleranceSet + + + Set Tolerance + Set Tolerance + + + + Set Tolerance for selected objects. + Set Tolerance for selected objects. + + + + Select at least one object or compounds + Select at least one object or compounds + + + + Bad selection + Некорректное выделение + + diff --git a/src/Mod/Part/Gui/Resources/translations/Part_sl.ts b/src/Mod/Part/Gui/Resources/translations/Part_sl.ts index b599f607c68d..6f447de7cfe8 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_sl.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_sl.ts @@ -2206,7 +2206,7 @@ pogleda kamere. Pretvori ploskovje - + Edit attachment Uredi pripetek @@ -4999,33 +4999,33 @@ predmeta, ki se pripenja. PartGui::TaskCheckGeometryDialog - + Shape Content Vsebina oblike - - + + Settings Nastavitve - + Skip this settings page and run the geometry check automatically. Preskoči to stran z nastavitvami in samodejno zaženi preverjanje geometrije. - + Default: false Privzeto: napak - + Run boolean operation check Zaženi preverjanje logične operacije - + Extra boolean operations check that can sometimes find errors that the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false @@ -5034,160 +5034,160 @@ napake, ki jih običajni pregled PzO geometrij spregleda. Te napake ne pomenijo vedno, da je pregledani predmet neuporaben. Privzeto: napak - + Single-threaded Enonizno - + Run the geometry check in a single thread. This is slower, but more stable. Default: false Zaženi preverjanje geometrije z enim nizom. Sicer je počasnejše, a stabilnejše. Privzeto: napak - + Log errors Zapisovanje napak - + Log errors to report view. Default: true Beleži napake v poročevalnem pogledu. Privzeto: prav - + Expand shape content Razširi vsebino oblike - + Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false Razširi vsebino oblike. Spremembe bodo uveljavljene ob naslednji uporabi orodja za preverjanje geometrije. Privzeto: napak - + Advanced shape content Napredna vsebina oblike - + Show advanced shape content. Changes will take effect next time you use the check geometry tool. Default: false Prikaži napredno vsebino oblike. Spremembe bodo uveljavljene ob naslednji uporabi orodja za preverjanje geometrije. Privzeto: napak - + Individual boolean operation checks: Preverjanja posamezne logične operacije: - + Bad type Slaba vrsta - + Self-intersect Samosečnost - + Too small edge Premajhen rob - + Nonrecoverable face Neobnovljiva ploskev - + Continuity Zveznost - + Incompatibility of face Nezdružljivost ploskve - + Incompatibility of vertex Nezdružljivost oglišča - + Incompatibility of edge Nezdružljivost roba - + Invalid curve on surface Neveljavna krivulja na površju - + Check for bad argument types. Default: true Preveri ali obstajajo slabe vrste spremenljivk. Privzeto: prav - + Skip this settings page Skip this settings page - + Check for self-intersections. Default: true Preveri, ali prihaja do sekanja s samim seboj. Privzeto: prav - + Check for edges that are too small. Default: true Preveri, če so kateri robovi premajhni. Privzeto: prav - + Check for nonrecoverable faces. Default: true Preveri, če obstajajo ploskve, ki jih ni mogoče obnoviti. Privzeto: prav - + Check for continuity. Default: true Preveri zveznost. Privzeto: prav - + Check for incompatible faces. Default: true Preveri, če obstajajo nezdružljive ploskve. Privzeto: prav - + Check for incompatible vertices. Default: true Preveri, če obstajajo nezdružljiva oglišča. Privzeto: prav - + Check for incompatible edges. Default: true Preveri, če obstajajo nezdružljivi robovi. Privzeto: prav - + Check for invalid curves on surfaces. Default: true Preveri, če obstajajo neveljavne krivulje na površju. Privzeto: prav - + Run check Zaženi preverjanje - + Results Izid @@ -5245,6 +5245,26 @@ Preverjanja posamezne logične operacije: Checked object Preverjen predmet + + + Tolerance information + Tolerance information + + + + Global Minimum + Global Minimum + + + + Global Average + Global Average + + + + Global Maximum + Global Maximum + PartGui::TaskDlgAttacher @@ -5254,7 +5274,7 @@ Preverjanja posamezne logične operacije: Pripetek - + Datum dialog: Input error Pogovorno okno sklicnosti: vhodna napaka @@ -5891,7 +5911,7 @@ Ali želite nadaljevati? Logična operacija: neveljavna - + Invalid Neveljavno @@ -6813,4 +6833,50 @@ by dragging a selection rectangle in the 3D view Tega pogovornega okna ne prikaži več + + Part_ToleranceFeatures + + + Computing the result failed with an error: + Izračunavanje izida je spodletelo: + + + + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + Klikniti "Nadaljuj", če želite značilnost vseeno ustvariti ali "Prekini" za preklic. + + + + Bad selection + Neveljaven izbor + + + + Continue + Nadaljuj + + + + Part_ToleranceSet + + + Set Tolerance + Set Tolerance + + + + Set Tolerance for selected objects. + Set Tolerance for selected objects. + + + + Select at least one object or compounds + Select at least one object or compounds + + + + Bad selection + Neveljaven izbor + + 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 7fe42180b579..fdab5598a8d7 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_sr-CS.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_sr-CS.ts @@ -2206,7 +2206,7 @@ projekcije. Pretvori mrežu - + Edit attachment Uredi pridruživanje @@ -4996,33 +4996,33 @@ objekta na koji se pridružuje. PartGui::TaskCheckGeometryDialog - + Shape Content Podaci o obliku - - + + Settings Podešavanja - + Skip this settings page and run the geometry check automatically. Preskoči ovu stranicu sa podešavanjima i automatski pokreni proveru geometrije. - + Default: false Podrazumevano: netačno - + Run boolean operation check Pokreni proveru bulove operacije - + Extra boolean operations check that can sometimes find errors that the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false @@ -5031,160 +5031,160 @@ standardna BREP provera geometrije propusti. Ove greške ne podrazumevaju da je provereni objekat neupotrebljiv. Podrazumevano: netačno - + Single-threaded Jednonitni - + Run the geometry check in a single thread. This is slower, but more stable. Default: false Pokreni proveru geometrije u jednoj niti. Ovo je sporije, ali stabilnije. Podrazumevano: netačno - + Log errors Evidencija grešaka - + Log errors to report view. Default: true Zabeleži greške u Pregledač objava. Podrazumevano: tačno - + Expand shape content Proširi panel Podaci o obliku - + Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false Proširi panel Podaci o obliku u rezultatima provere. Promene će stupiti na snagu sledeći put kada budeš koristio alat za proveru geometrije. Podrazumevano: netačno - + Advanced shape content Napredni podaci o obliku - + Show advanced shape content. Changes will take effect next time you use the check geometry tool. Default: false Prikaži napredne informacije u panelu Podaci o obliku. Promene će stupiti na snagu sledeći put kada budeš koristio alat za proveru geometrije. Podrazumevano: netačno - + Individual boolean operation checks: Provera pojedinačnih bulovih operacija: - + Bad type Loša vrsta - + Self-intersect Samo-ukrštanje - + Too small edge Suviše mala ivica - + Nonrecoverable face Nepopravljiva stranica - + Continuity Kontinualnost - + Incompatibility of face Nekompatibilnost stranice - + Incompatibility of vertex Nekompatibilnost temena - + Incompatibility of edge Nekompatibilnost ivice - + Invalid curve on surface Neispravna kriva na površini - + Check for bad argument types. Default: true Proveri da li postoje loše vrste argumenata. Podrazumevano: tačno - + Skip this settings page Preskoči ovu stranicu sa podešavanjima - + Check for self-intersections. Default: true Proveri da li postoje samo-ukrštanja. Podrazumevano: tačno - + Check for edges that are too small. Default: true Proveri da li postoje suviše male ivice. Podrazumevano: tačno - + Check for nonrecoverable faces. Default: true Proveri da li postoje stranice koje se ne mogu popraviti. Podrazumevano: tačno - + Check for continuity. Default: true Proveri neprekidost. Podrazumevano: tačno - + Check for incompatible faces. Default: true Proveri da li postoje nekompatibile stranice. Podrazumevano: tačno - + Check for incompatible vertices. Default: true Proveri da li postoje nekompatibilna temena. Podrazumevano: tačno - + Check for incompatible edges. Default: true Proveri da li postoje nekompatibile ivice. Podrazumevano: tačno - + Check for invalid curves on surfaces. Default: true Proveri da li postoje neispravne krive na površinama. Podrazumevano: tačno - + Run check Pokreni proveru - + Results Rezultati @@ -5241,6 +5241,26 @@ Provera pojedinačnih bulovih operacija: Checked object Proveren objekat + + + Tolerance information + Tolerance information + + + + Global Minimum + Global Minimum + + + + Global Average + Global Average + + + + Global Maximum + Global Maximum + PartGui::TaskDlgAttacher @@ -5250,7 +5270,7 @@ Provera pojedinačnih bulovih operacija: Pridruživanje - + Datum dialog: Input error Datum dialog: Input error @@ -5887,7 +5907,7 @@ Da li želiš da nastaviš? Bulova operacija: Neispravno - + Invalid Nevažeće @@ -6810,4 +6830,50 @@ povlačenjem pravougaonog okvira u 3D pogledu Ne prikazuj više ovaj prozor + + Part_ToleranceFeatures + + + Computing the result failed with an error: + Proračun nije uspeo, rezultat ima grešku: + + + + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + Klikni na „Nastavi“ da bi ipak napravio ili „Prekini“ da bi otkazao. + + + + Bad selection + Loš izbor + + + + Continue + Nastavi + + + + Part_ToleranceSet + + + Set Tolerance + Set Tolerance + + + + Set Tolerance for selected objects. + Set Tolerance for selected objects. + + + + Select at least one object or compounds + Select at least one object or compounds + + + + Bad selection + Loš izbor + + diff --git a/src/Mod/Part/Gui/Resources/translations/Part_sr.ts b/src/Mod/Part/Gui/Resources/translations/Part_sr.ts index b436ddc72e43..50ceb1dc1e76 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_sr.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_sr.ts @@ -2206,7 +2206,7 @@ of projection. Претвори мрежу - + Edit attachment Уреди придруживање @@ -4995,33 +4995,33 @@ of object being attached. PartGui::TaskCheckGeometryDialog - + Shape Content Подаци о облику - - + + Settings Подешавања - + Skip this settings page and run the geometry check automatically. Прескочи ову страницу са подешавањима и аутоматски покрени проверу геометрије. - + Default: false Подразумевано: нетачно - + Run boolean operation check Покрени проверу булове операције - + Extra boolean operations check that can sometimes find errors that the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false @@ -5030,160 +5030,160 @@ mean the checked object is unusable. Default: false да је проверени објекат неупотребљив. Подразумевано: нетачно - + Single-threaded Једнонитни - + Run the geometry check in a single thread. This is slower, but more stable. Default: false Покрени проверу геометрије у једној нити. Ово је спорије, али стабилније. Подразумевано: нетачно - + Log errors Евиденција грешака - + Log errors to report view. Default: true Забележи грешке у Прегледач објава. Подразумевано: тачно - + Expand shape content Прошири панел Подаци о облику - + Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false Прошири панел Подаци о облику у резултатима провере. Промене ће ступити на снагу следећи пут када будеш користио алат за проверу геометрије. Подразумевано: нетачно - + Advanced shape content Напредни подаци о облику - + Show advanced shape content. Changes will take effect next time you use the check geometry tool. Default: false Прикажи напредне информације у панелу Подаци о облику. Промене ће ступити на снагу следећи пут када будеш користио алат за проверу геометрије. Подразумевано: нетачно - + Individual boolean operation checks: Провера појединачних булових операција: - + Bad type Лоша врста - + Self-intersect Само-укрштање - + Too small edge Сувише мала ивица - + Nonrecoverable face Непоправљива страница - + Continuity Континуалност - + Incompatibility of face Некомпатибилност странице - + Incompatibility of vertex Некомпатибилност темена - + Incompatibility of edge Некомпатибилност ивице - + Invalid curve on surface Неисправна крива на површини - + Check for bad argument types. Default: true Провери да ли постоје лоше врсте аргумената. Подразумевано: тачно - + Skip this settings page Прескочи ову страницу са подешавањима - + Check for self-intersections. Default: true Провери да ли постоје само-укрштања. Подразумевано: тачно - + Check for edges that are too small. Default: true Провери да ли постоје сувише мале ивице. Подразумевано: тачно - + Check for nonrecoverable faces. Default: true Провери да ли постоје странице које се не могу поправити. Подразумевано: тачно - + Check for continuity. Default: true Провери непрекидост. Подразумевано: тачно - + Check for incompatible faces. Default: true Провери да ли постоје некомпатибиле странице. Подразумевано: тачно - + Check for incompatible vertices. Default: true Провери да ли постоје некомпатибилна темена. Подразумевано: тачно - + Check for incompatible edges. Default: true Провери да ли постоје некомпатибиле ивице. Подразумевано: тачно - + Check for invalid curves on surfaces. Default: true Proveri da li postoje neispravne krive na površinama. Podrazumevano: tačno - + Run check Покрени проверу - + Results Резултати @@ -5240,6 +5240,26 @@ Individual boolean operation checks: Checked object Проверен објекат + + + Tolerance information + Tolerance information + + + + Global Minimum + Global Minimum + + + + Global Average + Global Average + + + + Global Maximum + Global Maximum + PartGui::TaskDlgAttacher @@ -5249,7 +5269,7 @@ Individual boolean operation checks: Прилог - + Datum dialog: Input error Datum dialog: Input error @@ -5886,7 +5906,7 @@ Do you want to continue? Булова операција: Неисправно - + Invalid Неважеће @@ -6809,4 +6829,50 @@ by dragging a selection rectangle in the 3D view Не приказуј више овај прозор + + Part_ToleranceFeatures + + + Computing the result failed with an error: + Прорачун није успео, резултат има грешку: + + + + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + Кликни на „Настави“ да би ипак направио или „Прекини“ да би отказао. + + + + Bad selection + Лош избор + + + + Continue + Настави + + + + Part_ToleranceSet + + + Set Tolerance + Set Tolerance + + + + Set Tolerance for selected objects. + Set Tolerance for selected objects. + + + + Select at least one object or compounds + Select at least one object or compounds + + + + Bad selection + Лош избор + + 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 d4ce3b90bbcf..3c5c5f075b07 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_sv-SE.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_sv-SE.ts @@ -2206,7 +2206,7 @@ of projection. Convert mesh - + Edit attachment Edit attachment @@ -4998,33 +4998,33 @@ of object being attached. PartGui::TaskCheckGeometryDialog - + Shape Content Forminnehåll - - + + Settings Inställningar - + Skip this settings page and run the geometry check automatically. Skip this settings page and run the geometry check automatically. - + Default: false Default: false - + Run boolean operation check Run boolean operation check - + Extra boolean operations check that can sometimes find errors that the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false @@ -5033,160 +5033,160 @@ the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false - + Single-threaded Single-threaded - + Run the geometry check in a single thread. This is slower, but more stable. Default: false Run the geometry check in a single thread. This is slower, but more stable. Default: false - + Log errors Logga fel - + Log errors to report view. Default: true Log errors to report view. Default: true - + Expand shape content Expand shape content - + Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false - + Advanced shape content Advanced shape content - + Show advanced shape content. Changes will take effect next time you use the check geometry tool. Default: false Show advanced shape content. Changes will take effect next time you use the check geometry tool. Default: false - + Individual boolean operation checks: Individual boolean operation checks: - + Bad type Dålig typ - + Self-intersect Self-intersect - + Too small edge För liten kant - + Nonrecoverable face Nonrecoverable face - + Continuity Kontinuitet - + Incompatibility of face Incompatibility of face - + Incompatibility of vertex Incompatibility of vertex - + Incompatibility of edge Incompatibility of edge - + Invalid curve on surface Invalid curve on surface - + Check for bad argument types. Default: true Check for bad argument types. Default: true - + Skip this settings page Skip this settings page - + Check for self-intersections. Default: true Check for self-intersections. Default: true - + Check for edges that are too small. Default: true Check for edges that are too small. Default: true - + Check for nonrecoverable faces. Default: true Check for nonrecoverable faces. Default: true - + Check for continuity. Default: true Check for continuity. Default: true - + Check for incompatible faces. Default: true Check for incompatible faces. Default: true - + Check for incompatible vertices. Default: true Check for incompatible vertices. Default: true - + Check for incompatible edges. Default: true Check for incompatible edges. Default: true - + Check for invalid curves on surfaces. Default: true Check for invalid curves on surfaces. Default: true - + Run check Kör kontroll - + Results Resultat @@ -5242,6 +5242,26 @@ Individual boolean operation checks: Checked object Checked object + + + Tolerance information + Tolerance information + + + + Global Minimum + Global Minimum + + + + Global Average + Global Average + + + + Global Maximum + Global Maximum + PartGui::TaskDlgAttacher @@ -5251,7 +5271,7 @@ Individual boolean operation checks: koppling - + Datum dialog: Input error Datumdialog: Inmatningsfel @@ -5888,7 +5908,7 @@ Vill du fortsätta? Boolean operation: Not valid - + Invalid Ogiltig @@ -6811,4 +6831,50 @@ by dragging a selection rectangle in the 3D view Don't show this dialog again + + Part_ToleranceFeatures + + + Computing the result failed with an error: + Computing the result failed with an error: + + + + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + + + + Bad selection + Bad selection + + + + Continue + Fortsätt + + + + Part_ToleranceSet + + + Set Tolerance + Set Tolerance + + + + Set Tolerance for selected objects. + Set Tolerance for selected objects. + + + + Select at least one object or compounds + Select at least one object or compounds + + + + Bad selection + Bad selection + + diff --git a/src/Mod/Part/Gui/Resources/translations/Part_tr.ts b/src/Mod/Part/Gui/Resources/translations/Part_tr.ts index 413563419925..b6bcab1800f7 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_tr.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_tr.ts @@ -2204,7 +2204,7 @@ Kamera görünümü, izdüşüm yönünü belirler. Metal örgüyü dönüştür - + Edit attachment Ek dosyayı düzenle @@ -4988,33 +4988,33 @@ Not: Yerleşim, eklenen nesnenin yerel koordinat sisteminde ifade edilir. PartGui::TaskCheckGeometryDialog - + Shape Content Şekil İçeriği - - + + Settings Ayarlar - + Skip this settings page and run the geometry check automatically. Skip this settings page and run the geometry check automatically. - + Default: false Default: false - + Run boolean operation check Run boolean operation check - + Extra boolean operations check that can sometimes find errors that the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false @@ -5023,158 +5023,158 @@ the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false - + Single-threaded Tek vida dişli - + Run the geometry check in a single thread. This is slower, but more stable. Default: false Tek vida dişinde geometri kontrolünü çalıştırın. Bu yöntem, daha yavaş ama daha kararlıdır. Varsayılan: false - + Log errors Veritabanı günlüğü hataları - + Log errors to report view. Default: true Rapor görünümü için hataları veritabanı günlüğüne kaydedin. Varsayılan: true - + Expand shape content Şekil içeriğini genişlet - + Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false Şekil içeriğini genişletin. Değişiklikler bir sonraki kullanımınızda geçerli olacak geometri aracını kontrol edin. Varsayılan: false - + Advanced shape content Gelişmiş şekil içeriği - + Show advanced shape content. Changes will take effect next time you use the check geometry tool. Default: false Gelişmiş şekil içeriğini göster. Değişiklikler, geometriyi kontrol etme aracını bir sonraki kullanışınızda geçerli olacaktır. Varsayılan: false - + Individual boolean operation checks: Individual boolean operation checks: - + Bad type Bad type - + Self-intersect Self-intersect - + Too small edge Too small edge - + Nonrecoverable face Nonrecoverable face - + Continuity Süreklilik - + Incompatibility of face Incompatibility of face - + Incompatibility of vertex Incompatibility of vertex - + Incompatibility of edge Incompatibility of edge - + Invalid curve on surface Invalid curve on surface - + Check for bad argument types. Default: true Kötü argüman türlerini kontrol edin. Varsayılan: true - + Skip this settings page Skip this settings page - + Check for self-intersections. Default: true Kendi kendine kesişme olup olmadığını kontrol edin. Varsayılan: true - + Check for edges that are too small. Default: true Çok küçük kenarları kontrol edin. Varsayılan: true - + Check for nonrecoverable faces. Default: true Kurtarılamaz yüzleri kontrol edin. Varsayılan: true - + Check for continuity. Default: true Sürekliliği kontrol edin. Varsayılan: true - + Check for incompatible faces. Default: true Uyumsuz yüzleri kontrol edin. Varsayılan: true - + Check for incompatible vertices. Default: true Uyumsuz köşeleri kontrol edin. Varsayılan: true - + Check for incompatible edges. Default: true Uyumsuz kenarları kontrol edin. Varsayılan: true - + Check for invalid curves on surfaces. Default: true Yüzeylerde geçersiz eğriler olup olmadığını kontrol edin. Varsayılan: true - + Run check Kontrolü çalıştır - + Results Sonuçlar @@ -5230,6 +5230,26 @@ Individual boolean operation checks: Checked object Checked object + + + Tolerance information + Tolerance information + + + + Global Minimum + Global Minimum + + + + Global Average + Global Average + + + + Global Maximum + Global Maximum + PartGui::TaskDlgAttacher @@ -5239,7 +5259,7 @@ Individual boolean operation checks: Eklenti - + Datum dialog: Input error Veri iletişim kutusu: Giriş hatası @@ -5877,7 +5897,7 @@ Devam etmek istiyor musun? Boolean operation: Not valid - + Invalid Geçersiz @@ -6800,4 +6820,50 @@ by dragging a selection rectangle in the 3D view Bu iletişim kutusunu tekrar gösterme + + Part_ToleranceFeatures + + + Computing the result failed with an error: + Computing the result failed with an error: + + + + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + + + + Bad selection + Bad selection + + + + Continue + Devam + + + + Part_ToleranceSet + + + Set Tolerance + Set Tolerance + + + + Set Tolerance for selected objects. + Set Tolerance for selected objects. + + + + Select at least one object or compounds + Select at least one object or compounds + + + + Bad selection + Bad selection + + diff --git a/src/Mod/Part/Gui/Resources/translations/Part_uk.ts b/src/Mod/Part/Gui/Resources/translations/Part_uk.ts index 68aebc39c477..90748d27cc43 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_uk.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_uk.ts @@ -148,7 +148,7 @@ Point is put at object's placement position. Works on objects with placements, and ellipse/parabola/hyperbola edges. AttachmentPoint mode tooltip - Point is put at object's placement position. Works on objects with placements, and ellipse/parabola/hyperbola edges. + Точка ставиться в позицію розміщення об'єкта. Працює на об'єктах з розміщенням та краями еліпса/параболи/гіперболи. @@ -441,7 +441,7 @@ Intersection of two faces. AttachmentLine mode tooltip - Intersection of two faces. + Перетин двох поверхонь. @@ -791,7 +791,7 @@ XY on plane Attachment3D mode caption - XY on plane + До площини XY @@ -2203,7 +2203,7 @@ of projection. Перетворення сітки - + Edit attachment Редагувати приєднання @@ -4999,33 +4999,33 @@ of object being attached. PartGui::TaskCheckGeometryDialog - + Shape Content Вміст форми - - + + Settings Параметри - + Skip this settings page and run the geometry check automatically. Skip this settings page and run the geometry check automatically. - + Default: false Default: false - + Run boolean operation check Run boolean operation check - + Extra boolean operations check that can sometimes find errors that the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false @@ -5034,160 +5034,160 @@ mean the checked object is unusable. Default: false означають, що перевірений об'єкт непридатний для використання. За замовчуванням: false - + Single-threaded Single-threaded - + Run the geometry check in a single thread. This is slower, but more stable. Default: false Run the geometry check in a single thread. This is slower, but more stable. Default: false - + Log errors Log errors - + Log errors to report view. Default: true Log errors to report view. Default: true - + Expand shape content Expand shape content - + Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false - + Advanced shape content Advanced shape content - + Show advanced shape content. Changes will take effect next time you use the check geometry tool. Default: false Show advanced shape content. Changes will take effect next time you use the check geometry tool. Default: false - + Individual boolean operation checks: Individual boolean operation checks: - + Bad type Bad type - + Self-intersect Self-intersect - + Too small edge Too small edge - + Nonrecoverable face Nonrecoverable face - + Continuity Неперервність - + Incompatibility of face Incompatibility of face - + Incompatibility of vertex Incompatibility of vertex - + Incompatibility of edge Incompatibility of edge - + Invalid curve on surface Invalid curve on surface - + Check for bad argument types. Default: true Check for bad argument types. Default: true - + Skip this settings page Skip this settings page - + Check for self-intersections. Default: true Check for self-intersections. Default: true - + Check for edges that are too small. Default: true Check for edges that are too small. Default: true - + Check for nonrecoverable faces. Default: true Check for nonrecoverable faces. Default: true - + Check for continuity. Default: true Check for continuity. Default: true - + Check for incompatible faces. Default: true Check for incompatible faces. Default: true - + Check for incompatible vertices. Default: true Check for incompatible vertices. Default: true - + Check for incompatible edges. Default: true Check for incompatible edges. Default: true - + Check for invalid curves on surfaces. Default: true Check for invalid curves on surfaces. Default: true - + Run check Run check - + Results Results @@ -5245,6 +5245,26 @@ Individual boolean operation checks: Checked object Checked object + + + Tolerance information + Tolerance information + + + + Global Minimum + Global Minimum + + + + Global Average + Global Average + + + + Global Maximum + Global Maximum + PartGui::TaskDlgAttacher @@ -5254,7 +5274,7 @@ Individual boolean operation checks: Приєднання - + Datum dialog: Input error Datum dialog: Input error @@ -5891,7 +5911,7 @@ Do you want to continue? Boolean operation: Not valid - + Invalid Недійсний @@ -6814,4 +6834,50 @@ by dragging a selection rectangle in the 3D view Don't show this dialog again + + Part_ToleranceFeatures + + + Computing the result failed with an error: + Computing the result failed with an error: + + + + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + + + + Bad selection + Bad selection + + + + Continue + Продовжити + + + + Part_ToleranceSet + + + Set Tolerance + Set Tolerance + + + + Set Tolerance for selected objects. + Set Tolerance for selected objects. + + + + Select at least one object or compounds + Select at least one object or compounds + + + + Bad selection + Bad selection + + 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 3683c5638a24..627712d5d8c8 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_val-ES.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_val-ES.ts @@ -2206,7 +2206,7 @@ of projection. Convert mesh - + Edit attachment Edit attachment @@ -4991,33 +4991,33 @@ of object being attached. PartGui::TaskCheckGeometryDialog - + Shape Content Contingut de la forma - - + + Settings Paràmetres - + Skip this settings page and run the geometry check automatically. Skip this settings page and run the geometry check automatically. - + Default: false Default: false - + Run boolean operation check Run boolean operation check - + Extra boolean operations check that can sometimes find errors that the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false @@ -5026,160 +5026,160 @@ the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false - + Single-threaded Single-threaded - + Run the geometry check in a single thread. This is slower, but more stable. Default: false Run the geometry check in a single thread. This is slower, but more stable. Default: false - + Log errors Log errors - + Log errors to report view. Default: true Log errors to report view. Default: true - + Expand shape content Expand shape content - + Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false - + Advanced shape content Advanced shape content - + Show advanced shape content. Changes will take effect next time you use the check geometry tool. Default: false Show advanced shape content. Changes will take effect next time you use the check geometry tool. Default: false - + Individual boolean operation checks: Individual boolean operation checks: - + Bad type Bad type - + Self-intersect Self-intersect - + Too small edge Too small edge - + Nonrecoverable face Nonrecoverable face - + Continuity Continuïtat - + Incompatibility of face Incompatibility of face - + Incompatibility of vertex Incompatibility of vertex - + Incompatibility of edge Incompatibility of edge - + Invalid curve on surface Invalid curve on surface - + Check for bad argument types. Default: true Check for bad argument types. Default: true - + Skip this settings page Skip this settings page - + Check for self-intersections. Default: true Check for self-intersections. Default: true - + Check for edges that are too small. Default: true Check for edges that are too small. Default: true - + Check for nonrecoverable faces. Default: true Check for nonrecoverable faces. Default: true - + Check for continuity. Default: true Check for continuity. Default: true - + Check for incompatible faces. Default: true Check for incompatible faces. Default: true - + Check for incompatible vertices. Default: true Check for incompatible vertices. Default: true - + Check for incompatible edges. Default: true Check for incompatible edges. Default: true - + Check for invalid curves on surfaces. Default: true Check for invalid curves on surfaces. Default: true - + Run check Run check - + Results Results @@ -5235,6 +5235,26 @@ Individual boolean operation checks: Checked object Checked object + + + Tolerance information + Tolerance information + + + + Global Minimum + Global Minimum + + + + Global Average + Global Average + + + + Global Maximum + Global Maximum + PartGui::TaskDlgAttacher @@ -5244,7 +5264,7 @@ Individual boolean operation checks: Adjunt - + Datum dialog: Input error Diàleg de dimensió: error d'entrada @@ -5880,7 +5900,7 @@ Do you want to continue? Boolean operation: Not valid - + Invalid Invàlid @@ -6803,4 +6823,50 @@ by dragging a selection rectangle in the 3D view Don't show this dialog again + + Part_ToleranceFeatures + + + Computing the result failed with an error: + Computing the result failed with an error: + + + + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + + + + Bad selection + Bad selection + + + + Continue + Continua + + + + Part_ToleranceSet + + + Set Tolerance + Set Tolerance + + + + Set Tolerance for selected objects. + Set Tolerance for selected objects. + + + + Select at least one object or compounds + Select at least one object or compounds + + + + Bad selection + Bad selection + + 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 1a2e519356f0..413ea2e058c3 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_zh-CN.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_zh-CN.ts @@ -2205,7 +2205,7 @@ of projection. 转换网格 - + Edit attachment 编辑附加 @@ -4994,33 +4994,33 @@ of object being attached. PartGui::TaskCheckGeometryDialog - + Shape Content 造型内容 - - + + Settings 设置 - + Skip this settings page and run the geometry check automatically. Skip this settings page and run the geometry check automatically. - + Default: false Default: false - + Run boolean operation check Run boolean operation check - + Extra boolean operations check that can sometimes find errors that the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false @@ -5029,160 +5029,160 @@ the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false - + Single-threaded Single-threaded - + Run the geometry check in a single thread. This is slower, but more stable. Default: false Run the geometry check in a single thread. This is slower, but more stable. Default: false - + Log errors Log errors - + Log errors to report view. Default: true Log errors to report view. Default: true - + Expand shape content Expand shape content - + Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false - + Advanced shape content Advanced shape content - + Show advanced shape content. Changes will take effect next time you use the check geometry tool. Default: false Show advanced shape content. Changes will take effect next time you use the check geometry tool. Default: false - + Individual boolean operation checks: Individual boolean operation checks: - + Bad type Bad type - + Self-intersect Self-intersect - + Too small edge Too small edge - + Nonrecoverable face Nonrecoverable face - + Continuity 连续性 - + Incompatibility of face Incompatibility of face - + Incompatibility of vertex Incompatibility of vertex - + Incompatibility of edge Incompatibility of edge - + Invalid curve on surface Invalid curve on surface - + Check for bad argument types. Default: true Check for bad argument types. Default: true - + Skip this settings page Skip this settings page - + Check for self-intersections. Default: true Check for self-intersections. Default: true - + Check for edges that are too small. Default: true Check for edges that are too small. Default: true - + Check for nonrecoverable faces. Default: true Check for nonrecoverable faces. Default: true - + Check for continuity. Default: true Check for continuity. Default: true - + Check for incompatible faces. Default: true Check for incompatible faces. Default: true - + Check for incompatible vertices. Default: true Check for incompatible vertices. Default: true - + Check for incompatible edges. Default: true Check for incompatible edges. Default: true - + Check for invalid curves on surfaces. Default: true Check for invalid curves on surfaces. Default: true - + Run check Run check - + Results Results @@ -5237,6 +5237,26 @@ Individual boolean operation checks: Checked object Checked object + + + Tolerance information + Tolerance information + + + + Global Minimum + Global Minimum + + + + Global Average + Global Average + + + + Global Maximum + Global Maximum + PartGui::TaskDlgAttacher @@ -5246,7 +5266,7 @@ Individual boolean operation checks: 附件 - + Datum dialog: Input error 基准对话框: 输入错误 @@ -5882,7 +5902,7 @@ Do you want to continue? Boolean operation: Not valid - + Invalid 无效 @@ -6767,7 +6787,7 @@ A 'Compound Filter' can be used to extract the remaining pieces. ... - ... + @@ -6805,4 +6825,50 @@ by dragging a selection rectangle in the 3D view Don't show this dialog again + + Part_ToleranceFeatures + + + Computing the result failed with an error: + Computing the result failed with an error: + + + + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + + + + Bad selection + Bad selection + + + + Continue + 继续 + + + + Part_ToleranceSet + + + Set Tolerance + Set Tolerance + + + + Set Tolerance for selected objects. + Set Tolerance for selected objects. + + + + Select at least one object or compounds + Select at least one object or compounds + + + + Bad selection + Bad selection + + 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 af879408cc6c..8fecf9501844 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_zh-TW.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_zh-TW.ts @@ -411,7 +411,7 @@ Tangent to surface, along U parameter. Vertex link defines where. AttachmentLine mode tooltip - 沿著U參數方向與表面相切,Vertex link defines where. + 沿 U 參數與表面相切。頂點連結定義位置。 @@ -1078,7 +1078,7 @@ Dimension - 標註 + 標註尺寸 @@ -2204,7 +2204,7 @@ of projection. 轉換網格 - + Edit attachment 編輯附件 @@ -4603,7 +4603,7 @@ only created cuts will be visible Sliders are disabled for assemblies - 組件中的滑桿被禁用 + 組件中的滑桿被停用 @@ -4974,190 +4974,190 @@ of object being attached. PartGui::TaskCheckGeometryDialog - + Shape Content 造型內容 - - + + Settings 設定 - + Skip this settings page and run the geometry check automatically. 跳過此設定頁面並自動運行幾何檢查。 - + Default: false 預設值:false - + Run boolean operation check 執行布林運算檢查 - + Extra boolean operations check that can sometimes find errors that the standard BRep geometry check misses. These errors do not always mean the checked object is unusable. Default: false 額外的布林運算檢查,有時可以發現標準 BRep 幾何檢查所忽略的錯誤。這些錯誤並不一定意味著檢查的物件無法使用。預設值為 false。 - + Single-threaded 單執行緒 - + Run the geometry check in a single thread. This is slower, but more stable. Default: false 以單線程執行幾何檢查。這樣做會慢一些,但更穩定。預設值:false - + Log errors 紀錄錯誤 - + Log errors to report view. Default: true 將錯誤記錄到報告視圖中。預設值:true - + Expand shape content 展開形狀內容 - + Expand shape content. Changes will take effect next time you use the check geometry tool. Default: false 擴展形狀內容。更改將在下次使用檢查幾何工具時生效。預設值:false - + Advanced shape content 進階形狀內容 - + Show advanced shape content. Changes will take effect next time you use the check geometry tool. Default: false 顯示進階形狀內容。更改將在下次使用檢查幾何工具時生效。預設值:false - + Individual boolean operation checks: 個別布林運算檢查: - + Bad type 錯誤類型 - + Self-intersect 自我交叉 - + Too small edge 太小的邊 - + Nonrecoverable face 不可恢復的面 - + Continuity 連續性 - + Incompatibility of face 不相容的面 - + Incompatibility of vertex 不相容的頂點 - + Incompatibility of edge 不相容的邊 - + Invalid curve on surface 表面的無效曲線 - + Check for bad argument types. Default: true 檢查錯誤的參數類型。預設值:true - + Skip this settings page 跳過此設定頁面 - + Check for self-intersections. Default: true 檢視是否自我交叉。預設值:true - + Check for edges that are too small. Default: true 檢查是否存在太小的邊。預設值:true。 - + Check for nonrecoverable faces. Default: true 對不可恢復的面檢查 預設: ture - + Check for continuity. Default: true 檢查連續性。預設值:true - + Check for incompatible faces. Default: true 檢查不相容的面。預設值:true - + Check for incompatible vertices. Default: true 檢查不相容的頂點。預設值:true - + Check for incompatible edges. Default: true 檢查是否存在不相容的邊。預設值:true。 - + Check for invalid curves on surfaces. Default: true 檢查表面的無效曲線。預設值:true - + Run check 執行檢查 - + Results 結果 @@ -5212,6 +5212,26 @@ Individual boolean operation checks: Checked object 已勾選物件 + + + Tolerance information + Tolerance information + + + + Global Minimum + Global Minimum + + + + Global Average + Global Average + + + + Global Maximum + Global Maximum + PartGui::TaskDlgAttacher @@ -5221,7 +5241,7 @@ Individual boolean operation checks: 附件 - + Datum dialog: Input error 基準對話框: 輸入錯誤 @@ -5858,7 +5878,7 @@ Do you want to continue? 布林運算:無效的 - + Invalid 無效 @@ -6417,7 +6437,7 @@ It will create a 'Compound Filter' for each shape. Placement - 佈置 + 放置 @@ -6767,4 +6787,50 @@ by dragging a selection rectangle in the 3D view 不再顯示此對話框。 + + Part_ToleranceFeatures + + + Computing the result failed with an error: + 計算結果失敗,出現錯誤: + + + + Click 'Continue' to create the feature anyway, or 'Abort' to cancel. + 點擊「繼續」以建立該特徵,或點擊「中止」以取消。 + + + + Bad selection + 錯誤選擇 + + + + Continue + 繼續 + + + + Part_ToleranceSet + + + Set Tolerance + Set Tolerance + + + + Set Tolerance for selected objects. + Set Tolerance for selected objects. + + + + Select at least one object or compounds + Select at least one object or compounds + + + + Bad selection + 錯誤選擇 + + diff --git a/src/Mod/Part/Gui/TaskSweep.cpp b/src/Mod/Part/Gui/TaskSweep.cpp index 0c5097799f7f..520e66675f5b 100644 --- a/src/Mod/Part/Gui/TaskSweep.cpp +++ b/src/Mod/Part/Gui/TaskSweep.cpp @@ -412,7 +412,7 @@ void SweepWidget::onButtonPathToggled(bool on) d->buttonText = d->ui.buttonPath->text(); d->ui.buttonPath->setText(tr("Done")); d->ui.buttonPath->setEnabled(true); - d->ui.labelPath->setText(tr("Select one or more connected edges in the 3d view and press 'Done'")); + d->ui.labelPath->setText(tr("Select one or more connected edges in the 3D view and press 'Done'")); d->ui.labelPath->setEnabled(true); Gui::Selection().clearSelection(); diff --git a/src/Mod/Part/Gui/ViewProvider.cpp b/src/Mod/Part/Gui/ViewProvider.cpp index df263526efcb..ce8f98bff059 100644 --- a/src/Mod/Part/Gui/ViewProvider.cpp +++ b/src/Mod/Part/Gui/ViewProvider.cpp @@ -88,7 +88,7 @@ void ViewProviderPart::applyTransparency(float transparency, std::vector # include # include +# include # include # include # include @@ -61,6 +62,7 @@ PROPERTY_SOURCE(PartDesign::Helix, PartDesign::ProfileBased) // we purposely use not FLT_MAX because this would not be computable const App::PropertyFloatConstraint::Constraints Helix::floatTurns = { Precision::Confusion(), INT_MAX, 1.0 }; +const App::PropertyFloatConstraint::Constraints Helix::floatTolerance = { 0.1, INT_MAX, 1.0 }; const App::PropertyAngle::Constraints Helix::floatAngle = { -89.0, 89.0, 1.0 }; Helix::Helix() @@ -104,6 +106,9 @@ Helix::Helix() ADD_PROPERTY_TYPE(HasBeenEdited, (false), group, App::Prop_Hidden, QT_TRANSLATE_NOOP("App::Property", "If false, the tool will propose an initial value for the pitch based on the profile bounding box,\n" "so that self intersection is avoided.")); + ADD_PROPERTY_TYPE(Tolerance, (0.1), group, App::Prop_None, + QT_TRANSLATE_NOOP("App::Property", "Fusion Tolerance for the Helix, increase if helical shape does not merge nicely with part.")); + Tolerance.setConstraints(&floatTolerance); setReadWriteStatusForMode(initialMode); } @@ -229,6 +234,17 @@ App::DocumentObjectExecReturn* Helix::execute() TopoDS_Shape face = sketchshape; face.Move(invObjLoc); + + Bnd_Box bounds; + BRepBndLib::Add(path, bounds); + double size=sqrt(bounds.SquareExtent()); + ShapeFix_ShapeTolerance fix; + fix.LimitTolerance(path, Precision::Confusion() * 1e-6 * size ); // needed to produce valid Pipe for very big parts + // We introduce final part tolerance with the second call to LimitTolerance below, however + // OCCT has a bug where the side-walls of the Pipe disappear with very large (km range) pieces + // increasing a tiny bit of extra tolerance to the path fixes this. This will in any case + // be less than the tolerance lower limit below, but sufficient to avoid the bug + BRepOffsetAPI_MakePipe mkPS(TopoDS::Wire(path), face, GeomFill_Trihedron::GeomFill_IsFrenet, Standard_False); result = mkPS.Shape(); @@ -237,6 +253,8 @@ App::DocumentObjectExecReturn* Helix::execute() if (SC.State() == TopAbs_IN) { result.Reverse(); } + + fix.LimitTolerance(result, Precision::Confusion() * size * Tolerance.getValue() ); // significant precision reduction due to helical approximation - needed to allow fusion to succeed AddSubShape.setValue(result); diff --git a/src/Mod/PartDesign/App/FeatureHelix.h b/src/Mod/PartDesign/App/FeatureHelix.h index 3b01150b0519..32e41c41fab4 100644 --- a/src/Mod/PartDesign/App/FeatureHelix.h +++ b/src/Mod/PartDesign/App/FeatureHelix.h @@ -56,6 +56,7 @@ class PartDesignExport Helix : public ProfileBased App::PropertyEnumeration Mode; App::PropertyBool Outside; App::PropertyBool HasBeenEdited; + App::PropertyFloatConstraint Tolerance; /** if this property is set to a valid link, both Axis and Base properties * are calculated according to the linked line @@ -95,6 +96,7 @@ class PartDesignExport Helix : public ProfileBased static const App::PropertyFloatConstraint::Constraints floatTurns; static const App::PropertyAngle::Constraints floatAngle; + static const App::PropertyFloatConstraint::Constraints floatTolerance; private: static const char* ModeEnums[]; diff --git a/src/Mod/PartDesign/App/FeatureRevolution.cpp b/src/Mod/PartDesign/App/FeatureRevolution.cpp index 1b518a5c2a0d..a3aba8336054 100644 --- a/src/Mod/PartDesign/App/FeatureRevolution.cpp +++ b/src/Mod/PartDesign/App/FeatureRevolution.cpp @@ -96,13 +96,7 @@ App::DocumentObjectExecReturn* Revolution::execute() double angle2 = Base::toRadians(Angle2.getValue()); - TopoShape sketchshape; - try { - sketchshape = getTopoShapeVerifiedFace(); - } - catch (const Base::Exception& e) { - return new App::DocumentObjectExecReturn(e.what()); - } + TopoShape sketchshape = getTopoShapeVerifiedFace(); // if the Base property has a valid shape, fuse the AddShape into it TopoShape base; @@ -160,7 +154,14 @@ App::DocumentObjectExecReturn* Revolution::execute() // Create a fresh support even when base exists so that it can be used for patterns TopoShape result(0); - TopoShape supportface = getSupportFace(); + TopoShape supportface(0); + try { + supportface = getSupportFace(); + } + catch(...) { + //do nothing, null shape is handle below + } + supportface.move(invObjLoc); if (method == RevolMethod::ToFace || method == RevolMethod::ToFirst diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign.ts index 0b95fe0455c4..16744bff46a6 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign.ts @@ -123,17 +123,17 @@ so that self intersection is avoided. CmdPartDesignAdditiveHelix - + PartDesign - + Additive helix - + Sweep a selected sketch along a helix @@ -141,17 +141,17 @@ so that self intersection is avoided. CmdPartDesignAdditiveLoft - + PartDesign - + Additive loft - + Loft a selected profile through other profile sections @@ -159,17 +159,17 @@ so that self intersection is avoided. CmdPartDesignAdditivePipe - + PartDesign - + Additive pipe - + Sweep a selected sketch along a path or to other profiles @@ -177,17 +177,17 @@ so that self intersection is avoided. CmdPartDesignBody - + PartDesign - + Create body - + Create a new body and make it active @@ -195,17 +195,17 @@ so that self intersection is avoided. CmdPartDesignBoolean - + PartDesign - + Boolean operation - + Boolean operation with two or more bodies @@ -231,17 +231,17 @@ so that self intersection is avoided. CmdPartDesignChamfer - + PartDesign - + Chamfer - + Chamfer the selected edges of a shape @@ -267,17 +267,17 @@ so that self intersection is avoided. CmdPartDesignDraft - + PartDesign - + Draft - + Make a draft on a face @@ -285,17 +285,17 @@ so that self intersection is avoided. CmdPartDesignDuplicateSelection - + PartDesign - + Duplicate selected object - + Duplicates the selected object and adds it to the active body @@ -303,17 +303,17 @@ so that self intersection is avoided. CmdPartDesignFillet - + PartDesign - + Fillet - + Make a fillet on an edge, face or body @@ -321,17 +321,17 @@ so that self intersection is avoided. CmdPartDesignGroove - + PartDesign - + Groove - + Groove a selected sketch @@ -339,17 +339,17 @@ so that self intersection is avoided. CmdPartDesignHole - + PartDesign - + Hole - + Create a hole with the selected sketch @@ -375,17 +375,17 @@ so that self intersection is avoided. CmdPartDesignLinearPattern - + PartDesign - + LinearPattern - + Create a linear pattern feature @@ -393,17 +393,17 @@ so that self intersection is avoided. CmdPartDesignMigrate - + PartDesign - + Migrate - + Migrate document to the modern PartDesign workflow @@ -411,17 +411,17 @@ so that self intersection is avoided. CmdPartDesignMirrored - + PartDesign - + Mirrored - + Create a mirrored feature @@ -429,17 +429,17 @@ so that self intersection is avoided. CmdPartDesignMoveFeature - + PartDesign - + Move object to other body - + Moves the selected object to another body @@ -447,17 +447,17 @@ so that self intersection is avoided. CmdPartDesignMoveFeatureInTree - + PartDesign - + Move object after other object - + Moves the selected object and insert it after another object @@ -465,17 +465,17 @@ so that self intersection is avoided. CmdPartDesignMoveTip - + PartDesign - + Set tip - + Move the tip of the body @@ -483,17 +483,17 @@ so that self intersection is avoided. CmdPartDesignMultiTransform - + PartDesign - + Create MultiTransform - + Create a multitransform feature @@ -555,17 +555,17 @@ so that self intersection is avoided. CmdPartDesignPocket - + PartDesign - + Pocket - + Create a pocket with the selected sketch @@ -591,17 +591,17 @@ so that self intersection is avoided. CmdPartDesignPolarPattern - + PartDesign - + PolarPattern - + Create a polar pattern feature @@ -609,17 +609,17 @@ so that self intersection is avoided. CmdPartDesignRevolution - + PartDesign - + Revolution - + Revolve a selected sketch @@ -627,17 +627,17 @@ so that self intersection is avoided. CmdPartDesignScaled - + PartDesign - + Scaled - + Create a scaled feature @@ -677,17 +677,17 @@ so that self intersection is avoided. CmdPartDesignSubtractiveHelix - + PartDesign - + Subtractive helix - + Sweep a selected sketch along a helix and remove it from the body @@ -695,17 +695,17 @@ so that self intersection is avoided. CmdPartDesignSubtractiveLoft - + PartDesign - + Subtractive loft - + Loft a selected profile through other profile sections and remove it from the body @@ -713,17 +713,17 @@ so that self intersection is avoided. CmdPartDesignSubtractivePipe - + PartDesign - + Subtractive pipe - + Sweep a selected sketch along a path or to other profiles and remove it from the body @@ -731,17 +731,17 @@ so that self intersection is avoided. CmdPartDesignThickness - + PartDesign - + Thickness - + Make a thick solid @@ -760,42 +760,42 @@ so that self intersection is avoided. - + Additive Box - + Additive Cylinder - + Additive Sphere - + Additive Cone - + Additive Ellipsoid - + Additive Torus - + Additive Prism - + Additive Wedge @@ -803,53 +803,53 @@ so that self intersection is avoided. CmdPrimtiveCompSubtractive - + PartDesign - - + + Create a subtractive primitive - + Subtractive Box - + Subtractive Cylinder - + Subtractive Sphere - + Subtractive Cone - + Subtractive Ellipsoid - + Subtractive Torus - + Subtractive Prism - + Subtractive Wedge @@ -889,47 +889,48 @@ so that self intersection is avoided. + Create a new Sketch - + Convert to MultiTransform feature - + Create Boolean - + Add a Body - + Migrate legacy Part Design features to Bodies - + Move tip to selected feature - + Duplicate a PartDesign object - + Move an object - + Move an object inside tree @@ -1594,7 +1595,7 @@ click again to end selection PartDesignGui::TaskDlgFeatureParameters - + Input error @@ -1684,13 +1685,13 @@ click again to end selection PartDesignGui::TaskExtrudeParameters - + No face selected - + Face @@ -1710,38 +1711,38 @@ click again to end selection - + No shape selected - + Sketch normal - + Face normal - + Select reference... - - + + Custom direction - + Click on a shape in the model - + Click on a face in the model @@ -2781,7 +2782,7 @@ measured along the specified direction - + Dimension @@ -2792,19 +2793,19 @@ measured along the specified direction - + Base X axis - + Base Y axis - + Base Z axis @@ -2820,7 +2821,7 @@ measured along the specified direction - + Select reference... @@ -2830,24 +2831,24 @@ measured along the specified direction - + Symmetric to plane - + Reversed - + 2nd angle - - + + Face @@ -2857,37 +2858,37 @@ measured along the specified direction - + Revolution parameters - + To last - + Through all - + To first - + Up to face - + Two dimensions - + No face selected @@ -3214,42 +3215,42 @@ click again to end selection PartDesign_CompPrimitiveAdditive - + Create an additive box by its width, height, and length - + Create an additive cylinder by its radius, height, and angle - + Create an additive sphere by its radius and various angles - + Create an additive cone - + Create an additive ellipsoid - + Create an additive torus - + Create an additive prism - + Create an additive wedge @@ -3257,42 +3258,42 @@ click again to end selection PartDesign_CompPrimitiveSubtractive - + Create a subtractive box by its width, height and length - + Create a subtractive cylinder by its radius, height and angle - + Create a subtractive sphere by its radius and various angles - + Create a subtractive cone - + Create a subtractive ellipsoid - + Create a subtractive torus - + Create a subtractive prism - + Create a subtractive wedge @@ -3300,12 +3301,12 @@ click again to end selection PartDesign_MoveFeature - + Select body - + Select a body from the list @@ -3313,27 +3314,27 @@ click again to end selection PartDesign_MoveFeatureInTree - + Select feature - + Select a feature from the list - + Move tip - + The moved feature appears after the currently set tip. - + Do you want the last feature to be the new tip? @@ -3368,42 +3369,42 @@ click again to end selection - + Several sub-elements selected - + You have to select a single face as support for a sketch! - + No support face selected - + You have to select a face as support for a sketch! - + No planar support - + You need a planar face as support for a sketch! - + No valid planes in this document - + Please create a plane first or select a face to sketch on @@ -3462,236 +3463,236 @@ click again to end selection - - + + Wrong selection - + Select an edge, face, or body from a single body. - - + + Selection is not in Active Body - + Select an edge, face, or body from an active body. - + Wrong object type - + %1 works only on parts. - + Shape of the selected Part is empty - + Please select only one feature in an active body. - + Part creation failed - + Failed to create a part object. - - - - + + + + Bad base feature - + Body can't be based on a PartDesign feature. - + %1 already belongs to a body, can't use it as base feature for another body. - + Base feature (%1) belongs to other part. - + The selected shape consists of multiple solids. This may lead to unexpected results. - + The selected shape consists of multiple shells. This may lead to unexpected results. - + The selected shape consists of only a shell. This may lead to unexpected results. - + The selected shape consists of multiple solids or shells. This may lead to unexpected results. - + Base feature - + Body may be based on no more than one feature. - + Body - + Nothing to migrate - + No PartDesign features found that don't belong to a body. Nothing to migrate. - + Sketch plane cannot be migrated - + Please edit '%1' and redefine it to use a Base or Datum plane as the sketch plane. - - - - - + + + + + Selection error - + Select exactly one PartDesign feature or a body. - + Couldn't determine a body for the selected feature '%s'. - + Only a solid feature can be the tip of a body. - - - + + + Features cannot be moved - + Some of the selected features have dependencies in the source body - + Only features of a single source Body can be moved - + There are no other bodies to move to - + Impossible to move the base feature of a body. - + Select one or more features from the same body. - + Beginning of the body - + Dependency violation - + Early feature must not depend on later feature. - + No previous feature found - + It is not possible to create a subtractive feature without a base feature available - + Vertical sketch axis - + Horizontal sketch axis - + Construction line %1 @@ -4713,25 +4714,25 @@ over 90: larger hole radius at the bottom - + - + Resulting shape is not a solid - - - + + + - + Result has multiple solids: that is not currently supported. @@ -4808,71 +4809,71 @@ over 90: larger hole radius at the bottom - + Length too small - + Second length too small - + Failed to obtain profile shape - + Creation failed because direction is orthogonal to sketch's normal vector - + Extrude: Can only offset one face - - + + Creating a face from sketch failed - + Up to face: Could not get SubShape! - + Unable to reach the selected shape, please select faces - + Magnitude of taper angle matches or exceeds 90 degrees - + Padding with draft angle failed - + Revolve axis intersects the sketch - + Could not revolve the sketch! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. @@ -5068,22 +5069,22 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed for m - + Loft: A fatal error occurred when making the loft - + Loft: Creating a face from sketch failed - + Loft: Failed to create shell - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed. @@ -5199,13 +5200,13 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed. - + Unknown operation type - + Failed to perform boolean operation @@ -5309,22 +5310,22 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed. - + Angle of revolution too large - + Angle of revolution too small - + Reference axis is invalid - + Fusion with base feature failed @@ -5370,12 +5371,12 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed. CmdPartDesignCompDatums - + Create datum - + Create a datum object or local coordinate system @@ -5383,14 +5384,30 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed. CmdPartDesignCompSketches - + Create datum - + Create a datum object or local coordinate system + + PartDesignGui::TaskDlgRevolutionParameters + + + Revolution parameters + + + + + PartDesignGui::TaskDlgGrooveParameters + + + Groove parameters + + + diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_be.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_be.ts index 6d16c5c6f5c8..318aae81dbf9 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_be.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_be.ts @@ -130,17 +130,17 @@ False = унутраная шасцярня CmdPartDesignAdditiveHelix - + PartDesign Праектаванне дэталі - + Additive helix Выцяжка па спіралі - + Sweep a selected sketch along a helix Выцягнуць абраны эскіз па спіралі @@ -148,17 +148,17 @@ False = унутраная шасцярня CmdPartDesignAdditiveLoft - + PartDesign Праектаванне дэталі - + Additive loft Выцяжка па профілю - + Loft a selected profile through other profile sections Правесці абраны профіль праз іншыя перасекі профілю @@ -166,17 +166,17 @@ False = унутраная шасцярня CmdPartDesignAdditivePipe - + PartDesign Праектаванне дэталі - + Additive pipe Выцяжка па траекторыі - + Sweep a selected sketch along a path or to other profiles Выцягнуць абраны эскіз па траекторыі ці да іншых профілях @@ -184,17 +184,17 @@ False = унутраная шасцярня CmdPartDesignBody - + PartDesign Праектаванне дэталі - + Create body Стварыць цела - + Create a new body and make it active Стварыць новае цела і зрабіць бягучым @@ -202,17 +202,17 @@ False = унутраная шасцярня CmdPartDesignBoolean - + PartDesign Праектаванне дэталі - + Boolean operation Лагічная аперацыя - + Boolean operation with two or more bodies Лагічная аперацыя з дзвюма і болей целамі @@ -238,17 +238,17 @@ False = унутраная шасцярня CmdPartDesignChamfer - + PartDesign Праектаванне дэталі - + Chamfer Фаска - + Chamfer the selected edges of a shape Фаска на абраных рэбрах фігуры @@ -274,17 +274,17 @@ False = унутраная шасцярня CmdPartDesignDraft - + PartDesign Праектаванне дэталі - + Draft Чарнавік - + Make a draft on a face Зрабіць ухіл на грані @@ -292,17 +292,17 @@ False = унутраная шасцярня CmdPartDesignDuplicateSelection - + PartDesign Праектаванне дэталі - + Duplicate selected object Дубліраваць абраны аб'ект - + Duplicates the selected object and adds it to the active body Дубліраваць абраны аб'ект і дадаць іх у бягучае цела @@ -310,17 +310,17 @@ False = унутраная шасцярня CmdPartDesignFillet - + PartDesign Праектаванне дэталі - + Fillet Акругленне - + Make a fillet on an edge, face or body Зрабіць акругленне на рабры, грань ці целе @@ -328,17 +328,17 @@ False = унутраная шасцярня CmdPartDesignGroove - + PartDesign Праектаванне дэталі - + Groove Паз - + Groove a selected sketch Паз на абраным эскізе @@ -346,17 +346,17 @@ False = унутраная шасцярня CmdPartDesignHole - + PartDesign Праектаванне дэталі - + Hole Адтуліна - + Create a hole with the selected sketch Стварыць адтуліну з абранага эскізу @@ -382,17 +382,17 @@ False = унутраная шасцярня CmdPartDesignLinearPattern - + PartDesign Праектаванне дэталі - + LinearPattern Лінейны шаблон - + Create a linear pattern feature Стварыць элемент лінейнага шаблону @@ -400,17 +400,17 @@ False = унутраная шасцярня CmdPartDesignMigrate - + PartDesign Праектаванне дэталі - + Migrate Пераход з больш старой версіі - + Migrate document to the modern PartDesign workflow Перанесці дакумент у сучасны працоўны працэс Праектавання дэталі @@ -418,17 +418,17 @@ False = унутраная шасцярня CmdPartDesignMirrored - + PartDesign Праектаванне дэталі - + Mirrored Сiметрыя - + Create a mirrored feature Стварыць сіметрычны элемент @@ -436,17 +436,17 @@ False = унутраная шасцярня CmdPartDesignMoveFeature - + PartDesign Праектаванне дэталі - + Move object to other body Рухаць аб'ект у іншае цела - + Moves the selected object to another body Рухаць абраны аб'ект у іншае цела @@ -454,17 +454,17 @@ False = унутраная шасцярня CmdPartDesignMoveFeatureInTree - + PartDesign Праектаванне дэталі - + Move object after other object Рухаць аб'ект у іншы аб'ект - + Moves the selected object and insert it after another object Рухаць абраны аб'ект і ўставіць яго пасля іншага аб'екту @@ -472,17 +472,17 @@ False = унутраная шасцярня CmdPartDesignMoveTip - + PartDesign Праектаванне дэталі - + Set tip Задаць кропку завяршэння разліку цела - + Move the tip of the body Рух кончык цела @@ -490,17 +490,17 @@ False = унутраная шасцярня CmdPartDesignMultiTransform - + PartDesign Праектаванне дэталі - + Create MultiTransform Стварыць Множнае пераўтварэнне - + Create a multitransform feature Стварыць элемент множнага пераўтварэння @@ -562,17 +562,17 @@ False = унутраная шасцярня CmdPartDesignPocket - + PartDesign Праектаванне дэталі - + Pocket Кішэнь - + Create a pocket with the selected sketch Стварыць кішэнь з абранага эскізу @@ -598,17 +598,17 @@ False = унутраная шасцярня CmdPartDesignPolarPattern - + PartDesign Праектаванне дэталі - + PolarPattern Палярны шаблон - + Create a polar pattern feature Стварыць элемент палярнага шаблону @@ -616,17 +616,17 @@ False = унутраная шасцярня CmdPartDesignRevolution - + PartDesign Праектаванне дэталі - + Revolution Выцягванне кручэннем - + Revolve a selected sketch Вярчэнне на абраным эскізе @@ -634,17 +634,17 @@ False = унутраная шасцярня CmdPartDesignScaled - + PartDesign Праектаванне дэталі - + Scaled Маштабны - + Create a scaled feature Стварыць элемент маштаба @@ -684,17 +684,17 @@ False = унутраная шасцярня CmdPartDesignSubtractiveHelix - + PartDesign Праектаванне дэталі - + Subtractive helix Адыманне па спіралі - + Sweep a selected sketch along a helix and remove it from the body Выцягнуць абраны эскіз па спіралі, і выдаліць яго з цела @@ -702,17 +702,17 @@ False = унутраная шасцярня CmdPartDesignSubtractiveLoft - + PartDesign Праектаванне дэталі - + Subtractive loft Адыманне па профілю - + Loft a selected profile through other profile sections and remove it from the body Правесці абраны профіль праз іншыя перасекі профілю, і выдаліць яго з цела @@ -720,17 +720,17 @@ False = унутраная шасцярня CmdPartDesignSubtractivePipe - + PartDesign Праектаванне дэталі - + Subtractive pipe Адыманне па траекторыі - + Sweep a selected sketch along a path or to other profiles and remove it from the body Выцягнуць абраны эскіз па траекторыі ці іншаму профілю, і выдаліць яго з цела @@ -738,17 +738,17 @@ False = унутраная шасцярня CmdPartDesignThickness - + PartDesign Праектаванне дэталі - + Thickness Таўшчыня - + Make a thick solid Зрабіць полае цела з суцэльнага @@ -767,42 +767,42 @@ False = унутраная шасцярня Стварыць выцяжку па першаснаму целу - + Additive Box Выцяжка паралелепіпеда - + Additive Cylinder Выцяжка цыліндра - + Additive Sphere Выцяжка сферы - + Additive Cone Выцяжка конуса - + Additive Ellipsoid Выцяжка эліпсоіда - + Additive Torus Выцяжка тора - + Additive Prism Выцяжка прызмы - + Additive Wedge Выцяжка кліну @@ -810,53 +810,53 @@ False = унутраная шасцярня CmdPrimtiveCompSubtractive - + PartDesign Праектаванне дэталі - - + + Create a subtractive primitive Стварыць адыманне па першаснаму целу - + Subtractive Box Адыманне паралелепіпеда - + Subtractive Cylinder Адыманне цыліндра - + Subtractive Sphere Адыманне сферы - + Subtractive Cone Адыманне конусу - + Subtractive Ellipsoid Адыманне эліпсоіда - + Subtractive Torus Адыманне тору - + Subtractive Prism Адыманне прызмы - + Subtractive Wedge Адыманне кліну @@ -896,47 +896,48 @@ False = унутраная шасцярня + Create a new Sketch Стварыць новы эскіз - + Convert to MultiTransform feature Пераўтварыць элемент множнага пераўтварэння - + Create Boolean Стварыць лагічную аперацыю - + Add a Body Дадаць цела - + Migrate legacy Part Design features to Bodies Перанос элементаў асаблівасцяў састарэлага Праектавання дэталі ў Цела - + Move tip to selected feature Рухаць кончык да абранага элемента - + Duplicate a PartDesign object Дубляваць аб'ект Праектавання дэталі - + Move an object Рухаць аб'ект - + Move an object inside tree Рухаць аб'ект унутры дрэва @@ -1606,7 +1607,7 @@ click again to end selection PartDesignGui::TaskDlgFeatureParameters - + Input error Input error @@ -1698,13 +1699,13 @@ click again to end selection PartDesignGui::TaskExtrudeParameters - + No face selected Грань не абраная - + Face Грань @@ -1724,38 +1725,38 @@ click again to end selection Абраць грані - + No shape selected Фігура не абраная - + Sketch normal Вектар нармалі эскізу - + Face normal Вектар нармалі грані - + Select reference... Select reference... - - + + Custom direction Адвольны напрамак - + Click on a shape in the model Пстрыкнуць па фігуры ў мадэлі - + Click on a face in the model Пстрыкнуць па грані ў мадэлі @@ -2801,7 +2802,7 @@ measured along the specified direction - + Dimension Вымярэнне @@ -2812,19 +2813,19 @@ measured along the specified direction - + Base X axis Асноўная вось X - + Base Y axis Асноўная вось Y - + Base Z axis Асноўная вось Z @@ -2840,7 +2841,7 @@ measured along the specified direction - + Select reference... Абраць апорны элемент... @@ -2850,24 +2851,24 @@ measured along the specified direction Вугал: - + Symmetric to plane Сіметрычна плоскасці - + Reversed Наадварот - + 2nd angle Другі вугал - - + + Face Грань @@ -2877,37 +2878,37 @@ measured along the specified direction Абнавіць выгляд - + Revolution parameters Налады выцягвання кручэннем - + To last Да апошняга - + Through all Праз усё - + To first Да першага - + Up to face Да грані - + Two dimensions Два вымярэння - + No face selected Грань не абраная @@ -3236,42 +3237,42 @@ click again to end selection PartDesign_CompPrimitiveAdditive - + Create an additive box by its width, height, and length Стварыць выцяжку паралелепіпеда па шырыні, вышыні і даўжыні - + Create an additive cylinder by its radius, height, and angle Стварыць выцяжку цыліндра па радыусу, вышыні і вуглу - + Create an additive sphere by its radius and various angles Стварыць выцяжку сферы па радыусу і розным вуглам - + Create an additive cone Стварыць выцяжку конуса - + Create an additive ellipsoid Стварыць выцяжку эліпсоіда - + Create an additive torus Стварыць выцяжку тора - + Create an additive prism Стварыць выцяжку прызмы - + Create an additive wedge Стварыць выцяжку кліна @@ -3279,42 +3280,42 @@ click again to end selection PartDesign_CompPrimitiveSubtractive - + Create a subtractive box by its width, height and length Стварыць адыманне паралелепіпеда па шырыні, вышыні і даўжыні - + Create a subtractive cylinder by its radius, height and angle Стварыць адыманне цыліндра па радыусу, вышыні і вуглу - + Create a subtractive sphere by its radius and various angles Стварыць адыманне сферы па радыусу і розным вуглам - + Create a subtractive cone Стварыць адыманне па конусу - + Create a subtractive ellipsoid Стварыць адыманне па эліпсоіду - + Create a subtractive torus Стварыць адыманне па тору - + Create a subtractive prism Стварыць адыманне па прызме - + Create a subtractive wedge Стварыць адыманне па кліну @@ -3322,12 +3323,12 @@ click again to end selection PartDesign_MoveFeature - + Select body Абраць цела - + Select a body from the list Абраць цела з спісу @@ -3335,27 +3336,27 @@ click again to end selection PartDesign_MoveFeatureInTree - + Select feature Абраць элемент - + Select a feature from the list Абраць элемент з спісу - + Move tip Рухаць кончык - + The moved feature appears after the currently set tip. Зрушаны аб'ект з'яўляецца пасля бягучага становішча кончыка. - + Do you want the last feature to be the new tip? Вы жадаеце, каб апошні элемент была новым кончыкам? @@ -3390,42 +3391,42 @@ click again to end selection Злучнае рэчыва ўкладзенай фігуры - + Several sub-elements selected Некалькі абраных укладзеных элементаў - + You have to select a single face as support for a sketch! Вы павінны абраць адну грань у якасці падтрымкі для эскізу! - + No support face selected Не абрана грань падтрымкі - + You have to select a face as support for a sketch! Вы павінны абраць грань у якасці падтрымкі для эскізу! - + No planar support Адсутнічае плоская падтрымка - + You need a planar face as support for a sketch! Вам патрэбна абраць плоскую грань у якасці падтрымкі для эскізу! - + No valid planes in this document У дакуменце дапушчальныя плоскасці адсутнічаюць - + Please create a plane first or select a face to sketch on Калі ласка, спачатку стварыце плоскасць, альбо абярыце грань на эскізе @@ -3484,211 +3485,211 @@ click again to end selection Эскіз у дакуменце адсутнічае - - + + Wrong selection Няправільны выбар - + Select an edge, face, or body from a single body. Абраць рабро, грань ці цела з аднаго цела. - - + + Selection is not in Active Body Выбар не знаходзіцца ў бягучы целе - + Select an edge, face, or body from an active body. Абраць рабро, грань ці цела з бягучага цела. - + Wrong object type Няправільны тып аб'екта - + %1 works only on parts. %1 працуе толькі з дэталямі. - + Shape of the selected Part is empty Фігура абранай дэталі пустая - + Please select only one feature in an active body. Калі ласка, абярыце толькі адзін элемент у бягучым целе. - + Part creation failed Не атрымалася стварыць дэталь - + Failed to create a part object. Не атрымалася стварыць аб'ект дэталі. - - - - + + + + Bad base feature Дрэнны асноўны элемент - + Body can't be based on a PartDesign feature. Цела не можа быць заснавана на элеменце Праектаванне дэталі. - + %1 already belongs to a body, can't use it as base feature for another body. %1 ужо належыць да цела, не можа ўжывацца як асноўны элемент для іншага цела. - + Base feature (%1) belongs to other part. Асноўны элемент (%1) належыць да іншай дэталі. - + The selected shape consists of multiple solids. This may lead to unexpected results. Абраная фігура складаецца з некалькіх суцэльных цел. Можа прывесці да нечаканых вынікаў. - + The selected shape consists of multiple shells. This may lead to unexpected results. Абраная фігура складаецца з некалькіх абалонак. Можа прывесці да нечаканых вынікаў. - + The selected shape consists of only a shell. This may lead to unexpected results. Абраная фігура складаецца з адной абалонкі. Можа прывесці да нечаканых вынікаў. - + The selected shape consists of multiple solids or shells. This may lead to unexpected results. Абраная фігура складаецца з некалькіх суцэльных цел ці абалонак. Можа прывесці да нечаканых вынікаў. - + Base feature Асноўны элемент - + Body may be based on no more than one feature. Цела можа быць заснавана не больш чым на адным элеменце. - + Body Цела - + Nothing to migrate Няма чаго мігрыраваць - + No PartDesign features found that don't belong to a body. Nothing to migrate. Не выяўлена элементаў Праектавання дэталі, якія не належаць да цела. Няма чаго мігрыраваць. - + Sketch plane cannot be migrated Плоскасць эскізу не можна мігрыраваць - + Please edit '%1' and redefine it to use a Base or Datum plane as the sketch plane. Калі ласка, змяніце '%1' і перавызначыце яго, каб ужыць асноўную ці апорную плоскасць у якасці плоскасці эскізу. - - - - - + + + + + Selection error Памылка выбару - + Select exactly one PartDesign feature or a body. Абраць толькі адзін элемент Праектавання дэталі ці цела. - + Couldn't determine a body for the selected feature '%s'. Не атрымалася вызначыць цела для абранага аб'екта '%s'. - + Only a solid feature can be the tip of a body. Толькі суцэльны элемент можа быць кончыкам цела. - - - + + + Features cannot be moved Элемент не атрымалася рухаць - + Some of the selected features have dependencies in the source body Некаторыя з абраных элементаў маюць залежнасць у зыходным целе - + Only features of a single source Body can be moved Можна рухаць толькі элементы з аднаго зыходнага цела - + There are no other bodies to move to Адсутнічаюць іншыя целы для руху ў - + Impossible to move the base feature of a body. Немагчыма рухаць асноўны элемент цела. - + Select one or more features from the same body. Абраць адзін ці болей элементаў з аднаго і таго ж цела. - + Beginning of the body Пачатак цела - + Dependency violation Парушэнне ўмоў залежнасці - + Early feature must not depend on later feature. @@ -3697,29 +3698,29 @@ This may lead to unexpected results. - + No previous feature found Папярэдні элемент не знойдзены - + It is not possible to create a subtractive feature without a base feature available Немагчыма стварыць элемент адымання без даступнага асноўнага элементу - + Vertical sketch axis Вертыкальная вось эскізу - + Horizontal sketch axis Гарызантальная вось эскізу - + Construction line %1 Будаўнічая лінія %1 @@ -4752,25 +4753,25 @@ over 90: larger hole radius at the bottom Лагічная аперацыя не падтрымліваецца - + - + Resulting shape is not a solid Выніковая фігура атрымалася не суцэльным целам - - - + + + - + Result has multiple solids: that is not currently supported. @@ -4849,71 +4850,71 @@ over 90: larger hole radius at the bottom - абраны эскіз не належыць да бягучага Цела. - + Length too small Даўжыня занадта маленькая - + Second length too small Другая даўжыня занадта малая - + Failed to obtain profile shape Не атрымалася атрымаць фігуру профілю - + Creation failed because direction is orthogonal to sketch's normal vector Стварэнне не атрымалася, паколькі напрамак артаганальнага вектару нармалі эскіза - + Extrude: Can only offset one face Выдушыць: можна зрушыць толькі адну грань - - + + Creating a face from sketch failed Не атрымалася стварыць грань з эскізу - + Up to face: Could not get SubShape! Да грані: не атрымалася змяніць укладзеную фігуру! - + Unable to reach the selected shape, please select faces Не атрымалася дабрацца да абранай формы, калі ласка, абярыце грані - + Magnitude of taper angle matches or exceeds 90 degrees Велічыня вуглу конусу зянкоўкі адпавядае ці перавышае 90 градусаў - + Padding with draft angle failed Не атрымалася выцягванне з вуглом нахілу - + Revolve axis intersects the sketch Вось вярчэння перасякае эскіз - + Could not revolve the sketch! Не атрымалася павярнуць эскіз! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. @@ -5111,22 +5112,22 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed for m Профіль: неабходны прынамсі адзін перасек - + Loft: A fatal error occurred when making the loft Профіль: пры стварэнні профілю адбылася фатальная памылка - + Loft: Creating a face from sketch failed Профіль: не атрымалася стварыць грань з эскізу - + Loft: Failed to create shell Профіль: не атрымалася стварыць абалонку - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed. Не атрымалася стварыць грань з эскізу. @@ -5243,13 +5244,13 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed.Немагчыма адняць элемент першаснага цела без асноўнага элементу - + Unknown operation type Невядомы тып аперацыі - + Failed to perform boolean operation Не атрымалася выканаць лагічную аперацыю @@ -5353,22 +5354,22 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed.дэльта X2 кліну адмоўная - + Angle of revolution too large Занадта вялікі вугал павароту - + Angle of revolution too small Занадта малы вугал павароту - + Reference axis is invalid Хібная вось апорнага элементу - + Fusion with base feature failed Не атрымалася выканаць зліццё з асноўнай функцыяй @@ -5414,12 +5415,12 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed. CmdPartDesignCompDatums - + Create datum Стварыць кропку адліку - + Create a datum object or local coordinate system Стварыць аб'ект кропкі адліку ці лакальную сістэму каардынат @@ -5427,14 +5428,30 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed. CmdPartDesignCompSketches - + Create datum Стварыць кропку адліку - + Create a datum object or local coordinate system Стварыць аб'ект кропкі адліку ці лакальную сістэму каардынат + + PartDesignGui::TaskDlgRevolutionParameters + + + Revolution parameters + Налады выцягвання кручэннем + + + + PartDesignGui::TaskDlgGrooveParameters + + + Groove parameters + Groove parameters + + diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ca.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ca.ts index b36134e680c5..52e530aed9ca 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ca.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ca.ts @@ -129,17 +129,17 @@ de manera que s'evita l'autointersecció. CmdPartDesignAdditiveHelix - + PartDesign PartDesign - + Additive helix Hèlix additiva - + Sweep a selected sketch along a helix Escombra un esbós seleccionat al llarg d’una hèlix @@ -147,17 +147,17 @@ de manera que s'evita l'autointersecció. CmdPartDesignAdditiveLoft - + PartDesign PartDesign - + Additive loft Calaix additiu - + Loft a selected profile through other profile sections Projecta un perfil seleccionat a través d'altres seccions de perfil @@ -165,17 +165,17 @@ de manera que s'evita l'autointersecció. CmdPartDesignAdditivePipe - + PartDesign PartDesign - + Additive pipe Tub additiu - + Sweep a selected sketch along a path or to other profiles Escombra un esbós seleccionat per un camí o per altres perfils @@ -183,17 +183,17 @@ de manera que s'evita l'autointersecció. CmdPartDesignBody - + PartDesign PartDesign - + Create body Crear un cos - + Create a new body and make it active Crear un nou cos i activa'l @@ -201,17 +201,17 @@ de manera que s'evita l'autointersecció. CmdPartDesignBoolean - + PartDesign PartDesign - + Boolean operation Operació booleana - + Boolean operation with two or more bodies Operació booleana amb dos o més cossos @@ -237,17 +237,17 @@ de manera que s'evita l'autointersecció. CmdPartDesignChamfer - + PartDesign PartDesign - + Chamfer Xamfrà - + Chamfer the selected edges of a shape Crea un xamfrà a les vores seleccionades @@ -273,17 +273,17 @@ de manera que s'evita l'autointersecció. CmdPartDesignDraft - + PartDesign PartDesign - + Draft Calat - + Make a draft on a face Crea un croquis a una cara @@ -291,17 +291,17 @@ de manera que s'evita l'autointersecció. CmdPartDesignDuplicateSelection - + PartDesign PartDesign - + Duplicate selected object Duplica l'objecte seleccionat - + Duplicates the selected object and adds it to the active body Duplica l'objecte seleccionat i l'afegeix al cos actiu @@ -309,17 +309,17 @@ de manera que s'evita l'autointersecció. CmdPartDesignFillet - + PartDesign PartDesign - + Fillet Arrodoniment - + Make a fillet on an edge, face or body Crear un arrodoniment a una aresta, cara o cos @@ -327,17 +327,17 @@ de manera que s'evita l'autointersecció. CmdPartDesignGroove - + PartDesign PartDesign - + Groove Ranura - + Groove a selected sketch Crea una ranura a un croquis seleccionat @@ -345,17 +345,17 @@ de manera que s'evita l'autointersecció. CmdPartDesignHole - + PartDesign PartDesign - + Hole Forat - + Create a hole with the selected sketch Crea un forat amb l'esbós seleccionat @@ -381,17 +381,17 @@ de manera que s'evita l'autointersecció. CmdPartDesignLinearPattern - + PartDesign PartDesign - + LinearPattern Patró Lineal - + Create a linear pattern feature Crea un patró lineal @@ -399,17 +399,17 @@ de manera que s'evita l'autointersecció. CmdPartDesignMigrate - + PartDesign PartDesign - + Migrate Migra - + Migrate document to the modern PartDesign workflow Migra el document al flux de treball modern PartDesign @@ -417,17 +417,17 @@ de manera que s'evita l'autointersecció. CmdPartDesignMirrored - + PartDesign PartDesign - + Mirrored Reflectit - + Create a mirrored feature Crea una operació de simetria @@ -435,17 +435,17 @@ de manera que s'evita l'autointersecció. CmdPartDesignMoveFeature - + PartDesign PartDesign - + Move object to other body Mou l'objecte a un altre cos - + Moves the selected object to another body Mou l'objecte seleccionat a un altre cos @@ -453,17 +453,17 @@ de manera que s'evita l'autointersecció. CmdPartDesignMoveFeatureInTree - + PartDesign PartDesign - + Move object after other object Mou l'objecte després d'un altre objecte - + Moves the selected object and insert it after another object Mou l'objecte seleccionat i l'insereix després d'un altre objecte @@ -471,17 +471,17 @@ de manera que s'evita l'autointersecció. CmdPartDesignMoveTip - + PartDesign PartDesign - + Set tip Conjunt de Punta - + Move the tip of the body Moure la punta del cos @@ -489,17 +489,17 @@ de manera que s'evita l'autointersecció. CmdPartDesignMultiTransform - + PartDesign PartDesign - + Create MultiTransform Crea MultiTransform - + Create a multitransform feature Crea un perfil multitransform @@ -561,17 +561,17 @@ de manera que s'evita l'autointersecció. CmdPartDesignPocket - + PartDesign PartDesign - + Pocket Buidar - + Create a pocket with the selected sketch Crear un calaix amb el dibuix seleccionat @@ -597,17 +597,17 @@ de manera que s'evita l'autointersecció. CmdPartDesignPolarPattern - + PartDesign PartDesign - + PolarPattern Patró Polar - + Create a polar pattern feature Crear perfil de patró polar @@ -615,17 +615,17 @@ de manera que s'evita l'autointersecció. CmdPartDesignRevolution - + PartDesign PartDesign - + Revolution Revolució - + Revolve a selected sketch Revolucionar un croquis seleccionat @@ -633,17 +633,17 @@ de manera que s'evita l'autointersecció. CmdPartDesignScaled - + PartDesign PartDesign - + Scaled Escalat - + Create a scaled feature Crea una operació escalada @@ -683,17 +683,17 @@ de manera que s'evita l'autointersecció. CmdPartDesignSubtractiveHelix - + PartDesign PartDesign - + Subtractive helix Hèlix subtractiva - + Sweep a selected sketch along a helix and remove it from the body Fer Escombrat a un esbós seleccionat al llarg d’una hèlix i traieu-lo del cos @@ -701,17 +701,17 @@ de manera que s'evita l'autointersecció. CmdPartDesignSubtractiveLoft - + PartDesign PartDesign - + Subtractive loft Calaix substractiu - + Loft a selected profile through other profile sections and remove it from the body Projecta un perfil seleccionat a través d'altres seccions de perfil i elimina'l del cos @@ -719,17 +719,17 @@ de manera que s'evita l'autointersecció. CmdPartDesignSubtractivePipe - + PartDesign PartDesign - + Subtractive pipe Canonada Sustractiva - + Sweep a selected sketch along a path or to other profiles and remove it from the body Escombra un esbós per una trajectòria o a altres perfils i treu-lo del cos @@ -737,17 +737,17 @@ de manera que s'evita l'autointersecció. CmdPartDesignThickness - + PartDesign PartDesign - + Thickness Gruix - + Make a thick solid Fes un sòlid gruixut @@ -766,42 +766,42 @@ de manera que s'evita l'autointersecció. Crear un primitiu additiu - + Additive Box Caixa additiva - + Additive Cylinder Cilindre additiu - + Additive Sphere Esfera additiu - + Additive Cone Con additiu - + Additive Ellipsoid El·lipsoide additiu - + Additive Torus Torus additiu - + Additive Prism Prisma additiu - + Additive Wedge Falca additiva @@ -809,53 +809,53 @@ de manera que s'evita l'autointersecció. CmdPrimtiveCompSubtractive - + PartDesign PartDesign - - + + Create a subtractive primitive Crea un primitiu sustractiu - + Subtractive Box Caixa substractiva - + Subtractive Cylinder Cilindre sustractiu - + Subtractive Sphere Esfera sustractiva - + Subtractive Cone Con Sustractiu - + Subtractive Ellipsoid El·lipsoide Sustractiu - + Subtractive Torus Torus Sustractiu - + Subtractive Prism Prisma Sustractiu - + Subtractive Wedge Falca Sustractiu @@ -895,47 +895,48 @@ de manera que s'evita l'autointersecció. + Create a new Sketch Creeu un esbós nou - + Convert to MultiTransform feature Converteix a la funció MultiTransform - + Create Boolean Crea booleà - + Add a Body Afegiu un cos - + Migrate legacy Part Design features to Bodies Migreu les funcions de disseny de peces heretades a Cossos - + Move tip to selected feature Mou el consell a la funció seleccionada - + Duplicate a PartDesign object Dupliqueu un objecte PartDesign - + Move an object Mou un objecte - + Move an object inside tree Mou un objecte dins de l'arbre @@ -1606,7 +1607,7 @@ clica altre cop per finalitzar la selecció PartDesignGui::TaskDlgFeatureParameters - + Input error Error d'entrada @@ -1699,13 +1700,13 @@ clica altre cop per finalitzar la selecció PartDesignGui::TaskExtrudeParameters - + No face selected Cap cara seleccionada - + Face Cara @@ -1725,38 +1726,38 @@ clica altre cop per finalitzar la selecció Seleccioneu cares - + No shape selected Forma no seleccionada - + Sketch normal Croquis normal - + Face normal Cara Normal - + Select reference... Seleccioneu referència... - - + + Custom direction Direcció personalitzada - + Click on a shape in the model Clica en una forma del model - + Click on a face in the model Clica en una cara del model @@ -2802,7 +2803,7 @@ mesurada al llarg de la direcció especificada - + Dimension Cota @@ -2813,19 +2814,19 @@ mesurada al llarg de la direcció especificada - + Base X axis Eix base X - + Base Y axis Eix base Y - + Base Z axis Eix base Z @@ -2841,7 +2842,7 @@ mesurada al llarg de la direcció especificada - + Select reference... Seleccioneu referència... @@ -2851,24 +2852,24 @@ mesurada al llarg de la direcció especificada Angle: - + Symmetric to plane Simètric al pla - + Reversed Invertit - + 2nd angle 2n angle - - + + Face Cara @@ -2878,37 +2879,37 @@ mesurada al llarg de la direcció especificada Actualització vista - + Revolution parameters Paràmetres de revolució - + To last Al darrer - + Through all A través de totes - + To first A la primera - + Up to face Fins la cara - + Two dimensions Dues dimensions - + No face selected Cap cara seleccionada @@ -3238,42 +3239,42 @@ clica altre cop per finalitzar la selecció PartDesign_CompPrimitiveAdditive - + Create an additive box by its width, height, and length Crear una caixa aditiva per la seva ampladaa, alçada i longitud - + Create an additive cylinder by its radius, height, and angle Crear un cilindre aditiu per el seu radi, alçada i angle - + Create an additive sphere by its radius and various angles Crea una esfera additiva donats diversos angles i el radi - + Create an additive cone Crear un additiu con - + Create an additive ellipsoid Crear un el·lipsoide additiu - + Create an additive torus Crear un torus additiu - + Create an additive prism Crear un prisma additiu - + Create an additive wedge Crear una falca additiu @@ -3281,42 +3282,42 @@ clica altre cop per finalitzar la selecció PartDesign_CompPrimitiveSubtractive - + Create a subtractive box by its width, height and length Crea una caixa substractiva a partir de la amplada, alçada i longitud - + Create a subtractive cylinder by its radius, height and angle Crea un cilindre substractiu a partir del radi, alçada i angle - + Create a subtractive sphere by its radius and various angles Crea una esfera substractiva a partir del radi i diversos angles - + Create a subtractive cone Crea un con substractiu - + Create a subtractive ellipsoid Crea un elipsoide substractiu - + Create a subtractive torus Crea un tor substractiu - + Create a subtractive prism Crea un prisma substractiu - + Create a subtractive wedge Crea una falca substractiva @@ -3324,12 +3325,12 @@ clica altre cop per finalitzar la selecció PartDesign_MoveFeature - + Select body Seleccioneu el cos - + Select a body from the list Seleccioneu un cos a la llista @@ -3337,27 +3338,27 @@ clica altre cop per finalitzar la selecció PartDesign_MoveFeatureInTree - + Select feature Seleccionar perfil - + Select a feature from the list Seleccioneu una característica de la llista - + Move tip Mou la punta - + The moved feature appears after the currently set tip. La característica moguda apareix després de la punta establerta actualment. - + Do you want the last feature to be the new tip? Voleu que la darrera característica sigui la nova punta? @@ -3392,42 +3393,42 @@ clica altre cop per finalitzar la selecció Sub Shape Binder - + Several sub-elements selected S'han seleccionat diversos sub-elements - + You have to select a single face as support for a sketch! Heu de seleccionar una única cara com a suport de l'esbós! - + No support face selected No s'ha seleccionat una cara de suport - + You have to select a face as support for a sketch! Heu seleccionat una cara de suport per a un esbós! - + No planar support No hi ha suport pla - + You need a planar face as support for a sketch! Necessiteu una cara plana com a suport per a un esbós! - + No valid planes in this document Esbossos no vàlids en aquest document - + Please create a plane first or select a face to sketch on Si us plau, crear un plànol primer o seleccioneu una cara a esbossar @@ -3486,209 +3487,209 @@ clica altre cop per finalitzar la selecció Cap dibuix està disponible en el document - - + + Wrong selection Selecció incorrecta - + Select an edge, face, or body from a single body. Seleccioneu una aresta, una cara o un cos d'un sol cos. - - + + Selection is not in Active Body La selecció no és en un cos de peça actiu - + Select an edge, face, or body from an active body. Seleccioneu una vora, una cara o un cos d'un cos actiu. - + Wrong object type Tipus d'objecte malament - + %1 works only on parts. %1 treballa només en part. - + Shape of the selected Part is empty Forma de la Part seleccionada és buit - + Please select only one feature in an active body. Seleccioneu només una funció en un cos actiu. - + Part creation failed S'ha produït un error al crear l'espai - + Failed to create a part object. No ha pogut crear un objecte de part. - - - - + + + + Bad base feature Mala funció base - + Body can't be based on a PartDesign feature. Cos no es pot basar en un tret de PartDesign. - + %1 already belongs to a body, can't use it as base feature for another body. %1 ja pertany a un cos, no el pot utilitzar com a tret de base per a un altre cos. - + Base feature (%1) belongs to other part. Tret de base (%1) pertany a l'altra part. - + The selected shape consists of multiple solids. This may lead to unexpected results. La forma seleccionada consisteix en múltiples sòlids. Això pot portar a resultats inesperats. - + The selected shape consists of multiple shells. This may lead to unexpected results. La forma seleccionada consisteix en múltiples closques. Això pot portar a resultats inesperats. - + The selected shape consists of only a shell. This may lead to unexpected results. La forma seleccionada consta de només una closca. Això pot portar a resultats inesperats. - + The selected shape consists of multiple solids or shells. This may lead to unexpected results. La forma seleccionada consisteix en múltiples sòlids o closques. Això pot portar a resultats inesperats. - + Base feature Propietat base - + Body may be based on no more than one feature. Un cos no pot estar basat en més d'una funció. - + Body Cos - + Nothing to migrate Res per migrar - + No PartDesign features found that don't belong to a body. Nothing to migrate. No s'han trobat funcions de PartDesign que no pertanyin a un cos. Res a migrar. - + Sketch plane cannot be migrated No es poden migrar perfil d'esbós - + Please edit '%1' and redefine it to use a Base or Datum plane as the sketch plane. Editeu '%1' i redefinir-lo per utilitzar un pla Base o dada com l'avió d'esbós. - - - - - + + + + + Selection error Error de selecció - + Select exactly one PartDesign feature or a body. Seleccioneu exactament un tret de PartDesign o un cos. - + Couldn't determine a body for the selected feature '%s'. No s'ha pogut determinar un cos per a la característica seleccionada '%s'. - + Only a solid feature can be the tip of a body. Només un pla sòlid poden ser la punta d'un cos. - - - + + + Features cannot be moved Característiques no es poden desplaçar - + Some of the selected features have dependencies in the source body Algunes de les característiques seleccionades tenen dependències en el cos d'origen - + Only features of a single source Body can be moved Només es poden moure les característiques d'un únic cos d'origen - + There are no other bodies to move to Hi ha altres cossos per passar a - + Impossible to move the base feature of a body. Impossible moure el tret d'un cos de base. - + Select one or more features from the same body. Seleccioneu un o més característiques de l'esmentat organisme. - + Beginning of the body Començament del cos - + Dependency violation Incompliment de la dependència - + Early feature must not depend on later feature. @@ -3697,29 +3698,29 @@ Això pot portar a resultats inesperats. - + No previous feature found Cap característica anterior es troba - + It is not possible to create a subtractive feature without a base feature available 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 - + Construction line %1 Construcció línia %1 @@ -4752,25 +4753,25 @@ més de 90: radi de forat més gran a la part inferior No s’admet l’operació booleana - + - + Resulting shape is not a solid La forma resultant no és un sòlid - - - + + + - + Result has multiple solids: that is not currently supported. @@ -4849,71 +4850,71 @@ més de 90: radi de forat més gran a la part inferior - l'esbós seleccionat no pertany al Cos actiu. - + Length too small Longitud massa petita - + Second length too small Segona longitud massa petita - + Failed to obtain profile shape L'obtenció de la forma del perfil ha fallat - + Creation failed because direction is orthogonal to sketch's normal vector La creació ha fallat perquè la direcció és ortogonal al vector normal del croquis - + Extrude: Can only offset one face Extrusió: Només pots fer l'equidistància d'una cara - - + + Creating a face from sketch failed La creació de la cara del croquis ha fallat - + Up to face: Could not get SubShape! Fins a la cara: No s'ha pogut obtenir la subforma! - + Unable to reach the selected shape, please select faces No s'ha pogut arribar a la forma seleccionada, si us plau, seleccioni cares - + Magnitude of taper angle matches or exceeds 90 degrees La magnitud de l'angle cònic coincideix o supera els 90 graus - + Padding with draft angle failed El farciment amb l'angle d'esbós ha fallat - + Revolve axis intersects the sketch L'eix de revolució intersecta amb el croquis - + Could not revolve the sketch! No s'ha pogut revolucionar el croquis! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. @@ -5111,22 +5112,22 @@ No es permet la intersecció d'entitats o múltiples cares d'un croquis per crea Altell: es necessita almenys una secció - + Loft: A fatal error occurred when making the loft Altell: S'ha produït un error fatal en crear l'altell - + Loft: Creating a face from sketch failed Altell: La creació de la cara del croquis ha fallat - + Loft: Failed to create shell Altell: La creació d'un entorn ha fallat - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed. No s'ha pogut crear una cara del croquis. @@ -5243,13 +5244,13 @@ No es permet la intersecció d'entitats o múltiples cares d'un croquis.No pots sostreure una característica primitiva sense una característica base - + Unknown operation type Tipus d'operació desconeguda - + Failed to perform boolean operation No s'ha pogut realitzar l'operació booleana @@ -5353,22 +5354,22 @@ No es permet la intersecció d'entitats o múltiples cares d'un croquis.delta x2 de falca és negativa - + Angle of revolution too large L'angle de revolució és massa gran - + Angle of revolution too small L'angle de revolució és massa petit - + Reference axis is invalid L'eix de referència és invàlid - + Fusion with base feature failed La fusió amb la característica base ha fallat @@ -5414,12 +5415,12 @@ No es permet la intersecció d'entitats o múltiples cares d'un croquis. CmdPartDesignCompDatums - + Create datum Crear datum - + Create a datum object or local coordinate system Crea un objecte datum o un sistema de coordenades local @@ -5427,14 +5428,30 @@ No es permet la intersecció d'entitats o múltiples cares d'un croquis. CmdPartDesignCompSketches - + Create datum Crear datum - + Create a datum object or local coordinate system Crea un objecte datum o un sistema de coordenades local + + PartDesignGui::TaskDlgRevolutionParameters + + + Revolution parameters + Paràmetres de revolució + + + + PartDesignGui::TaskDlgGrooveParameters + + + Groove parameters + Groove parameters + + diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_cs.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_cs.ts index db56ee531084..3e587a10b369 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_cs.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_cs.ts @@ -129,17 +129,17 @@ aby se zabránilo sebe. CmdPartDesignAdditiveHelix - + PartDesign Tvorba dílu - + Additive helix Přičíst šroubovici - + Sweep a selected sketch along a helix Táhnout vybraný náčrt podél šroubovice @@ -147,17 +147,17 @@ aby se zabránilo sebe. CmdPartDesignAdditiveLoft - + PartDesign Tvorba dílu - + Additive loft Součtové profilování - + Loft a selected profile through other profile sections Profilovat skrz vybrané profilové řezy @@ -165,17 +165,17 @@ aby se zabránilo sebe. CmdPartDesignAdditivePipe - + PartDesign Tvorba dílu - + Additive pipe Příčíst potrubí - + Sweep a selected sketch along a path or to other profiles Táhnout vybraný náčrt podél trasy nebo podél dalšího profilu @@ -183,17 +183,17 @@ aby se zabránilo sebe. CmdPartDesignBody - + PartDesign Tvorba dílu - + Create body Vytvořit těleso - + Create a new body and make it active Vytvoří nové těleso a aktivuje ho @@ -201,17 +201,17 @@ aby se zabránilo sebe. CmdPartDesignBoolean - + PartDesign Tvorba dílu - + Boolean operation Booleovské operace - + Boolean operation with two or more bodies Logická operace se dvěma nebo více objekty @@ -237,17 +237,17 @@ aby se zabránilo sebe. CmdPartDesignChamfer - + PartDesign Tvorba dílu - + Chamfer Sražení - + Chamfer the selected edges of a shape Srazí vybrané hrany útvaru @@ -273,17 +273,17 @@ aby se zabránilo sebe. CmdPartDesignDraft - + PartDesign Tvorba dílu - + Draft Zkosení - + Make a draft on a face Provede zkosení stěny @@ -291,17 +291,17 @@ aby se zabránilo sebe. CmdPartDesignDuplicateSelection - + PartDesign Tvorba dílu - + Duplicate selected object Duplikovat vybraný objekt - + Duplicates the selected object and adds it to the active body Duplikuje vybraný objekt a přidá jej k aktivnímu tělesu @@ -309,17 +309,17 @@ aby se zabránilo sebe. CmdPartDesignFillet - + PartDesign Tvorba dílu - + Fillet Zaoblení - + Make a fillet on an edge, face or body Vytvoří zaoblení na hraně, ploše nebo těle @@ -327,17 +327,17 @@ aby se zabránilo sebe. CmdPartDesignGroove - + PartDesign Tvorba dílu - + Groove Drážka - + Groove a selected sketch Vytvořit drážku pomocí vybraného náčrtu @@ -345,17 +345,17 @@ aby se zabránilo sebe. CmdPartDesignHole - + PartDesign Tvorba dílu - + Hole Otvor - + Create a hole with the selected sketch Vytvořit otvor pomocí vybraného náčrtu @@ -381,17 +381,17 @@ aby se zabránilo sebe. CmdPartDesignLinearPattern - + PartDesign Tvorba dílu - + LinearPattern Lineární pole - + Create a linear pattern feature Vytvořit prvek lineárního pole @@ -399,17 +399,17 @@ aby se zabránilo sebe. CmdPartDesignMigrate - + PartDesign Tvorba dílu - + Migrate Migrace - + Migrate document to the modern PartDesign workflow Migrovat dokument na moderní postup PartDesign @@ -417,17 +417,17 @@ aby se zabránilo sebe. CmdPartDesignMirrored - + PartDesign Tvorba dílu - + Mirrored Zrcadlit - + Create a mirrored feature Vytvořit zrcadlený prvek @@ -435,17 +435,17 @@ aby se zabránilo sebe. CmdPartDesignMoveFeature - + PartDesign Tvorba dílu - + Move object to other body Přesunout objekt k jinému tělesu - + Moves the selected object to another body Přesune vybraný objekt k jinému tělesu @@ -453,17 +453,17 @@ aby se zabránilo sebe. CmdPartDesignMoveFeatureInTree - + PartDesign Tvorba dílu - + Move object after other object Přesunout objekt za jiný objekt - + Moves the selected object and insert it after another object Přesune vybraný objekt a umístí ho za jiný objekt @@ -471,17 +471,17 @@ aby se zabránilo sebe. CmdPartDesignMoveTip - + PartDesign Tvorba dílu - + Set tip Nastavit vrchol - + Move the tip of the body Přesunout špičku tělesa @@ -489,17 +489,17 @@ aby se zabránilo sebe. CmdPartDesignMultiTransform - + PartDesign Tvorba dílu - + Create MultiTransform Vytvořit vícenásobnou transformaci - + Create a multitransform feature Vytvořit vícenásobně transformovaný prvek @@ -561,17 +561,17 @@ aby se zabránilo sebe. CmdPartDesignPocket - + PartDesign Tvorba dílu - + Pocket Kapsa - + Create a pocket with the selected sketch Vytvořit kapsu pomocí vybraného náčrtu @@ -597,17 +597,17 @@ aby se zabránilo sebe. CmdPartDesignPolarPattern - + PartDesign Tvorba dílu - + PolarPattern Kruhové pole - + Create a polar pattern feature Vytvořit prvek kruhového pole @@ -615,17 +615,17 @@ aby se zabránilo sebe. CmdPartDesignRevolution - + PartDesign Tvorba dílu - + Revolution Otáčka - + Revolve a selected sketch Vytvořit otáčku pomocí vybraného náčrtu @@ -633,17 +633,17 @@ aby se zabránilo sebe. CmdPartDesignScaled - + PartDesign Tvorba dílu - + Scaled Změna měřítka - + Create a scaled feature Vytvořit prvek změnou měřítka @@ -683,17 +683,17 @@ aby se zabránilo sebe. CmdPartDesignSubtractiveHelix - + PartDesign Tvorba dílu - + Subtractive helix Odečíst šroubovici - + Sweep a selected sketch along a helix and remove it from the body Táhnout vybraný náčrt podél šroubovice a odstranit z tělesa @@ -701,17 +701,17 @@ aby se zabránilo sebe. CmdPartDesignSubtractiveLoft - + PartDesign Tvorba dílu - + Subtractive loft Odečtové profilování - + Loft a selected profile through other profile sections and remove it from the body Profilovat skrz vybrané profilové řezy a odstranit z tělesa @@ -719,17 +719,17 @@ aby se zabránilo sebe. CmdPartDesignSubtractivePipe - + PartDesign Tvorba dílu - + Subtractive pipe Odečíst potrubí - + Sweep a selected sketch along a path or to other profiles and remove it from the body Táhnout vybraný náčrt podél trasy nebo podél dalšího profilu a odstranit z tělesa @@ -737,17 +737,17 @@ aby se zabránilo sebe. CmdPartDesignThickness - + PartDesign Tvorba dílu - + Thickness Tloušťka - + Make a thick solid Vytvořit tloušťku tělesa @@ -766,42 +766,42 @@ aby se zabránilo sebe. Přičíst primitivní těleso - + Additive Box Přídavný kvádr - + Additive Cylinder Přídavný válec - + Additive Sphere Přídavná koule - + Additive Cone Přídavný kužel - + Additive Ellipsoid Přídavný elipsoid - + Additive Torus Přídavný prstenec - + Additive Prism Přídavný hranol - + Additive Wedge Přídavný klín @@ -809,53 +809,53 @@ aby se zabránilo sebe. CmdPrimtiveCompSubtractive - + PartDesign Tvorba dílu - - + + Create a subtractive primitive Odečíst primitivní těleso - + Subtractive Box Odečtový kvádr - + Subtractive Cylinder Odečtový válec - + Subtractive Sphere Odečtová koule - + Subtractive Cone Odečtový kužel - + Subtractive Ellipsoid Odečtový elipsoid - + Subtractive Torus Odečtový prsetenec - + Subtractive Prism Odečtový hranol - + Subtractive Wedge Odečtový klín @@ -895,47 +895,48 @@ aby se zabránilo sebe. + Create a new Sketch Vytvořit nový náčrt - + Convert to MultiTransform feature Převést na multitransformační prvek - + Create Boolean Použít booleovské operace - + Add a Body Přidat těleso - + Migrate legacy Part Design features to Bodies Převést staré funkce tvorby dílu na Tělesa - + Move tip to selected feature Přesunout pracovní pozici na vybraný prvek - + Duplicate a PartDesign object Duplikovat objekt PartDesign - + Move an object Přesunout objekt - + Move an object inside tree Přesunout objekt dovnitř stromu @@ -1606,7 +1607,7 @@ klikněte znovu pro ukončení výběru PartDesignGui::TaskDlgFeatureParameters - + Input error Chyba zadání @@ -1699,13 +1700,13 @@ klikněte znovu pro ukončení výběru PartDesignGui::TaskExtrudeParameters - + No face selected Nevybrána žádná stěna - + Face Plocha @@ -1725,38 +1726,38 @@ klikněte znovu pro ukončení výběru Výběr ploch - + No shape selected Není vybrán útvar - + Sketch normal Normála náčrtu - + Face normal Normála plochy - + Select reference... Vyber referenci... - - + + Custom direction Vlastní směr - + Click on a shape in the model Klikněte na tvar v modelu - + Click on a face in the model Klikněte na plochu v modelu @@ -2802,7 +2803,7 @@ měřena ve stanoveném směru - + Dimension Rozměr @@ -2813,19 +2814,19 @@ měřena ve stanoveném směru - + Base X axis Základní osa X - + Base Y axis Základní osa Y - + Base Z axis Základní osa Z @@ -2841,7 +2842,7 @@ měřena ve stanoveném směru - + Select reference... Vyber referenci... @@ -2851,24 +2852,24 @@ měřena ve stanoveném směru Úhel: - + Symmetric to plane Symetrický k rovině - + Reversed Překlopit - + 2nd angle Druhý úhel - - + + Face Plocha @@ -2878,37 +2879,37 @@ měřena ve stanoveném směru Aktualizovat zobrazení - + Revolution parameters Parametry otáčky - + To last K poslední - + Through all Skrz vše - + To first K další - + Up to face K ploše - + Two dimensions Dvě kóty - + No face selected Nevybrána žádná stěna @@ -3238,42 +3239,42 @@ klikněte znovu pro ukončení výběru PartDesign_CompPrimitiveAdditive - + Create an additive box by its width, height, and length Vytvořit přidavný kvádr pomocí jeho šířky, výšky a délky - + Create an additive cylinder by its radius, height, and angle Vytvořit přídavný válec pomocí jeho poloměru, výšky a úhlu - + Create an additive sphere by its radius and various angles Vytvořit přídavnou kouli pomocí jejího poloměru a různých úhlů - + Create an additive cone Vytvořit přídavný kužel - + Create an additive ellipsoid Vytvořit přídavný elipsoid - + Create an additive torus Vytvořit přídavný prstenec - + Create an additive prism Vytvořit součtový hranol - + Create an additive wedge Vytvořit přídavný klín @@ -3281,42 +3282,42 @@ klikněte znovu pro ukončení výběru PartDesign_CompPrimitiveSubtractive - + Create a subtractive box by its width, height and length Vytvořit odečtový kvádr pomocí jeho šířky, výšky a délky - + Create a subtractive cylinder by its radius, height and angle Vytvořit odečtový válec pomocí jeho poloměru, výšky a úhlu - + Create a subtractive sphere by its radius and various angles Vytvořit odečtovou kouli pomocí jejího poloměru a různých úhlů - + Create a subtractive cone Vytvořit odečtový kužel - + Create a subtractive ellipsoid Vytvořit odečtový elipsoid - + Create a subtractive torus Vytvořit odečtový prstenec - + Create a subtractive prism Vytvořit odečtový hranol - + Create a subtractive wedge Vytvořit odečtový klín @@ -3324,12 +3325,12 @@ klikněte znovu pro ukončení výběru PartDesign_MoveFeature - + Select body Vyberte těleso - + Select a body from the list Vyberte těleso ze seznamu @@ -3337,27 +3338,27 @@ klikněte znovu pro ukončení výběru PartDesign_MoveFeatureInTree - + Select feature Vybrat prvek - + Select a feature from the list Vyberte prvek ze seznamu - + Move tip Přesunout tip - + The moved feature appears after the currently set tip. Přesunutý prvek se zobrazí za aktuálně nastavenou špičkou. - + Do you want the last feature to be the new tip? Přejete si, aby byl poslední prvek novou špičkou? @@ -3392,42 +3393,42 @@ klikněte znovu pro ukončení výběru Pořadač dílčích tvarů - + Several sub-elements selected několik pod elementů vybráno - + You have to select a single face as support for a sketch! Máte vybranou jednoduchou plochu jako podklad pro náčrt! - + No support face selected Není vybrána žádná podporovaná stěna - + You have to select a face as support for a sketch! Musíte vybrat stěnu jako plochu pro náčrt! - + No planar support Není k dispozici podporovaná rovina - + You need a planar face as support for a sketch! Potřebujete stěnu jako plochu pro náčrt! - + No valid planes in this document V tomto dokumento nejsou platné roviny - + Please create a plane first or select a face to sketch on Nejprve vytvořte rovinu nebo vyberte plochu, na kterou chcete vytvořit náčrt @@ -3486,211 +3487,211 @@ klikněte znovu pro ukončení výběru V dokumentu není k dispozici náčrt - - + + Wrong selection Neplatný výběr - + Select an edge, face, or body from a single body. Vyberte hranu, plochu nebo těleso ze samostatného tělesa. - - + + Selection is not in Active Body Výběr není v aktivním tělese - + Select an edge, face, or body from an active body. Vyberte hranu, plochu nebo těleso z aktivního tělesa. - + Wrong object type Špatný typ objektu - + %1 works only on parts. %1 funguje jen na dílech. - + Shape of the selected Part is empty Tvar vybraného dílu je prázdný - + Please select only one feature in an active body. Vyberte prosím pouze jeden prvek v aktivním tělese. - + Part creation failed Vytvoření dílu selhalo - + Failed to create a part object. Vytvoření objektu dílu selhalo. - - - - + + + + Bad base feature Špatný základní prvek - + Body can't be based on a PartDesign feature. Těleso nemůže být založeno na prvku tvorby dílu. - + %1 already belongs to a body, can't use it as base feature for another body. %1 již náleží k tělesu, takže nelze použít jako základní prvek pro jiné těleso. - + Base feature (%1) belongs to other part. Základní prvek(%1) patří k jinému dílu. - + The selected shape consists of multiple solids. This may lead to unexpected results. Vybraný tvar se skládá z několika těles. To může vést k neočekávaným výsledkům. - + The selected shape consists of multiple shells. This may lead to unexpected results. Vybraný tvar se skládá z několika skořepin. To může vést k neočekávaným výsledkům. - + The selected shape consists of only a shell. This may lead to unexpected results. Vybraný tvar se skládá jen ze skořepiny. To může vést k neočekávaným výsledkům. - + The selected shape consists of multiple solids or shells. This may lead to unexpected results. Vybraný tvar se skládá z několika těles nebo skořepin. To může vést k neočekávaným výsledkům. - + Base feature Základní prvek - + Body may be based on no more than one feature. Těleso nemůže být založeno na více než jednom prvku. - + Body Těleso - + Nothing to migrate Nic k migraci - + No PartDesign features found that don't belong to a body. Nothing to migrate. Nebyly nalezeny PartDesign prvky, které by nepatřili k tělesu. Není nic k migraci. - + Sketch plane cannot be migrated Rovina náčrtu nemůže migrovat - + Please edit '%1' and redefine it to use a Base or Datum plane as the sketch plane. Prosím upravte '%1' a předefinujte ho za použití základny nebo pomocné roviny jako roviny náčrtu. - - - - - + + + + + Selection error Chyba výběru - + Select exactly one PartDesign feature or a body. Vyberte právě jeden PartDesign prvek nebo těleso. - + Couldn't determine a body for the selected feature '%s'. Nelze určit těleso pro vybraný prvek '%s'. - + Only a solid feature can be the tip of a body. Jen pevný prvek může být vrcholem tělesa. - - - + + + Features cannot be moved Prvky nemohou být přesunuty - + Some of the selected features have dependencies in the source body Některé z vybraných prvků mají závislosti ve zdrojovém tělese - + Only features of a single source Body can be moved Přesunuty mohou být pouze prvky z jednoho výchozího tělesa - + There are no other bodies to move to Žádné další těleso k přesunu - + Impossible to move the base feature of a body. Nelze přesunout základní prvek tělesa. - + Select one or more features from the same body. Vyberte jeden nebo více prvků ze stejného tělesa. - + Beginning of the body Začátek tělesa - + Dependency violation Porušení závislosti - + Early feature must not depend on later feature. @@ -3699,29 +3700,29 @@ To může vést k neočekávaným výsledkům. - + No previous feature found Nebyl nalezen předchozí prvek - + It is not possible to create a subtractive feature without a base feature available 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 - + Construction line %1 Konstrukční čára %1 @@ -4755,25 +4756,25 @@ nad 90: větší poloměr díry ve spodní části Nepodporovaná booleovská operace - + - + Resulting shape is not a solid Výsledný tvar není plné těleso - - - + + + - + Result has multiple solids: that is not currently supported. @@ -4853,71 +4854,71 @@ nad 90: větší poloměr díry ve spodní části - vybraný náčrt nepatří k aktivnímu tělesu. - + Length too small Příliš malá délka - + Second length too small Příliš malá druhá délka - + Failed to obtain profile shape Nepodařilo se získat tvar profilu - + Creation failed because direction is orthogonal to sketch's normal vector Vytvoření selhalo, protože směr je kolmý k normálovému vektoru náčrtu - + Extrude: Can only offset one face Vysunutí: Umožňuje odsadit jen jednu plochu - - + + Creating a face from sketch failed Vytvoření plochy z náčrtu selhalo - + Up to face: Could not get SubShape! K ploše: Nelze získat dílčí tvar! - + Unable to reach the selected shape, please select faces Nelze dosáhnout vybraného tvaru, vyberte prosím plochy - + Magnitude of taper angle matches or exceeds 90 degrees Velikost kuželového úhlu se shoduje nebo přesahuje 90 stupňů - + Padding with draft angle failed Vytvoření desky s úhlem návrhu se nezdařilo - + Revolve axis intersects the sketch Osa otáčení protíná náčrt - + 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. @@ -5115,22 +5116,22 @@ Protínání entit náčrtu nebo několika ploch v náčrtu není povoleno pro v Profilování: Nejméně jedna sekce je potřeba - + Loft: A fatal error occurred when making the loft Profilování: Při zpracování profilování došlo k fatální chybě - + Loft: Creating a face from sketch failed Vytvoření plochy z náčrtu selhalo - + Loft: Failed to create shell Nepodařilo se vytvořit obal - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed. Nelze vytvořit plochu z náčrtu. @@ -5247,13 +5248,13 @@ Nejsou povoleny protínající se prvky náčrtu nebo více ploch v náčrtu.Nelze odečíst primitivní prvek bez základního prvku - + Unknown operation type Neznámý typ operace - + Failed to perform boolean operation Nepodařilo se provést booleovskou operaci @@ -5357,22 +5358,22 @@ Nejsou povoleny protínající se prvky náčrtu nebo více ploch v náčrtu.delta x2 klínu je záporná - + Angle of revolution too large Úhel otáčky příliš velký - + Angle of revolution too small Úhel otáčky příliš malý - + Reference axis is invalid Vztažná osa je neplatná - + Fusion with base feature failed Sjednocení se základním prvkem selhalo @@ -5418,12 +5419,12 @@ Nejsou povoleny protínající se prvky náčrtu nebo více ploch v náčrtu. CmdPartDesignCompDatums - + Create datum Vytvořit pomocný prvek - + Create a datum object or local coordinate system Vytvořit pomocný objekt nebo lokální souřadnicový systém @@ -5431,14 +5432,30 @@ Nejsou povoleny protínající se prvky náčrtu nebo více ploch v náčrtu. CmdPartDesignCompSketches - + Create datum Vytvořit pomocný prvek - + Create a datum object or local coordinate system Vytvořit pomocný objekt nebo lokální souřadnicový systém + + PartDesignGui::TaskDlgRevolutionParameters + + + Revolution parameters + Parametry otáčky + + + + PartDesignGui::TaskDlgGrooveParameters + + + Groove parameters + Groove parameters + + diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_da.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_da.ts index 16b904affc65..2c7f6429f191 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_da.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_da.ts @@ -129,17 +129,17 @@ så profilet ikke overlapper sig selv. CmdPartDesignAdditiveHelix - + PartDesign PartDesign - + Additive helix Tilføj helix - + Sweep a selected sketch along a helix Træk en valgt skitse langs en helix @@ -147,17 +147,17 @@ så profilet ikke overlapper sig selv. CmdPartDesignAdditiveLoft - + PartDesign PartDesign - + Additive loft Transformér - + Loft a selected profile through other profile sections Transformer en valgt profil gennem andre profiltværsnit @@ -165,17 +165,17 @@ så profilet ikke overlapper sig selv. CmdPartDesignAdditivePipe - + PartDesign PartDesign - + Additive pipe Tilføj trukket profil - + Sweep a selected sketch along a path or to other profiles Træk en valgt profil langs en rute eller til andre profiler @@ -183,17 +183,17 @@ så profilet ikke overlapper sig selv. CmdPartDesignBody - + PartDesign PartDesign - + Create body Opret emne - + Create a new body and make it active Opret et nyt emne og gøre det aktivt @@ -201,17 +201,17 @@ så profilet ikke overlapper sig selv. CmdPartDesignBoolean - + PartDesign PartDesign - + Boolean operation Boolesk operation - + Boolean operation with two or more bodies Booleske operationer på to eller flere emner @@ -237,17 +237,17 @@ så profilet ikke overlapper sig selv. CmdPartDesignChamfer - + PartDesign PartDesign - + Chamfer Rejfning - + Chamfer the selected edges of a shape Rejf de valgte kanter af en form @@ -273,17 +273,17 @@ så profilet ikke overlapper sig selv. CmdPartDesignDraft - + PartDesign PartDesign - + Draft Udkast - + Make a draft on a face Lav et udkast på en flade @@ -291,17 +291,17 @@ så profilet ikke overlapper sig selv. CmdPartDesignDuplicateSelection - + PartDesign PartDesign - + Duplicate selected object Dupliker valgt objekt - + Duplicates the selected object and adds it to the active body Duplikerer det valgte objekt og tilføjer det til det aktive emne @@ -309,17 +309,17 @@ så profilet ikke overlapper sig selv. CmdPartDesignFillet - + PartDesign PartDesign - + Fillet Runding - + Make a fillet on an edge, face or body Lav en runding på en kant, en flade eller et emne @@ -327,17 +327,17 @@ så profilet ikke overlapper sig selv. CmdPartDesignGroove - + PartDesign PartDesign - + Groove Rille - + Groove a selected sketch Lav en rille med en valgt skitse @@ -345,17 +345,17 @@ så profilet ikke overlapper sig selv. CmdPartDesignHole - + PartDesign PartDesign - + Hole Hul - + Create a hole with the selected sketch Opret et hul med den valgte skitse @@ -381,17 +381,17 @@ så profilet ikke overlapper sig selv. CmdPartDesignLinearPattern - + PartDesign PartDesign - + LinearPattern Linært mønster - + Create a linear pattern feature Opret en lineær gentagelse @@ -399,17 +399,17 @@ så profilet ikke overlapper sig selv. CmdPartDesignMigrate - + PartDesign PartDesign - + Migrate Overfør - + Migrate document to the modern PartDesign workflow Overfør dokument til det moderne PartDesign workflow @@ -417,17 +417,17 @@ så profilet ikke overlapper sig selv. CmdPartDesignMirrored - + PartDesign PartDesign - + Mirrored Spejling - + Create a mirrored feature Opret en spejling @@ -435,17 +435,17 @@ så profilet ikke overlapper sig selv. CmdPartDesignMoveFeature - + PartDesign PartDesign - + Move object to other body Flyt objekt til andet emne - + Moves the selected object to another body Flytter det markerede objekt til et andet emne @@ -453,17 +453,17 @@ så profilet ikke overlapper sig selv. CmdPartDesignMoveFeatureInTree - + PartDesign PartDesign - + Move object after other object Flyt objekt efter andet objekt - + Moves the selected object and insert it after another object Flytter det valgte objekt og indsætter det efter et andet objekt @@ -471,17 +471,17 @@ så profilet ikke overlapper sig selv. CmdPartDesignMoveTip - + PartDesign PartDesign - + Set tip Sæt arbejdspositionen - + Move the tip of the body Skift arbejdsposition for emnet @@ -489,17 +489,17 @@ så profilet ikke overlapper sig selv. CmdPartDesignMultiTransform - + PartDesign PartDesign - + Create MultiTransform Multitransformering - + Create a multitransform feature Opret en multitransformeret geometri @@ -561,17 +561,17 @@ så profilet ikke overlapper sig selv. CmdPartDesignPocket - + PartDesign PartDesign - + Pocket Fordybning - + Create a pocket with the selected sketch Lav en fordybning med form som den valgte skitse @@ -597,17 +597,17 @@ så profilet ikke overlapper sig selv. CmdPartDesignPolarPattern - + PartDesign PartDesign - + PolarPattern Polært mønster - + Create a polar pattern feature Opret en polær gentagelse @@ -615,17 +615,17 @@ så profilet ikke overlapper sig selv. CmdPartDesignRevolution - + PartDesign PartDesign - + Revolution Drejning - + Revolve a selected sketch Drej en valgt skitse @@ -633,17 +633,17 @@ så profilet ikke overlapper sig selv. CmdPartDesignScaled - + PartDesign PartDesign - + Scaled Skaleret - + Create a scaled feature Opret en skaleret geometri @@ -683,17 +683,17 @@ så profilet ikke overlapper sig selv. CmdPartDesignSubtractiveHelix - + PartDesign PartDesign - + Subtractive helix Subtraktiv helix - + Sweep a selected sketch along a helix and remove it from the body Træk en valgt profil langs en helix og fjern geometrien fra emnet @@ -701,17 +701,17 @@ så profilet ikke overlapper sig selv. CmdPartDesignSubtractiveLoft - + PartDesign PartDesign - + Subtractive loft Fjern transformering - + Loft a selected profile through other profile sections and remove it from the body Transformer en valgt profil gennem andre profiltværsnit og fjern geometrien fra emnet @@ -719,17 +719,17 @@ så profilet ikke overlapper sig selv. CmdPartDesignSubtractivePipe - + PartDesign PartDesign - + Subtractive pipe Fjern trukket profil - + Sweep a selected sketch along a path or to other profiles and remove it from the body Træk en valgt profil langs en rute eller til andre profiler, og fjern geometrien fra emnet @@ -737,17 +737,17 @@ så profilet ikke overlapper sig selv. CmdPartDesignThickness - + PartDesign PartDesign - + Thickness Tykkelse - + Make a thick solid Tilføj tykkelse @@ -766,42 +766,42 @@ så profilet ikke overlapper sig selv. Tilføj basisgeometri - + Additive Box Tilføj kasse - + Additive Cylinder Tilføj cylinder - + Additive Sphere Tilføj kugle - + Additive Cone Tilføj konus - + Additive Ellipsoid Tilføj ellipsoide - + Additive Torus Tilføj torus - + Additive Prism Tilføj Prisme - + Additive Wedge Tilføj kile @@ -809,53 +809,53 @@ så profilet ikke overlapper sig selv. CmdPrimtiveCompSubtractive - + PartDesign PartDesign - - + + Create a subtractive primitive Fjern basisgeometri - + Subtractive Box Fjern kasse - + Subtractive Cylinder Fjern cylinder - + Subtractive Sphere Fjern kugle - + Subtractive Cone Fjern konus - + Subtractive Ellipsoid Fjern ellipsoide - + Subtractive Torus Fjern torus - + Subtractive Prism Fjern prisme - + Subtractive Wedge Fjern kile @@ -895,47 +895,48 @@ så profilet ikke overlapper sig selv. + Create a new Sketch Opret en ny skitse - + Convert to MultiTransform feature Konverter til multitransformeret geometri - + Create Boolean Opret boolesk operation - + Add a Body Tilføj emne - + Migrate legacy Part Design features to Bodies Migrate legacy Part Design features to Bodies - + Move tip to selected feature Flyt arbejdspositionen til den valgte operation - + Duplicate a PartDesign object Dupliker et PartDesign objekt - + Move an object Flyt et objekt - + Move an object inside tree Flyt et objekt i træet @@ -1606,7 +1607,7 @@ klik igen for at afslutte valget PartDesignGui::TaskDlgFeatureParameters - + Input error Input error @@ -1699,13 +1700,13 @@ klik igen for at afslutte valget PartDesignGui::TaskExtrudeParameters - + No face selected Ingen flade valgt - + Face Flade @@ -1725,38 +1726,38 @@ klik igen for at afslutte valget Select faces - + No shape selected Ingen figur er markeret - + Sketch normal Normal til skitse - + Face normal Fladenormal - + Select reference... Select reference... - - + + Custom direction Brugerdefineret retning - + Click on a shape in the model Click on a shape in the model - + Click on a face in the model Klik på en flade på modellen @@ -2802,7 +2803,7 @@ målt i den angivne retning - + Dimension Dimension @@ -2813,19 +2814,19 @@ målt i den angivne retning - + Base X axis Basis X akse - + Base Y axis Basis Y akse - + Base Z axis Basis Z akse @@ -2841,7 +2842,7 @@ målt i den angivne retning - + Select reference... Vælg reference... @@ -2851,24 +2852,24 @@ målt i den angivne retning Vinkel: - + Symmetric to plane Symmetrisk til flade - + Reversed Modsat - + 2nd angle 2. vinkel - - + + Face Flade @@ -2878,37 +2879,37 @@ målt i den angivne retning Opdater visning - + Revolution parameters Drejningsparametre - + To last Til sidste - + Through all Gennem alt - + To first Til første - + Up to face Op til ansigt - + Two dimensions To dimensioner - + No face selected Ingen flade valgt @@ -3238,42 +3239,42 @@ klik igen for at afslutte valget PartDesign_CompPrimitiveAdditive - + Create an additive box by its width, height, and length Tilføj en kasse ved angivelse bredde, højde og længde - + Create an additive cylinder by its radius, height, and angle Tilføj en cylinder ved angivelse af radius, højde og vinkel - + Create an additive sphere by its radius and various angles Tilføj en kugle ved angivelse af radius og forskellige vinkler - + Create an additive cone Tilføj en konus - + Create an additive ellipsoid Tilføj en ellipsoide - + Create an additive torus Tilføj en torus - + Create an additive prism Tilføj en prisme - + Create an additive wedge Tilføj en kile @@ -3281,42 +3282,42 @@ klik igen for at afslutte valget PartDesign_CompPrimitiveSubtractive - + Create a subtractive box by its width, height and length Fjern en kasse med angivelse af bredde, højde og længde - + Create a subtractive cylinder by its radius, height and angle Fjern en cylinder med angivelse af radius, højde og vinkel - + Create a subtractive sphere by its radius and various angles Fjern en kugle med angivelse af radius og forskellige vinkler - + Create a subtractive cone Fjern en konus - + Create a subtractive ellipsoid Fjern en ellipsoidegeometri - + Create a subtractive torus Fjern en torusgeometri - + Create a subtractive prism Fjern en prismegeometri - + Create a subtractive wedge Fjern en kilegeometri @@ -3324,12 +3325,12 @@ klik igen for at afslutte valget PartDesign_MoveFeature - + Select body Vælg emne - + Select a body from the list Vælg et emne fra listen @@ -3337,27 +3338,27 @@ klik igen for at afslutte valget PartDesign_MoveFeatureInTree - + Select feature Vælg geometri - + Select a feature from the list Vælg en geometri fra listen - + Move tip Flyt arbejdspositionen - + The moved feature appears after the currently set tip. Den flyttede geometri vises efter den aktuelle arbejdsposition. - + Do you want the last feature to be the new tip? Skal den sidste funktion være den nye arbejdsposition? @@ -3392,42 +3393,42 @@ klik igen for at afslutte valget Sub-Shape Binder - + Several sub-elements selected Flere underelementer er valgt - + You have to select a single face as support for a sketch! Du skal vælge en enkelt flade til fastgørelse af en skitse! - + No support face selected Ingen fastgørelsesflade valgt - + You have to select a face as support for a sketch! Du skal vælge en flade til fastgørelse af en skitse! - + No planar support Ingen fladeunderstøttelse - + You need a planar face as support for a sketch! Du skal bruge en plan flade til fastgørelse af en skitse! - + No valid planes in this document Ingen gyldige konstruktionsplaner i dette dokument - + Please create a plane first or select a face to sketch on Opret først et konstruktionsplan eller vælg en flade at skitsere på @@ -3486,211 +3487,211 @@ klik igen for at afslutte valget Ingen skitse tilgængelig i dokumentet - - + + Wrong selection Forkert valg - + Select an edge, face, or body from a single body. Vælg en kant, en flade eller en komponent fra et enkelt emne. - - + + Selection is not in Active Body Valget er ikke en del af det aktive emne - + Select an edge, face, or body from an active body. Vælg en kant, en flade eller en komponent fra et aktivt emne. - + Wrong object type Forkert objekttype - + %1 works only on parts. %1 virker kun på komponenter. - + Shape of the selected Part is empty Geometrien for den valgte komponent er tom - + Please select only one feature in an active body. Vælg kun én geometri fra et aktivt emne. - + Part creation failed Oprettelse af komponenten mislykkedes - + Failed to create a part object. Kunne ikke oprette en komponent. - - - - + + + + Bad base feature Uegnet udgangsgeometri - + Body can't be based on a PartDesign feature. Emnet kan ikke baseres på en PartDesign-geometri. - + %1 already belongs to a body, can't use it as base feature for another body. %1 er allerede tilknytte et emne, den/det kan ikke bruges som basisgeometri for et nyt emne. - + Base feature (%1) belongs to other part. Basisgeometrien (%1) tilhører en anden komponent. - + The selected shape consists of multiple solids. This may lead to unexpected results. Den valgte geometri består af flere massive legemer. Dette kan føre til uventede resultater. - + The selected shape consists of multiple shells. This may lead to unexpected results. Den valgte geometri består af flere shells. Dette kan føre til uventede resultater. - + The selected shape consists of only a shell. This may lead to unexpected results. Den valgte geometri består af kun en shell. Dette kan føre til uventede resultater. - + The selected shape consists of multiple solids or shells. This may lead to unexpected results. Den valgte geometri består af flere legemer eller flader Dette kan føre til uventede resultater. - + Base feature Udgangsgeometri - + Body may be based on no more than one feature. Emner kan kun baseres på én startgeometri. - + Body Emne - + Nothing to migrate Intet at overføre - + No PartDesign features found that don't belong to a body. Nothing to migrate. Der blev ikke fundet PartDesign-geometrier, der ikke tilhører et emne. Intet at overføre. - + Sketch plane cannot be migrated Skitseplan kan ikke overføres - + Please edit '%1' and redefine it to use a Base or Datum plane as the sketch plane. Rediger venligst '%1' og omdefiner den for at bruge en base- eller konstruktionsflade som skitseplan. - - - - - + + + + + Selection error Markeringsfejl - + Select exactly one PartDesign feature or a body. Vælg præcis én PartDesign-geometri eller et emne. - + Couldn't determine a body for the selected feature '%s'. Kunne ikke finde et emne som den valgte geometri '%s' kan knyttes til. - + Only a solid feature can be the tip of a body. Kun operation som danner en geometri kan være arbejdsposition for et emne. - - - + + + Features cannot be moved Geometrierne kan ikke flyttes - + Some of the selected features have dependencies in the source body Nogle af de valgte geometrier er afhængige af det underliggende emne - + Only features of a single source Body can be moved Kun geometrier fra et enkelt emne kan flyttes - + There are no other bodies to move to Der er ikke andre emner at flytte til - + Impossible to move the base feature of a body. Ikke muligt at flytte et emnes basisgeometri. - + Select one or more features from the same body. Vælg en eller flere geometrier fra samme emne. - + Beginning of the body Starten på et emne - + Dependency violation Afhængigheds overtrædelse - + Early feature must not depend on later feature. @@ -3699,29 +3700,29 @@ Dette kan føre til uventede resultater. - + No previous feature found Kunne ikke finde en tidligere egenskab - + It is not possible to create a subtractive feature without a base feature available Det er ikke muligt at oprette en subtraktiv geometri uden at have en basisgeometri - + Vertical sketch axis Lodret skitseakse - + Horizontal sketch axis Vandret skitseakse - + Construction line %1 Konstruktionslinje %1 @@ -4755,25 +4756,25 @@ over 90: større hulradius i bunden Unsupported boolean operation - + - + Resulting shape is not a solid Resulterende geometri er ikke én sammenhængende geometri - - - + + + - + Result has multiple solids: that is not currently supported. @@ -4853,71 +4854,71 @@ over 90: større hulradius i bunden - den valgte skitse ikke hører til det aktive emne. - + Length too small Længde for lille - + Second length too small Længde nr. 2 for lille - + Failed to obtain profile shape Kunne ikke finde profil - + Creation failed because direction is orthogonal to sketch's normal vector Oprettelse mislykkedes, fordi retningen vinkelret på skitsens normalvektor - + Extrude: Can only offset one face Extrude: Can only offset one face - - + + Creating a face from sketch failed Oprettelse af en flade fra en skitse mislykkedes - + Up to face: Could not get SubShape! Til flade: Kunne ikke finde underliggende geometri! - + Unable to reach the selected shape, please select faces Unable to reach the selected shape, please select faces - + Magnitude of taper angle matches or exceeds 90 degrees Størrelsen af konusvinklen er 90 grader eller mere - + Padding with draft angle failed Ekstrudering med affasningsvinklen mislykkedes - + Revolve axis intersects the sketch Omdrejningsaksen skærer skitsen - + Could not revolve the sketch! Kunne ikke dreje skitsen! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. @@ -5115,22 +5116,22 @@ Krydsende skitselinjer eller flere flader i en skitse er ikke tilladt.Transforming: Mindst et tværsnit er nødvendigt - + Loft: A fatal error occurred when making the loft Der opstod en fatal fejl under fremstilling af transformeringen - + Loft: Creating a face from sketch failed Transforming: Oprettelse af en flade fra skitsen mislykkedes - + Loft: Failed to create shell Transformér: Kunne ikke oprette fladegeometri - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed. Kunne ikke oprette en flade fra skitsen. @@ -5247,13 +5248,13 @@ Krydsende linjer eller flere flader i en skitse er ikke tilladt. Kan ikke fjerne en basisgeometri uden en geometri at fjerne materiale fra - + Unknown operation type Ukendt operationstype - + Failed to perform boolean operation Kunne ikke udføre boolesk operation @@ -5357,22 +5358,22 @@ Krydsende linjer eller flere flader i en skitse er ikke tilladt. forskel på x2-værdier for kile er negativ - + Angle of revolution too large Omdrejningsvinkel for stor - + Angle of revolution too small Drejningsvinkel for lille - + Reference axis is invalid Referenceaksen er ugyldig - + Fusion with base feature failed Fusion med basisgeometri mislykkedes @@ -5418,12 +5419,12 @@ Krydsende linjer eller flere flader i en skitse er ikke tilladt. CmdPartDesignCompDatums - + Create datum Opret konstruktionslinje/flade - + Create a datum object or local coordinate system Opret en konstruktionsline/flade eller lokalt koordinatsystem @@ -5431,14 +5432,30 @@ Krydsende linjer eller flere flader i en skitse er ikke tilladt. CmdPartDesignCompSketches - + Create datum Opret konstruktionslinje/flade - + Create a datum object or local coordinate system Opret en konstruktionsline/flade eller lokalt koordinatsystem + + PartDesignGui::TaskDlgRevolutionParameters + + + Revolution parameters + Drejningsparametre + + + + PartDesignGui::TaskDlgGrooveParameters + + + Groove parameters + Groove parameters + + diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_de.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_de.ts index 414d874cab33..71d23aa5ad78 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_de.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_de.ts @@ -128,17 +128,17 @@ so that self intersection is avoided. CmdPartDesignAdditiveHelix - + PartDesign PartDesign - + Additive helix Wendel - + Sweep a selected sketch along a helix Eine gewählte Skizze entlang einer Wendel austragen @@ -146,17 +146,17 @@ so that self intersection is avoided. CmdPartDesignAdditiveLoft - + PartDesign PartDesign - + Additive loft Ausformung - + Loft a selected profile through other profile sections Erstellt ein Loft-Objekt durch Austragen eines ausgewählten Profils über weitere Profilquerschnitte @@ -164,17 +164,17 @@ so that self intersection is avoided. CmdPartDesignAdditivePipe - + PartDesign PartDesign - + Additive pipe Rohr - + Sweep a selected sketch along a path or to other profiles Trägt eine ausgewählte Skizze entlang eines Pfades oder zu weiteren Profilen aus @@ -182,17 +182,17 @@ so that self intersection is avoided. CmdPartDesignBody - + PartDesign PartDesign - + Create body Körper erstellen - + Create a new body and make it active Erzeugen und Aktivieren eines neuen Körpers @@ -200,17 +200,17 @@ so that self intersection is avoided. CmdPartDesignBoolean - + PartDesign PartDesign - + Boolean operation Boolesche Verknüpfung - + Boolean operation with two or more bodies Boolesche Verknüpfung mit zwei oder mehr Körpern @@ -236,17 +236,17 @@ so that self intersection is avoided. CmdPartDesignChamfer - + PartDesign PartDesign - + Chamfer Fase - + Chamfer the selected edges of a shape Die gewählten Kanten einer Form abschrägen @@ -272,17 +272,17 @@ so that self intersection is avoided. CmdPartDesignDraft - + PartDesign PartDesign - + Draft Formschräge - + Make a draft on a face Versieht eine Fläche mit einer Formschräge @@ -290,17 +290,17 @@ so that self intersection is avoided. CmdPartDesignDuplicateSelection - + PartDesign PartDesign - + Duplicate selected object Ausgewähltes Objekt duplizieren - + Duplicates the selected object and adds it to the active body Dupliziert das ausgewählte Objekt und fügt es dem aktiven Körper hinzu @@ -308,17 +308,17 @@ so that self intersection is avoided. CmdPartDesignFillet - + PartDesign PartDesign - + Fillet Verrundung - + Make a fillet on an edge, face or body Kante, Fläche oder Körper verrunden @@ -326,17 +326,17 @@ so that self intersection is avoided. CmdPartDesignGroove - + PartDesign PartDesign - + Groove Nut - + Groove a selected sketch Erzeuge Nut mit der ausgewählten Skizze @@ -344,17 +344,17 @@ so that self intersection is avoided. CmdPartDesignHole - + PartDesign PartDesign - + Hole Bohrung - + Create a hole with the selected sketch Erzeuge Bohrung mit ausgewählter Skizze @@ -380,17 +380,17 @@ so that self intersection is avoided. CmdPartDesignLinearPattern - + PartDesign PartDesign - + LinearPattern Lineares Muster - + Create a linear pattern feature Lineares Muster erzeugen @@ -398,17 +398,17 @@ so that self intersection is avoided. CmdPartDesignMigrate - + PartDesign PartDesign - + Migrate Datenstruktur aktualisieren - + Migrate document to the modern PartDesign workflow Migriere Dokument zum modernen PartDesign-Arbeitsablauf @@ -416,17 +416,17 @@ so that self intersection is avoided. CmdPartDesignMirrored - + PartDesign PartDesign - + Mirrored Spiegeln - + Create a mirrored feature Erzeuge gespiegeltes Objekt @@ -434,17 +434,17 @@ so that self intersection is avoided. CmdPartDesignMoveFeature - + PartDesign PartDesign - + Move object to other body Objekt in anderen Körper verschieben - + Moves the selected object to another body Verschiebt das ausgewählte Objekt in anderen Körper @@ -452,17 +452,17 @@ so that self intersection is avoided. CmdPartDesignMoveFeatureInTree - + PartDesign PartDesign - + Move object after other object Objekt hinter ein anderes Objekt verschieben - + Moves the selected object and insert it after another object Verschiebt das ausgewählte Objekt und fügt es hinter einem anderen Objekt ein @@ -470,17 +470,17 @@ so that self intersection is avoided. CmdPartDesignMoveTip - + PartDesign PartDesign - + Set tip Arbeitsposition festlegen - + Move the tip of the body Arbeitsposition im Strukturbaum verschieben @@ -488,17 +488,17 @@ so that self intersection is avoided. CmdPartDesignMultiTransform - + PartDesign PartDesign - + Create MultiTransform Mehrfach-Transformation erstellen - + Create a multitransform feature Erstellen einer Mehrfach-Transformation @@ -560,17 +560,17 @@ so that self intersection is avoided. CmdPartDesignPocket - + PartDesign PartDesign - + Pocket Vertiefung - + Create a pocket with the selected sketch Vertiefung mit skizziertem Querschnitt erzeugen @@ -596,17 +596,17 @@ so that self intersection is avoided. CmdPartDesignPolarPattern - + PartDesign PartDesign - + PolarPattern Polares Muster - + Create a polar pattern feature Erzeugen eines polaren Musters @@ -614,17 +614,17 @@ so that self intersection is avoided. CmdPartDesignRevolution - + PartDesign PartDesign - + Revolution Drehteil - + Revolve a selected sketch Rotiere die ausgewählte Skizze @@ -632,17 +632,17 @@ so that self intersection is avoided. CmdPartDesignScaled - + PartDesign PartDesign - + Scaled skaliert - + Create a scaled feature Erstellen eines skalierten Objekts @@ -682,17 +682,17 @@ so that self intersection is avoided. CmdPartDesignSubtractiveHelix - + PartDesign PartDesign - + Subtractive helix Wendel - + Sweep a selected sketch along a helix and remove it from the body Eine gewählte Skizze entlang einer Wendel austragen und vom Körper abziehen @@ -700,17 +700,17 @@ so that self intersection is avoided. CmdPartDesignSubtractiveLoft - + PartDesign PartDesign - + Subtractive loft Ausformung - + Loft a selected profile through other profile sections and remove it from the body Loft eines ausgewählten Profils durch andere Profilabschnitte und entfernt Sie es aus dem Körper @@ -718,17 +718,17 @@ so that self intersection is avoided. CmdPartDesignSubtractivePipe - + PartDesign PartDesign - + Subtractive pipe Rohr - + Sweep a selected sketch along a path or to other profiles and remove it from the body Trägt eine ausgewählte Skizze entlang eines Pfades oder zu weiteren Profilen aus und zieht das Ergebnis vom bestehenden Körper ab @@ -736,17 +736,17 @@ so that self intersection is avoided. CmdPartDesignThickness - + PartDesign PartDesign - + Thickness Dicke - + Make a thick solid Aufgedickten Festkörper erzeugen @@ -765,42 +765,42 @@ so that self intersection is avoided. Grundkörper hinzufügen - + Additive Box Quader - + Additive Cylinder Zylinder - + Additive Sphere Kugel - + Additive Cone Kegel - + Additive Ellipsoid Ellipsoid - + Additive Torus Torus - + Additive Prism Prisma - + Additive Wedge Keil @@ -808,53 +808,53 @@ so that self intersection is avoided. CmdPrimtiveCompSubtractive - + PartDesign PartDesign - - + + Create a subtractive primitive Grundkörper abziehen - + Subtractive Box Quader - + Subtractive Cylinder Zylinder - + Subtractive Sphere Kugel - + Subtractive Cone Kegel - + Subtractive Ellipsoid Ellipsoid - + Subtractive Torus Torus - + Subtractive Prism Prisma - + Subtractive Wedge Keil @@ -894,47 +894,48 @@ so that self intersection is avoided. + Create a new Sketch Erstellt eine neue Skizze - + Convert to MultiTransform feature Wandle in Mehrfachtransformation um - + Create Boolean Boolesche Verknüpfung erstellen - + Add a Body Einen Körper hinzufügen - + Migrate legacy Part Design features to Bodies Überführt alte PartDesign-Formelemente in Körper - + Move tip to selected feature Arbeitsposition zum gewählten Objekt verschieben - + Duplicate a PartDesign object Ein PartDesign-Objekt duplizieren - + Move an object Objekt verschieben - + Move an object inside tree Objekt innerhalb des Baumes verschieben @@ -1604,7 +1605,7 @@ erneut klicken um die Auswahl zu beenden PartDesignGui::TaskDlgFeatureParameters - + Input error Eingabefehler @@ -1697,13 +1698,13 @@ erneut klicken um die Auswahl zu beenden PartDesignGui::TaskExtrudeParameters - + No face selected Keine Fläche ausgewählt - + Face Fläche @@ -1723,38 +1724,38 @@ erneut klicken um die Auswahl zu beenden Flächen auswählen - + No shape selected Keine Form gewählt - + Sketch normal Skizzennormale - + Face normal Flächennormale - + Select reference... Referenz auswählen... - - + + Custom direction Benutzerdefinierte Richtung - + Click on a shape in the model Auf eine Form im Modell klicken - + Click on a face in the model Auf eine Fläche im Modell klicken @@ -2800,7 +2801,7 @@ entlang der angegebenen Richtung gemessen - + Dimension Abmessung @@ -2811,19 +2812,19 @@ entlang der angegebenen Richtung gemessen - + Base X axis Basis-X-Achse - + Base Y axis Basis Y-Achse - + Base Z axis Basis-Z-Achse @@ -2839,7 +2840,7 @@ entlang der angegebenen Richtung gemessen - + Select reference... Referenz auswählen... @@ -2849,24 +2850,24 @@ entlang der angegebenen Richtung gemessen Winkel: - + Symmetric to plane Symmetrisch zu einer Ebene - + Reversed Umgekehrt - + 2nd angle 2. Winkel - - + + Face Fläche @@ -2876,37 +2877,37 @@ entlang der angegebenen Richtung gemessen Ansicht aktualisieren - + Revolution parameters Drehteil-Parameter - + To last Bis letzte Fläche - + Through all Durch alles - + To first Bis zur dichtesten Objektbegrenzung - + Up to face Bis zu Oberfläche - + Two dimensions Zwei Längen - + No face selected Keine Fläche ausgewählt @@ -3236,42 +3237,42 @@ erneut klicken um die Auswahl zu beenden PartDesign_CompPrimitiveAdditive - + Create an additive box by its width, height, and length Erzeuge einen hinzuzufügenden Quader mit Angabe von Breite, Höhe und Länge - + Create an additive cylinder by its radius, height, and angle Erzeuge einen hinzuzufügenden Zylinder mit Angabe von Radius, Höhe und Winkel - + Create an additive sphere by its radius and various angles Erzeuge eine hinzuzufügende Kugel durch Angabe des Radius und verschiedener Winkel - + Create an additive cone Erzeugen eines hinzuzufügenden Kegels - + Create an additive ellipsoid Erzeuge ein hinzuzufügendes Ellipsoid - + Create an additive torus Erzeuge einen hinzuzufügenden Torus - + Create an additive prism Erzeuge ein hinzuzufügendes Prisma - + Create an additive wedge Erzeuge einen hinzuzufügenden Keil @@ -3279,42 +3280,42 @@ erneut klicken um die Auswahl zu beenden PartDesign_CompPrimitiveSubtractive - + Create a subtractive box by its width, height and length Erzeuge einen abzuziehenden Quader durch Angabe von Breite, Höhe und Länge - + Create a subtractive cylinder by its radius, height and angle Erzeuge einen abzuziehenden Zylinder durch Angabe von Radius, Höhe und Winkel - + Create a subtractive sphere by its radius and various angles Erzeuge eine abzuziehende Kugel durch Angabe des Radius und verschiedenen Winkeln - + Create a subtractive cone Erzeuge einen abzuziehenden Konus - + Create a subtractive ellipsoid Erzeuge ein abzuziehendes Ellipsoid - + Create a subtractive torus Erzeuge einen abzuziehenden Torus - + Create a subtractive prism Erzeuge ein abzuziehendes Prisma - + Create a subtractive wedge Erzeuge einen abzuziehenden Keil @@ -3322,12 +3323,12 @@ erneut klicken um die Auswahl zu beenden PartDesign_MoveFeature - + Select body Körper wählen - + Select a body from the list Einen Körper aus der Liste wählen @@ -3335,27 +3336,27 @@ erneut klicken um die Auswahl zu beenden PartDesign_MoveFeatureInTree - + Select feature Element auswählen - + Select a feature from the list Ein Merkmal aus der Liste wählen - + Move tip Arbeitsposition versetzen - + The moved feature appears after the currently set tip. Das bewegte Objekt erscheint hinter der aktuell gesetzten Arbeitsposition. - + Do you want the last feature to be the new tip? Soll das letzte Objekt die neue Arbeitsposition sein? @@ -3390,42 +3391,42 @@ erneut klicken um die Auswahl zu beenden Formbinder für Teilobjekt - + Several sub-elements selected Mehrere Unter-Elemente selektiert - + You have to select a single face as support for a sketch! Eine einzelne Fläche als Auflage für eine Skizze auswählen! - + No support face selected Keine Fläche als Auflage selektiert - + You have to select a face as support for a sketch! Eine Fläche als Auflage für eine Skizze auswählen! - + No planar support Keine ebene Auflage - + You need a planar face as support for a sketch! Benötigt eine ebene Fläche als Auflage für eine Skizze! - + No valid planes in this document Keine gültigen Ebenen in diesem Dokument - + Please create a plane first or select a face to sketch on Bitte zuerst eine Ebene erstellen oder eine Fläche auswählen, um darauf eine Skizze zu erstellen @@ -3484,209 +3485,209 @@ erneut klicken um die Auswahl zu beenden Keine Skizze im Dokument vorhanden - - + + Wrong selection Falsche Auswahl - + Select an edge, face, or body from a single body. Kante, Fläche oder Körper eines einzelnen Körpers auswählen. - - + + Selection is not in Active Body Auswahl ist nicht im aktiven Körper - + Select an edge, face, or body from an active body. Kante, Fläche oder Körper eines aktiven Körpers auswählen. - + Wrong object type Falscher Objekt-Typ - + %1 works only on parts. %1 funktioniert nur bei Teilen. - + Shape of the selected Part is empty Gewähltes Teil ist hohl - + Please select only one feature in an active body. Bitte nur ein Element in einem aktiven Körper auswählen. - + Part creation failed Erzeugen des Teils ist fehlgeschlagen - + Failed to create a part object. Konnte kein Part-Objekt erstellen. - - - - + + + + Bad base feature Ungeeignetes Basis-Element - + Body can't be based on a PartDesign feature. Körper kann nicht auf einem PartDesign-Element basieren. - + %1 already belongs to a body, can't use it as base feature for another body. %1 gehört bereits zu einem Körper, kann nicht als Basis-Element für einen anderen Körper verwendet werden. - + Base feature (%1) belongs to other part. Das Basis-Element (%1) gehört zu einer anderen Teil. - + The selected shape consists of multiple solids. This may lead to unexpected results. Die ausgewählte Form besteht aus mehreren Volumenkörpern. Dies kann zu unerwarteten Ergebnissen führen. - + The selected shape consists of multiple shells. This may lead to unexpected results. Die ausgewählte Form besteht aus mehreren Hüllflächen. Dies kann zu unerwarteten Ergebnissen führen. - + The selected shape consists of only a shell. This may lead to unexpected results. Die ausgewählte Form besteht nur aus einer Hülle. Dies kann zu unerwarteten Ergebnissen führen. - + The selected shape consists of multiple solids or shells. This may lead to unexpected results. Die ausgewählte Form besteht aus mehreren Volumenkörpern oder Hüllen. Dies kann zu unerwarteten Ergebnissen führen. - + Base feature Basis-Element - + Body may be based on no more than one feature. Ein Körper kann nicht auf mehr als einem Element basieren. - + Body Körper - + Nothing to migrate Nichts zu migrieren - + No PartDesign features found that don't belong to a body. Nothing to migrate. Keine PartDesign-Elemente gefunden, die nicht zu einem Körper gehören. Nichts zu migrieren. - + Sketch plane cannot be migrated Skizzen-Ebene kann nicht migriert werden - + Please edit '%1' and redefine it to use a Base or Datum plane as the sketch plane. Bitte '%1' ändern und neu definieren, um eine Basis- oder Bezugsebene als Skizzenebene zu verwenden. - - - - - + + + + + Selection error Auswahlfehler - + Select exactly one PartDesign feature or a body. Genau ein PartDesign-Objekt oder einen Körper auswählen. - + Couldn't determine a body for the selected feature '%s'. Einen Körper für das ausgewählte Objekt '%s' konnte nicht bestimmt werden. - + Only a solid feature can be the tip of a body. Nur ein Festkörperobjekt kann als Arbeitsposition eines Körpers festgelegt werden. - - - + + + Features cannot be moved Objekte können nicht verschoben werden - + Some of the selected features have dependencies in the source body Einige der gewählten Objekte sind vom Quell-Körper abhängig - + Only features of a single source Body can be moved Nur Objekte eines einzigen Ursprungskörpers können verschoben werden - + There are no other bodies to move to Es gibt keine anderen Körper zu verschieben - + Impossible to move the base feature of a body. Es ist nicht möglich, das Basis-Objekt des Körpers zu verschieben. - + Select one or more features from the same body. Auswählen eines oder mehrerer Objekte desselben Körpers. - + Beginning of the body Anfang des Körpers - + Dependency violation Abhängigkeitsverletzung - + Early feature must not depend on later feature. @@ -3695,29 +3696,29 @@ This may lead to unexpected results. - + No previous feature found Kein vorheriges Objekt gefunden - + It is not possible to create a subtractive feature without a base feature available Es ist nicht möglich, ein abzuziehendes Objekt ohne ein Basisobjekt zu erstellen - + Vertical sketch axis Vertikale Skizzenachse - + Horizontal sketch axis Horizontale Skizzenachse - + Construction line %1 Konstruktionslinie %1 @@ -4751,25 +4752,25 @@ unter 90: kleinerer Bohrungsradius an der Unterseite Nicht unterstützte boolesche Verknüpfung - + - + Resulting shape is not a solid Die resultierende Form ist kein Festkörper - - - + + + - + Result has multiple solids: that is not currently supported. @@ -4848,71 +4849,71 @@ unter 90: kleinerer Bohrungsradius an der Unterseite - Die gewählte Skizze gehört nicht zum aktiven Körper. - + Length too small Länge zu klein - + Second length too small Zweite Länge zu klein - + Failed to obtain profile shape Profilform konnte nicht ermittelt werden - + Creation failed because direction is orthogonal to sketch's normal vector Erstellen fehlgeschlagen, weil die Richtung senkrecht auf dem Normalvektor der Skizze steht - + Extrude: Can only offset one face Aufpolstern: kann nur eine Fläche versetzen - - + + Creating a face from sketch failed Es konnte keine Fläche aus der Skizze erstellt werden - + Up to face: Could not get SubShape! Bis zu Oberfläche: Konnte kein SubShape ermitteln! - + Unable to reach the selected shape, please select faces Die ausgewählte Form konnte nicht erreicht werden, bitte Flächen auswählen - + Magnitude of taper angle matches or exceeds 90 degrees Größe des Schrägungswinkels ist größer oder gleich 90 Grad - + Padding with draft angle failed Aufpolsterung mit Schrägungswinkel fehlgeschlagen - + Revolve axis intersects the sketch Die Drehachse schneidet die Skizze - + 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. @@ -5110,22 +5111,22 @@ Beim Erstellen von Taschen bis zu einer Fläche sind nur einzelne Flächen in de Fehler bei Ausformung: Mindestens ein Abschnitt wird benötigt - + Loft: A fatal error occurred when making the loft Ausformung: Ein schwerwiegender Fehler ist beim Erstellen der Ausformung aufgetreten - + Loft: Creating a face from sketch failed Ausormung: Es konnte keine Fläche aus der Skizze erstellt werden - + Loft: Failed to create shell Ausformung: Fehler beim Erstellen des Hüllkörpers - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed. Konnte keine Fläche aus der Skizze erstellen. @@ -5242,13 +5243,13 @@ Skizzenobjekte dürfen einander nicht schneiden und auch mehrfache Flächen sind Das Grundkörper-Formelement kann ohne Basis-Formelement nicht abgezogen werden - + Unknown operation type Unbekannte Vorgangsart - + Failed to perform boolean operation Boolesche Verknüpfung konnte nicht ausgeführt werden @@ -5352,22 +5353,22 @@ Skizzenobjekte dürfen einander nicht schneiden und auch mehrfache Flächen sind Das delta x2 des Keils ist negativ - + Angle of revolution too large Drehwinkel ist zu groß - + Angle of revolution too small Drehwinkel ist zu klein - + Reference axis is invalid Referenzachse ist ungültig - + Fusion with base feature failed Vereinigung mit Basis-Formelement ist fehlgeschlagen @@ -5413,12 +5414,12 @@ Skizzenobjekte dürfen einander nicht schneiden und auch mehrfache Flächen sind CmdPartDesignCompDatums - + Create datum Bezugselement erstellen - + Create a datum object or local coordinate system Erstellt ein Bezugselement oder ein lokales Koordinatensystem @@ -5426,14 +5427,30 @@ Skizzenobjekte dürfen einander nicht schneiden und auch mehrfache Flächen sind CmdPartDesignCompSketches - + Create datum Bezugselement erstellen - + Create a datum object or local coordinate system Erstellt ein Bezugselement oder ein lokales Koordinatensystem + + PartDesignGui::TaskDlgRevolutionParameters + + + Revolution parameters + Drehteil-Parameter + + + + PartDesignGui::TaskDlgGrooveParameters + + + Groove parameters + Groove parameters + + diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_el.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_el.ts index b19eeb5afbce..f4dc2fdab88f 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_el.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_el.ts @@ -128,17 +128,17 @@ so that self intersection is avoided. CmdPartDesignAdditiveHelix - + PartDesign ΣχεδίασηΕξαρτήματος - + Additive helix Πρόσθετο Σπείρωμα - + Sweep a selected sketch along a helix Sweep a selected sketch along a helix @@ -146,17 +146,17 @@ so that self intersection is avoided. CmdPartDesignAdditiveLoft - + PartDesign ΣχεδίασηΕξαρτήματος - + Additive loft Πρόσθετη παρεμβολή ορθογώνιων διατομών - + Loft a selected profile through other profile sections Παρεμβολή ορθογώνιων διατομών ενός επιλεγμένου προφίλ μέσω άλλων τομών προφίλ @@ -164,17 +164,17 @@ so that self intersection is avoided. CmdPartDesignAdditivePipe - + PartDesign ΣχεδίασηΕξαρτήματος - + Additive pipe Πρόσθετο αντικείμενο χωρίς πάτωμα και οροφή - + Sweep a selected sketch along a path or to other profiles Σάρωση ενός επιλεγμένου σκαριφήματος κατά μήκος μιας διαδρομής ή σε άλλα προφίλ @@ -182,17 +182,17 @@ so that self intersection is avoided. CmdPartDesignBody - + PartDesign ΣχεδίασηΕξαρτήματος - + Create body Δημιουργήστε σώμα - + Create a new body and make it active Δημιουργήστε ένα νέο σώμα και ενεργοποιήστε το @@ -200,17 +200,17 @@ so that self intersection is avoided. CmdPartDesignBoolean - + PartDesign ΣχεδίασηΕξαρτήματος - + Boolean operation Πράξη Άλγεβρας Boole - + Boolean operation with two or more bodies Εκτέλεση πράξης άλγεβρας Boole με δύο ή περισσότερα σώματα @@ -236,17 +236,17 @@ so that self intersection is avoided. CmdPartDesignChamfer - + PartDesign ΣχεδίασηΕξαρτήματος - + Chamfer Λοξότμηση - + Chamfer the selected edges of a shape Λοξότμηση των επιλεγμένων ακμών ενός σχήματος @@ -272,17 +272,17 @@ so that self intersection is avoided. CmdPartDesignDraft - + PartDesign ΣχεδίασηΕξαρτήματος - + Draft Βύθισμα - + Make a draft on a face Δημιουργήστε ένα προσχέδιο σε μία όψη @@ -290,17 +290,17 @@ so that self intersection is avoided. CmdPartDesignDuplicateSelection - + PartDesign ΣχεδίασηΕξαρτήματος - + Duplicate selected object Δημιουργία αντιγράφου του επιλεγμένου αντικειμένου - + Duplicates the selected object and adds it to the active body Δημιουργεί αντίγραφο του επιλεγμένου αντικειμένου και το προσθέτει στο ενεργό σώμα @@ -308,17 +308,17 @@ so that self intersection is avoided. CmdPartDesignFillet - + PartDesign ΣχεδίασηΕξαρτήματος - + Fillet Στρογγύλεμα - + Make a fillet on an edge, face or body Δημιουργία στρογγυλέματος σε μια ακμή, σε μια όψη ή σε ένα σώμα @@ -326,17 +326,17 @@ so that self intersection is avoided. CmdPartDesignGroove - + PartDesign ΣχεδίασηΕξαρτήματος - + Groove Ράβδωση - + Groove a selected sketch Δημιουργία ραβδώσεων σε ένα επιλεγμένο σκαρίφημα @@ -344,17 +344,17 @@ so that self intersection is avoided. CmdPartDesignHole - + PartDesign ΣχεδίασηΕξαρτήματος - + Hole Οπή - + Create a hole with the selected sketch Δημιουργήστε μια οπή με το επιλεγμένο σκαρίφημα @@ -380,17 +380,17 @@ so that self intersection is avoided. CmdPartDesignLinearPattern - + PartDesign ΣχεδίασηΕξαρτήματος - + LinearPattern ΓραμμικόΜοτίβο - + Create a linear pattern feature Δημιουργήστε ένα χαρακτηριστικό γραμμικού μοτίβου @@ -398,17 +398,17 @@ so that self intersection is avoided. CmdPartDesignMigrate - + PartDesign ΣχεδίασηΕξαρτήματος - + Migrate Μετεγκατάσταση - + Migrate document to the modern PartDesign workflow Μετεγκατάσταση εγγράφου στη σύγχρονη ροή εργασιών ΣχεδίασηςΕξαρτήματος @@ -416,17 +416,17 @@ so that self intersection is avoided. CmdPartDesignMirrored - + PartDesign ΣχεδίασηΕξαρτήματος - + Mirrored Κατοπτρισμένο - + Create a mirrored feature Δημιουργήστε ένα κατοπτρισμένο χαρακτηριστικό @@ -434,17 +434,17 @@ so that self intersection is avoided. CmdPartDesignMoveFeature - + PartDesign ΣχεδίασηΕξαρτήματος - + Move object to other body Μετακινήστε το αντικείμενο σε άλλο σώμα - + Moves the selected object to another body Μετακινεί το επιλεγμένο αντικείμενο σε ένα άλλο σώμα @@ -452,17 +452,17 @@ so that self intersection is avoided. CmdPartDesignMoveFeatureInTree - + PartDesign ΣχεδίασηΕξαρτήματος - + Move object after other object Μετακίνηση του αντικειμένου μετά από άλλο αντικείμενο - + Moves the selected object and insert it after another object Μετακινεί το επιλεγμένο αντικείμενο και το εισάγει μετά από κάποιο άλλο αντικείμενο @@ -470,17 +470,17 @@ so that self intersection is avoided. CmdPartDesignMoveTip - + PartDesign ΣχεδίασηΕξαρτήματος - + Set tip Ορίστε άκρο - + Move the tip of the body Μετακινήστε το άκρο του σώματος @@ -488,17 +488,17 @@ so that self intersection is avoided. CmdPartDesignMultiTransform - + PartDesign ΣχεδίασηΕξαρτήματος - + Create MultiTransform Δημιουργία Πολλαπλών Μετατοπίσεων - + Create a multitransform feature Δημιουργήστε μια δυνατότητα πολλαπλών μετατοπίσεων @@ -560,17 +560,17 @@ so that self intersection is avoided. CmdPartDesignPocket - + PartDesign ΣχεδίασηΕξαρτήματος - + Pocket Δημιουργία οπής σε στερεό - + Create a pocket with the selected sketch Δημιουργήστε μια οπή με τη χρήση του επιλεγμένου σκαριφήματος @@ -596,17 +596,17 @@ so that self intersection is avoided. CmdPartDesignPolarPattern - + PartDesign ΣχεδίασηΕξαρτήματος - + PolarPattern Κυκλικό Μοτίβο - + Create a polar pattern feature Δημιουργεί μοτίβα σε κυκλικό επίπεδο @@ -614,17 +614,17 @@ so that self intersection is avoided. CmdPartDesignRevolution - + PartDesign ΣχεδίασηΕξαρτήματος - + Revolution Γωνιακή καμπύλη - + Revolve a selected sketch Περιστροφή ενός επιλεγμένου σκίτσου @@ -632,17 +632,17 @@ so that self intersection is avoided. CmdPartDesignScaled - + PartDesign ΣχεδίασηΕξαρτήματος - + Scaled Υπό κλίμακα - + Create a scaled feature Δημιουργήστε ένα χαρακτηριστικό υπό κλίμακα @@ -682,17 +682,17 @@ so that self intersection is avoided. CmdPartDesignSubtractiveHelix - + PartDesign ΣχεδίασηΕξαρτήματος - + Subtractive helix Ελικοειδής αφαίρεση - + Sweep a selected sketch along a helix and remove it from the body Sweep a selected sketch along a helix and remove it from the body @@ -700,17 +700,17 @@ so that self intersection is avoided. CmdPartDesignSubtractiveLoft - + PartDesign ΣχεδίασηΕξαρτήματος - + Subtractive loft Αφαιρετική παρεμβολή ορθογώνιων διατομών - + Loft a selected profile through other profile sections and remove it from the body Παρεμβολή ορθογώνιων διατομών ενός επιλεγμένου προφίλ μέσω άλλων τομών προφίλ και απομάκρυνση του από το σώμα @@ -718,17 +718,17 @@ so that self intersection is avoided. CmdPartDesignSubtractivePipe - + PartDesign ΣχεδίασηΕξαρτήματος - + Subtractive pipe Αφαιρετικό αντικείμενο χωρίς πάτωμα και οροφή - + Sweep a selected sketch along a path or to other profiles and remove it from the body Σάρωση ενός επιλεγμένου σκαριφήματος κατά μήκος μιας διαδρομής ή σε άλλα προφίλ και απομάκρυνση του από το σώμα @@ -736,17 +736,17 @@ so that self intersection is avoided. CmdPartDesignThickness - + PartDesign ΣχεδίασηΕξαρτήματος - + Thickness Πάχος - + Make a thick solid Δημιουργήστε ένα συμπαγές στερεό @@ -765,42 +765,42 @@ so that self intersection is avoided. Δημιουργήστε ένα πρόσθετο θεμελιακό στοιχείο - + Additive Box Πρόσθετο Κιβώτιο - + Additive Cylinder Πρόσθετος Κύλινδρος - + Additive Sphere Πρόσθετη Σφαίρα - + Additive Cone Πρόσθετος Κώνος - + Additive Ellipsoid Πρόσθετο Ελλειψοειδές - + Additive Torus Πρόσθετος Τόρος - + Additive Prism Πρόσθετο Πρίσμα - + Additive Wedge Πρόσθετη Σφήνα @@ -808,53 +808,53 @@ so that self intersection is avoided. CmdPrimtiveCompSubtractive - + PartDesign ΣχεδίασηΕξαρτήματος - - + + Create a subtractive primitive Δημιουργήστε ένα αφαιρετικό θεμελιακό στοιχείο - + Subtractive Box Αφαιρετικό Κιβώτιο - + Subtractive Cylinder Αφαιρετικός Κύλινδρος - + Subtractive Sphere Αφαιρετική Σφαίρα - + Subtractive Cone Αφαιρετικός Κώνος - + Subtractive Ellipsoid Αφαιρετικό Ελλειψοειδές - + Subtractive Torus Αφαιρετικός Τόρος - + Subtractive Prism Αφαιρετικό Πρίσμα - + Subtractive Wedge Αφαιρετική Σφήνα @@ -894,47 +894,48 @@ so that self intersection is avoided. + Create a new Sketch Create a new Sketch - + Convert to MultiTransform feature Μετατροπή σε λειτουργία πολλαπλών μετατοπίσεων - + Create Boolean Create Boolean - + Add a Body Προσθήκη ενός Σώματος - + Migrate legacy Part Design features to Bodies Migrate legacy Part Design features to Bodies - + Move tip to selected feature Move tip to selected feature - + Duplicate a PartDesign object Duplicate a PartDesign object - + Move an object Move an object - + Move an object inside tree Move an object inside tree @@ -1605,7 +1606,7 @@ click again to end selection PartDesignGui::TaskDlgFeatureParameters - + Input error Σφάλμα εισαγωγής @@ -1698,13 +1699,13 @@ click again to end selection PartDesignGui::TaskExtrudeParameters - + No face selected Δεν επιλέχθηκε καμία όψη - + Face Όψη @@ -1724,38 +1725,38 @@ click again to end selection Επιλέξτε όψεις - + No shape selected Δεν έχει επιλεχθεί κανένα σχήμα - + Sketch normal Sketch normal - + Face normal Face normal - + Select reference... Επιλογή αναφοράς... - - + + Custom direction Custom direction - + Click on a shape in the model Click on a shape in the model - + Click on a face in the model Click on a face in the model @@ -2801,7 +2802,7 @@ measured along the specified direction - + Dimension Διάσταση @@ -2812,19 +2813,19 @@ measured along the specified direction - + Base X axis Άξονας X βάσης - + Base Y axis Άξονας Y βάσης - + Base Z axis Άξονας Z βάσης @@ -2840,7 +2841,7 @@ measured along the specified direction - + Select reference... Επιλογή αναφοράς... @@ -2850,24 +2851,24 @@ measured along the specified direction Γωνία: - + Symmetric to plane Συμμετρικό ως προς την επιφάνεια - + Reversed Ανεστραμμένο - + 2nd angle 2nd angle - - + + Face Όψη @@ -2877,37 +2878,37 @@ measured along the specified direction Ανανέωση προβολής - + Revolution parameters Παράμετροι Περιφοράς - + To last To last - + Through all Μέσω όλων - + To first Στο πρώτο - + Up to face Μέχρι την όψη - + Two dimensions Δύο διαστάσεις - + No face selected Δεν επιλέχθηκε καμία όψη @@ -3237,42 +3238,42 @@ click again to end selection PartDesign_CompPrimitiveAdditive - + Create an additive box by its width, height, and length Create an additive box by its width, height, and length - + Create an additive cylinder by its radius, height, and angle Create an additive cylinder by its radius, height, and angle - + Create an additive sphere by its radius and various angles Δημιουργήστε μια πρόσθετη σφαίρα εισάγοντας την ακτίνα της και διάφορες γωνίες κοπής - + Create an additive cone Δημιουργήστε έναν πρόσθετο κώνο - + Create an additive ellipsoid Δημιουργήστε ένα πρόσθετο ελλειψοειδές - + Create an additive torus Δημιουργήστε έναν πρόσθετο τόρο - + Create an additive prism Δημιουργήστε ένα πρόσθετο πρίσμα - + Create an additive wedge Δημιουργήστε μια πρόσθετη σφήνα @@ -3280,42 +3281,42 @@ click again to end selection PartDesign_CompPrimitiveSubtractive - + Create a subtractive box by its width, height and length Δημιουργήστε ένα αφαιρετικό κιβώτιο εισάγοντας το πλάτος, το ύψος και το μήκος του - + Create a subtractive cylinder by its radius, height and angle Δημιουργήστε έναν αφαιρετικό κύλινδρο εισάγοντας την ακτίνα, το ύψος του και την γωνία κοπής - + Create a subtractive sphere by its radius and various angles Δημιουργήστε μια αφαιρετική σφαίρα εισάγοντας την ακτίνα της και διάφορες γωνίες κοπής - + Create a subtractive cone Δημιουργήστε έναν αφαιρετικό κώνο - + Create a subtractive ellipsoid Δημιουργήστε ένα αφαιρετικό ελλειψοειδές - + Create a subtractive torus Δημιουργήστε έναν αφαιρετικό τόρο - + Create a subtractive prism Δημιουργήστε ένα αφαιρετικό πρίσμα - + Create a subtractive wedge Δημιουργήστε μια αφαιρετική σφήνα @@ -3323,12 +3324,12 @@ click again to end selection PartDesign_MoveFeature - + Select body Επιλέξτε σώμα - + Select a body from the list Επιλέξτε ένα σώμα από τη λίστα @@ -3336,27 +3337,27 @@ click again to end selection PartDesign_MoveFeatureInTree - + Select feature Επιλέξτε χαρακτηριστικό - + Select a feature from the list Επιλέξτε ένα χαρακτηριστικό από τη λίστα - + Move tip Move tip - + The moved feature appears after the currently set tip. The moved feature appears after the currently set tip. - + Do you want the last feature to be the new tip? Do you want the last feature to be the new tip? @@ -3391,42 +3392,42 @@ click again to end selection Sub-Shape Binder - + Several sub-elements selected Several sub-elements selected - + You have to select a single face as support for a sketch! Πρέπει να επιλέξετε ένα μόνο πρόσωπο ως υποστήριξη για ένα σκίτσο! - + No support face selected No support face selected - + You have to select a face as support for a sketch! Πρέπει να επιλέξετε ένα πρόσωπο ως υποστήριξη για ένα σκίτσο! - + No planar support No planar support - + You need a planar face as support for a sketch! Χρειάζεστε ένα επίπεδο πρόσωπο ως υποστήριξη για ένα σκίτσο! - + No valid planes in this document Δεν υπάρχουν έγκυρα επίπεδα σε αυτό το έγγραφο - + Please create a plane first or select a face to sketch on Παρακαλώ δημιουργήστε πρώτα ένα επίπεδο ή επιλέξτε την όψη πάνω στην οποία θα δημιουργήσετε σκαρίφημα @@ -3485,211 +3486,211 @@ click again to end selection Δεν υπάρχει διαθέσιμο σκαρίφημα στο έγγραφο - - + + Wrong selection Λάθος επιλογή - + Select an edge, face, or body from a single body. Select an edge, face, or body from a single body. - - + + Selection is not in Active Body Η επιλογή δεν βρίσκεται στο Ενεργό Σώμα - + Select an edge, face, or body from an active body. Select an edge, face, or body from an active body. - + Wrong object type Λάθος τύπος αντικειμένου - + %1 works only on parts. Το %1 λειτουργεί μόνο σε εξαρτήματα. - + Shape of the selected Part is empty Το σχήμα του επιλεγμένου Εξαρτήματος είναι κενό - + Please select only one feature in an active body. Επιλέξτε μόνο ένα χαρακτηριστικό από το αντικείμενο. - + Part creation failed Η δημιουργία εξαρτήματος απέτυχε - + Failed to create a part object. Αποτυχία δημιουργίας εξαρτήματος. - - - - + + + + Bad base feature Ακατάλληλο χαρακτηριστικό βάσης - + Body can't be based on a PartDesign feature. Το σώμα δεν μπορεί να βασίζεται σε κάποιο χαρακτηριστικό ΣχεδίασηςΕξαρτήματος. - + %1 already belongs to a body, can't use it as base feature for another body. Το %1 ανήκει ήδη σε ένα σώμα, δεν μπορείτε να το χρησιμοποιήσετε ως χαρακτηριστικό βάσης για κάποιο άλλο σώμα. - + Base feature (%1) belongs to other part. Το χαρακτηριστικό βάσης (%1) ανήκει σε άλλο εξάρτημα. - + The selected shape consists of multiple solids. This may lead to unexpected results. Το επιλεγμένο σχήμα αποτελείται από πολλαπλά στερεά. Αυτό μπορεί να οδηγήσει σε απρόσμενα αποτελέσματα. - + The selected shape consists of multiple shells. This may lead to unexpected results. Το επιλεγμένο σχήμα αποτελείται από πολλαπλά κελύφη. Αυτό μπορεί να οδηγήσει σε απρόσμενα αποτελέσματα. - + The selected shape consists of only a shell. This may lead to unexpected results. Το επιλεγμένο σχήμα αποτελείται μόνο από ένα κέλυφος. Αυτό μπορεί να οδηγήσει σε απρόσμενα αποτελέσματα. - + The selected shape consists of multiple solids or shells. This may lead to unexpected results. Το επιλεγμένο σχήμα αποτελείται από πολλαπλά στερεά ή κελύφη. Αυτό μπορεί να οδηγήσει σε απρόσμενα αποτελέσματα. - + Base feature Χαρακτηριστικό βάσης - + Body may be based on no more than one feature. Το σώμα δεν μπορεί να βασίζεται σε περισσότερα από ένα χαρακτηριστικά. - + Body Body - + Nothing to migrate Δεν υπάρχει τίποτα για μετεγκατάσταση - + No PartDesign features found that don't belong to a body. Nothing to migrate. No PartDesign features found that don't belong to a body. Nothing to migrate. - + Sketch plane cannot be migrated Δεν είναι δυνατή η μετεγκατάσταση του επιπέδου σκαριφήματος - + Please edit '%1' and redefine it to use a Base or Datum plane as the sketch plane. Παρακαλώ πραγματοποιήστε επεξεργασία του '%1' και επαναπροσδιορίστε το ώστε να χρησιμοποιήσετε ένα επίπεδο Βάσης ή ένα επίπεδο Αναφοράς ως το επίπεδο σκαριφήματος. - - - - - + + + + + Selection error Σφάλμα επιλογής - + Select exactly one PartDesign feature or a body. Επιλέξτε ακριβώς ένα χαρακτηριστικό ΣχεδίασηςΕξαρτήματος ή ένα σώμα. - + Couldn't determine a body for the selected feature '%s'. Αδύνατος ο καθορισμός ενός σώματος για το επιλεγμένο χαρακτηριστικό '%s'. - + Only a solid feature can be the tip of a body. Μόνο κάποιο στερεό χαρακτηριστικό μπορεί να είναι η άκρη ενός σώματος. - - - + + + Features cannot be moved Τα χαρακτηριστικά δεν μπορούν να μετακινηθούν - + Some of the selected features have dependencies in the source body Κάποια από τα επιλεγμένα χαρακτηριστικά έχουν εξαρτήσεις στο πηγαίο σώμα - + Only features of a single source Body can be moved Μόνο τα χαρακτηριστικά ενός μεμονωμένου πηγαίου Σώματος μπορούν να μετακινηθούν - + There are no other bodies to move to Δεν υπάρχουν άλλα σώματα για μετακίνηση - + Impossible to move the base feature of a body. Αδύνατη η μετακίνηση του χαρακτηριστικού βάσης ενός σώματος. - + Select one or more features from the same body. Επιλέξτε ένα ή περισσότερα χαρακτηριστικά από το ίδιο σώμα. - + Beginning of the body Αρχή του σώματος - + Dependency violation Dependency violation - + Early feature must not depend on later feature. @@ -3698,29 +3699,29 @@ This may lead to unexpected results. - + No previous feature found Δεν βρέθηκε κανένα παλαιότερο χαρακτηριστικό - + It is not possible to create a subtractive feature without a base feature available Δεν είναι εφικτό να δημιουργήσετε αφαιρετικό χαρακτηριστικό χωρίς κάποιο διαθέσιμο χαρακτηριστικό βάσης - + Vertical sketch axis Κάθετος άξονας σκίτσου - + Horizontal sketch axis Οριζόντιος άξονας σκίτσου - + Construction line %1 Γραμμή κατασκευής %1 @@ -4754,25 +4755,25 @@ over 90: larger hole radius at the bottom Unsupported boolean operation - + - + Resulting shape is not a solid Resulting shape is not a solid - - - + + + - + Result has multiple solids: that is not currently supported. @@ -4852,71 +4853,71 @@ over 90: larger hole radius at the bottom - the selected sketch does not belong to the active Body. - + Length too small Length too small - + Second length too small Second length too small - + Failed to obtain profile shape Failed to obtain profile shape - + Creation failed because direction is orthogonal to sketch's normal vector Creation failed because direction is orthogonal to sketch's normal vector - + Extrude: Can only offset one face Extrude: Can only offset one face - - + + Creating a face from sketch failed Creating a face from sketch failed - + Up to face: Could not get SubShape! Up to face: Could not get SubShape! - + Unable to reach the selected shape, please select faces Unable to reach the selected shape, please select faces - + Magnitude of taper angle matches or exceeds 90 degrees Magnitude of taper angle matches or exceeds 90 degrees - + Padding with draft angle failed Padding with draft angle failed - + Revolve axis intersects the sketch Revolve axis intersects the sketch - + 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. @@ -5114,22 +5115,22 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed for m Loft: At least one section is needed - + Loft: A fatal error occurred when making the loft Loft: A fatal error occurred when making the loft - + Loft: Creating a face from sketch failed Loft: Creating a face from sketch failed - + Loft: Failed to create shell Loft: Failed to create shell - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed. Could not create face from sketch. @@ -5246,13 +5247,13 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed.Cannot subtract primitive feature without base feature - + Unknown operation type Unknown operation type - + Failed to perform boolean operation Failed to perform boolean operation @@ -5356,22 +5357,22 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed.delta x2 of wedge is negative - + Angle of revolution too large Η γωνία περιστροφής είναι πολύ μεγάλη - + Angle of revolution too small Γωνία περιστροφής πολύ μικρή - + Reference axis is invalid Ο άξονας αναφοράς δεν είναι έγκυρος - + Fusion with base feature failed Fusion with base feature failed @@ -5417,12 +5418,12 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed. CmdPartDesignCompDatums - + Create datum Δημιουργία σημείο αναφοράς - + Create a datum object or local coordinate system Δημιουργία αντικειμένου αναφοράς ή τοπικού συστήματος συντεταγμένων @@ -5430,14 +5431,30 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed. CmdPartDesignCompSketches - + Create datum Δημιουργία σημείο αναφοράς - + Create a datum object or local coordinate system Δημιουργία αντικειμένου αναφοράς ή τοπικού συστήματος συντεταγμένων + + PartDesignGui::TaskDlgRevolutionParameters + + + Revolution parameters + Παράμετροι Περιφοράς + + + + PartDesignGui::TaskDlgGrooveParameters + + + Groove parameters + Groove parameters + + 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 75fc084e4e19..8f16f3cc57d0 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_es-AR.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_es-AR.ts @@ -128,17 +128,17 @@ para que se evite la auto intersección. CmdPartDesignAdditiveHelix - + PartDesign DiseñoDePieza - + Additive helix Hélice aditiva - + Sweep a selected sketch along a helix Barrido del croquis seleccionado a lo largo de una hélice @@ -146,17 +146,17 @@ para que se evite la auto intersección. CmdPartDesignAdditiveLoft - + PartDesign DiseñoDePieza - + Additive loft Proyección aditiva - + Loft a selected profile through other profile sections Interpola un perfil seleccionado a través de otras secciones de perfil @@ -164,17 +164,17 @@ para que se evite la auto intersección. CmdPartDesignAdditivePipe - + PartDesign DiseñoDePieza - + Additive pipe Barrido aditivo - + Sweep a selected sketch along a path or to other profiles Barrido del croquis seleccionado a lo largo de una trayectoria o de otros perfiles @@ -182,17 +182,17 @@ para que se evite la auto intersección. CmdPartDesignBody - + PartDesign DiseñoDePieza - + Create body Crear cuerpo - + Create a new body and make it active Crea un nuevo cuerpo y lo hace activo @@ -200,17 +200,17 @@ para que se evite la auto intersección. CmdPartDesignBoolean - + PartDesign DiseñoDePieza - + Boolean operation Operación booleana - + Boolean operation with two or more bodies Operación booleana con dos cuerpos o más @@ -236,17 +236,17 @@ para que se evite la auto intersección. CmdPartDesignChamfer - + PartDesign DiseñoDePieza - + Chamfer Bisel - + Chamfer the selected edges of a shape Bisela las aristas seleccionadas de una forma @@ -272,17 +272,17 @@ para que se evite la auto intersección. CmdPartDesignDraft - + PartDesign DiseñoDePieza - + Draft Calado - + Make a draft on a face Hace una inclinación en una cara @@ -290,17 +290,17 @@ para que se evite la auto intersección. CmdPartDesignDuplicateSelection - + PartDesign DiseñoDePieza - + Duplicate selected object Duplicar el objeto seleccionado - + Duplicates the selected object and adds it to the active body Duplica el objeto seleccionado y lo agrega al cuerpo activo @@ -308,17 +308,17 @@ para que se evite la auto intersección. CmdPartDesignFillet - + PartDesign DiseñoDePieza - + Fillet Redondeo - + Make a fillet on an edge, face or body Crea un redondeado en una arista, cara o cuerpo @@ -326,17 +326,17 @@ para que se evite la auto intersección. CmdPartDesignGroove - + PartDesign DiseñoDePieza - + Groove Ranura - + Groove a selected sketch Ranura generada por revolución de un croquis seleccionado @@ -344,17 +344,17 @@ para que se evite la auto intersección. CmdPartDesignHole - + PartDesign DiseñoDePieza - + Hole Agujero - + Create a hole with the selected sketch Crea un agujero en el croquis seleccionado @@ -380,17 +380,17 @@ para que se evite la auto intersección. CmdPartDesignLinearPattern - + PartDesign DiseñoDePieza - + LinearPattern Patrón Lineal - + Create a linear pattern feature Crea un proceso de patrón lineal @@ -398,17 +398,17 @@ para que se evite la auto intersección. CmdPartDesignMigrate - + PartDesign DiseñoDePieza - + Migrate Migrar - + Migrate document to the modern PartDesign workflow Migrar el documento al flujo de trabajo moderno de DiseñoDePieza @@ -416,17 +416,17 @@ para que se evite la auto intersección. CmdPartDesignMirrored - + PartDesign DiseñoDePieza - + Mirrored Simetría - + Create a mirrored feature Crea un proceso de simetría @@ -434,17 +434,17 @@ para que se evite la auto intersección. CmdPartDesignMoveFeature - + PartDesign DiseñoDePieza - + Move object to other body Mover objeto a otro cuerpo - + Moves the selected object to another body Mueve el objeto seleccionado a otro cuerpo @@ -452,17 +452,17 @@ para que se evite la auto intersección. CmdPartDesignMoveFeatureInTree - + PartDesign DiseñoDePieza - + Move object after other object Mover objeto después de otro objeto - + Moves the selected object and insert it after another object Mueve el objeto seleccionado e insértalo después de otro objeto @@ -470,17 +470,17 @@ para que se evite la auto intersección. CmdPartDesignMoveTip - + PartDesign DiseñoDePieza - + Set tip Definir punto de trabajo - + Move the tip of the body Mover el punto de trabajo del cuerpo @@ -488,17 +488,17 @@ para que se evite la auto intersección. CmdPartDesignMultiTransform - + PartDesign DiseñoDePieza - + Create MultiTransform Crear MultiTransformación - + Create a multitransform feature Crea un proceso de multi-transformación @@ -560,17 +560,17 @@ para que se evite la auto intersección. CmdPartDesignPocket - + PartDesign DiseñoDePieza - + Pocket Hueco - + Create a pocket with the selected sketch Crea un hueco con el croquis seleccionado @@ -596,17 +596,17 @@ para que se evite la auto intersección. CmdPartDesignPolarPattern - + PartDesign DiseñoDePieza - + PolarPattern Patrón Polar - + Create a polar pattern feature Crea un proceso de patrón polar @@ -614,17 +614,17 @@ para que se evite la auto intersección. CmdPartDesignRevolution - + PartDesign DiseñoDePieza - + Revolution Revolución - + Revolve a selected sketch Revoluciona un croquis seleccionado @@ -632,17 +632,17 @@ para que se evite la auto intersección. CmdPartDesignScaled - + PartDesign DiseñoDePieza - + Scaled Escalado - + Create a scaled feature Crear proceso de escalado @@ -682,17 +682,17 @@ para que se evite la auto intersección. CmdPartDesignSubtractiveHelix - + PartDesign DiseñoDePieza - + Subtractive helix Hélice sustractiva - + Sweep a selected sketch along a helix and remove it from the body Hacer un barrido al croquis seleccionado a lo largo de una hélice y eliminarlo del cuerpo @@ -700,17 +700,17 @@ para que se evite la auto intersección. CmdPartDesignSubtractiveLoft - + PartDesign DiseñoDePieza - + Subtractive loft Puente sustractivo - + Loft a selected profile through other profile sections and remove it from the body Interpola un perfil seleccionado a través de otras secciones de perfil y lo elimina del cuerpo @@ -718,17 +718,17 @@ para que se evite la auto intersección. CmdPartDesignSubtractivePipe - + PartDesign DiseñoDePieza - + Subtractive pipe Barrido sustractivo - + Sweep a selected sketch along a path or to other profiles and remove it from the body Vaciar del cuerpo un barrido del croquis seleccionado a través de una trayectoria u otros perfiles, @@ -736,17 +736,17 @@ para que se evite la auto intersección. CmdPartDesignThickness - + PartDesign DiseñoDePieza - + Thickness Espesor - + Make a thick solid Da espesor a un sólido @@ -765,42 +765,42 @@ para que se evite la auto intersección. Crear una primitiva aditiva - + Additive Box Cubo Aditivo - + Additive Cylinder Cilindro Aditivo - + Additive Sphere Esfera Aditiva - + Additive Cone Cono Aditivo - + Additive Ellipsoid Elipsoide Aditivo - + Additive Torus Toro Aditivo - + Additive Prism Prisma Aditivo - + Additive Wedge Cuña Aditiva @@ -808,53 +808,53 @@ para que se evite la auto intersección. CmdPrimtiveCompSubtractive - + PartDesign DiseñoDePieza - - + + Create a subtractive primitive Crear una primitiva sustractiva - + Subtractive Box Cubo sustractivo - + Subtractive Cylinder Cilindro sustractivo - + Subtractive Sphere Esfera sustractiva - + Subtractive Cone Cono sustractivo - + Subtractive Ellipsoid Elipsoide sustractivo - + Subtractive Torus Toro sustractivo - + Subtractive Prism Prisma sustractivo - + Subtractive Wedge Cuña sustractiva @@ -894,47 +894,48 @@ para que se evite la auto intersección. + Create a new Sketch Crea un nuevo croquis - + Convert to MultiTransform feature Convertir a función MultiTransformación - + Create Boolean Crear Booleano - + Add a Body Añadir un Cuerpo - + Migrate legacy Part Design features to Bodies Migrar características heredadas de Part Design a Cuerpos - + Move tip to selected feature Mover la sugerencia a la característica seleccionada - + Duplicate a PartDesign object Duplicar un objeto PartDesign - + Move an object Mover un objeto - + Move an object inside tree Mover un objeto dentro del árbol @@ -1605,7 +1606,7 @@ haga clic de nuevo para finalizar la selección PartDesignGui::TaskDlgFeatureParameters - + Input error Error de entrada @@ -1698,13 +1699,13 @@ haga clic de nuevo para finalizar la selección PartDesignGui::TaskExtrudeParameters - + No face selected Ninguna cara seleccionada - + Face Cara @@ -1724,38 +1725,38 @@ haga clic de nuevo para finalizar la selección Seleccione caras - + No shape selected Ninguna forma seleccionada - + Sketch normal Normal al croquis - + Face normal Normal de la cara - + Select reference... Seleccione referencia... - - + + Custom direction Dirección personalizada - + Click on a shape in the model Haga clic en una forma en el modelo - + Click on a face in the model Haga clic en una cara en el modelo @@ -2800,7 +2801,7 @@ measured along the specified direction - + Dimension Cota @@ -2811,19 +2812,19 @@ measured along the specified direction - + Base X axis Eje X base - + Base Y axis Eje Y base - + Base Z axis Eje Z base @@ -2839,7 +2840,7 @@ measured along the specified direction - + Select reference... Seleccione referencia... @@ -2849,24 +2850,24 @@ measured along the specified direction Ángulo: - + Symmetric to plane Simétrico al plano - + Reversed Invertido - + 2nd angle 2do ángulo - - + + Face Cara @@ -2876,37 +2877,37 @@ measured along the specified direction Actualizar vista - + Revolution parameters Parámetros de revolución - + To last Hasta el final - + Through all A través de todos - + To first A primero - + Up to face Hasta la cara - + Two dimensions Dos dimensiones - + No face selected Ninguna cara seleccionada @@ -3236,42 +3237,42 @@ haga clic de nuevo para finalizar la selección PartDesign_CompPrimitiveAdditive - + Create an additive box by its width, height, and length Crea un cubo aditivo por su ancho, alto y largo - + Create an additive cylinder by its radius, height, and angle Crea un cilindro aditivo por su radio, altura y ángulo - + Create an additive sphere by its radius and various angles Crea una esfera aditiva por su radio y varios ángulos - + Create an additive cone Crea un cono aditivo - + Create an additive ellipsoid Crea un elipsoide aditivo - + Create an additive torus Crea un toro aditivo - + Create an additive prism Crea un prisma aditivo - + Create an additive wedge Crea una cuña aditiva @@ -3279,42 +3280,42 @@ haga clic de nuevo para finalizar la selección PartDesign_CompPrimitiveSubtractive - + Create a subtractive box by its width, height and length Crea un cubo sustractivo por su ancho, alto y largo - + Create a subtractive cylinder by its radius, height and angle Crea un cilindro sustractivo por su radio, altura y ángulo - + Create a subtractive sphere by its radius and various angles Crea una esfera sustractiva por su radio y varios ángulos - + Create a subtractive cone Crea un cono sustractivo - + Create a subtractive ellipsoid Crea un elipsoide sustractivo - + Create a subtractive torus Crea un toro sustractivo - + Create a subtractive prism Crea un prisma sustractivo - + Create a subtractive wedge Crea una cuña sustractiva @@ -3322,12 +3323,12 @@ haga clic de nuevo para finalizar la selección PartDesign_MoveFeature - + Select body Seleccionar cuerpo - + Select a body from the list Seleccione un cuerpo de la lista @@ -3335,27 +3336,27 @@ haga clic de nuevo para finalizar la selección PartDesign_MoveFeatureInTree - + Select feature Seleccionar operación - + Select a feature from the list Seleccionar una operación desde la lista - + Move tip Mover ápice - + The moved feature appears after the currently set tip. La característica movida aparece después de la punta configurada en ese momento. - + Do you want the last feature to be the new tip? ¿Quiere que la última característica sea la nueva punta? @@ -3390,42 +3391,42 @@ haga clic de nuevo para finalizar la selección Sub Shape Binder - + Several sub-elements selected Varios sub-elementos seleccionados - + You have to select a single face as support for a sketch! ¡Tienes que seleccionar una sola cara como soporte para un croquis! - + No support face selected Ninguna cara de soporte seleccionada - + You have to select a face as support for a sketch! ¡Tienes que seleccionar una cara como soporte para un croquis! - + No planar support No hay soporte plano - + You need a planar face as support for a sketch! ¡Necesitas una cara plana como soporte para un croquis! - + No valid planes in this document No hay planos válidos en este documento - + Please create a plane first or select a face to sketch on Por favor, crea un plano primero o selecciona una cara para croquizar @@ -3484,211 +3485,211 @@ haga clic de nuevo para finalizar la selección Ningún croquis disponible en el documento - - + + Wrong selection Selección Incorrecta - + Select an edge, face, or body from a single body. Seleccione un borde, cara o cuerpo de un solo cuerpo. - - + + Selection is not in Active Body La selección no está en un Cuerpo Activo - + Select an edge, face, or body from an active body. Seleccione un borde, cara o cuerpo de un cuerpo activo. - + Wrong object type Tipo de objeto incorrecto - + %1 works only on parts. %1 sólo funciona en piezas. - + Shape of the selected Part is empty Forma de la Pieza seleccionada está vacía - + Please select only one feature in an active body. Por favor, seleccione sólo una característica en un cuerpo activo. - + Part creation failed Error al crear la pieza - + Failed to create a part object. No se pudo crear un objeto de pieza. - - - - + + + + Bad base feature Mala operación base - + Body can't be based on a PartDesign feature. El cuerpo no puede basarse en una operación de DiseñoDePieza. - + %1 already belongs to a body, can't use it as base feature for another body. %1 ya pertenece a un cuerpo, no puede usarlo como operación base para otro cuerpo. - + Base feature (%1) belongs to other part. Operación base (%1) pertenece a otra pieza. - + The selected shape consists of multiple solids. This may lead to unexpected results. La forma seleccionada consta de múltiples sólidos. Esto puede conducir a resultados inesperados. - + The selected shape consists of multiple shells. This may lead to unexpected results. La forma seleccionada consta de múltiples carcasas. Esto puede conducir a resultados inesperados. - + The selected shape consists of only a shell. This may lead to unexpected results. La forma seleccionada consta de sola una carcasa. Esto puede conducir a resultados inesperados. - + The selected shape consists of multiple solids or shells. This may lead to unexpected results. La forma seleccionada consta de múltiples sólidos o carcasas. Esto puede conducir a resultados inesperados. - + Base feature Operación base - + Body may be based on no more than one feature. El cuerpo puede basarse en no más de una operación. - + Body Cuerpo - + Nothing to migrate Nada para migrar - + No PartDesign features found that don't belong to a body. Nothing to migrate. No se han encontrado características de PartDesign que no pertenecen a un cuerpo. Nada que migrar. - + Sketch plane cannot be migrated El plano de croquis no se puede migrar - + Please edit '%1' and redefine it to use a Base or Datum plane as the sketch plane. Por favor edite '%1' y vuelva a definirlo para usar una Base o plano de referencia como plano de croquis. - - - - - + + + + + Selection error Error de selección - + Select exactly one PartDesign feature or a body. Seleccione exactamente una operación de DiseñoDePieza o un cuerpo. - + Couldn't determine a body for the selected feature '%s'. No se pudo determinar un cuerpo para la operación seleccionada '%s'. - + Only a solid feature can be the tip of a body. Sólo una operación sólida puede ser la punta de un cuerpo. - - - + + + Features cannot be moved Las operaciones no se pueden mover - + Some of the selected features have dependencies in the source body Algunas de las operaciones seleccionadas tienen dependencias en el cuerpo original - + Only features of a single source Body can be moved Sólo las operaciones de un cuerpo de origen pueden ser movidas - + There are no other bodies to move to No hay otros cuerpos para moverse - + Impossible to move the base feature of a body. Imposible mover la operación base de un cuerpo. - + Select one or more features from the same body. Seleccione una o más operaciones del mismo cuerpo. - + Beginning of the body Principio del cuerpo - + Dependency violation Violación de dependencias - + Early feature must not depend on later feature. @@ -3697,29 +3698,29 @@ Esto puede conducir a resultados inesperados. - + No previous feature found Ninguna operación anterior encontrada - + It is not possible to create a subtractive feature without a base feature available 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 - + Construction line %1 Línea de construcción %1 @@ -4752,25 +4753,25 @@ más de 90: radio de agujero más grande en la parte inferior Operación booleana no soportada - + - + Resulting shape is not a solid La forma resultante no es un sólido - - - + + + - + Result has multiple solids: that is not currently supported. @@ -4850,71 +4851,71 @@ más de 90: radio de agujero más grande en la parte inferior - el croquis seleccionado no pertenece al Cuerpo activo. - + Length too small Longitud demasiado pequeña - + Second length too small Segunda longitud demasiado pequeña - + Failed to obtain profile shape Error al obtener la forma del perfil - + Creation failed because direction is orthogonal to sketch's normal vector La creación falló porque la dirección es ortogonal al vector normal del croquis - + Extrude: Can only offset one face Extruir: Solo se puede desfasar una cara - - + + Creating a face from sketch failed Fallo al crear una cara a partir del croquis - + Up to face: Could not get SubShape! Hasta la cara: ¡No se pudo obtener SubShape! - + Unable to reach the selected shape, please select faces No se puede llegar a la forma seleccionada, por favor seleccione caras - + Magnitude of taper angle matches or exceeds 90 degrees La magnitud del ángulo cónico coincide o supera los 90 grados - + Padding with draft angle failed Falló la extrusión con ángulo de salida - + Revolve axis intersects the sketch Eje de revolución interseca el croquis - + 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. @@ -5112,22 +5113,22 @@ No se permiten interceptar entidades de croquis o múltiples caras en un croquis Loft: Se necesita al menos una sección - + Loft: A fatal error occurred when making the loft Loft: Se ha producido un error fatal al crear el loft - + Loft: Creating a face from sketch failed Proyección aditiva: Fallo al crear una cara a partir del croquis - + Loft: Failed to create shell Proyección aditiva: Error al crear el cascarón - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed. No se pudo crear la cara a partir del croquis. @@ -5244,13 +5245,13 @@ No se permiten interceptar entidades de croquis o múltiples caras en un croquis No se puede sustraer la característica primitiva sin la función base - + Unknown operation type Tipo de operación desconocido - + Failed to perform boolean operation Error al realizar la operación booleana @@ -5354,22 +5355,22 @@ No se permiten interceptar entidades de croquis o múltiples caras en un croquis delta x2 de cuña es negativa - + Angle of revolution too large Ángulo de revolución demasiado grande - + Angle of revolution too small Ángulo de revolución demasiado pequeño - + Reference axis is invalid Eje de referencia no es válido - + Fusion with base feature failed Falló la fusión con la función base @@ -5415,12 +5416,12 @@ No se permiten interceptar entidades de croquis o múltiples caras en un croquis CmdPartDesignCompDatums - + Create datum Crear datum - + Create a datum object or local coordinate system Crear un objeto de datum o sistema de coordenadas local @@ -5428,14 +5429,30 @@ No se permiten interceptar entidades de croquis o múltiples caras en un croquis CmdPartDesignCompSketches - + Create datum Crear datum - + Create a datum object or local coordinate system Crear un objeto de datum o sistema de coordenadas local + + PartDesignGui::TaskDlgRevolutionParameters + + + Revolution parameters + Parámetros de revolución + + + + PartDesignGui::TaskDlgGrooveParameters + + + Groove parameters + Groove parameters + + 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 02b859874183..bc0e475f4326 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_es-ES.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_es-ES.ts @@ -129,17 +129,17 @@ para que se evite la auto intersección. CmdPartDesignAdditiveHelix - + PartDesign Diseño de piezas - + Additive helix Hélice aditiva - + Sweep a selected sketch along a helix Hacer un barrido al croquis seleccionado a lo largo de una hélice @@ -147,17 +147,17 @@ para que se evite la auto intersección. CmdPartDesignAdditiveLoft - + PartDesign Diseño de piezas - + Additive loft Proyección aditiva - + Loft a selected profile through other profile sections Interpola un perfil seleccionado a través de otras secciones de perfil @@ -165,17 +165,17 @@ para que se evite la auto intersección. CmdPartDesignAdditivePipe - + PartDesign Diseño de piezas - + Additive pipe Tubo aditivo - + Sweep a selected sketch along a path or to other profiles Barrido del croquis seleccionado a lo largo de un camino o de otros perfiles @@ -183,17 +183,17 @@ para que se evite la auto intersección. CmdPartDesignBody - + PartDesign Diseño de piezas - + Create body Crear cuerpo - + Create a new body and make it active Crear un nuevo cuerpo y activarlo @@ -201,17 +201,17 @@ para que se evite la auto intersección. CmdPartDesignBoolean - + PartDesign Diseño de piezas - + Boolean operation Operación booleana - + Boolean operation with two or more bodies Operación booleana con dos cuerpos o más @@ -237,17 +237,17 @@ para que se evite la auto intersección. CmdPartDesignChamfer - + PartDesign Diseño de piezas - + Chamfer Chaflán - + Chamfer the selected edges of a shape Crear chaflán para el borde seleccionado @@ -273,17 +273,17 @@ para que se evite la auto intersección. CmdPartDesignDraft - + PartDesign Diseño de piezas - + Draft Calado - + Make a draft on a face Hacer una inclinación en una cara @@ -291,17 +291,17 @@ para que se evite la auto intersección. CmdPartDesignDuplicateSelection - + PartDesign Diseño de piezas - + Duplicate selected object Duplicar el objeto seleccionado - + Duplicates the selected object and adds it to the active body Duplica el objeto seleccionado y lo agrega al cuerpo activo @@ -309,17 +309,17 @@ para que se evite la auto intersección. CmdPartDesignFillet - + PartDesign Diseño de piezas - + Fillet Redondear - + Make a fillet on an edge, face or body Crear un redondeado en una arista, cara o cuerpo @@ -327,17 +327,17 @@ para que se evite la auto intersección. CmdPartDesignGroove - + PartDesign Diseño de piezas - + Groove Ranura - + Groove a selected sketch Ranura generada mediante revolución de un croquis seleccionado @@ -345,17 +345,17 @@ para que se evite la auto intersección. CmdPartDesignHole - + PartDesign Diseño de piezas - + Hole Agujero - + Create a hole with the selected sketch Crear un agujero con el croquis seleccionado @@ -381,17 +381,17 @@ para que se evite la auto intersección. CmdPartDesignLinearPattern - + PartDesign Diseño de piezas - + LinearPattern Patrón Lineal - + Create a linear pattern feature Crear una operación de patrón lineal @@ -399,17 +399,17 @@ para que se evite la auto intersección. CmdPartDesignMigrate - + PartDesign Diseño de piezas - + Migrate Migrar - + Migrate document to the modern PartDesign workflow Migrar documentos al flujo de trabajo PartDesign moderno @@ -417,17 +417,17 @@ para que se evite la auto intersección. CmdPartDesignMirrored - + PartDesign Diseño de piezas - + Mirrored Simetría - + Create a mirrored feature Crear una operación simétrica @@ -435,17 +435,17 @@ para que se evite la auto intersección. CmdPartDesignMoveFeature - + PartDesign Diseño de piezas - + Move object to other body Mover objeto a otro cuerpo - + Moves the selected object to another body Mueve el objeto seleccionado a otro cuerpo @@ -453,17 +453,17 @@ para que se evite la auto intersección. CmdPartDesignMoveFeatureInTree - + PartDesign Diseño de piezas - + Move object after other object Mover objeto después de otro objeto - + Moves the selected object and insert it after another object Se mueve el objeto seleccionado e introduzca después de otro objeto @@ -471,17 +471,17 @@ para que se evite la auto intersección. CmdPartDesignMoveTip - + PartDesign Diseño de piezas - + Set tip Definir punto de trabajo - + Move the tip of the body Mover la esquina del cuerpo @@ -489,17 +489,17 @@ para que se evite la auto intersección. CmdPartDesignMultiTransform - + PartDesign Diseño de piezas - + Create MultiTransform Crear MultiTransformación - + Create a multitransform feature Crear una operación de multi-transformación @@ -561,17 +561,17 @@ para que se evite la auto intersección. CmdPartDesignPocket - + PartDesign Diseño de piezas - + Pocket Vaciado - + Create a pocket with the selected sketch Crear un vaciado con el croquis seleccionado @@ -597,17 +597,17 @@ para que se evite la auto intersección. CmdPartDesignPolarPattern - + PartDesign Diseño de piezas - + PolarPattern Patrón Polar - + Create a polar pattern feature Crear una operación de patrón polar @@ -615,17 +615,17 @@ para que se evite la auto intersección. CmdPartDesignRevolution - + PartDesign Diseño de piezas - + Revolution Revolución - + Revolve a selected sketch Revolucionar un croquis seleccionado @@ -633,17 +633,17 @@ para que se evite la auto intersección. CmdPartDesignScaled - + PartDesign Diseño de piezas - + Scaled Escalado - + Create a scaled feature Crear operación de escalado @@ -683,17 +683,17 @@ para que se evite la auto intersección. CmdPartDesignSubtractiveHelix - + PartDesign Diseño de piezas - + Subtractive helix Hélice sustractiva - + Sweep a selected sketch along a helix and remove it from the body Hacer un barrido al croquis seleccionado a lo largo de una hélice y eliminarlo del cuerpo @@ -701,17 +701,17 @@ para que se evite la auto intersección. CmdPartDesignSubtractiveLoft - + PartDesign Diseño de piezas - + Subtractive loft Proyección sustractiva - + Loft a selected profile through other profile sections and remove it from the body Interpola un perfil seleccionado a través de otras secciones de perfil y lo retira del cuerpo @@ -719,17 +719,17 @@ para que se evite la auto intersección. CmdPartDesignSubtractivePipe - + PartDesign Diseño de piezas - + Subtractive pipe Tubo sustractivo - + Sweep a selected sketch along a path or to other profiles and remove it from the body Vaciar del cuerpo un barrido del croquis seleccionado a través de una trayectoria u otros perfiles, @@ -737,17 +737,17 @@ para que se evite la auto intersección. CmdPartDesignThickness - + PartDesign Diseño de piezas - + Thickness Espesor - + Make a thick solid Dar a un sólido espesor @@ -766,42 +766,42 @@ para que se evite la auto intersección. Crear a una primitiva aditiva - + Additive Box Cubo Aditivo - + Additive Cylinder Cilindro Aditivo - + Additive Sphere Esfera Aditiva - + Additive Cone Cono Aditivo - + Additive Ellipsoid Elipsoide Aditivo - + Additive Torus Toro Aditivo - + Additive Prism Prima Aditivo - + Additive Wedge Cuña Aditiva @@ -809,53 +809,53 @@ para que se evite la auto intersección. CmdPrimtiveCompSubtractive - + PartDesign Diseño de piezas - - + + Create a subtractive primitive Crear una primitiva sustractiva - + Subtractive Box Caja sustractiva - + Subtractive Cylinder Cilindro sustractivo - + Subtractive Sphere Esfera sustractiva - + Subtractive Cone Cono sustractivo - + Subtractive Ellipsoid Elipsoide sustractivo - + Subtractive Torus Toro sustractivo - + Subtractive Prism Prisma sustractivo - + Subtractive Wedge Cuña sustractiva @@ -895,47 +895,48 @@ para que se evite la auto intersección. + Create a new Sketch Crear un nuevo Croquis - + Convert to MultiTransform feature Convertir a función MultiTransformación - + Create Boolean Crear Booleano - + Add a Body Añadir un Cuerpo - + Migrate legacy Part Design features to Bodies Migrar características heredadas de Part Design a Cuerpos - + Move tip to selected feature Mover la sugerencia a la característica seleccionada - + Duplicate a PartDesign object Duplicar un objeto PartDesign - + Move an object Mover un objeto - + Move an object inside tree Mover un objeto dentro del árbol @@ -1606,7 +1607,7 @@ haga clic de nuevo para finalizar la selección PartDesignGui::TaskDlgFeatureParameters - + Input error Error de entrada @@ -1699,13 +1700,13 @@ haga clic de nuevo para finalizar la selección PartDesignGui::TaskExtrudeParameters - + No face selected Sin cara seleccionada - + Face Cara @@ -1725,38 +1726,38 @@ haga clic de nuevo para finalizar la selección Seleccione caras - + No shape selected No hay forma seleccionada - + Sketch normal Croquis normal - + Face normal Normal de la cara - + Select reference... Seleccione referencia... - - + + Custom direction Dirección personalizada - + Click on a shape in the model Haga clic en una forma en el modelo - + Click on a face in the model Haga clic en una cara en el modelo @@ -2801,7 +2802,7 @@ measured along the specified direction - + Dimension Cota @@ -2812,19 +2813,19 @@ measured along the specified direction - + Base X axis Eje X base - + Base Y axis Eje Y base - + Base Z axis Eje Z base @@ -2840,7 +2841,7 @@ measured along the specified direction - + Select reference... Seleccione referencia... @@ -2850,24 +2851,24 @@ measured along the specified direction Ángulo: - + Symmetric to plane Simétrico al plano - + Reversed Invertido - + 2nd angle 2do ángulo - - + + Face Cara @@ -2877,37 +2878,37 @@ measured along the specified direction Actualizar vista - + Revolution parameters Parámetros de revolución - + To last Al final - + Through all A través de todos - + To first Al primer lugar - + Up to face Hasta la cara - + Two dimensions Dos dimensiones - + No face selected Sin cara seleccionada @@ -3237,42 +3238,42 @@ haga clic de nuevo para finalizar la selección PartDesign_CompPrimitiveAdditive - + Create an additive box by its width, height, and length Crear una caja aditiva por su anchura, altura y longitud - + Create an additive cylinder by its radius, height, and angle Crear un cilindro aditivo por su radio, altura y ángulo - + Create an additive sphere by its radius and various angles Crear una esfera aditiva por su radio y varios ángulos - + Create an additive cone Crear un cono aditivo - + Create an additive ellipsoid Crear un elipsoide aditivo - + Create an additive torus Crear un toro aditivo - + Create an additive prism Crear un prisma aditivo - + Create an additive wedge Crear una cuña aditiva @@ -3280,42 +3281,42 @@ haga clic de nuevo para finalizar la selección PartDesign_CompPrimitiveSubtractive - + Create a subtractive box by its width, height and length Crear una caja sustractiva por su anchura, altura y longitud - + Create a subtractive cylinder by its radius, height and angle Crear un cilindro sustractivo por su radio, altura y ángulo - + Create a subtractive sphere by its radius and various angles Crear una esfera sustractiva por su radio y varios ángulos - + Create a subtractive cone Crear un cono sustractivo - + Create a subtractive ellipsoid Crear un elipsoide sustractivo - + Create a subtractive torus Crear un toro sustractivo - + Create a subtractive prism Crear un prisma sustractivo - + Create a subtractive wedge Crear una cuña sustractiva @@ -3323,12 +3324,12 @@ haga clic de nuevo para finalizar la selección PartDesign_MoveFeature - + Select body Seleccione cuerpo - + Select a body from the list Seleccione un cuerpo de la lista @@ -3336,27 +3337,27 @@ haga clic de nuevo para finalizar la selección PartDesign_MoveFeatureInTree - + Select feature Seleccione una caracteristica - + Select a feature from the list Seleccionar una función desde la lista - + Move tip Mover punta - + The moved feature appears after the currently set tip. La característica movida aparece después de la punta configurada en ese momento. - + Do you want the last feature to be the new tip? ¿Quiere que la última característica sea la nueva punta? @@ -3391,42 +3392,42 @@ haga clic de nuevo para finalizar la selección Sub Shape Binder - + Several sub-elements selected Varios sub-elementos seleccionados - + You have to select a single face as support for a sketch! ¡Tiene que seleccionar una sola cara como soporte para un croquis! - + No support face selected No se ha seleccionado una cara de apoyo - + You have to select a face as support for a sketch! ¡Tiene que seleccionar una cara como apoyo para un croquis! - + No planar support No hay soporte plano - + You need a planar face as support for a sketch! ¡Necesita una cara plana como apoyo para un croquis! - + No valid planes in this document No hay planos válidos en este documento - + Please create a plane first or select a face to sketch on Por favor, crea un plano primero o selecciona una cara para croquizar @@ -3485,207 +3486,207 @@ haga clic de nuevo para finalizar la selección Ningún croquis disponible en el documento - - + + Wrong selection Selección incorrecta - + Select an edge, face, or body from a single body. Seleccione un borde, cara o cuerpo de un solo cuerpo. - - + + Selection is not in Active Body La selección no está en un Cuerpo Activo - + Select an edge, face, or body from an active body. Seleccione un borde, cara o cuerpo de un cuerpo activo. - + Wrong object type Tipo de objeto incorrecto - + %1 works only on parts. %1 sólo funciona en piezas. - + Shape of the selected Part is empty Forma de la Pieza seleccionada está vacía - + Please select only one feature in an active body. Por favor, seleccione sólo una característica en un cuerpo activo. - + Part creation failed Creación de pieza fallido - + Failed to create a part object. Fallo al crear un objeto de pieza. - - - - + + + + Bad base feature Mala operación base - + Body can't be based on a PartDesign feature. El cuerpo no puede basarse en una operación de PartDesign. - + %1 already belongs to a body, can't use it as base feature for another body. %1 ya pertenece a un cuerpo, no puede utilizarla como operación para otro cuerpo. - + Base feature (%1) belongs to other part. Característica base (%1) pertenece a otra parte. - + The selected shape consists of multiple solids. This may lead to unexpected results. La forma seleccionada se compone de múltiples sólidos. Esto puede conducir a resultados inesperados. - + The selected shape consists of multiple shells. This may lead to unexpected results. La forma seleccionada se compone de múltiples fundas. Esto puede conducir a resultados inesperados. - + The selected shape consists of only a shell. This may lead to unexpected results. La forma seleccionada consta de sólo una funda. Esto puede conducir a resultados inesperados. - + The selected shape consists of multiple solids or shells. This may lead to unexpected results. La forma seleccionada consta de múltiplos sólidos o fundas. Esto puede conducir a resultados inesperados. - + Base feature Operación base - + Body may be based on no more than one feature. El cuerpo puede basarse en no más de un función. - + Body Cuerpo - + Nothing to migrate Nada para migrar - + No PartDesign features found that don't belong to a body. Nothing to migrate. No se han encontrado características de PartDesign que no pertenecen a un cuerpo. Nada que migrar. - + Sketch plane cannot be migrated El plano de croquis no se puede migrar - + Please edit '%1' and redefine it to use a Base or Datum plane as the sketch plane. Por favor edite '%1' y vuelva a definirlo para usar una Base o plano de Referencia como plano de croquis. - - - - - + + + + + Selection error Error de selección - + Select exactly one PartDesign feature or a body. Seleccione exactamente una operación de PartDesign o un cuerpo. - + Couldn't determine a body for the selected feature '%s'. No se pudo determinar un cuerpo para la función seleccionada '%s'. - + Only a solid feature can be the tip of a body. Sólo una caracteristica sólida puede ser la punta de un cuerpo. - - - + + + Features cannot be moved Las características no se pueden mover - + Some of the selected features have dependencies in the source body Algunas de las características seleccionadas tienen dependencias en el cuerpo fuente - + Only features of a single source Body can be moved Características únicas de una sola fuente de cuerpo que se pueden mover - + There are no other bodies to move to No hay otros cuerpos para mover a - + Impossible to move the base feature of a body. Imposible mover la operación base de un cuerpo. - + Select one or more features from the same body. Seleccione una o más características del mismo cuerpo. - + Beginning of the body Principio del cuerpo - + Dependency violation Violación de dependencias - + Early feature must not depend on later feature. @@ -3694,29 +3695,29 @@ This may lead to unexpected results. - + No previous feature found Ninguna característica anterior encontrada - + It is not possible to create a subtractive feature without a base feature available 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 - + Construction line %1 Línea de construcción %1 @@ -4749,25 +4750,25 @@ más de 90: radio de agujero más grande en la parte inferior Operación booleana no soportada - + - + Resulting shape is not a solid La forma resultante no es un sólido - - - + + + - + Result has multiple solids: that is not currently supported. @@ -4847,71 +4848,71 @@ más de 90: radio de agujero más grande en la parte inferior - el croquis seleccionado no pertenece al Cuerpo activo. - + Length too small Longitud muy pequeña - + Second length too small Segunda longitud muy pequeña - + Failed to obtain profile shape Error al obtener la forma del perfil - + Creation failed because direction is orthogonal to sketch's normal vector La creación ha fallado porque la dirección es ortogonal al vector normal del croquis - + Extrude: Can only offset one face Extruir: Solo se puede desfasar una cara - - + + Creating a face from sketch failed Fallo al crear una cara a partir del croquis - + Up to face: Could not get SubShape! Hasta la cara: ¡No se pudo obtener subforma! - + Unable to reach the selected shape, please select faces No se puede llegar a la forma seleccionada, por favor seleccione caras - + Magnitude of taper angle matches or exceeds 90 degrees La magnitud del ángulo del cono coincide o supera los 90 grados - + Padding with draft angle failed Falló la extrusión con ángulo de salida - + Revolve axis intersects the sketch El eje de revolución intercepta el croquis - + Could not revolve the sketch! ¡No se puede revolucionar el croquis! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. @@ -5109,22 +5110,22 @@ No se permiten interceptar entidades de croquis o múltiples caras en un croquis Loft: Se necesita al menos una sección - + Loft: A fatal error occurred when making the loft Loft: Se ha producido un error fatal al crear el loft - + Loft: Creating a face from sketch failed Proyección aditiva: Fallo al crear una cara a partir del croquis - + Loft: Failed to create shell Proyección aditiva: Error al crear el cascarón - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed. No se pudo crear la cara a partir del croquis. @@ -5241,13 +5242,13 @@ No se permiten interceptar entidades de croquis o múltiples caras en un croquis No se puede sustraer la característica primitiva sin la función base - + Unknown operation type Tipo de operación desconocida - + Failed to perform boolean operation Hubo un fallo al realizar la operación booleana @@ -5351,22 +5352,22 @@ No se permiten interceptar entidades de croquis o múltiples caras en un croquis delta x2 de cuña es negativa - + Angle of revolution too large Ángulo de revolución demasiado grande - + Angle of revolution too small Ángulo de revolución demasiado pequeño - + Reference axis is invalid El eje de referencia es inválido - + Fusion with base feature failed Falló la fusión con la función base @@ -5412,12 +5413,12 @@ No se permiten interceptar entidades de croquis o múltiples caras en un croquis CmdPartDesignCompDatums - + Create datum Crear datum - + Create a datum object or local coordinate system Crear un objeto de datum o sistema de coordenadas local @@ -5425,14 +5426,30 @@ No se permiten interceptar entidades de croquis o múltiples caras en un croquis CmdPartDesignCompSketches - + Create datum Crear datum - + Create a datum object or local coordinate system Crear un objeto de datum o sistema de coordenadas local + + PartDesignGui::TaskDlgRevolutionParameters + + + Revolution parameters + Parámetros de revolución + + + + PartDesignGui::TaskDlgGrooveParameters + + + Groove parameters + Groove parameters + + diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_eu.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_eu.ts index ddf1d385562c..c4ccf6a94245 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_eu.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_eu.ts @@ -128,17 +128,17 @@ so that self intersection is avoided. CmdPartDesignAdditiveHelix - + PartDesign PartDesign - + Additive helix Helize gehitzailea - + Sweep a selected sketch along a helix Ekortu hautatutako krokis bat helize batean zehar @@ -146,17 +146,17 @@ so that self intersection is avoided. CmdPartDesignAdditiveLoft - + PartDesign PartDesign - + Additive loft Jaurtitze gehigarria - + Loft a selected profile through other profile sections Jaurti hautatutako profil bat beste profil-sekzio batzuen artetik @@ -164,17 +164,17 @@ so that self intersection is avoided. CmdPartDesignAdditivePipe - + PartDesign PartDesign - + Additive pipe Hodi gehigarria - + Sweep a selected sketch along a path or to other profiles Ekortu hautatutako krokis bat bide batean zehar edo beste profil batzuetara @@ -182,17 +182,17 @@ so that self intersection is avoided. CmdPartDesignBody - + PartDesign PartDesign - + Create body Sortu gorputza - + Create a new body and make it active Sortu gorputz berria eta hura aktibatu @@ -200,17 +200,17 @@ so that self intersection is avoided. CmdPartDesignBoolean - + PartDesign PartDesign - + Boolean operation Eragiketa boolearra - + Boolean operation with two or more bodies Eragiketa boolearra bi gorputz edo gehiagorekin @@ -236,17 +236,17 @@ so that self intersection is avoided. CmdPartDesignChamfer - + PartDesign PartDesign - + Chamfer Alaka - + Chamfer the selected edges of a shape Alakatu forma batean hautatutako ertzak @@ -272,17 +272,17 @@ so that self intersection is avoided. CmdPartDesignDraft - + PartDesign PartDesign - + Draft Zirriborroa - + Make a draft on a face Egin zirriborro bat aurpegi batean @@ -290,17 +290,17 @@ so that self intersection is avoided. CmdPartDesignDuplicateSelection - + PartDesign PartDesign - + Duplicate selected object Bikoiztu hautatutako objektua - + Duplicates the selected object and adds it to the active body Hautatutako objektua bikoizten du eta gorputz aktiboari gehitzen dio @@ -308,17 +308,17 @@ so that self intersection is avoided. CmdPartDesignFillet - + PartDesign PartDesign - + Fillet Biribiltzea - + Make a fillet on an edge, face or body Biribildu ertz, aurpegi edo gorputz bat @@ -326,17 +326,17 @@ so that self intersection is avoided. CmdPartDesignGroove - + PartDesign PartDesign - + Groove Arteka - + Groove a selected sketch Artekatu hautatutako krokis bat @@ -344,17 +344,17 @@ so that self intersection is avoided. CmdPartDesignHole - + PartDesign PartDesign - + Hole Zuloa - + Create a hole with the selected sketch Sortu zulo bat hautatutako krokisarekin @@ -380,17 +380,17 @@ so that self intersection is avoided. CmdPartDesignLinearPattern - + PartDesign PartDesign - + LinearPattern Eredu lineala - + Create a linear pattern feature Sortu eredu linealaren elementu bat @@ -398,17 +398,17 @@ so that self intersection is avoided. CmdPartDesignMigrate - + PartDesign PartDesign - + Migrate Berritu bertsioa - + Migrate document to the modern PartDesign workflow Berritu dokumentuaren bertsioa PartDesign lan-fluxu modernora @@ -416,17 +416,17 @@ so that self intersection is avoided. CmdPartDesignMirrored - + PartDesign PartDesign - + Mirrored Ispilatua - + Create a mirrored feature Sortu elementu ispilatu bat @@ -434,17 +434,17 @@ so that self intersection is avoided. CmdPartDesignMoveFeature - + PartDesign PartDesign - + Move object to other body Mugitu objektua beste gorputz batera - + Moves the selected object to another body Hautatutako objektua beste gorputz batera mugitzen du @@ -452,17 +452,17 @@ so that self intersection is avoided. CmdPartDesignMoveFeatureInTree - + PartDesign PartDesign - + Move object after other object Mugitu objektua beste objektu baten ondoren - + Moves the selected object and insert it after another object Hautatutako objektua mugitzen du eta beste objektu baten ondoren txertatzen du @@ -470,17 +470,17 @@ so that self intersection is avoided. CmdPartDesignMoveTip - + PartDesign PartDesign - + Set tip Ezarri punta - + Move the tip of the body Mugitu gorputzaren punta @@ -488,17 +488,17 @@ so that self intersection is avoided. CmdPartDesignMultiTransform - + PartDesign PartDesign - + Create MultiTransform Sortu transformazio anitza - + Create a multitransform feature Sortu transformazio anitzeko elementua @@ -560,17 +560,17 @@ so that self intersection is avoided. CmdPartDesignPocket - + PartDesign PartDesign - + Pocket Poltsa - + Create a pocket with the selected sketch Sortu poltsa bat hautatutako krokisarekin @@ -596,17 +596,17 @@ so that self intersection is avoided. CmdPartDesignPolarPattern - + PartDesign PartDesign - + PolarPattern Eredu polarra - + Create a polar pattern feature Sortu eredu polarreko elementu bat @@ -614,17 +614,17 @@ so that self intersection is avoided. CmdPartDesignRevolution - + PartDesign PartDesign - + Revolution Erreboluzioa - + Revolve a selected sketch Erreboluzionatu hautatutako krokis bat @@ -632,17 +632,17 @@ so that self intersection is avoided. CmdPartDesignScaled - + PartDesign PartDesign - + Scaled Eskalatua - + Create a scaled feature Sortu elementu eskalatu bat @@ -682,17 +682,17 @@ so that self intersection is avoided. CmdPartDesignSubtractiveHelix - + PartDesign PartDesign - + Subtractive helix Helize kentzailea - + Sweep a selected sketch along a helix and remove it from the body Ekortu hautatutako krokisa helize batean zehar eta kendu gorputzetik @@ -700,17 +700,17 @@ so that self intersection is avoided. CmdPartDesignSubtractiveLoft - + PartDesign PartDesign - + Subtractive loft Jaurtitze kentzailea - + Loft a selected profile through other profile sections and remove it from the body Jaurti hautatutako profil bat beste profil-sekzio batzuen artetik eta kendu hura gorputzetik @@ -718,17 +718,17 @@ so that self intersection is avoided. CmdPartDesignSubtractivePipe - + PartDesign PartDesign - + Subtractive pipe Hodi kentzailea - + Sweep a selected sketch along a path or to other profiles and remove it from the body Ekortu hautatutako krokisa bide batean zehar edo beste profil batzuetara eta kendu gorputzetik @@ -736,17 +736,17 @@ so that self intersection is avoided. CmdPartDesignThickness - + PartDesign PartDesign - + Thickness Lodiera - + Make a thick solid Sortu solido lodi bat @@ -765,42 +765,42 @@ so that self intersection is avoided. Sortu jatorrizko gehitzaile bat - + Additive Box Kutxa gehitzailea - + Additive Cylinder Zilindro gehitzailea - + Additive Sphere Esfera gehitzailea - + Additive Cone Kono gehitzailea - + Additive Ellipsoid Elipsoide gehitzailea - + Additive Torus Toru gehitzailea - + Additive Prism Prisma gehitzailea - + Additive Wedge Falka gehitzailea @@ -808,53 +808,53 @@ so that self intersection is avoided. CmdPrimtiveCompSubtractive - + PartDesign PartDesign - - + + Create a subtractive primitive Sortu jatorrizko kentzaile bat - + Subtractive Box Kutxa kentzailea - + Subtractive Cylinder Zilindro kentzailea - + Subtractive Sphere Esfera kentzailea - + Subtractive Cone Kono kentzailea - + Subtractive Ellipsoid Elipsoide kentzailea - + Subtractive Torus Toru kentzailea - + Subtractive Prism Prisma kentzailea - + Subtractive Wedge Falka kentzailea @@ -894,47 +894,48 @@ so that self intersection is avoided. + Create a new Sketch Sortu krokis berria - + Convert to MultiTransform feature Bihurtu transformazio anitzeko elementu - + Create Boolean Sortu boolearra - + Add a Body Gehitu gorputz bat - + Migrate legacy Part Design features to Bodies Migrate legacy Part Design features to Bodies - + Move tip to selected feature Eraman punta hautatutako elementura - + Duplicate a PartDesign object Bikoiztu PartDesign objektu bat - + Move an object Aldatu lekuz objektu bat - + Move an object inside tree Aldatu objektu bat lekuz zuhaitzaren barruan @@ -1605,7 +1606,7 @@ sakatu berriro hautapena amaitzeko PartDesignGui::TaskDlgFeatureParameters - + Input error Sarrera-errorea @@ -1698,13 +1699,13 @@ sakatu berriro hautapena amaitzeko PartDesignGui::TaskExtrudeParameters - + No face selected Ez da aurpegirik hautatu - + Face Aurpegia @@ -1724,38 +1725,38 @@ sakatu berriro hautapena amaitzeko Hautatu aurpegiak - + No shape selected Ez da formarik hautatu - + Sketch normal Krokisaren normala - + Face normal Aurpegiaren normala - + Select reference... Hautatu erreferentzia... - - + + Custom direction Norabide pertsonalizatua - + Click on a shape in the model Click on a shape in the model - + Click on a face in the model Egin klik ereduaren aurpegietako batean @@ -2801,7 +2802,7 @@ zehaztutako norabidean - + Dimension Kota @@ -2812,19 +2813,19 @@ zehaztutako norabidean - + Base X axis Oinarriko X ardatza - + Base Y axis Oinarriko Y ardatza - + Base Z axis Oinarriko Z ardatza @@ -2840,7 +2841,7 @@ zehaztutako norabidean - + Select reference... Hautatu erreferentzia... @@ -2850,24 +2851,24 @@ zehaztutako norabidean Angelua: - + Symmetric to plane Planoarekiko simetrikoa - + Reversed Alderantzikatua - + 2nd angle 2nd angle - - + + Face Aurpegia @@ -2877,37 +2878,37 @@ zehaztutako norabidean Eguneratu bista - + Revolution parameters Erreboluzio-parametroak - + To last Azkenera - + Through all Guztien zehar - + To first Lehenera - + Up to face Aurpegira - + Two dimensions Bi kota - + No face selected Ez da aurpegirik hautatu @@ -3237,42 +3238,42 @@ sakatu berriro hautapena amaitzeko PartDesign_CompPrimitiveAdditive - + Create an additive box by its width, height, and length Sortu kutxa gehitzaile bat bere zabalera, altuera eta luzera erabiliz - + Create an additive cylinder by its radius, height, and angle Sortu zilindro gehitzaile bat bere erradioa, altuera eta angelua erabiliz - + Create an additive sphere by its radius and various angles Sortu esfera gehitzaile bat bere erradioa eta hainbat angelu erabiliz - + Create an additive cone Sortu kono gehitzaile bat - + Create an additive ellipsoid Sortu elipsoide gehitzaile bat - + Create an additive torus Sortu toru gehitzaile bat - + Create an additive prism Sortu prisma gehitzailea - + Create an additive wedge Sortu falka gehitzaile bat @@ -3280,42 +3281,42 @@ sakatu berriro hautapena amaitzeko PartDesign_CompPrimitiveSubtractive - + Create a subtractive box by its width, height and length Sortu kutxa kentzaile bat bere zabalera, altuera eta luzera erabiliz - + Create a subtractive cylinder by its radius, height and angle Sortu zilindro kentzaile bat bere erradioa, altuera eta angelua erabiliz - + Create a subtractive sphere by its radius and various angles Sortu esfera kentzaile bat bere erradioa eta zenbait angelu erabiliz - + Create a subtractive cone Sortu kono kentzaile bat - + Create a subtractive ellipsoid Sortu elipsoide kentzaile bat - + Create a subtractive torus Sortu toru kentzaile bat - + Create a subtractive prism Sortu prima kentzaile bat - + Create a subtractive wedge Sortu falka kentzaile bat @@ -3323,12 +3324,12 @@ sakatu berriro hautapena amaitzeko PartDesign_MoveFeature - + Select body Hautatu gorputza - + Select a body from the list Hautatu zerrendako gorputz bat @@ -3336,27 +3337,27 @@ sakatu berriro hautapena amaitzeko PartDesign_MoveFeatureInTree - + Select feature Hautatu elementua - + Select a feature from the list Hautatu zerrendako elementu bat - + Move tip Mugitu punta - + The moved feature appears after the currently set tip. Lekuz aldatutako elementua unean ezarritako puntaren ondoren ageri da. - + Do you want the last feature to be the new tip? Azken elementua punta berria izan dadin nahi duzu? @@ -3391,42 +3392,42 @@ sakatu berriro hautapena amaitzeko Azpiformaren zorroa - + Several sub-elements selected Azpielementu bat baino gehiago hautatu da - + You have to select a single face as support for a sketch! Aurpegi bakarra hautatu behar duzu krokis baten euskarri izateko! - + No support face selected Ez da euskarri-aurpegirik hautatu - + You have to select a face as support for a sketch! Aurpegi bat hautatu behar duzu krokis baten euskarri izateko! - + No planar support Ez dago euskarri planarrik - + You need a planar face as support for a sketch! Aurpegi planarra behar duzu krokisaren euskarri izateko! - + No valid planes in this document Ez dago baliozko planorik dokumentu honetan - + Please create a plane first or select a face to sketch on Krokisa sortzeko, lehenengo sortu plano bat edo hautatu aurpegi bat @@ -3485,240 +3486,240 @@ sakatu berriro hautapena amaitzeko Ez dago krokisik erabilgarri dokumentuan - - + + Wrong selection Hautapen okerra - + Select an edge, face, or body from a single body. Hautatu gorputz bakar bateko ertz, aurpegi edo beste gorputz bat. - - + + Selection is not in Active Body Hautapena ez da gorputz aktiboa - + Select an edge, face, or body from an active body. Hautatu gorputz aktibo bateko ertz, aurpegi edo beste gorputz bat. - + Wrong object type Objektu mota okerra - + %1 works only on parts. %1 piezetan soilik dabil. - + Shape of the selected Part is empty Hautatutako piezaren forma hutsik dago - + Please select only one feature in an active body. Hautatu gorputz aktibo bateko elementu bakar bat. - + Part creation failed Piezaren sorrerak huts egin du - + Failed to create a part object. Ezin izan da pieza-objektu bat sortu. - - - - + + + + Bad base feature Oinarri-elementu okerra - + Body can't be based on a PartDesign feature. Gorputza ezin da oinarritu PartDesign elementu batean. - + %1 already belongs to a body, can't use it as base feature for another body. %1 dagoeneko gorputz batena da, ezin da erabili beste gorputz baterako oinarri-elementu modura. - + Base feature (%1) belongs to other part. Oinarri-elementua (%1) beste pieza batena da. - + The selected shape consists of multiple solids. This may lead to unexpected results. Hautatutako forma solido anitzez osatuta dago. Espero ez diren emaitzak gerta daitezke. - + The selected shape consists of multiple shells. This may lead to unexpected results. Hautatutako forma oskol anitzez osatuta dago. Espero ez diren emaitzak gerta daitezke. - + The selected shape consists of only a shell. This may lead to unexpected results. Hautatutako forma oskol bakarraz osatuta dago. Espero ez diren emaitzak gerta daitezke. - + The selected shape consists of multiple solids or shells. This may lead to unexpected results. Hautatutako forma solido edo oskol anitzez osatuta dago. Espero ez diren emaitzak gerta daitezke. - + Base feature Oinarri-elementua - + Body may be based on no more than one feature. Gorputza elementu bakar batean oinarritu behar da. - + Body Gorputza - + Nothing to migrate Ez dago bertsioz berritzeko ezer - + No PartDesign features found that don't belong to a body. Nothing to migrate. Ez da aurkitu gorputz bati ez dagokion PartDesign elementurik. Ez dago bertsioz berritzeko ezer. - + Sketch plane cannot be migrated Krokis-planoa ezin da bertsioz berritu - + Please edit '%1' and redefine it to use a Base or Datum plane as the sketch plane. Editatu '%1' eta definitu berriro, oinarri-plano bat edo zero puntuko plano bat erabil dezan krokisaren plano modura. - - - - - + + + + + Selection error Hautapen-errorea - + Select exactly one PartDesign feature or a body. Hautatu PartDesign elementu edo gorputz bakar bat. - + Couldn't determine a body for the selected feature '%s'. Ezin izan da zehaztu gorputz bat hautatutako '%s' elementurako. - + Only a solid feature can be the tip of a body. Elementu solido bat soilik izan daiteke gorputz baten punta. - - - + + + Features cannot be moved Elementuak ezin dira mugitu - + Some of the selected features have dependencies in the source body Hautatutako elementuetako batzuk mendekotasunak dituzten iturburu-gorputzean - + Only features of a single source Body can be moved Iturburuko gorputz bakarreko elementua soilik mugi daitezke - + There are no other bodies to move to Ez dago beste gorputzik hara mugitzeko - + Impossible to move the base feature of a body. Ezin da mugitu gorputz baten oinarri-elementua. - + Select one or more features from the same body. Hautatu gorputz bereko elementu bat edo gehiago. - + Beginning of the body Gorputzaren hasiera - + Dependency violation Mendekotasuna urratu da - + Early feature must not depend on later feature. Elementu goiztiar batek ezin du izan elementu berantiar baten mendekoa. - + No previous feature found Ez da aurreko elementurik aurkitu - + It is not possible to create a subtractive feature without a base feature available Ezin da elementu kentzaile bat sortu oinarri-elementu bat erabilgarri ez badago - + Vertical sketch axis Krokisaren ardatz bertikala - + Horizontal sketch axis Krokisaren ardatz horizontala - + Construction line %1 %1 eraikuntza-lerroa @@ -4752,25 +4753,25 @@ over 90: larger hole radius at the bottom Unsupported boolean operation - + - + Resulting shape is not a solid Emaitza gisa sortutako forma ez da solidoa - - - + + + - + Result has multiple solids: that is not currently supported. @@ -4850,71 +4851,71 @@ over 90: larger hole radius at the bottom - hautatutako krokisa ez da gorputz aktiboarena. - + Length too small Length too small - + Second length too small Second length too small - + Failed to obtain profile shape Failed to obtain profile shape - + Creation failed because direction is orthogonal to sketch's normal vector Creation failed because direction is orthogonal to sketch's normal vector - + Extrude: Can only offset one face Extrude: Can only offset one face - - + + Creating a face from sketch failed Huts egin du aurpegia krokis batetik sortzeak - + Up to face: Could not get SubShape! Up to face: Could not get SubShape! - + Unable to reach the selected shape, please select faces Unable to reach the selected shape, please select faces - + Magnitude of taper angle matches or exceeds 90 degrees Magnitude of taper angle matches or exceeds 90 degrees - + Padding with draft angle failed Padding with draft angle failed - + Revolve axis intersects the sketch Erreboluzio-ardatzak krokisa ebakitzen 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. @@ -5112,22 +5113,22 @@ Ebakitzen diren krokis-entitateek edo krokis bateko aurpegi anitzek ezin dute po Jaurtitzea: Gutxienez sekzio bat behar da - + Loft: A fatal error occurred when making the loft Jaurtitzea: Errore larria gertatu da jaurtitzea egitean - + Loft: Creating a face from sketch failed Loft: Creating a face from sketch failed - + Loft: Failed to create shell Loft: Failed to create shell - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed. Ezin da aurpegia sortu krokisetik abiatuta. @@ -5244,13 +5245,13 @@ Ez da onartzen krokis bateko entitateak edo aurpegi anitz ebakitzea.Ezin da jatorrizko elementuaren kenketa egin oinarri-elementurik gabe - + Unknown operation type Unknown operation type - + Failed to perform boolean operation Failed to perform boolean operation @@ -5354,22 +5355,22 @@ Ez da onartzen krokis bateko entitateak edo aurpegi anitz ebakitzea.Falkaren X2 delta negatiboa da - + Angle of revolution too large Erreboluzio-angelua handiegia da - + Angle of revolution too small Erreboluzio-angelua txikiegia da - + Reference axis is invalid Reference axis is invalid - + Fusion with base feature failed Oinarri-elementuarekin fusionatzeak huts egin du @@ -5415,12 +5416,12 @@ Ez da onartzen krokis bateko entitateak edo aurpegi anitz ebakitzea. CmdPartDesignCompDatums - + Create datum Create datum - + Create a datum object or local coordinate system Create a datum object or local coordinate system @@ -5428,14 +5429,30 @@ Ez da onartzen krokis bateko entitateak edo aurpegi anitz ebakitzea. CmdPartDesignCompSketches - + Create datum Create datum - + Create a datum object or local coordinate system Create a datum object or local coordinate system + + PartDesignGui::TaskDlgRevolutionParameters + + + Revolution parameters + Erreboluzio-parametroak + + + + PartDesignGui::TaskDlgGrooveParameters + + + Groove parameters + Groove parameters + + diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_fi.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_fi.ts index 9ec75f21a591..1226f9273675 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_fi.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_fi.ts @@ -129,17 +129,17 @@ so that self intersection is avoided. CmdPartDesignAdditiveHelix - + PartDesign OsanSuunnittelu - + Additive helix Additive helix - + Sweep a selected sketch along a helix Sweep a selected sketch along a helix @@ -147,17 +147,17 @@ so that self intersection is avoided. CmdPartDesignAdditiveLoft - + PartDesign OsanSuunnittelu - + Additive loft Lisäävä profiilivenytys - + Loft a selected profile through other profile sections Venytä valittu profiili muiden profiilileikkausten kanssa muodoksi @@ -165,17 +165,17 @@ so that self intersection is avoided. CmdPartDesignAdditivePipe - + PartDesign OsanSuunnittelu - + Additive pipe Lisäävä putkimuoto - + Sweep a selected sketch along a path or to other profiles Pyyhkäise valitulla luonnoksella pitkin polkua tai toiseen profiiliin @@ -183,17 +183,17 @@ so that self intersection is avoided. CmdPartDesignBody - + PartDesign OsanSuunnittelu - + Create body Luo kappale - + Create a new body and make it active Luo uusi kappale ja tee siitä aktiivinen @@ -201,17 +201,17 @@ so that self intersection is avoided. CmdPartDesignBoolean - + PartDesign OsanSuunnittelu - + Boolean operation Boolen operaatio - + Boolean operation with two or more bodies Boolen operaatio kahdella tai useammalla kappaleella @@ -237,17 +237,17 @@ so that self intersection is avoided. CmdPartDesignChamfer - + PartDesign OsanSuunnittelu - + Chamfer Viiste - + Chamfer the selected edges of a shape Viiste valittuihin muotoihin reunoista @@ -273,17 +273,17 @@ so that self intersection is avoided. CmdPartDesignDraft - + PartDesign OsanSuunnittelu - + Draft Syväys (vesirajasta pohjaan) - + Make a draft on a face Tee vedos tahkon päälle @@ -291,17 +291,17 @@ so that self intersection is avoided. CmdPartDesignDuplicateSelection - + PartDesign OsanSuunnittelu - + Duplicate selected object Monista valittu objekti - + Duplicates the selected object and adds it to the active body Monistaa valitun objektin ja lisää sen aktiiviseen runkoon @@ -309,17 +309,17 @@ so that self intersection is avoided. CmdPartDesignFillet - + PartDesign OsanSuunnittelu - + Fillet Pyöristä - + Make a fillet on an edge, face or body Tee pyöristys reunaan, pintaan tai runkoon @@ -327,17 +327,17 @@ so that self intersection is avoided. CmdPartDesignGroove - + PartDesign OsanSuunnittelu - + Groove Ura - + Groove a selected sketch Urita valittu luonnos @@ -345,17 +345,17 @@ so that self intersection is avoided. CmdPartDesignHole - + PartDesign OsanSuunnittelu - + Hole Reikä - + Create a hole with the selected sketch Luo reikä valitulla luonnoksella @@ -381,17 +381,17 @@ so that self intersection is avoided. CmdPartDesignLinearPattern - + PartDesign OsanSuunnittelu - + LinearPattern LinearPattern - + Create a linear pattern feature Luo lineaarinen piirresarja @@ -399,17 +399,17 @@ so that self intersection is avoided. CmdPartDesignMigrate - + PartDesign OsanSuunnittelu - + Migrate Siirrä - + Migrate document to the modern PartDesign workflow Siirrä asiakirja uudentyyppiseen OsanSuunnittelu-työtapaan @@ -417,17 +417,17 @@ so that self intersection is avoided. CmdPartDesignMirrored - + PartDesign OsanSuunnittelu - + Mirrored Peilattu - + Create a mirrored feature Luo peilattu piirre @@ -435,17 +435,17 @@ so that self intersection is avoided. CmdPartDesignMoveFeature - + PartDesign OsanSuunnittelu - + Move object to other body Siirrä objekti toiseen runkoon - + Moves the selected object to another body Siirtää valitun objektit toiseen runkoon @@ -453,17 +453,17 @@ so that self intersection is avoided. CmdPartDesignMoveFeatureInTree - + PartDesign OsanSuunnittelu - + Move object after other object Siirrä objekti toisen perään - + Moves the selected object and insert it after another object Siirtää valitun objektin toisen objektin perään @@ -471,17 +471,17 @@ so that self intersection is avoided. CmdPartDesignMoveTip - + PartDesign OsanSuunnittelu - + Set tip Aseta kärki - + Move the tip of the body Siirrä kappaleen kärkikohdistin @@ -489,17 +489,17 @@ so that self intersection is avoided. CmdPartDesignMultiTransform - + PartDesign OsanSuunnittelu - + Create MultiTransform Luo monimuunnos - + Create a multitransform feature Luo monimuunnospiirre @@ -561,17 +561,17 @@ so that self intersection is avoided. CmdPartDesignPocket - + PartDesign OsanSuunnittelu - + Pocket Tasku - + Create a pocket with the selected sketch Leikkaa kuoppa valitulla luonnoksella @@ -597,17 +597,17 @@ so that self intersection is avoided. CmdPartDesignPolarPattern - + PartDesign OsanSuunnittelu - + PolarPattern Ympyräsäännöllinen toistokuvio - + Create a polar pattern feature Luo ympyräsäännöllinen toistopiirre @@ -615,17 +615,17 @@ so that self intersection is avoided. CmdPartDesignRevolution - + PartDesign OsanSuunnittelu - + Revolution Kiertoliike - + Revolve a selected sketch Valitun sketsin pyöräytys @@ -633,17 +633,17 @@ so that self intersection is avoided. CmdPartDesignScaled - + PartDesign OsanSuunnittelu - + Scaled Skaalattu - + Create a scaled feature Luo skaalattu piirre @@ -683,17 +683,17 @@ so that self intersection is avoided. CmdPartDesignSubtractiveHelix - + PartDesign OsanSuunnittelu - + Subtractive helix Subtractive helix - + Sweep a selected sketch along a helix and remove it from the body Sweep a selected sketch along a helix and remove it from the body @@ -701,17 +701,17 @@ so that self intersection is avoided. CmdPartDesignSubtractiveLoft - + PartDesign OsanSuunnittelu - + Subtractive loft Poistava profiilivenytys - + Loft a selected profile through other profile sections and remove it from the body Venytä valittu profiili muiden profiilileikkausten kanssa ja leikkaa tulos irti kappaleesta @@ -719,17 +719,17 @@ so that self intersection is avoided. CmdPartDesignSubtractivePipe - + PartDesign OsanSuunnittelu - + Subtractive pipe Leikkaava putkimuoto - + Sweep a selected sketch along a path or to other profiles and remove it from the body Pyyhkäise valitulla luonnoksella pitkin polkua tai toiseen profiiliin, ja leikkaa tulos irti kappaleesta @@ -737,17 +737,17 @@ so that self intersection is avoided. CmdPartDesignThickness - + PartDesign OsanSuunnittelu - + Thickness Paksuus - + Make a thick solid Luo paksunnettu kappale @@ -766,42 +766,42 @@ so that self intersection is avoided. Luo lisäävä alkeiskappale - + Additive Box Lisäävä laatikko - + Additive Cylinder Lisäävä lieriö - + Additive Sphere Lisäävä pallo - + Additive Cone Lisäävä kartio - + Additive Ellipsoid Lisäävä ellipsoidi - + Additive Torus Lisäävä torus - + Additive Prism Lisäävä prisma - + Additive Wedge Lisäävä kiila @@ -809,53 +809,53 @@ so that self intersection is avoided. CmdPrimtiveCompSubtractive - + PartDesign OsanSuunnittelu - - + + Create a subtractive primitive Luo leikkaava alkeiskappale - + Subtractive Box Leikkaava laatikko - + Subtractive Cylinder Leikkaava lieriö - + Subtractive Sphere Leikkaava pallo - + Subtractive Cone Leikkaava kartio - + Subtractive Ellipsoid Leikkaava ellipsoidi - + Subtractive Torus Leikkaava torus - + Subtractive Prism Leikkaava prisma - + Subtractive Wedge Leikkaava kiila @@ -895,47 +895,48 @@ so that self intersection is avoided. + Create a new Sketch Create a new Sketch - + Convert to MultiTransform feature Convert to MultiTransform feature - + Create Boolean Create Boolean - + Add a Body Add a Body - + Migrate legacy Part Design features to Bodies Migrate legacy Part Design features to Bodies - + Move tip to selected feature Move tip to selected feature - + Duplicate a PartDesign object Duplicate a PartDesign object - + Move an object Siirrä objektia - + Move an object inside tree Move an object inside tree @@ -1606,7 +1607,7 @@ click again to end selection PartDesignGui::TaskDlgFeatureParameters - + Input error Syötteen virhe @@ -1699,13 +1700,13 @@ click again to end selection PartDesignGui::TaskExtrudeParameters - + No face selected Yhtään tahkoa ei ole avlittu - + Face Tahko @@ -1725,38 +1726,38 @@ click again to end selection Valitse pintatahkot - + No shape selected Ei valittua muotoa - + Sketch normal Sketch normal - + Face normal Face normal - + Select reference... Valitse viite... - - + + Custom direction Custom direction - + Click on a shape in the model Click on a shape in the model - + Click on a face in the model Click on a face in the model @@ -2802,7 +2803,7 @@ measured along the specified direction - + Dimension Mitta @@ -2813,19 +2814,19 @@ measured along the specified direction - + Base X axis Perustan X-akseli - + Base Y axis Perustan Y-akseli - + Base Z axis Perustan Z-akseli @@ -2841,7 +2842,7 @@ measured along the specified direction - + Select reference... Valitse viite... @@ -2851,24 +2852,24 @@ measured along the specified direction Kulma: - + Symmetric to plane Symmetrinen tasoon nähden - + Reversed Käänteinen - + 2nd angle 2nd angle - - + + Face Tahko @@ -2878,37 +2879,37 @@ measured along the specified direction Päivitä näkymä - + Revolution parameters Kiertoliikkeen parametrit - + To last To last - + Through all Läpi - + To first Ensimmäiseen - + Up to face Pintatasoon asti - + Two dimensions Kaksi ulottuvuutta - + No face selected Yhtään tahkoa ei ole avlittu @@ -3238,42 +3239,42 @@ click again to end selection PartDesign_CompPrimitiveAdditive - + Create an additive box by its width, height, and length Create an additive box by its width, height, and length - + Create an additive cylinder by its radius, height, and angle Create an additive cylinder by its radius, height, and angle - + Create an additive sphere by its radius and various angles Luo lisäävä pallo käyttäen sädettä ja useita kulmia - + Create an additive cone Luo lisäävä kartio - + Create an additive ellipsoid Luo lisäävä ellipsoidi - + Create an additive torus Luo lisäävä torus - + Create an additive prism Luo lisäävä prisma - + Create an additive wedge Luo lisäävä kiila @@ -3281,42 +3282,42 @@ click again to end selection PartDesign_CompPrimitiveSubtractive - + Create a subtractive box by its width, height and length Luo leikkaava laatikko käyttäen leveyttä, korkeutta, ja pituutta - + Create a subtractive cylinder by its radius, height and angle Luo leikkaava lieriö käyttäen sädettä, korkeutta, ja kulmaa - + Create a subtractive sphere by its radius and various angles Luo leikkaava pallo käyttäen sädettä ja useita kulmia - + Create a subtractive cone Luo leikkaava kartio - + Create a subtractive ellipsoid Luo leikkaava ellipsoidi - + Create a subtractive torus Luo leikkaava torus - + Create a subtractive prism Luo leikkaava prisma - + Create a subtractive wedge Luo leikkaava kiila @@ -3324,12 +3325,12 @@ click again to end selection PartDesign_MoveFeature - + Select body Valitse kappale - + Select a body from the list Valitse kappale listasta @@ -3337,27 +3338,27 @@ click again to end selection PartDesign_MoveFeatureInTree - + Select feature Valitse piirre - + Select a feature from the list Valitse piirre listalta - + Move tip Move tip - + The moved feature appears after the currently set tip. The moved feature appears after the currently set tip. - + Do you want the last feature to be the new tip? Do you want the last feature to be the new tip? @@ -3392,42 +3393,42 @@ click again to end selection Sub-Shape Binder - + Several sub-elements selected Valittu useita alielementtejä - + You have to select a single face as support for a sketch! Sinun on valittava yksittäinen pinta sketsille! - + No support face selected Pintaa ei ole valittu - + You have to select a face as support for a sketch! Sinun on valittava pinta sketsille! - + No planar support Ei tukea tasoille - + You need a planar face as support for a sketch! Tarvitset tasopinnan tuen sketsille! - + No valid planes in this document Asiakirjassa ei ole soveltuvaa tasomuotoa - + Please create a plane first or select a face to sketch on Luo ensin taso tai valitse pinta jolle luonnos tehdään @@ -3486,211 +3487,211 @@ click again to end selection Dokumentissa ei ole käytettävissä luonnoksia - - + + Wrong selection Virheellinen valinta - + Select an edge, face, or body from a single body. Select an edge, face, or body from a single body. - - + + Selection is not in Active Body Valittu objekti ei ole aktiivisessa kappaleessa - + Select an edge, face, or body from an active body. Select an edge, face, or body from an active body. - + Wrong object type Väärä objektityyppi - + %1 works only on parts. %1 toimii ainoastaan osille. - + Shape of the selected Part is empty Valitun osan muoto on tyhjä - + Please select only one feature in an active body. Please select only one feature in an active body. - + Part creation failed Osan luominen epäonnistui - + Failed to create a part object. Osa-objektin luominen epäonnistui. - - - - + + + + Bad base feature Virheellinen piirre pohjana - + Body can't be based on a PartDesign feature. Kappale ei voi perustua OsaSuunnittelu-piirteeseen. - + %1 already belongs to a body, can't use it as base feature for another body. %1 kuuluu jo kappaleeseen, joten sitä ei voi käyttää toisen kappaleen pohjapiirteenä. - + Base feature (%1) belongs to other part. Pohjapiirre (%1) kuuluu toiseen osaan. - + The selected shape consists of multiple solids. This may lead to unexpected results. Valittu muoto koostuu useista solideista. Tämä voi johtaa odottamattomiin tuloksiin. - + The selected shape consists of multiple shells. This may lead to unexpected results. Valittu muoto koostuu useista kuorista. Tämä voi johtaa odottamattomiin tuloksiin. - + The selected shape consists of only a shell. This may lead to unexpected results. Valittu muoto koostuu vain kuoresta. Tämä voi johtaa odottamattomiin tuloksiin. - + The selected shape consists of multiple solids or shells. This may lead to unexpected results. Valittu muoto koostuu useista kuorista tai solideista. Tämä voi johtaa odottamattomiin tuloksiin. - + Base feature Pohjapiirre - + Body may be based on no more than one feature. Kappale ei voi perustua kuin yhteen pohjapiirteeseen. - + Body Body - + Nothing to migrate Ei mitään muunnettavaa - + No PartDesign features found that don't belong to a body. Nothing to migrate. No PartDesign features found that don't belong to a body. Nothing to migrate. - + Sketch plane cannot be migrated Luonnoksen tasopintaa ei voida muuntaa - + Please edit '%1' and redefine it to use a Base or Datum plane as the sketch plane. Muokkaa objektia '%1' ja määritä sille perustaso tai aputaso luonnoksen tasopinnaksi. - - - - - + + + + + Selection error Valintavirhe - + Select exactly one PartDesign feature or a body. Valitse täsmälleen yksi OsaSuunnittelun piirre tai kappale. - + Couldn't determine a body for the selected feature '%s'. Piirteelle '%s' ei löydy kappaletta johon se kuuluisi. - + Only a solid feature can be the tip of a body. Vain piirre joka muodostaa kiinteän muodon voi olla kappaleen kärkipiirre. - - - + + + Features cannot be moved Piirteitä ei voida siirtää - + Some of the selected features have dependencies in the source body Jotkut valituista piirteistä ovat riippuvaisia lähtökappaleesta - + Only features of a single source Body can be moved Piirteitä voidaan siirtää vain yhdestä lähtökappaleesta - + There are no other bodies to move to Ei ole muita kappaleita joihin voitaisiin siirtää - + Impossible to move the base feature of a body. Kappaleen peruspiirrettä on mahdoton siirtää. - + Select one or more features from the same body. Valitse yksi tai useampi piirre samasta kappaleesta. - + Beginning of the body Kappaleen alku - + Dependency violation Dependency violation - + Early feature must not depend on later feature. @@ -3699,29 +3700,29 @@ Tämä voi johtaa odottamattomiin tuloksiin. - + No previous feature found Aiempaa piirrettä ei löydy - + It is not possible to create a subtractive feature without a base feature available Ei ole mahdollista tehdä leikkaavaa piirrettä ilman olemassaolevaa peruspiirrettä - + Vertical sketch axis Pystysuuntaisen luonnoksen akseli - + Horizontal sketch axis Vaakasuuntaisen luonnoksen akseli - + Construction line %1 Rakennuslinja %1 @@ -4754,25 +4755,25 @@ over 90: larger hole radius at the bottom Unsupported boolean operation - + - + Resulting shape is not a solid Resulting shape is not a solid - - - + + + - + Result has multiple solids: that is not currently supported. @@ -4852,71 +4853,71 @@ over 90: larger hole radius at the bottom - the selected sketch does not belong to the active Body. - + Length too small Length too small - + Second length too small Second length too small - + Failed to obtain profile shape Failed to obtain profile shape - + Creation failed because direction is orthogonal to sketch's normal vector Creation failed because direction is orthogonal to sketch's normal vector - + Extrude: Can only offset one face Extrude: Can only offset one face - - + + Creating a face from sketch failed Creating a face from sketch failed - + Up to face: Could not get SubShape! Up to face: Could not get SubShape! - + Unable to reach the selected shape, please select faces Unable to reach the selected shape, please select faces - + Magnitude of taper angle matches or exceeds 90 degrees Magnitude of taper angle matches or exceeds 90 degrees - + Padding with draft angle failed Padding with draft angle failed - + Revolve axis intersects the sketch Revolve axis intersects the sketch - + 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. @@ -5114,22 +5115,22 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed for m Loft: At least one section is needed - + Loft: A fatal error occurred when making the loft Loft: A fatal error occurred when making the loft - + Loft: Creating a face from sketch failed Loft: Creating a face from sketch failed - + Loft: Failed to create shell Loft: Failed to create shell - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed. Could not create face from sketch. @@ -5246,13 +5247,13 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed.Cannot subtract primitive feature without base feature - + Unknown operation type Unknown operation type - + Failed to perform boolean operation Failed to perform boolean operation @@ -5356,22 +5357,22 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed.delta x2 of wedge is negative - + Angle of revolution too large Angle of revolution too large - + Angle of revolution too small Angle of revolution too small - + Reference axis is invalid Reference axis is invalid - + Fusion with base feature failed Fusion with base feature failed @@ -5417,12 +5418,12 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed. CmdPartDesignCompDatums - + Create datum Create datum - + Create a datum object or local coordinate system Create a datum object or local coordinate system @@ -5430,14 +5431,30 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed. CmdPartDesignCompSketches - + Create datum Create datum - + Create a datum object or local coordinate system Create a datum object or local coordinate system + + PartDesignGui::TaskDlgRevolutionParameters + + + Revolution parameters + Kiertoliikkeen parametrit + + + + PartDesignGui::TaskDlgGrooveParameters + + + Groove parameters + Groove parameters + + diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_fr.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_fr.ts index c6616bc91657..24718b8342d8 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_fr.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_fr.ts @@ -130,17 +130,17 @@ False = engrenage planétaire CmdPartDesignAdditiveHelix - + PartDesign PartDesign - + Additive helix Hélice additive - + Sweep a selected sketch along a helix Balayer une esquisse sélectionnée le long d'une hélice @@ -148,17 +148,17 @@ False = engrenage planétaire CmdPartDesignAdditiveLoft - + PartDesign PartDesign - + Additive loft Lissage additif - + Loft a selected profile through other profile sections Lisser un profil sélectionné à travers d'autres sections de profil @@ -166,17 +166,17 @@ False = engrenage planétaire CmdPartDesignAdditivePipe - + PartDesign PartDesign - + Additive pipe Balayage additif - + Sweep a selected sketch along a path or to other profiles Balayer une esquisse sélectionnée sur un chemin ou vers d’autres profils @@ -184,17 +184,17 @@ False = engrenage planétaire CmdPartDesignBody - + PartDesign PartDesign - + Create body Créer un corps - + Create a new body and make it active Crée un nouveau corps et l'activer @@ -202,17 +202,17 @@ False = engrenage planétaire CmdPartDesignBoolean - + PartDesign PartDesign - + Boolean operation Opération booléenne - + Boolean operation with two or more bodies Opération Booléenne entre deux ou plusieurs corps @@ -238,17 +238,17 @@ False = engrenage planétaire CmdPartDesignChamfer - + PartDesign PartDesign - + Chamfer Chanfrein - + Chamfer the selected edges of a shape Chanfreiner les arêtes sélectionnées d'une forme @@ -274,17 +274,17 @@ False = engrenage planétaire CmdPartDesignDraft - + PartDesign PartDesign - + Draft Dépouille - + Make a draft on a face Créer une dépouille sur une face @@ -292,17 +292,17 @@ False = engrenage planétaire CmdPartDesignDuplicateSelection - + PartDesign PartDesign - + Duplicate selected object Dupliquer l'objet sélectionné - + Duplicates the selected object and adds it to the active body Duplique l’objet sélectionné et l’ajoute au corps actif @@ -310,17 +310,17 @@ False = engrenage planétaire CmdPartDesignFillet - + PartDesign PartDesign - + Fillet Congé - + Make a fillet on an edge, face or body Faire un congé sur une arête, une face ou un corps @@ -328,17 +328,17 @@ False = engrenage planétaire CmdPartDesignGroove - + PartDesign PartDesign - + Groove Rainure - + Groove a selected sketch Faire une rainure à partir de l'esquisse sélectionnée @@ -346,17 +346,17 @@ False = engrenage planétaire CmdPartDesignHole - + PartDesign PartDesign - + Hole Perçage - + Create a hole with the selected sketch Créer un perçage à partir de l’esquisse sélectionnée @@ -382,17 +382,17 @@ False = engrenage planétaire CmdPartDesignLinearPattern - + PartDesign PartDesign - + LinearPattern Répétition linéaire - + Create a linear pattern feature Créer une fonction de répétition linéaire @@ -400,17 +400,17 @@ False = engrenage planétaire CmdPartDesignMigrate - + PartDesign PartDesign - + Migrate Migrer - + Migrate document to the modern PartDesign workflow Migrer le document vers le nouveau flux de travaux de PartDesign @@ -418,17 +418,17 @@ False = engrenage planétaire CmdPartDesignMirrored - + PartDesign PartDesign - + Mirrored Symétrie - + Create a mirrored feature Créer une fonction de symétrie @@ -436,17 +436,17 @@ False = engrenage planétaire CmdPartDesignMoveFeature - + PartDesign PartDesign - + Move object to other body Déplacer vers un autre corps - + Moves the selected object to another body Déplace l’objet sélectionné vers un autre corps @@ -454,17 +454,17 @@ False = engrenage planétaire CmdPartDesignMoveFeatureInTree - + PartDesign PartDesign - + Move object after other object Déplacer après un autre objet - + Moves the selected object and insert it after another object Déplace l’objet sélectionné et l’insère après un autre objet @@ -472,17 +472,17 @@ False = engrenage planétaire CmdPartDesignMoveTip - + PartDesign PartDesign - + Set tip Désigner comme fonction résultante - + Move the tip of the body Déplacer la fonction résultante du corps @@ -490,17 +490,17 @@ False = engrenage planétaire CmdPartDesignMultiTransform - + PartDesign PartDesign - + Create MultiTransform Transformation multiple - + Create a multitransform feature Créer une fonction de transformation multiple @@ -562,17 +562,17 @@ False = engrenage planétaire CmdPartDesignPocket - + PartDesign PartDesign - + Pocket Cavité - + Create a pocket with the selected sketch Créer une cavité à partir de l’esquisse sélectionnée @@ -598,17 +598,17 @@ False = engrenage planétaire CmdPartDesignPolarPattern - + PartDesign PartDesign - + PolarPattern Répétition circulaire - + Create a polar pattern feature Créer une fonction de répétition circulaire @@ -616,17 +616,17 @@ False = engrenage planétaire CmdPartDesignRevolution - + PartDesign PartDesign - + Revolution Révolution - + Revolve a selected sketch Révolution d'une esquisse sélectionnée @@ -634,17 +634,17 @@ False = engrenage planétaire CmdPartDesignScaled - + PartDesign PartDesign - + Scaled Mise à l'échelle - + Create a scaled feature Créer une fonction de mise à l'échelle @@ -684,17 +684,17 @@ False = engrenage planétaire CmdPartDesignSubtractiveHelix - + PartDesign PartDesign - + Subtractive helix Hélice soustractive - + Sweep a selected sketch along a helix and remove it from the body Balayer une esquisse sélectionnée le long d'une hélice et la soustraire au corps @@ -702,17 +702,17 @@ False = engrenage planétaire CmdPartDesignSubtractiveLoft - + PartDesign PartDesign - + Subtractive loft Enlèvement de matière par lissage - + Loft a selected profile through other profile sections and remove it from the body Lisser un profil sélectionné à travers d'autres sections de profil et soustraire du corps @@ -720,17 +720,17 @@ False = engrenage planétaire CmdPartDesignSubtractivePipe - + PartDesign PartDesign - + Subtractive pipe Enlèvement de matière par balayage - + Sweep a selected sketch along a path or to other profiles and remove it from the body Balayer une esquisse sélectionnée sur un chemin et à travers d’autres profils et soustraire du corps @@ -738,17 +738,17 @@ False = engrenage planétaire CmdPartDesignThickness - + PartDesign PartDesign - + Thickness Évidement - + Make a thick solid Créer un évidement solide @@ -767,42 +767,42 @@ False = engrenage planétaire Créer une primitive additive - + Additive Box Cube additif - + Additive Cylinder Cylindre additif - + Additive Sphere Sphère additive - + Additive Cone Cône additif - + Additive Ellipsoid Ellipsoïde additif - + Additive Torus Tore additif - + Additive Prism Prisme additif - + Additive Wedge Pyramide tronquée additive @@ -810,53 +810,53 @@ False = engrenage planétaire CmdPrimtiveCompSubtractive - + PartDesign PartDesign - - + + Create a subtractive primitive Créer une primitive soustractive - + Subtractive Box Cube soustractif - + Subtractive Cylinder Cylindre soustractif - + Subtractive Sphere Sphère soustractive - + Subtractive Cone Cône soustractif - + Subtractive Ellipsoid Ellipsoïde soustractif - + Subtractive Torus Tore soustractif - + Subtractive Prism Prisme soustractif - + Subtractive Wedge Pyramide tronquée soustractive @@ -896,47 +896,48 @@ False = engrenage planétaire + Create a new Sketch Créer une nouvelle esquisse - + Convert to MultiTransform feature Créer une fonction de transformation multiple - + Create Boolean Créer une opération booléenne - + Add a Body Ajouter un corps - + Migrate legacy Part Design features to Bodies Migrer les fonctions historiques de PartDesign vers les corps - + Move tip to selected feature Déplacer la fonction résultante vers la fonction sélectionnée - + Duplicate a PartDesign object Dupliquer un objet PartDesign - + Move an object Déplacer un objet - + Move an object inside tree Déplacer un objet dans l'arborescence @@ -1604,7 +1605,7 @@ click again to end selection PartDesignGui::TaskDlgFeatureParameters - + Input error Erreur de saisie @@ -1695,13 +1696,13 @@ click again to end selection PartDesignGui::TaskExtrudeParameters - + No face selected Aucune face sélectionnée - + Face Face @@ -1721,38 +1722,38 @@ click again to end selection Sélectionner les faces - + No shape selected Aucune forme sélectionnée - + Sketch normal Normale à l'esquisse - + Face normal Face normale - + Select reference... Sélectionner une référence... - - + + Custom direction Direction personnalisée  - + Click on a shape in the model Cliquer sur une forme dans le modèle - + Click on a face in the model Cliquer sur une face du modèle @@ -2794,7 +2795,7 @@ measured along the specified direction - + Dimension Dimension @@ -2805,19 +2806,19 @@ measured along the specified direction - + Base X axis Axe X - + Base Y axis Axe Y - + Base Z axis Axe Z @@ -2833,7 +2834,7 @@ measured along the specified direction - + Select reference... Sélectionner une référence... @@ -2843,24 +2844,24 @@ measured along the specified direction Angle : - + Symmetric to plane Symétrique au plan - + Reversed Inverser - + 2nd angle 2ème angle - - + + Face Face @@ -2870,37 +2871,37 @@ measured along the specified direction Mettre à jour la vue - + Revolution parameters Paramètres de la révolution - + To last À la dernière - + Through all À travers tout - + To first La plus proche - + Up to face Jusqu'à la face - + Two dimensions Deux dimensions - + No face selected Aucune face sélectionnée @@ -3228,42 +3229,42 @@ click again to end selection PartDesign_CompPrimitiveAdditive - + Create an additive box by its width, height, and length Créer un cube additif par sa largeur, sa hauteur et sa longueur - + Create an additive cylinder by its radius, height, and angle Créer un cylindre additif par son rayon, sa hauteur et son angle - + Create an additive sphere by its radius and various angles Créer une sphère additive par son rayon et divers angles - + Create an additive cone Créer un cône additif - + Create an additive ellipsoid Créer un ellipsoïde additif - + Create an additive torus Créer un tore additif - + Create an additive prism Créer un prisme additif - + Create an additive wedge Créer une pyramide tronquée additive @@ -3271,42 +3272,42 @@ click again to end selection PartDesign_CompPrimitiveSubtractive - + Create a subtractive box by its width, height and length Créer un cube soustractif par sa largeur, sa hauteur et sa longueur - + Create a subtractive cylinder by its radius, height and angle Créer un cylindre soustractif par son rayon, sa hauteur et son angle - + Create a subtractive sphere by its radius and various angles Créer une sphère soustractive par son rayon et divers angles - + Create a subtractive cone Créer un cône soustractif - + Create a subtractive ellipsoid Créer un ellipsoïde soustractif - + Create a subtractive torus Créer un tore soustractif - + Create a subtractive prism Créer un prisme soustractif - + Create a subtractive wedge Créer une pyramide tronquée soustractive @@ -3314,12 +3315,12 @@ click again to end selection PartDesign_MoveFeature - + Select body Sélectionner le corps - + Select a body from the list Sélectionner un corps dans la liste @@ -3327,27 +3328,27 @@ click again to end selection PartDesign_MoveFeatureInTree - + Select feature Sélectionner une fonction - + Select a feature from the list Sélectionner une fonction dans la liste - + Move tip Déplacer la fonction résultante - + The moved feature appears after the currently set tip. La fonction déplacée apparaît après la fonction résultante en cours. - + Do you want the last feature to be the new tip? Voulez-vous que la dernière fonction soit la nouvelle fonction résultante ? @@ -3382,42 +3383,42 @@ click again to end selection Sous forme liée - + Several sub-elements selected Plusieurs sous-éléments sélectionnés - + You have to select a single face as support for a sketch! Vous devez sélectionner une seule face comme support pour une esquisse ! - + No support face selected Aucune face de support sélectionnée - + You have to select a face as support for a sketch! Vous devez sélectionner un plan ou une face plane comme support de l'esquisse ! - + No planar support Aucun plan de support - + You need a planar face as support for a sketch! Vous avez besoin d'un plan ou d'une face plane comme support de l'esquisse ! - + No valid planes in this document Pas de plan valide dans le document - + Please create a plane first or select a face to sketch on Créer d'abord un plan ou choisir une face sur laquelle appliquer l'esquisse @@ -3476,236 +3477,236 @@ click again to end selection Aucune esquisse n’est disponible dans le document - - + + Wrong selection Sélection invalide - + Select an edge, face, or body from a single body. Sélectionnez une arête, une face ou un corps d'un corps unique. - - + + Selection is not in Active Body La sélection n’est pas dans le corps actif - + Select an edge, face, or body from an active body. Sélectionnez une arête, une face ou un corps d'un corps actif. - + Wrong object type Type d'objet incorrect - + %1 works only on parts. %1 fonctionne uniquement sur les pièces. - + Shape of the selected Part is empty La forme de la pièce sélectionnée est vide - + Please select only one feature in an active body. Sélectionner une seule fonction d'un corps actif. - + Part creation failed La création de la pièce a échoué - + Failed to create a part object. Impossible de créer un objet part. - - - - + + + + Bad base feature Mauvaise fonction de base - + Body can't be based on a PartDesign feature. Le corps ne peut pas être basé sur une fonction de PartDesign. - + %1 already belongs to a body, can't use it as base feature for another body. %1 appartient déjà à un corps, ne peut pas être utilisé comme fonction de base pour un autre corps. - + Base feature (%1) belongs to other part. La fonction de base (%1) appartient à une autre pièce. - + The selected shape consists of multiple solids. This may lead to unexpected results. La forme sélectionnée se compose de plusieurs solides. Cela peut conduire à des résultats inattendus. - + The selected shape consists of multiple shells. This may lead to unexpected results. La forme sélectionnée se compose de plusieurs évidements. Cela peut conduire à des résultats inattendus. - + The selected shape consists of only a shell. This may lead to unexpected results. La forme sélectionnée se compose d'un seul évidement. Cela peut conduire à des résultats inattendus. - + The selected shape consists of multiple solids or shells. This may lead to unexpected results. La forme sélectionnée se compose de plusieurs solides ou de évidements. Cela peut conduire à des résultats inattendus. - + Base feature Fonction de base - + Body may be based on no more than one feature. Le corps ne peut être basé que sur une seule fonction. - + Body Corps - + Nothing to migrate Rien à migrer - + No PartDesign features found that don't belong to a body. Nothing to migrate. Aucune fonction de PartDesign n'a été trouvée qui n'appartienne pas à un corps. Il n'y a rien à migrer. - + Sketch plane cannot be migrated Le plan d'esquisse ne peut pas être migré - + Please edit '%1' and redefine it to use a Base or Datum plane as the sketch plane. Veuillez éditer '%1' et définir son plan selon un plan de base ou de référence. - - - - - + + + + + Selection error Erreur de sélection - + Select exactly one PartDesign feature or a body. Sélectionnez exactement une fonction ou un corps de PartDesign. - + Couldn't determine a body for the selected feature '%s'. Impossible de déterminer un corps pour la fonction '%s' sélectionnée. - + Only a solid feature can be the tip of a body. Seule une fonction solide peut être la fonction résultante d'un corps. - - - + + + Features cannot be moved Impossible de déplacer les fonctions - + Some of the selected features have dependencies in the source body Certaines des fonctions sélectionnées ont des dépendances dans le corps source - + Only features of a single source Body can be moved Seules les fonctions d'un seul corps source peuvent être déplacées - + There are no other bodies to move to Il n'y a aucun autre corps vers lequel déplacer - + Impossible to move the base feature of a body. Impossible de déplacer la fonction de base d’un corps. - + Select one or more features from the same body. Sélectionnez une ou plusieurs fonctions dans le même corps. - + Beginning of the body Début du corps - + Dependency violation Violation de dépendance - + Early feature must not depend on later feature. La fonction première ne doit pas dépendre de la fonction suivante. - + No previous feature found Aucune fonction antérieure trouvée - + It is not possible to create a subtractive feature without a base feature available 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 - + Construction line %1 Ligne de construction %1 @@ -4734,25 +4735,25 @@ over 90: larger hole radius at the bottom Opération booléenne non prise en charge - + - + Resulting shape is not a solid La forme résultante n'est pas un solide - - - + + + - + Result has multiple solids: that is not currently supported. @@ -4831,71 +4832,71 @@ over 90: larger hole radius at the bottom - l'esquisse sélectionnée n'appartient pas au corps actif. - + Length too small Longueur trop petite - + Second length too small La deuxième longueur est trop petite - + Failed to obtain profile shape Impossible d'obtenir la forme du profil - + Creation failed because direction is orthogonal to sketch's normal vector La création a échoué car la direction est orthogonale au vecteur normal de l'esquisse. - + Extrude: Can only offset one face Extrusion : ne peut décaler qu'une seule face - - + + Creating a face from sketch failed La création d'une face à partir de l'esquisse a échoué - + Up to face: Could not get SubShape! Jusqu'à la face : impossible d'obtenir la sous-forme ! - + Unable to reach the selected shape, please select faces Impossible d'atteindre la forme sélectionnée, sélectionner des faces. - + Magnitude of taper angle matches or exceeds 90 degrees La magnitude de l'angle de dépouille est égale ou supérieure à 90 degrés. - + Padding with draft angle failed La protrusion avec l'angle de dépouille a échoué. - + Revolve axis intersects the sketch L'axe de révolution coupe l'esquisse - + Could not revolve the sketch! Impossible de faire tourner l'esquisse ! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. @@ -5093,22 +5094,22 @@ L'intersection d'entités d'esquisse ou de plusieurs faces dans une esquisse n'e Lissage : au moins une section est nécessaire - + Loft: A fatal error occurred when making the loft Lissage : une erreur s'est produite lors de la création du lissage - + Loft: Creating a face from sketch failed Lissage : la création d'une face à partir de l'esquisse a échoué - + Loft: Failed to create shell Lissage : impossible de créer la coque - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed. Impossible de créer une face à partir d'une esquisse. @@ -5225,13 +5226,13 @@ Les entités d'esquisse qui se croisent ou les faces multiples dans une esquisse Impossible de soustraire la fonction primitive sans la fonction de base - + Unknown operation type Type d'opération inconnu - + Failed to perform boolean operation Impossible d'effectuer l'opération booléenne @@ -5335,22 +5336,22 @@ Les entités d'esquisse qui se croisent ou les faces multiples dans une esquisse delta X2 de la pyramide tronquée est négatif - + Angle of revolution too large Angle de révolution trop grand - + Angle of revolution too small Angle de révolution trop petit - + Reference axis is invalid L'axe de référence n'est pas valide - + Fusion with base feature failed La fusion avec la fonction de base a échoué @@ -5396,12 +5397,12 @@ Les entités d'esquisse qui se croisent ou les faces multiples dans une esquisse CmdPartDesignCompDatums - + Create datum Référence - + Create a datum object or local coordinate system Créer un objet de référence ou un système de coordonnées local @@ -5409,14 +5410,30 @@ Les entités d'esquisse qui se croisent ou les faces multiples dans une esquisse CmdPartDesignCompSketches - + Create datum Référence - + Create a datum object or local coordinate system Créer un objet de référence ou un système de coordonnées local + + PartDesignGui::TaskDlgRevolutionParameters + + + Revolution parameters + Paramètres de la révolution + + + + PartDesignGui::TaskDlgGrooveParameters + + + Groove parameters + Groove parameters + + diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_hr.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_hr.ts index ea0c223ce89a..5a3b9a12f4bf 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_hr.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_hr.ts @@ -129,17 +129,17 @@ tako da je izbjegnuto samopresjecanje. CmdPartDesignAdditiveHelix - + PartDesign Konstruktor dijelova - + Additive helix Dodaj spiralu - + Sweep a selected sketch along a helix Zamah odabrane skice uzduž spirale @@ -147,17 +147,17 @@ tako da je izbjegnuto samopresjecanje. CmdPartDesignAdditiveLoft - + PartDesign Konstruktor dijelova - + Additive loft Dodaj oblik plohama - + Loft a selected profile through other profile sections Produžuje profil u obliku ploha kroz drugi profil @@ -165,17 +165,17 @@ tako da je izbjegnuto samopresjecanje. CmdPartDesignAdditivePipe - + PartDesign Konstruktor dijelova - + Additive pipe Dodaj cijev izvlačenjem - + Sweep a selected sketch along a path or to other profiles Zamah odabrane skice uzduž puta ili drugog profila @@ -183,17 +183,17 @@ tako da je izbjegnuto samopresjecanje. CmdPartDesignBody - + PartDesign Konstruktor dijelova - + Create body Stvori tijelo - + Create a new body and make it active Stvori novo tijelo i postavi ga kao aktivno @@ -201,17 +201,17 @@ tako da je izbjegnuto samopresjecanje. CmdPartDesignBoolean - + PartDesign Konstruktor dijelova - + Boolean operation Booleova operacija - + Boolean operation with two or more bodies Boolean operacije sa dva ili više tijela @@ -237,17 +237,17 @@ tako da je izbjegnuto samopresjecanje. CmdPartDesignChamfer - + PartDesign Konstruktor dijelova - + Chamfer Faseta - + Chamfer the selected edges of a shape Zarubi odabrane rubove, površine ili tijela @@ -273,17 +273,17 @@ tako da je izbjegnuto samopresjecanje. CmdPartDesignDraft - + PartDesign Konstruktor dijelova - + Draft Skica - + Make a draft on a face Napravite nacrt na licu @@ -291,17 +291,17 @@ tako da je izbjegnuto samopresjecanje. CmdPartDesignDuplicateSelection - + PartDesign Konstruktor dijelova - + Duplicate selected object Uduplaj odabrani objekt - + Duplicates the selected object and adds it to the active body Udupla odabrani objekt i postavi ga u aktivno tijelo @@ -309,17 +309,17 @@ tako da je izbjegnuto samopresjecanje. CmdPartDesignFillet - + PartDesign Konstruktor dijelova - + Fillet Zaobljenje - + Make a fillet on an edge, face or body Zaobli rub, lice ili tijelo @@ -327,17 +327,17 @@ tako da je izbjegnuto samopresjecanje. CmdPartDesignGroove - + PartDesign Konstruktor dijelova - + Groove Rotacijski žlijeb - + Groove a selected sketch Napravi rotacijski žlijeb sa odabranom skicom @@ -345,17 +345,17 @@ tako da je izbjegnuto samopresjecanje. CmdPartDesignHole - + PartDesign Konstruktor dijelova - + Hole Rupa - + Create a hole with the selected sketch Stvori rupu sa odabranom skicom @@ -381,17 +381,17 @@ tako da je izbjegnuto samopresjecanje. CmdPartDesignLinearPattern - + PartDesign Konstruktor dijelova - + LinearPattern Linearni uzorak - + Create a linear pattern feature Stvori pravocrtni uzorak elementa @@ -399,17 +399,17 @@ tako da je izbjegnuto samopresjecanje. CmdPartDesignMigrate - + PartDesign Konstruktor dijelova - + Migrate Migrirati - + Migrate document to the modern PartDesign workflow Prenesite dokument u moderni Konstruktor dijelova hodogram @@ -417,17 +417,17 @@ tako da je izbjegnuto samopresjecanje. CmdPartDesignMirrored - + PartDesign Konstruktor dijelova - + Mirrored Zrcaljeno - + Create a mirrored feature Stvori zrcalni element @@ -435,17 +435,17 @@ tako da je izbjegnuto samopresjecanje. CmdPartDesignMoveFeature - + PartDesign Konstruktor dijelova - + Move object to other body Premjesti objekt u drugo tijelo - + Moves the selected object to another body Premjesti odabrani objekt u drugo tijelo @@ -453,17 +453,17 @@ tako da je izbjegnuto samopresjecanje. CmdPartDesignMoveFeatureInTree - + PartDesign Konstruktor dijelova - + Move object after other object Premjesti objekt iza drugog objekta - + Moves the selected object and insert it after another object Premjesti odabrani objekt i umetni ga iza drugog objekta @@ -471,17 +471,17 @@ tako da je izbjegnuto samopresjecanje. CmdPartDesignMoveTip - + PartDesign Konstruktor dijelova - + Set tip Postavljanje radne pozicije - + Move the tip of the body Premještanje radne pozicije na tijelu @@ -489,17 +489,17 @@ tako da je izbjegnuto samopresjecanje. CmdPartDesignMultiTransform - + PartDesign Konstruktor dijelova - + Create MultiTransform Stvaranje MultiTransform - + Create a multitransform feature Stvori element višestruke transformacije @@ -561,17 +561,17 @@ tako da je izbjegnuto samopresjecanje. CmdPartDesignPocket - + PartDesign Konstruktor dijelova - + Pocket Utor - + Create a pocket with the selected sketch Stvori udubljene sa odabranom skicom @@ -597,17 +597,17 @@ tako da je izbjegnuto samopresjecanje. CmdPartDesignPolarPattern - + PartDesign Konstruktor dijelova - + PolarPattern Polarni uzorak - + Create a polar pattern feature Stvori polarni uzorak elementa @@ -615,17 +615,17 @@ tako da je izbjegnuto samopresjecanje. CmdPartDesignRevolution - + PartDesign Konstruktor dijelova - + Revolution Obrtaj - + Revolve a selected sketch Zakreće odabranu skicu @@ -633,17 +633,17 @@ tako da je izbjegnuto samopresjecanje. CmdPartDesignScaled - + PartDesign Konstruktor dijelova - + Scaled Skalirano - + Create a scaled feature Stvori skalarni element @@ -683,17 +683,17 @@ tako da je izbjegnuto samopresjecanje. CmdPartDesignSubtractiveHelix - + PartDesign Konstruktor dijelova - + Subtractive helix Oduzmi spiralu - + Sweep a selected sketch along a helix and remove it from the body Zamah odabrane skice duž spirale i uklanja ga iz tijela @@ -701,17 +701,17 @@ tako da je izbjegnuto samopresjecanje. CmdPartDesignSubtractiveLoft - + PartDesign Konstruktor dijelova - + Subtractive loft Oduzmi Plohe - + Loft a selected profile through other profile sections and remove it from the body Izvuci odabrani profil kroz odjeljke drugih profila i ukloni ga iz tijela @@ -719,17 +719,17 @@ tako da je izbjegnuto samopresjecanje. CmdPartDesignSubtractivePipe - + PartDesign Konstruktor dijelova - + Subtractive pipe Oduzmi putanju cijevi - + Sweep a selected sketch along a path or to other profiles and remove it from the body Zamah odabrane skice uzduž puta ili drugog profila i uklanja ga iz tijela @@ -737,17 +737,17 @@ tako da je izbjegnuto samopresjecanje. CmdPartDesignThickness - + PartDesign Konstruktor dijelova - + Thickness Debljina - + Make a thick solid Podebljaj čvrsto tijelo @@ -766,42 +766,42 @@ tako da je izbjegnuto samopresjecanje. Dodaj primitivno tijelo - + Additive Box Dodaj Boks - + Additive Cylinder Dodaj Cilindar - + Additive Sphere Dodaj Kuglu - + Additive Cone Dodatni Stožac - + Additive Ellipsoid Dodaj Elipsoid - + Additive Torus Dodaj Torus - + Additive Prism Dodaj Prizmu - + Additive Wedge Dodaj Klin @@ -809,53 +809,53 @@ tako da je izbjegnuto samopresjecanje. CmdPrimtiveCompSubtractive - + PartDesign Konstruktor dijelova - - + + Create a subtractive primitive Oduzmi primitivno tijelo - + Subtractive Box Oduzmi Kvadar - + Subtractive Cylinder Oduzmi Valjak - + Subtractive Sphere Oduzmi Kuglu - + Subtractive Cone Oduzmi Stožac - + Subtractive Ellipsoid Oduzmi Elipsoid - + Subtractive Torus Oduzmi Torus - + Subtractive Prism Oduzmi Prizmu - + Subtractive Wedge Oduzmi Klin @@ -895,47 +895,48 @@ tako da je izbjegnuto samopresjecanje. + Create a new Sketch Stvoriti novu skicu - + Convert to MultiTransform feature Pretvori u element Višestruke transformacije - + Create Boolean Stvori logičku vrijednost - + Add a Body Dodaj tjelo - + Migrate legacy Part Design features to Bodies Premjestite značajke naslijeđene Oblikovanjem dijelova na Tijela - + Move tip to selected feature Premjesti radnu poziciju na odabrani objekt - + Duplicate a PartDesign object Dupliciraj objekt Oblikovanje tijela - + Move an object Pomjeri jedan objekt - + Move an object inside tree Pomjeri jedan objekt unutar stabla @@ -1603,7 +1604,7 @@ kliknite ponovno za završetak odabira PartDesignGui::TaskDlgFeatureParameters - + Input error Pogreška na ulazu @@ -1695,13 +1696,13 @@ kliknite ponovno za završetak odabira PartDesignGui::TaskExtrudeParameters - + No face selected Nije odabrana niti jedna površina - + Face Površina @@ -1721,38 +1722,38 @@ kliknite ponovno za završetak odabira Odaberi naličja - + No shape selected Nema odabranih oblika - + Sketch normal Normalna skica - + Face normal Normala lica - + Select reference... Select reference... - - + + Custom direction Prilagođeni smjer - + Click on a shape in the model Kliknite na oblik u modelu - + Click on a face in the model Kliknite na lice u modelu @@ -2305,7 +2306,7 @@ kliknite ponovno za završetak odabira Up to shape - Up to shape + Do oblika @@ -2734,7 +2735,7 @@ mjereno duž navedenog smjera Up to shape - Up to shape + Do oblika @@ -2802,7 +2803,7 @@ mjereno duž navedenog smjera - + Dimension Dimenzija @@ -2813,19 +2814,19 @@ mjereno duž navedenog smjera - + Base X axis Baza X osi - + Base Y axis Baza Y osi - + Base Z axis Baza Z osi @@ -2841,7 +2842,7 @@ mjereno duž navedenog smjera - + Select reference... Odaberite referencu... @@ -2851,24 +2852,24 @@ mjereno duž navedenog smjera Kut: - + Symmetric to plane Simetrično sa plohom - + Reversed Obrnuti - + 2nd angle drugi kut - - + + Face Površina @@ -2878,37 +2879,37 @@ mjereno duž navedenog smjera Ažuriraj pogled - + Revolution parameters Parametri obrtaja - + To last Do zadnjeg - + Through all Kroz sve - + To first Do prvog - + Up to face Do stranice - + Two dimensions Dvije dimenzije - + No face selected Nije odabrana niti jedna površina @@ -3237,42 +3238,42 @@ kliknite ponovno za završetak odabira PartDesign_CompPrimitiveAdditive - + Create an additive box by its width, height, and length Dodaj jedan boks sa širinom, visinom i dužinom - + Create an additive cylinder by its radius, height, and angle Dodaj jedan cilindar sa: polumjerom, visinom i kutom - + Create an additive sphere by its radius and various angles Dodaj jednu kuglu sa: polumjerom i raznim kutovima - + Create an additive cone Dodaj jedan stožac - + Create an additive ellipsoid Dodaj jedan elipsoid - + Create an additive torus Dodaj jedan torus - + Create an additive prism Dodaj jednu prizmu - + Create an additive wedge Dodaj jedan klin @@ -3280,42 +3281,42 @@ kliknite ponovno za završetak odabira PartDesign_CompPrimitiveSubtractive - + Create a subtractive box by its width, height and length Oduzmi jedan boks sa: širinom, visinom i dužinom - + Create a subtractive cylinder by its radius, height and angle Oduzmi jedan cilindar sa: polumjerom, visinom i kutom - + Create a subtractive sphere by its radius and various angles Oduzmi jednu kuglu sa: polumjerom i raznim kutovima - + Create a subtractive cone Oduzmi jedan stožac - + Create a subtractive ellipsoid Oduzmi jedan elipsoid - + Create a subtractive torus Oduzmi jedan torus - + Create a subtractive prism Oduzmi jednu prizmu - + Create a subtractive wedge Oduzmi jedan klin @@ -3323,12 +3324,12 @@ kliknite ponovno za završetak odabira PartDesign_MoveFeature - + Select body Odaberite tijelo - + Select a body from the list Odabir tijela s popisa @@ -3336,27 +3337,27 @@ kliknite ponovno za završetak odabira PartDesign_MoveFeatureInTree - + Select feature Odaberi element - + Select a feature from the list Odabir elementa s popisa - + Move tip Pomjeri radnu poziciju - + The moved feature appears after the currently set tip. Pomjereni objekt pojavljuje se nakon trenutno postavljene radne pozicije - + Do you want the last feature to be the new tip? Želite li da posljednji objekt bude nova radna pozicija? @@ -3391,42 +3392,42 @@ kliknite ponovno za završetak odabira Poveznik za pod-objekt - + Several sub-elements selected Nekoliko pod-elemenata odabrano - + You have to select a single face as support for a sketch! Morate odabrati jednu površinu kao podršku za skicu! - + No support face selected Nije odabrana površina za podršku - + You have to select a face as support for a sketch! Morate odabrati površinu kao podršku za skicu! - + No planar support Nema planarni podršku - + You need a planar face as support for a sketch! Trebate planarnu površinu kao podršku za skicu! - + No valid planes in this document Nema valjanih ravnina u ovom dokumentu - + Please create a plane first or select a face to sketch on Molimo vas prvo stvorite ravninu ili odaberite lice za crtanje na @@ -3485,211 +3486,211 @@ kliknite ponovno za završetak odabira Nema skice u dokumentu - - + + Wrong selection Pogrešan odabir - + Select an edge, face, or body from a single body. Odaberite rub, lice ili tijelo iz jednog samog tijela. - - + + Selection is not in Active Body Označeno nije u aktivnom tijelu - + Select an edge, face, or body from an active body. Odaberite rub, lice ili tijelo iz jednog aktivnog tijela. - + Wrong object type Pogrešan tip objekta - + %1 works only on parts. %1 radi samo na dijelovima. - + Shape of the selected Part is empty Oblik odabranog dijela je prazan - + Please select only one feature in an active body. Odaberite samo jedan element u aktivnom tijelu. - + Part creation failed Kreiranje djela tijela nije uspjelo - + Failed to create a part object. Nije uspjelo stvaranje dio objekta. - - - - + + + + Bad base feature Nepravilan osnovni element - + Body can't be based on a PartDesign feature. Tijelo se ne može temeljiti na Konstruktor dijelova objektu. - + %1 already belongs to a body, can't use it as base feature for another body. %1 već pripada tijelu, ne može ga koristiti kao osnovni element za još jedno tijelo. - + Base feature (%1) belongs to other part. Osnovni element (%1) pripada drugom dijelu. - + The selected shape consists of multiple solids. This may lead to unexpected results. Odabrani oblik se sastoji od više objekata. To može dovesti do neočekivanih rezultata. - + The selected shape consists of multiple shells. This may lead to unexpected results. Odabrani oblik sastoji se od više ljuski. To može dovesti do neočekivanih rezultata. - + The selected shape consists of only a shell. This may lead to unexpected results. Odabrani oblik posjeduje samo ljusku. To može dovesti do neočekivanih rezultata. - + The selected shape consists of multiple solids or shells. This may lead to unexpected results. Odabrani oblik sadrži višestruka tijela ili ljuske. To može dovesti do neočekivanih rezultata. - + Base feature Osnovni element - + Body may be based on no more than one feature. Tijela se ne mogu temeljiti na više od jednog elementa. - + Body Tijelo - + Nothing to migrate Ništa za migraciju - + No PartDesign features found that don't belong to a body. Nothing to migrate. Nema elemenata Konstruktora dijelova koji ne pripada tijelu. Ništa za preseljenje. - + Sketch plane cannot be migrated Skica ravnine ne može se migrirati - + Please edit '%1' and redefine it to use a Base or Datum plane as the sketch plane. Uredite '%1' i redefinirate to da bi ste koristili bazu ili ravninu polazišta kao ravninu crteža. - - - - - + + + + + Selection error Greška odabira - + Select exactly one PartDesign feature or a body. Odaberite točno jedan Part Design element ili tijelo. - + Couldn't determine a body for the selected feature '%s'. Nije mogao odrediti tijelo za odabrani objekt '%s '. - + Only a solid feature can be the tip of a body. Samo čvrsto tijelo može biti radna pozicija jednog tijela. - - - + + + Features cannot be moved Značajke se ne mogu pomicati - + Some of the selected features have dependencies in the source body Odabrani objekti su u ovisnosti o izvornom tijelu - + Only features of a single source Body can be moved Samo objekti jedino jednog izvornog tijela mogu biti premješteni - + There are no other bodies to move to Nema drugih tijela za premještanje - + Impossible to move the base feature of a body. Nemoguće je pomaknuti osnovni element tijela. - + Select one or more features from the same body. Odaberite jednu ili više značajki u istom tijelu. - + Beginning of the body Početak tijela - + Dependency violation Kršenje ovisnosti - + Early feature must not depend on later feature. @@ -3698,29 +3699,29 @@ To može dovesti do neočekivanih rezultata. - + No previous feature found Nema prethodnog elementa - + It is not possible to create a subtractive feature without a base feature available Nije moguće stvoriti dodavajući element bez pripadajućeg osnovnog elementa - + Vertical sketch axis Vertikalna os skice - + Horizontal sketch axis Horizontalna os skice - + Construction line %1 Izgradnja linije %1 @@ -3985,7 +3986,7 @@ Iako ćete moći migrirati u bilo svakom trenutku kasnije s 'Dizajn dijela -> Sprocket parameters - Sprocket parameters + Parametri točka lančanika @@ -4222,7 +4223,7 @@ Imajte na umu da izračun može potrajati Update thread view - Update thread view + Ažuriranja prikaza navoja @@ -4360,7 +4361,7 @@ dubina vijka ispod kosine upuštanja Hole Cut Type - Hole Cut Type + Tip reza rupe @@ -4762,25 +4763,25 @@ preko 90: veći polumjer rupe na dnu Booleova operacija nije moguća - + - + Resulting shape is not a solid Stvoreni oblik nije volumen tijelo - - - + + + - + Result has multiple solids: that is not currently supported. @@ -4860,71 +4861,71 @@ preko 90: veći polumjer rupe na dnu - odabrana skica ne pripada aktivnom tijelu. - + Length too small Dužina je premala - + Second length too small Druga dužina je premala - + Failed to obtain profile shape Nije moguće dobiti oblik profila - + Creation failed because direction is orthogonal to sketch's normal vector - Creation failed because direction is orthogonal to sketch's normal vector + Kreiranje nije uspjelo jer je smjer ortogonalan na normalu vektora skice. - + Extrude: Can only offset one face - Extrude: Can only offset one face + Istisnuti: može samo pomak na jednom licu - - + + Creating a face from sketch failed Stvaranje lice od skice nije uspjelo - + Up to face: Could not get SubShape! - Up to face: Could not get SubShape! + Do površine: Nije moguće dobiti podoblik! - + Unable to reach the selected shape, please select faces - Unable to reach the selected shape, please select faces + Nije moguće pristupiti odabranom obliku, odaberite lica - + Magnitude of taper angle matches or exceeds 90 degrees - Magnitude of taper angle matches or exceeds 90 degrees + Veličina kuta suženja odgovara ili prelazi 90 stupnjeva - + Padding with draft angle failed - Padding with draft angle failed + Podstava s kutom nacrta nije uspjela - + Revolve axis intersects the sketch Os zaokreta presjeca skicu - + 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. @@ -4934,7 +4935,7 @@ Nije dozvoljeno presjecanje elemenata na skici. Error: Pitch too small! - Error: Pitch too small! + Greška: Otklon je premali! @@ -5082,12 +5083,12 @@ Nije dozvoljeno presjecanje elemenata na skici. Boolean operation failed on profile Edge - Boolean operation failed on profile Edge + Booleova operacija nije uspjela na rubu profila Boolean operation produced non-solid on profile Edge - Boolean operation produced non-solid on profile Edge + Booleova operacija proizvela je nečvrsto tijelo na rubu profila @@ -5123,22 +5124,22 @@ Ukrštanje elemenata skice ili više površina u skici nije dozvoljeno za izradu Izvuci profil: Potreban je barem jedna presjek. - + Loft: A fatal error occurred when making the loft Izvučeni oblik presjeka: Došlo je do fatalne pogreške pri izradi izvučenog oblika - + Loft: Creating a face from sketch failed - Loft: Creating a face from sketch failed + Izvlačenje forme: Stvaranje lica iz skice nije uspjelo - + Loft: Failed to create shell - Loft: Failed to create shell + Izvlačenje forme: Stvaranje ljuske nije uspjelo - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed. Nije moguće napraviti površinu pomoću skice. @@ -5255,16 +5256,16 @@ Nije dozvoljeno presjecanje elemenata ili višestruke površine na skici.Nemoguće odrediti razliku primitivnog elementa bez baznog elementa - + Unknown operation type - Unknown operation type + Nepoznata vrsta operacije - + Failed to perform boolean operation - Failed to perform boolean operation + Izvođenje Booleove operacije nije uspjelo @@ -5365,22 +5366,22 @@ Nije dozvoljeno presjecanje elemenata ili višestruke površine na skici.delta x2 od klina je negativna - + Angle of revolution too large Kut zakretanja prevelik - + Angle of revolution too small Kut zakretanja premali - + Reference axis is invalid - Reference axis is invalid + Referentna os nije važeća - + Fusion with base feature failed Spajanje sa baznom značajkom nije uspjelo @@ -5412,7 +5413,7 @@ Nije dozvoljeno presjecanje elemenata ili višestruke površine na skici. Invalid face reference - Invalid face reference + Nevažeća referenca lica @@ -5426,12 +5427,12 @@ Nije dozvoljeno presjecanje elemenata ili višestruke površine na skici. CmdPartDesignCompDatums - + Create datum Stvori referencu - + Create a datum object or local coordinate system Stvoriti objekt reference ili lokalni koordinatni sustav @@ -5439,14 +5440,30 @@ Nije dozvoljeno presjecanje elemenata ili višestruke površine na skici. CmdPartDesignCompSketches - + Create datum Stvori referencu - + Create a datum object or local coordinate system Stvoriti objekt reference ili lokalni koordinatni sustav + + PartDesignGui::TaskDlgRevolutionParameters + + + Revolution parameters + Parametri obrtaja + + + + PartDesignGui::TaskDlgGrooveParameters + + + Groove parameters + Groove parameters + + diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_hu.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_hu.ts index b00539cce511..680413264622 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_hu.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_hu.ts @@ -129,17 +129,17 @@ az önmetszés elkerülése érdekében. CmdPartDesignAdditiveHelix - + PartDesign AlkatrészTervezés - + Additive helix Additív csavarvonal - + Sweep a selected sketch along a helix A kiválasztott vázlat végighúzása egy csavarvonalon @@ -147,17 +147,17 @@ az önmetszés elkerülése érdekében. CmdPartDesignAdditiveLoft - + PartDesign AlkatrészTervezés - + Additive loft Görbék közt létrehozott tárgy - + Loft a selected profile through other profile sections A kiválasztott profilt kihúzható tárggyá alakít más profil beállításcsoporton keresztül @@ -165,17 +165,17 @@ az önmetszés elkerülése érdekében. CmdPartDesignAdditivePipe - + PartDesign AlkatrészTervezés - + Additive pipe Kiegészítő cső - + Sweep a selected sketch along a path or to other profiles Pásztázza a kiválasztott vázlatot egy útvonalon vagy más körvonalakon @@ -183,17 +183,17 @@ az önmetszés elkerülése érdekében. CmdPartDesignBody - + PartDesign AlkatrészTervezés - + Create body Új test létrehozása - + Create a new body and make it active Új test létrehozása és aktívvá tétele @@ -201,17 +201,17 @@ az önmetszés elkerülése érdekében. CmdPartDesignBoolean - + PartDesign AlkatrészTervezés - + Boolean operation Logikai művelet - + Boolean operation with two or more bodies Logikai művelet két vagy több test között @@ -237,17 +237,17 @@ az önmetszés elkerülése érdekében. CmdPartDesignChamfer - + PartDesign AlkatrészTervezés - + Chamfer Letörés - + Chamfer the selected edges of a shape Az alakzat kijelölt éleinek letörése @@ -273,17 +273,17 @@ az önmetszés elkerülése érdekében. CmdPartDesignDraft - + PartDesign AlkatrészTervezés - + Draft Tervrajz - + Make a draft on a face Készítsen tervrajzot egy felületen @@ -291,17 +291,17 @@ az önmetszés elkerülése érdekében. CmdPartDesignDuplicateSelection - + PartDesign AlkatrészTervezés - + Duplicate selected object Kijelölt tárgy duplikálása - + Duplicates the selected object and adds it to the active body Kiválasztott tárgy megkettőzése és az aktív testhez adása @@ -309,17 +309,17 @@ az önmetszés elkerülése érdekében. CmdPartDesignFillet - + PartDesign AlkatrészTervezés - + Fillet Lekerekítés - + Make a fillet on an edge, face or body Létrehoz egy lekerekítést az élen, felületen vagy testen @@ -327,17 +327,17 @@ az önmetszés elkerülése érdekében. CmdPartDesignGroove - + PartDesign AlkatrészTervezés - + Groove Horony - + Groove a selected sketch Horonyal ellátja a kijelölt vázlatrajzot @@ -345,17 +345,17 @@ az önmetszés elkerülése érdekében. CmdPartDesignHole - + PartDesign AlkatrészTervezés - + Hole Furat - + Create a hole with the selected sketch Furat készítése a választott vázlatból @@ -381,17 +381,17 @@ az önmetszés elkerülése érdekében. CmdPartDesignLinearPattern - + PartDesign AlkatrészTervezés - + LinearPattern Egyenes vonalú minta - + Create a linear pattern feature Létrehoz egy lineáris minta tulajdonságot @@ -399,17 +399,17 @@ az önmetszés elkerülése érdekében. CmdPartDesignMigrate - + PartDesign AlkatrészTervezés - + Migrate Áttelepítés - + Migrate document to the modern PartDesign workflow A modern PartDesign munkafolyamat dokumentum áttelepítése @@ -417,17 +417,17 @@ az önmetszés elkerülése érdekében. CmdPartDesignMirrored - + PartDesign AlkatrészTervezés - + Mirrored Tükrözött - + Create a mirrored feature Hozzon létre egy tükrözés funkciót @@ -435,17 +435,17 @@ az önmetszés elkerülése érdekében. CmdPartDesignMoveFeature - + PartDesign AlkatrészTervezés - + Move object to other body Tárgy áthelyezése más testre - + Moves the selected object to another body A kiválasztott tárgy áthelyezése egy másik testre @@ -453,17 +453,17 @@ az önmetszés elkerülése érdekében. CmdPartDesignMoveFeatureInTree - + PartDesign AlkatrészTervezés - + Move object after other object Tárgy áthelyezése más tárgy után - + Moves the selected object and insert it after another object Áthelyezi a kijelölt tárgyat, és beillesztheti egy másik tárgy után @@ -471,17 +471,17 @@ az önmetszés elkerülése érdekében. CmdPartDesignMoveTip - + PartDesign AlkatrészTervezés - + Set tip Csúcs meghatározása - + Move the tip of the body Test csúcsának mozgatása @@ -489,17 +489,17 @@ az önmetszés elkerülése érdekében. CmdPartDesignMultiTransform - + PartDesign AlkatrészTervezés - + Create MultiTransform TöbbszörösÁtalakítás létrehozása - + Create a multitransform feature Hozzon létre egy többszörös átalakító funkciót @@ -561,17 +561,17 @@ az önmetszés elkerülése érdekében. CmdPartDesignPocket - + PartDesign AlkatrészTervezés - + Pocket Üreg - + Create a pocket with the selected sketch Üreg létrehozása a kijelölt vázlattal @@ -597,17 +597,17 @@ az önmetszés elkerülése érdekében. CmdPartDesignPolarPattern - + PartDesign AlkatrészTervezés - + PolarPattern Poláris kiosztás - + Create a polar pattern feature Poláris kiosztás @@ -615,17 +615,17 @@ az önmetszés elkerülése érdekében. CmdPartDesignRevolution - + PartDesign AlkatrészTervezés - + Revolution Forgatás - + Revolve a selected sketch Körmetszd a kiválasztott vázlatot @@ -633,17 +633,17 @@ az önmetszés elkerülése érdekében. CmdPartDesignScaled - + PartDesign AlkatrészTervezés - + Scaled Méretezett - + Create a scaled feature Hozzon létre egy méretezett funkciót @@ -683,17 +683,17 @@ az önmetszés elkerülése érdekében. CmdPartDesignSubtractiveHelix - + PartDesign AlkatrészTervezés - + Subtractive helix Kivonandó csavarvonal - + Sweep a selected sketch along a helix and remove it from the body A kiválasztott vázlat végighúzása egy csavarvonalon és eltávolítása a testből @@ -701,17 +701,17 @@ az önmetszés elkerülése érdekében. CmdPartDesignSubtractiveLoft - + PartDesign AlkatrészTervezés - + Subtractive loft Kihúzható testté - + Loft a selected profile through other profile sections and remove it from the body Kiválasztott profil kihúzható testté alakítása más kiválasztott profil szakaszokon keresztül és annak eltávolítása a testből @@ -719,17 +719,17 @@ az önmetszés elkerülése érdekében. CmdPartDesignSubtractivePipe - + PartDesign AlkatrészTervezés - + Subtractive pipe Kivonandó cső - + Sweep a selected sketch along a path or to other profiles and remove it from the body Egy út vagy másik felület mentén pásztázza a kiválasztott vázlatot és távolítsa el a testtől @@ -737,17 +737,17 @@ az önmetszés elkerülése érdekében. CmdPartDesignThickness - + PartDesign AlkatrészTervezés - + Thickness Vastagság - + Make a thick solid Hozzon létre egy vastag, szilárd testet @@ -766,42 +766,42 @@ az önmetszés elkerülése érdekében. Hozzon létre egy kiegészítő alaptestet - + Additive Box Kiegészítő téglatest - + Additive Cylinder Kiegészítő henger - + Additive Sphere Kiegészítő gömb - + Additive Cone Kiegészítő kúp - + Additive Ellipsoid Kiegészítő ellipszoid - + Additive Torus Kiegészítő tórusz - + Additive Prism Kiegészítő prizma - + Additive Wedge Kiegészítő ék @@ -809,53 +809,53 @@ az önmetszés elkerülése érdekében. CmdPrimtiveCompSubtractive - + PartDesign AlkatrészTervezés - - + + Create a subtractive primitive Hozzon létre egy kivonandó alaptestet - + Subtractive Box Kivonandó téglatest - + Subtractive Cylinder Kivonandó henger - + Subtractive Sphere Kivonandó gömb - + Subtractive Cone Kivonandó kúp - + Subtractive Ellipsoid Kivonandó ellipszoid - + Subtractive Torus Kivonandó tórusz - + Subtractive Prism Kivonandó prizma - + Subtractive Wedge Kivonandó ék @@ -895,47 +895,48 @@ az önmetszés elkerülése érdekében. + Create a new Sketch Új vázlat készítése - + Convert to MultiTransform feature Többszörös átalakító funkció konverziója - + Create Boolean Logikai érték létrehozása - + Add a Body Test hozzáadás - + Migrate legacy Part Design features to Bodies Régi alkatrész tervezési funkciók áttelepítése a testekre - + Move tip to selected feature A csúcs átvitele a kiválasztott jellemzőbe - + Duplicate a PartDesign object Alkatrész terv objektum duplikálása - + Move an object Tárgy mozgatása - + Move an object inside tree Egy tárgy mozgatása fába @@ -1605,7 +1606,7 @@ click again to end selection PartDesignGui::TaskDlgFeatureParameters - + Input error Bemeneti hiba @@ -1697,13 +1698,13 @@ click again to end selection PartDesignGui::TaskExtrudeParameters - + No face selected Nincs kijelölve felület - + Face Felület @@ -1723,38 +1724,38 @@ click again to end selection Válassza ki a felületeket - + No shape selected Nincs kijelölve alakzat - + Sketch normal Normál vektor vázlata - + Face normal Aktuális felület - + Select reference... Válasszon referenciát... - - + + Custom direction Egyéni irány - + Click on a shape in the model Kattintson egy alakzatra a modellben - + Click on a face in the model Kattintson a modell felületére @@ -2798,7 +2799,7 @@ measured along the specified direction - + Dimension Dimenzió @@ -2809,19 +2810,19 @@ measured along the specified direction - + Base X axis Alap X tengely - + Base Y axis Alap Y tengely - + Base Z axis Alap Z tengely @@ -2837,7 +2838,7 @@ measured along the specified direction - + Select reference... Válasszon referenciát... @@ -2847,24 +2848,24 @@ measured along the specified direction Dőlésszög: - + Symmetric to plane Szimmetrikus a síkra - + Reversed Fordított - + 2nd angle 2. ív - - + + Face Felület @@ -2874,37 +2875,37 @@ measured along the specified direction Nézetek frissítése - + Revolution parameters Forgási paraméterek - + To last Az utolsóhoz - + Through all Mindenen keresztül - + To first Az elsőig - + Up to face Felületig - + Two dimensions Két dimenziós - + No face selected Nincs kijelölve felület @@ -3233,42 +3234,42 @@ click again to end selection PartDesign_CompPrimitiveAdditive - + Create an additive box by its width, height, and length Additív téglatest létrehozása szélesség, magasság és hossz megadásával - + Create an additive cylinder by its radius, height, and angle Additív henger létrehozása sugarának, magasságának és szögének megadásával - + Create an additive sphere by its radius and various angles Hozzon létre egy kiegészítő gömböt a sugár és különböző szögek megadásával - + Create an additive cone Hozzon létre egy kiegészítő kúpot - + Create an additive ellipsoid Hozzon létre egy kiegészítő ellipszoidot - + Create an additive torus Hozzon létre egy kiegészítő tóruszt - + Create an additive prism Hozzon létre egy kiegészítő prizmát - + Create an additive wedge Hozzon létre egy kiegészítő éket @@ -3276,42 +3277,42 @@ click again to end selection PartDesign_CompPrimitiveSubtractive - + Create a subtractive box by its width, height and length Hozzon létre egy szubtraktív doboz szélessége, magassága és hossza alapján - + Create a subtractive cylinder by its radius, height and angle Hozzon létre egy kiegészítő hengert a rádiusz, magasság és szög megadásával - + Create a subtractive sphere by its radius and various angles Hozzon létre egy kivonandó gömböt a sugár és különböző szögek megadásával - + Create a subtractive cone Hozzon létre egy kivonandó kúpot - + Create a subtractive ellipsoid Hozzon létre egy kivonandó ellipszoidot - + Create a subtractive torus Hozzon létre egy kivonandó tóruszt - + Create a subtractive prism Hozzon létre egy kivonandó prizmát - + Create a subtractive wedge Hozzon létre egy kivonandó éket @@ -3319,12 +3320,12 @@ click again to end selection PartDesign_MoveFeature - + Select body Test kiválasztás - + Select a body from the list Test kiválasztása a listából @@ -3332,27 +3333,27 @@ click again to end selection PartDesign_MoveFeatureInTree - + Select feature Jellemző kiválasztás - + Select a feature from the list Funkció kiválasztása a listából - + Move tip Csúcs mozgatása - + The moved feature appears after the currently set tip. A mozgatott jellemző a beállított csúcs mögött jelenik meg. - + Do you want the last feature to be the new tip? A legutóbbi jellemző legyen az új csúcs? @@ -3387,42 +3388,42 @@ click again to end selection Részalakzat kötése - + Several sub-elements selected Több al-elemet jelölt ki - + You have to select a single face as support for a sketch! Ki kell jelölnie egy támogató egyedülálló felületet a vázlat létrehozásához! - + No support face selected A kijelölt felület nem támogatott - + You have to select a face as support for a sketch! Ki kell választani egy vázlatot támogató felületet! - + No planar support Nem támogatott sík - + You need a planar face as support for a sketch! A vázlathoz, szükség van egy támogatott sík felületre! - + No valid planes in this document Ebben a dokumentumban nincs érvényes sík - + Please create a plane first or select a face to sketch on Kérem, először hozzon létre egy síkot vagy válasszon egy felületet amin vázlatot készít @@ -3481,240 +3482,240 @@ click again to end selection Nincs elérhető vázlat a dokumentumban - - + + Wrong selection Hibás kijelölés - + Select an edge, face, or body from a single body. Egyetlen testből jelöljön ki egy élet, felszínt vagy testet. - - + + Selection is not in Active Body Kijelölés nem szerepel az aktív testben - + Select an edge, face, or body from an active body. Az aktív testből jelöljön ki egy élet, felszínt vagy testet. - + Wrong object type Hibás objektumtípus - + %1 works only on parts. %1 működik csak az alkatrészeken. - + Shape of the selected Part is empty A kijelölt alkatrész alakzata üres - + Please select only one feature in an active body. Az aktív testben csak egyetlen jellemzőt jelöljön ki. - + Part creation failed Alkatrész nézet létrehozása sikertelen - + Failed to create a part object. Rész objektum létrehozása sikertelen. - - - - + + + + Bad base feature Rossz alap tulajdonság - + Body can't be based on a PartDesign feature. A test nem alapulhat az AlkatrészTervező funkción. - + %1 already belongs to a body, can't use it as base feature for another body. %1 már egy testhez tartozik, nem lehet használni egy másik test alap tulajdonságaként. - + Base feature (%1) belongs to other part. Alap funkció (%1) másik alkatrészhez tartozik. - + The selected shape consists of multiple solids. This may lead to unexpected results. A kijelölt alakzat több szilárd testből áll. Ez nem várt eredményekhez vezethet. - + The selected shape consists of multiple shells. This may lead to unexpected results. A kijelölt alakzat több kéregből áll. Ez nem várt eredményekhez vezethet. - + The selected shape consists of only a shell. This may lead to unexpected results. A kijelölt alakzat egy kéregből áll. Ez nem várt eredményekhez vezethet. - + The selected shape consists of multiple solids or shells. This may lead to unexpected results. A kijelölt alakzat több szilárd testből vagy kéregből áll. Ez nem várt eredményekhez vezethet. - + Base feature Alap tulajdonság - + Body may be based on no more than one feature. Test nem több, mint egy funkción alapulhat. - + Body Test - + Nothing to migrate Nincs mit áttelepíteni - + No PartDesign features found that don't belong to a body. Nothing to migrate. Nem találhatók olyan Alkatrész Terv jellemzők, melyek ne tartoznának testhez. Semmit nem lehet migrálni. - + Sketch plane cannot be migrated Vázlat síkot nem lehet áttelepíteni - + Please edit '%1' and redefine it to use a Base or Datum plane as the sketch plane. Kérem szerkessze: "%1", és újra határozza meg egy alap- vagy referenciasík használatához mint vázlat sík. - - - - - + + + + + Selection error Kiválasztási hiba - + Select exactly one PartDesign feature or a body. Válasszon ki pontosan egy AlkatrészTervezés szolgáltatást vagy egy testet. - + Couldn't determine a body for the selected feature '%s'. Nem tud testet meghatározni a kiválasztott szolgáltatáshoz '%s'. - + Only a solid feature can be the tip of a body. Csak egy szilárd test tulajdonság lehet a test csúcsa. - - - + + + Features cannot be moved Funkciók nem áthelyezhetőek - + Some of the selected features have dependencies in the source body Néhány kijelölt funkciónak függősége van a forrás testben - + Only features of a single source Body can be moved Egyetlen forrás testen alapuló tulajdonságokat lehet mozgatni - + There are no other bodies to move to Nincsenek más testek áthelyezéshez - + Impossible to move the base feature of a body. Nem lehet elmozdítani a test alap tulajdonságát. - + Select one or more features from the same body. Jelöljön ki két vagy több tulajdonságot ugyanabból a testből. - + Beginning of the body Test kezdete - + Dependency violation Függőség megsértése - + Early feature must not depend on later feature. Egy korábbi jellemző nem függhet egy későbbitől. - + No previous feature found Nem található korábbi tulajdonság - + It is not possible to create a subtractive feature without a base feature available 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 - + Construction line %1 Építési egyenes %1 @@ -4748,25 +4749,25 @@ over 90: larger hole radius at the bottom Nem támogatott logikai művelet - + - + Resulting shape is not a solid Az eredmény alakzat nem szilárd test - - - + + + - + Result has multiple solids: that is not currently supported. @@ -4845,71 +4846,71 @@ over 90: larger hole radius at the bottom - a kiválasztott vázlat nem az aktív testhez tartozik. - + Length too small Túl kicsi a hossza - + Second length too small Második hossza túl kicsi - + Failed to obtain profile shape Nem sikerült a profil alakját megszerezni - + Creation failed because direction is orthogonal to sketch's normal vector Létrehozás meghiúsult, mert az irány merőleges a vázlat aktuális vektorához - + Extrude: Can only offset one face Kiterjesztés: Csak egy felületet lehet eltolni - - + + Creating a face from sketch failed Nem sikerült felületet létrehozni vázlatból - + Up to face: Could not get SubShape! Szemtől szembe: Nem sikerült al-formát kapni! - + Unable to reach the selected shape, please select faces Nem lehet elérni a kiválasztott alakzatot, kérjük, válasszon felületeket - + Magnitude of taper angle matches or exceeds 90 degrees A kúpszög nagysága megegyezik vagy meghaladja a 90 fokot - + Padding with draft angle failed A dőlésszöggel történő kihúzás nem sikerült - + Revolve axis intersects the sketch A körbmetszési tengely metszi a vázlatot - + 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. @@ -5107,22 +5108,22 @@ A vázlatelemek vagy több felület metszése egy vázlatban nem engedélyezett Szint: Legalább egy keresztmetszet szükséges - + Loft: A fatal error occurred when making the loft Szint: Végzetes hiba történt a szint készítésekor - + Loft: Creating a face from sketch failed Formázás: Felület létrehozása vázlatból sikertelen - + Loft: Failed to create shell Formázás: hiba a héj létrehozásakor - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed. Nem sikerült felületet létrehozni vázlatból. @@ -5239,13 +5240,13 @@ A vázlatelemek vagy többszörös felületek metszése egy vázlatban nem enged Nem vonható ki az alaptest jellemzője az alapjellemző nélkül - + Unknown operation type Ismeretlen művelettípus - + Failed to perform boolean operation Logikai művelet végrehajtása sikertelen @@ -5349,22 +5350,22 @@ A vázlatelemek vagy többszörös felületek metszése egy vázlatban nem enged az ék delta x2 negatív - + Angle of revolution too large A fordulatszám szöge túl nagy - + Angle of revolution too small A fordulatszám szöge túl kicsi - + Reference axis is invalid A referencia tengely érvénytelen - + Fusion with base feature failed A kapcsolat az alapfunkcióval sikertelen @@ -5410,12 +5411,12 @@ A vázlatelemek vagy többszörös felületek metszése egy vázlatban nem enged CmdPartDesignCompDatums - + Create datum Dátum létrehozása - + Create a datum object or local coordinate system Dátum tárgy vagy helyi koordináta rendszer létrehozása @@ -5423,14 +5424,30 @@ A vázlatelemek vagy többszörös felületek metszése egy vázlatban nem enged CmdPartDesignCompSketches - + Create datum Dátum létrehozása - + Create a datum object or local coordinate system Dátum tárgy vagy helyi koordináta rendszer létrehozása + + PartDesignGui::TaskDlgRevolutionParameters + + + Revolution parameters + Forgási paraméterek + + + + PartDesignGui::TaskDlgGrooveParameters + + + Groove parameters + Groove parameters + + diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_it.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_it.ts index 9fb83fcc7693..1a2d6f491ebd 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_it.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_it.ts @@ -129,17 +129,17 @@ in modo da evitare l'intersezione automatica. CmdPartDesignAdditiveHelix - + PartDesign PartDesign - + Additive helix Elica additiva - + Sweep a selected sketch along a helix Spazza uno schizzo selezionato lungo un'elica @@ -147,17 +147,17 @@ in modo da evitare l'intersezione automatica. CmdPartDesignAdditiveLoft - + PartDesign PartDesign - + Additive loft Loft additivo - + Loft a selected profile through other profile sections Estrude un profilo selezionato attraverso altre sezioni di profilo @@ -165,17 +165,17 @@ in modo da evitare l'intersezione automatica. CmdPartDesignAdditivePipe - + PartDesign PartDesign - + Additive pipe Sweep additivo - + Sweep a selected sketch along a path or to other profiles Estrude uno schizzo selezionato lungo un percorso o altri profili @@ -183,17 +183,17 @@ in modo da evitare l'intersezione automatica. CmdPartDesignBody - + PartDesign PartDesign - + Create body Crea un corpo - + Create a new body and make it active Crea un nuovo corpo e lo rende attivo @@ -201,17 +201,17 @@ in modo da evitare l'intersezione automatica. CmdPartDesignBoolean - + PartDesign PartDesign - + Boolean operation Operazione booleana - + Boolean operation with two or more bodies Operazione booleana con due o più corpi @@ -237,17 +237,17 @@ in modo da evitare l'intersezione automatica. CmdPartDesignChamfer - + PartDesign PartDesign - + Chamfer Smusso - + Chamfer the selected edges of a shape Smussa gli spigoli selezionati di una forma @@ -273,17 +273,17 @@ in modo da evitare l'intersezione automatica. CmdPartDesignDraft - + PartDesign PartDesign - + Draft Sformo - + Make a draft on a face Crea uno sformo su una faccia @@ -291,17 +291,17 @@ in modo da evitare l'intersezione automatica. CmdPartDesignDuplicateSelection - + PartDesign PartDesign - + Duplicate selected object Duplica l'oggetto selezionato - + Duplicates the selected object and adds it to the active body Duplica l'oggetto selezionato e lo aggiunge al corpo attivo @@ -309,17 +309,17 @@ in modo da evitare l'intersezione automatica. CmdPartDesignFillet - + PartDesign PartDesign - + Fillet Raccordo - + Make a fillet on an edge, face or body Crea un raccordo su uno spigolo, una faccia o un corpo @@ -327,17 +327,17 @@ in modo da evitare l'intersezione automatica. CmdPartDesignGroove - + PartDesign PartDesign - + Groove Gola - + Groove a selected sketch Crea una gola o scanalatura con uno schizzo selezionato @@ -345,17 +345,17 @@ in modo da evitare l'intersezione automatica. CmdPartDesignHole - + PartDesign PartDesign - + Hole Foro - + Create a hole with the selected sketch Crea un foro dallo schizzo selezionato @@ -381,17 +381,17 @@ in modo da evitare l'intersezione automatica. CmdPartDesignLinearPattern - + PartDesign PartDesign - + LinearPattern Serie rettangolare - + Create a linear pattern feature Crea una serie rettangolare @@ -399,17 +399,17 @@ in modo da evitare l'intersezione automatica. CmdPartDesignMigrate - + PartDesign PartDesign - + Migrate Migra - + Migrate document to the modern PartDesign workflow Migra il documento nel flusso di lavoro di PartDesign moderno @@ -417,17 +417,17 @@ in modo da evitare l'intersezione automatica. CmdPartDesignMirrored - + PartDesign PartDesign - + Mirrored Specchiato - + Create a mirrored feature Crea una funzione di specchiatura @@ -435,17 +435,17 @@ in modo da evitare l'intersezione automatica. CmdPartDesignMoveFeature - + PartDesign PartDesign - + Move object to other body Sposta in altro corpo - + Moves the selected object to another body Sposta l'oggetto selezionato in un altro corpo @@ -453,17 +453,17 @@ in modo da evitare l'intersezione automatica. CmdPartDesignMoveFeatureInTree - + PartDesign PartDesign - + Move object after other object Sposta dopo altro oggetto - + Moves the selected object and insert it after another object Sposta l'oggetto selezionato e lo inserisce dopo un altro oggetto @@ -471,17 +471,17 @@ in modo da evitare l'intersezione automatica. CmdPartDesignMoveTip - + PartDesign PartDesign - + Set tip Usa come entità finale - + Move the tip of the body Sposta la cima, ultima lavorazione, del corpo @@ -489,17 +489,17 @@ in modo da evitare l'intersezione automatica. CmdPartDesignMultiTransform - + PartDesign PartDesign - + Create MultiTransform Multi trasformazione - + Create a multitransform feature Crea una funzione di trasformazione multipla @@ -561,17 +561,17 @@ in modo da evitare l'intersezione automatica. CmdPartDesignPocket - + PartDesign PartDesign - + Pocket Tasca - + Create a pocket with the selected sketch Crea una cavità o tasca usando lo schizzo selezionato @@ -597,17 +597,17 @@ in modo da evitare l'intersezione automatica. CmdPartDesignPolarPattern - + PartDesign PartDesign - + PolarPattern Serie polare - + Create a polar pattern feature Crea una serie polare @@ -615,17 +615,17 @@ in modo da evitare l'intersezione automatica. CmdPartDesignRevolution - + PartDesign PartDesign - + Revolution Rivoluzione - + Revolve a selected sketch Crea un solido di rivoluzione da uno schizzo selezionato @@ -633,17 +633,17 @@ in modo da evitare l'intersezione automatica. CmdPartDesignScaled - + PartDesign PartDesign - + Scaled Scalato - + Create a scaled feature Crea una funzione di scalatura @@ -683,17 +683,17 @@ in modo da evitare l'intersezione automatica. CmdPartDesignSubtractiveHelix - + PartDesign PartDesign - + Subtractive helix Elica sottrattiva - + Sweep a selected sketch along a helix and remove it from the body Spazza uno schizzo selezionato lungo un'elica e lo rimuove dal corpo @@ -701,17 +701,17 @@ in modo da evitare l'intersezione automatica. CmdPartDesignSubtractiveLoft - + PartDesign PartDesign - + Subtractive loft Loft sottrattivo - + Loft a selected profile through other profile sections and remove it from the body Estrude un profilo selezionato attraverso altre sezioni di profilo e lo rimuove dal corpo @@ -719,17 +719,17 @@ in modo da evitare l'intersezione automatica. CmdPartDesignSubtractivePipe - + PartDesign PartDesign - + Subtractive pipe Sweep sottrattivo - + Sweep a selected sketch along a path or to other profiles and remove it from the body Spazza uno schizzo selezionato lungo un percorso o altri profili e lo rimuove dal corpo @@ -737,17 +737,17 @@ in modo da evitare l'intersezione automatica. CmdPartDesignThickness - + PartDesign PartDesign - + Thickness Spessore - + Make a thick solid Crea uno spessore solido @@ -766,42 +766,42 @@ in modo da evitare l'intersezione automatica. Crea una primitiva additiva - + Additive Box Cubo - + Additive Cylinder Cilindro - + Additive Sphere Sfera - + Additive Cone Cono - + Additive Ellipsoid Ellissoide - + Additive Torus Toro - + Additive Prism Prisma - + Additive Wedge Cuneo @@ -809,53 +809,53 @@ in modo da evitare l'intersezione automatica. CmdPrimtiveCompSubtractive - + PartDesign PartDesign - - + + Create a subtractive primitive Crea una primitiva sottrattiva - + Subtractive Box Cubo - + Subtractive Cylinder Cilindro - + Subtractive Sphere Sfera - + Subtractive Cone Cono - + Subtractive Ellipsoid Ellissoide - + Subtractive Torus Toro - + Subtractive Prism Prisma - + Subtractive Wedge Cuneo @@ -895,47 +895,48 @@ in modo da evitare l'intersezione automatica. + Create a new Sketch Crea un nuovo schizzo - + Convert to MultiTransform feature Crea una funzione di trasformazione multipla - + Create Boolean Crea pallinatura - + Add a Body Aggiungi corpo - + Migrate legacy Part Design features to Bodies Migra le vecchie funzioni di Part Design ai Corpi - + Move tip to selected feature Sposta il suggerimento nella funzione selezionata - + Duplicate a PartDesign object Duplica un oggetto PartDesign - + Move an object Sposta un oggetto - + Move an object inside tree Sposta un oggetto all'interno dell'albero @@ -1606,7 +1607,7 @@ fare nuovamente clic per terminare la selezione PartDesignGui::TaskDlgFeatureParameters - + Input error Errore di input @@ -1699,13 +1700,13 @@ fare nuovamente clic per terminare la selezione PartDesignGui::TaskExtrudeParameters - + No face selected Nessuna faccia selezionata - + Face Faccia @@ -1725,38 +1726,38 @@ fare nuovamente clic per terminare la selezione Seleziona facce - + No shape selected Nessuna forma selezionata - + Sketch normal Normale allo schizzo - + Face normal Faccia normale - + Select reference... Seleziona riferimento... - - + + Custom direction Direzione personalizzata - + Click on a shape in the model Fare clic su una forma nel modello - + Click on a face in the model Fare clic su una faccia nel modello @@ -1846,7 +1847,7 @@ fare nuovamente clic per terminare la selezione Select attachment - Seleziona allegato + Seleziona associazione @@ -2802,7 +2803,7 @@ misurata lungo la direzione specificata - + Dimension Dimensione @@ -2813,19 +2814,19 @@ misurata lungo la direzione specificata - + Base X axis Asse X di base - + Base Y axis Asse Y di base - + Base Z axis Asse Z di base @@ -2841,7 +2842,7 @@ misurata lungo la direzione specificata - + Select reference... Seleziona riferimento... @@ -2851,24 +2852,24 @@ misurata lungo la direzione specificata Angolo: - + Symmetric to plane Simmetrica al piano - + Reversed Invertita - + 2nd angle 2° angolo - - + + Face Faccia @@ -2878,37 +2879,37 @@ misurata lungo la direzione specificata Aggiorna la vista - + Revolution parameters Parametri Rivoluzione - + To last Fino all'ultimo - + Through all Attraverso tutto - + To first Fino al primo - + Up to face Fino alla faccia - + Two dimensions Due dimensioni - + No face selected Nessuna faccia selezionata @@ -3238,42 +3239,42 @@ fare nuovamente clic per terminare la selezione PartDesign_CompPrimitiveAdditive - + Create an additive box by its width, height, and length Crea un parallelepipedo additivo attraverso la sua larghezza, altezza e lunghezza - + Create an additive cylinder by its radius, height, and angle Crea un cilindro additivo dal suo raggio, altezza e angolo - + Create an additive sphere by its radius and various angles Crea una sfera additiva attraverso il suo raggio e vari angoli - + Create an additive cone Crea un cono additivo - + Create an additive ellipsoid Crea un ellissoide additivo - + Create an additive torus Crea un toro additivo - + Create an additive prism Crea un prisma additivo - + Create an additive wedge Crea un cuneo additivo @@ -3281,42 +3282,42 @@ fare nuovamente clic per terminare la selezione PartDesign_CompPrimitiveSubtractive - + Create a subtractive box by its width, height and length Crea un parallelepipedo sottrattivo attraverso la sua larghezza, altezza e lunghezza - + Create a subtractive cylinder by its radius, height and angle Crea un cilindro sottrattivo dal suo raggio, altezza e angolo - + Create a subtractive sphere by its radius and various angles Crea una sfera sottrattiva attraverso il suo raggio e vari angoli - + Create a subtractive cone Crea un cono sottrattivo - + Create a subtractive ellipsoid Crea un ellissoide sottrattivo - + Create a subtractive torus Crea un toro sottrattivo - + Create a subtractive prism Crea un prisma sottrattivo - + Create a subtractive wedge Crea un cuneo sottrattivo @@ -3324,12 +3325,12 @@ fare nuovamente clic per terminare la selezione PartDesign_MoveFeature - + Select body Selezione del corpo - + Select a body from the list Seleziona un corpo dall'elenco @@ -3337,27 +3338,27 @@ fare nuovamente clic per terminare la selezione PartDesign_MoveFeatureInTree - + Select feature Selezione della funzione - + Select a feature from the list Seleziona una funzione dall'elenco - + Move tip Sposta la cima verso l'alto - + The moved feature appears after the currently set tip. La funzione spostata appare dopo il suggerimento attualmente impostato. - + Do you want the last feature to be the new tip? Vuoi che l'ultima funzione sia il nuovo suggerimento? @@ -3392,42 +3393,42 @@ fare nuovamente clic per terminare la selezione Sotto-Riferimento di Forma - + Several sub-elements selected Diversi sottoelementi selezionati - + You have to select a single face as support for a sketch! Si deve selezionare una singola faccia come supporto per uno schizzo! - + No support face selected Nessuna faccia di supporto selezionata - + You have to select a face as support for a sketch! Selezionare una faccia come supporto per uno schizzo! - + No planar support Nessun supporto planare - + You need a planar face as support for a sketch! Serve una faccia planare come supporto per uno schizzo! - + No valid planes in this document In questo documento non c'è nessun piano valido - + Please create a plane first or select a face to sketch on Si prega di creare prima un piano oppure di selezionare una faccia su cui posizionare lo schizzo @@ -3486,236 +3487,236 @@ fare nuovamente clic per terminare la selezione Nel documento non è disponibile nessuno schizzo - - + + Wrong selection Selezione errata - + Select an edge, face, or body from a single body. Selezionare uno spigolo, una faccia o un corpo da un unico corpo. - - + + Selection is not in Active Body La selezione non è nel Corpo attivo - + Select an edge, face, or body from an active body. Selezionare uno spigolo, una faccia o un corpo da un corpo attivo. - + Wrong object type Tipo di oggetto errato - + %1 works only on parts. %1 funziona solo su parti. - + Shape of the selected Part is empty La forma della parte selezionata è vuota - + Please select only one feature in an active body. Si prega di selezionare solo una funzione in un corpo attivo. - + Part creation failed La creazione della parte non è riuscita - + Failed to create a part object. Impossibile creare un oggetto parte. - - - - + + + + Bad base feature Funzione di base non valida - + Body can't be based on a PartDesign feature. Un corpo non può essere basato su una funzione di PartDesign. - + %1 already belongs to a body, can't use it as base feature for another body. %1 appartiene già ad un corpo, non è utilizzabile come funzione di base per un altro corpo. - + Base feature (%1) belongs to other part. La funzione di base (%1) appartiene ad un'altra parte. - + The selected shape consists of multiple solids. This may lead to unexpected results. La forma selezionata è costituita da più solidi. Questo può portare a risultati imprevisti. - + The selected shape consists of multiple shells. This may lead to unexpected results. La forma selezionata è costituita da più gusci. Questo può portare a risultati imprevisti. - + The selected shape consists of only a shell. This may lead to unexpected results. La forma selezionata è costituita da un solo guscio. Questo può portare a risultati imprevisti. - + The selected shape consists of multiple solids or shells. This may lead to unexpected results. La forma selezionata è costituita da più solidi o gusci. Questo può portare a risultati imprevisti. - + Base feature Funzione di base - + Body may be based on no more than one feature. Il corpo deve essere basato su non più di una funzione. - + Body Corpo - + Nothing to migrate Nulla da migrazione - + No PartDesign features found that don't belong to a body. Nothing to migrate. Nessuna funzione PartDesign è stata trovata che non sia appartente al corpo. Niente da migrare. - + Sketch plane cannot be migrated Il piano dello schizzo non può essere migrato - + Please edit '%1' and redefine it to use a Base or Datum plane as the sketch plane. Si prega di modificare '%1' e di ridefinirlo per utilizzare un piano di Base o di Riferimento come piano dello schizzo. - - - - - + + + + + Selection error Errore di selezione - + Select exactly one PartDesign feature or a body. Selezionare una funzione PartDesign o un corpo. - + Couldn't determine a body for the selected feature '%s'. Impossibile determinare un corpo per la funzione selezionata '%s'. - + Only a solid feature can be the tip of a body. Solo una funzione solida può essere la cima di un corpo. - - - + + + Features cannot be moved Le funzioni non possono essere spostate - + Some of the selected features have dependencies in the source body Alcune delle funzioni selezionate hanno delle dipendenze del corpo di origine - + Only features of a single source Body can be moved Possono essere mosse solo le funzioni di un singolo corpo di riferimento - + There are no other bodies to move to Non ci sono altri corpi da spostare in - + Impossible to move the base feature of a body. Impossibile spostare la funzione di base di un corpo. - + Select one or more features from the same body. Selezionare una o più funzioni dallo stesso corpo. - + Beginning of the body Inizio del corpo - + Dependency violation Violazione dell'albero di dipendenza - + Early feature must not depend on later feature. La funzione precedente non deve dipendere da quella seguente. - + No previous feature found Non è stata trovata nessuna funzione precedente - + It is not possible to create a subtractive feature without a base feature available 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 - + Construction line %1 Linea di costruzione %1 @@ -4745,25 +4746,25 @@ over 90: larger hole radius at the bottom Operazione booleana non supportata - + - + Resulting shape is not a solid La forma risultante non è un solido - - - + + + - + Result has multiple solids: that is not currently supported. @@ -4843,71 +4844,71 @@ over 90: larger hole radius at the bottom - lo schizzo selezionato non appartiene al corpo attivo. - + Length too small Lunghezza troppo piccola - + Second length too small Seconda lunghezza troppo piccola - + Failed to obtain profile shape Impossibile ottenere la forma del profilo - + Creation failed because direction is orthogonal to sketch's normal vector Creazione fallita perché la direzione è ortogonale al vettore normale dello schizzo - + Extrude: Can only offset one face Estrusione: può fare l'offset solo di una faccia - - + + Creating a face from sketch failed Creazione di una faccia dallo schizzo fallita - + Up to face: Could not get SubShape! Fino a faccia: impossibile ottenere SubShape! - + Unable to reach the selected shape, please select faces Impossibile raggiungere la forma selezionata, selezionare le facce - + Magnitude of taper angle matches or exceeds 90 degrees L'ampiezza dell'angolo di conicità è 90 gradi o superiore - + Padding with draft angle failed Riempimento con angolo di sformo fallito - + Revolve axis intersects the sketch L'asse di rivoluzione interseca lo schizzo - + 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. @@ -5105,22 +5106,22 @@ Intersecando entità di schizzo o più facce in uno schizzo non sono consentiti Loft: È necessaria almeno una sezione - + Loft: A fatal error occurred when making the loft Loft: si è verificato un errore fatale durante la realizzazione del loft - + Loft: Creating a face from sketch failed Loft: impossibile creare una faccia dallo schizzo - + Loft: Failed to create shell Loft: Creazione della shell non riuscita - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed. Impossibile creare la faccia dallo schizzo. @@ -5237,13 +5238,13 @@ L'intersezione delle entità dello schizzo in uno schizzo non è consentita.Impossibile sottrarre la funzione primitiva senza la funzione di base - + Unknown operation type Tipo di operazione sconosciuto - + Failed to perform boolean operation Esecuzione dell'operazione booleana non riuscita @@ -5347,22 +5348,22 @@ L'intersezione delle entità dello schizzo in uno schizzo non è consentita.delta x2 del cuneo è negativo - + Angle of revolution too large Angolo di rivoluzione troppo grande - + Angle of revolution too small Angolo di rivoluzione troppo piccolo - + Reference axis is invalid Asse di riferimento non valido - + Fusion with base feature failed La fusione con la lavorazione di base è fallita @@ -5408,12 +5409,12 @@ L'intersezione delle entità dello schizzo in uno schizzo non è consentita. CmdPartDesignCompDatums - + Create datum Crea un riferimento - + Create a datum object or local coordinate system Crea un oggetto di riferimento o un sistema di coordinate locali @@ -5421,14 +5422,30 @@ L'intersezione delle entità dello schizzo in uno schizzo non è consentita. CmdPartDesignCompSketches - + Create datum Crea un riferimento - + Create a datum object or local coordinate system Crea un oggetto di riferimento o un sistema di coordinate locali + + PartDesignGui::TaskDlgRevolutionParameters + + + Revolution parameters + Parametri Rivoluzione + + + + PartDesignGui::TaskDlgGrooveParameters + + + Groove parameters + Groove parameters + + diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ja.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ja.ts index b0b6ced53b09..298a120b95dd 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ja.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ja.ts @@ -128,17 +128,17 @@ so that self intersection is avoided. CmdPartDesignAdditiveHelix - + PartDesign パートデザイン - + Additive helix 加算らせん - + Sweep a selected sketch along a helix 選択したスケッチをらせん状にスイープ @@ -146,17 +146,17 @@ so that self intersection is avoided. CmdPartDesignAdditiveLoft - + PartDesign パートデザイン - + Additive loft 加算ロフト - + Loft a selected profile through other profile sections 選択されたプロファイルを別のプロファイル断面を通過するようにロフト @@ -164,17 +164,17 @@ so that self intersection is avoided. CmdPartDesignAdditivePipe - + PartDesign パートデザイン - + Additive pipe 加算パイプ - + Sweep a selected sketch along a path or to other profiles 選択したスケッチを、パスや他のプロファイルに沿ってスイープ @@ -182,17 +182,17 @@ so that self intersection is avoided. CmdPartDesignBody - + PartDesign パートデザイン - + Create body ボディーを作成 - + Create a new body and make it active 新しいボディーを作成してそれをアクティブ化 @@ -200,17 +200,17 @@ so that self intersection is avoided. CmdPartDesignBoolean - + PartDesign パートデザイン - + Boolean operation ブーリアン演算 - + Boolean operation with two or more bodies 複数のボディーを使用したブーリアン演算 @@ -236,17 +236,17 @@ so that self intersection is avoided. CmdPartDesignChamfer - + PartDesign パートデザイン - + Chamfer 面取り - + Chamfer the selected edges of a shape 形状の選択されたエッジを面取り @@ -272,17 +272,17 @@ so that self intersection is avoided. CmdPartDesignDraft - + PartDesign パートデザイン - + Draft 抜き勾配 - + Make a draft on a face 面上に抜き勾配を作成 @@ -290,17 +290,17 @@ so that self intersection is avoided. CmdPartDesignDuplicateSelection - + PartDesign パーツデザイン - + Duplicate selected object 選択したオブジェクトを複製 - + Duplicates the selected object and adds it to the active body 選択したオブジェクトを複製し、アクティブなボディーに追加 @@ -308,17 +308,17 @@ so that self intersection is avoided. CmdPartDesignFillet - + PartDesign パートデザイン - + Fillet フィレット - + Make a fillet on an edge, face or body 面や立体のエッジにフィレットを作成 @@ -326,17 +326,17 @@ so that self intersection is avoided. CmdPartDesignGroove - + PartDesign パートデザイン - + Groove グルーブ - + Groove a selected sketch 選択したスケッチに溝を作成 @@ -344,17 +344,17 @@ so that self intersection is avoided. CmdPartDesignHole - + PartDesign パートデザイン - + Hole ホール - + Create a hole with the selected sketch 選択されたスケッチでホールを作成 @@ -380,17 +380,17 @@ so that self intersection is avoided. CmdPartDesignLinearPattern - + PartDesign パートデザイン - + LinearPattern 直線状パターン - + Create a linear pattern feature 直線状のパターン形状を作成 @@ -398,17 +398,17 @@ so that self intersection is avoided. CmdPartDesignMigrate - + PartDesign パートデザイン - + Migrate 移行 - + Migrate document to the modern PartDesign workflow 新しいパートデザイン・ワークフローへドキュメントを移行 @@ -416,17 +416,17 @@ so that self intersection is avoided. CmdPartDesignMirrored - + PartDesign パートデザイン - + Mirrored 鏡像 - + Create a mirrored feature 鏡像を作成 @@ -434,17 +434,17 @@ so that self intersection is avoided. CmdPartDesignMoveFeature - + PartDesign パートデザイン - + Move object to other body オブジェクトを他のボディーへ移動 - + Moves the selected object to another body 選択したオブジェクトを他のボディーへ移動 @@ -452,17 +452,17 @@ so that self intersection is avoided. CmdPartDesignMoveFeatureInTree - + PartDesign パートデザイン - + Move object after other object オブジェクトを他のオブジェクトの後へ移動 - + Moves the selected object and insert it after another object 選択したオブジェクトを移動し、他のオブジェクトの後ろへ挿入 @@ -470,17 +470,17 @@ so that self intersection is avoided. CmdPartDesignMoveTip - + PartDesign パートデザイン - + Set tip チップ設定 - + Move the tip of the body ボディーのチップを移動 @@ -488,17 +488,17 @@ so that self intersection is avoided. CmdPartDesignMultiTransform - + PartDesign パートデザイン - + Create MultiTransform マルチ変換を作成 - + Create a multitransform feature マルチ変換による形状を作成 @@ -560,17 +560,17 @@ so that self intersection is avoided. CmdPartDesignPocket - + PartDesign パートデザイン - + Pocket ポケット - + Create a pocket with the selected sketch 選択されたスケッチでポケットを作成 @@ -596,17 +596,17 @@ so that self intersection is avoided. CmdPartDesignPolarPattern - + PartDesign パーツデザイン - + PolarPattern 円状パターン - + Create a polar pattern feature 円状のパターン形状を作成 @@ -614,17 +614,17 @@ so that self intersection is avoided. CmdPartDesignRevolution - + PartDesign パートデザイン - + Revolution レボリューション - + Revolve a selected sketch 選択されたスケッチを回転押し出し @@ -632,17 +632,17 @@ so that self intersection is avoided. CmdPartDesignScaled - + PartDesign パートデザイン - + Scaled 拡大縮小 - + Create a scaled feature 拡大縮小された形状を作成 @@ -682,17 +682,17 @@ so that self intersection is avoided. CmdPartDesignSubtractiveHelix - + PartDesign パートデザイン - + Subtractive helix 減算らせん - + Sweep a selected sketch along a helix and remove it from the body らせん状に沿って選択したスケッチをスイープしてボディーから削除します @@ -700,17 +700,17 @@ so that self intersection is avoided. CmdPartDesignSubtractiveLoft - + PartDesign パートデザイン - + Subtractive loft 減算ロフト - + Loft a selected profile through other profile sections and remove it from the body 選択されたプロファイルを別のプロファイル断面を通過するようにロフトし、さらにボディーから除去 @@ -718,17 +718,17 @@ so that self intersection is avoided. CmdPartDesignSubtractivePipe - + PartDesign パートデザイン - + Subtractive pipe 減算パイプ - + Sweep a selected sketch along a path or to other profiles and remove it from the body パスまたは他のプロファイルに沿って選択したスケッチをスイープした後、ボディーから削除 @@ -736,17 +736,17 @@ so that self intersection is avoided. CmdPartDesignThickness - + PartDesign パートデザイン - + Thickness 厚み - + Make a thick solid 厚みのあるソリッドを作成 @@ -765,42 +765,42 @@ so that self intersection is avoided. 加算プリミティブを作成 - + Additive Box 加算直方体 - + Additive Cylinder 加算円柱 - + Additive Sphere 加算球 - + Additive Cone 加算円錐 - + Additive Ellipsoid 加算楕円体 - + Additive Torus 加算トーラス - + Additive Prism 加算角柱 - + Additive Wedge 加算ウェッジ @@ -808,53 +808,53 @@ so that self intersection is avoided. CmdPrimtiveCompSubtractive - + PartDesign パートデザイン - - + + Create a subtractive primitive 減算プリミティブを作成 - + Subtractive Box 減算直方体 - + Subtractive Cylinder 減算円柱 - + Subtractive Sphere 減算球 - + Subtractive Cone 減算円錐 - + Subtractive Ellipsoid 減算楕円体 - + Subtractive Torus 減算トーラス - + Subtractive Prism 減算角柱 - + Subtractive Wedge 減算ウェッジ @@ -894,47 +894,48 @@ so that self intersection is avoided. + Create a new Sketch 新規スケッチを作成 - + Convert to MultiTransform feature マルチトランスフォームフィーチャに変換 - + Create Boolean Bool変数の作成 - + Add a Body ボディーを追加 - + Migrate legacy Part Design features to Bodies 過去のパートデザインのフィーチャーをボディーに移行 - + Move tip to selected feature 選択したフィーチャーにチップを移動 - + Duplicate a PartDesign object PartDesign オブジェクトを複製 - + Move an object オブジェクトを移動 - + Move an object inside tree ツリー内のオブジェクトを移動 @@ -1605,7 +1606,7 @@ click again to end selection PartDesignGui::TaskDlgFeatureParameters - + Input error 入力エラー @@ -1698,13 +1699,13 @@ click again to end selection PartDesignGui::TaskExtrudeParameters - + No face selected 面が選択されていません - + Face @@ -1724,38 +1725,38 @@ click again to end selection 面を選択 - + No shape selected シェイプが選択されていません - + Sketch normal スケッチ法線 - + Face normal 面の法線 - + Select reference... 参照を選択... - - + + Custom direction カスタム方向 - + Click on a shape in the model モデルのシェイプをクリック - + Click on a face in the model モデルの面をクリック @@ -1997,7 +1998,7 @@ click again to end selection Left handed - 左利き + 左手系 @@ -2800,7 +2801,7 @@ measured along the specified direction - + Dimension 寸法 @@ -2811,19 +2812,19 @@ measured along the specified direction - + Base X axis ベースX軸 - + Base Y axis ベースY軸 - + Base Z axis ベースZ軸 @@ -2839,7 +2840,7 @@ measured along the specified direction - + Select reference... 参照を選択... @@ -2849,24 +2850,24 @@ measured along the specified direction 角度: - + Symmetric to plane 面に対して対称 - + Reversed 逆方向 - + 2nd angle 2番目の角度 - - + + Face @@ -2876,37 +2877,37 @@ measured along the specified direction ビューを更新 - + Revolution parameters 回転押し出しパラメーター - + To last 最後まで - + Through all 貫通 - + To first 最初まで - + Up to face 面まで - + Two dimensions 2方向の寸法 - + No face selected 面が選択されていません @@ -3236,42 +3237,42 @@ click again to end selection PartDesign_CompPrimitiveAdditive - + Create an additive box by its width, height, and length 幅、高さ、厚みから加算直方体を作成 - + Create an additive cylinder by its radius, height, and angle 半径、高さ、角度から加算円筒を作成 - + Create an additive sphere by its radius and various angles 半径と複数の角度から加算球を作成 - + Create an additive cone 加算円錐を作成 - + Create an additive ellipsoid 加算楕円体を作成 - + Create an additive torus 加算トーラスを作成 - + Create an additive prism 加算角柱を作成 - + Create an additive wedge 加算ウェッジを作成 @@ -3279,42 +3280,42 @@ click again to end selection PartDesign_CompPrimitiveSubtractive - + Create a subtractive box by its width, height and length 幅、高さ、厚みから減算直方体を作成 - + Create a subtractive cylinder by its radius, height and angle 半径、高さ、角度から減算円柱を作成 - + Create a subtractive sphere by its radius and various angles 半径と複数の角度から減算球を作成 - + Create a subtractive cone 減算円錐を作成 - + Create a subtractive ellipsoid 減算楕円体を作成 - + Create a subtractive torus 減算トーラスを作成 - + Create a subtractive prism 減算角柱を作成 - + Create a subtractive wedge 減算ウェッジを作成 @@ -3322,12 +3323,12 @@ click again to end selection PartDesign_MoveFeature - + Select body ボディーを選択 - + Select a body from the list リストからボディーを選択 @@ -3335,27 +3336,27 @@ click again to end selection PartDesign_MoveFeatureInTree - + Select feature フィーチャーを選択 - + Select a feature from the list リストからフィーチャーを選択 - + Move tip tipを移動 - + The moved feature appears after the currently set tip. 移動したフィーチャは、現在設定されているチップの後に表示されます。 - + Do you want the last feature to be the new tip? 最後のフィーチャを新しいチップにしたいですか? @@ -3390,42 +3391,42 @@ click again to end selection サブシェイプバインダー - + Several sub-elements selected いくつかのサブ要素が選択されています - + You have to select a single face as support for a sketch! スケッチサポートとして単一の面を選択する必要があります! - + No support face selected サポート面が選択されていません - + You have to select a face as support for a sketch! スケッチサポートとして面を選択する必要があります! - + No planar support 平面のサポートがありません - + You need a planar face as support for a sketch! スケッチサポートとして平面が必要です! - + No valid planes in this document このドキュメントには有効な平面がありません。 - + Please create a plane first or select a face to sketch on まず平面を作成するか、またはスケッチを描く面を選択してください。 @@ -3484,207 +3485,207 @@ click again to end selection ドキュメント内に使用可能なスケッチがありません。 - - + + Wrong selection 誤った選択 - + Select an edge, face, or body from a single body. 単一のボディからエッジ、面、またはボディを選択してください。 - - + + Selection is not in Active Body 選択されているのはアクティブなボディーではありません。 - + Select an edge, face, or body from an active body. アクティブなボディーからエッジ、面、またはボディを選択してください。 - + Wrong object type 間違ったオブジェクトの種類 - + %1 works only on parts. %1は部品にのみ適用できます。 - + Shape of the selected Part is empty 選択したパーツの形状が空です。 - + Please select only one feature in an active body. アクティブなボディー内にあるフィーチャーを1つだけ選択してください。 - + Part creation failed パーツ作成失敗 - + Failed to create a part object. パーツオブジェクトの作成に失敗しました。 - - - - + + + + Bad base feature 不正なベースフィーチャー - + Body can't be based on a PartDesign feature. PartDesign フィーチャーはボディーのベースにできません。 - + %1 already belongs to a body, can't use it as base feature for another body. %1は既にボディーに属していて、別のボディーのベースフィーチャーとして使用できません。 - + Base feature (%1) belongs to other part. ベースフィーチャー (%1) は他のパーツに属しています。 - + The selected shape consists of multiple solids. This may lead to unexpected results. 選択されているシェイプは複数のソリッドで構成されています。これは予期しない結果につながる可能性があります。 - + The selected shape consists of multiple shells. This may lead to unexpected results. 選択されているシェイプは複数のシェルで構成されています。これは予期しない結果につながる可能性があります。 - + The selected shape consists of only a shell. This may lead to unexpected results. 選択されているシェイプはシェルひとつだけで構成されています。これは予期しない結果につながる可能性があります。 - + The selected shape consists of multiple solids or shells. This may lead to unexpected results. 選択されているシェイプは複数のソリッドまたはシェルで構成されています。これは予期しない結果につながる可能性があります。 - + Base feature ベースフィーチャー - + Body may be based on no more than one feature. ボディーはベースとなるフィーチャーを1つだけ持ちます。 - + Body Body - + Nothing to migrate 移行対象がありません。 - + No PartDesign features found that don't belong to a body. Nothing to migrate. ボディーに属していないPartDesignの機能が見つかりませんでした。移行するものはありません。 - + Sketch plane cannot be migrated スケッチ平面を移行できません。 - + Please edit '%1' and redefine it to use a Base or Datum plane as the sketch plane. '%1'を編集してベースまたはデータム平面をスケッチ平面として使用するよう再定義してください。 - - - - - + + + + + Selection error 選択エラー - + Select exactly one PartDesign feature or a body. PartDesign フィーチャーまたはボディーを1つだけ選択してください。 - + Couldn't determine a body for the selected feature '%s'. 選択したフィーチャー「%s」のボディーを特定できませんでした。 - + Only a solid feature can be the tip of a body. ボディーのチップにできるのはソリッドフィーチャーだけです。 - - - + + + Features cannot be moved フィーチャーを移動できません。 - + Some of the selected features have dependencies in the source body 選択したフィーチャーの一部がソースボディーに依存しています。  - + Only features of a single source Body can be moved 動かせるのは単一ボディーに含まれるフィーチャーだけです。 - + There are no other bodies to move to 移動先となる他のボディーがありません。 - + Impossible to move the base feature of a body. ボディーのベースフィーチャーを動かすことはできません。 - + Select one or more features from the same body. 同一のボディーから1つ以上のフィーチャーを選択してください。 - + Beginning of the body ボディーの先頭 - + Dependency violation 依存関係の違反 - + Early feature must not depend on later feature. @@ -3693,29 +3694,29 @@ This may lead to unexpected results. - + No previous feature found 前のフィーチャーが見つかりませんでした。 - + It is not possible to create a subtractive feature without a base feature available 利用可能なベースフィーチャーがない場合、減算フィーチャーは作成できません。 - + Vertical sketch axis 垂直スケッチ軸 - + Horizontal sketch axis 水平スケッチ軸 - + Construction line %1 補助線 %1 @@ -4239,7 +4240,7 @@ Note that the calculation can take some time Left hand - 左手 + 左手系 @@ -4745,25 +4746,25 @@ over 90: larger hole radius at the bottom サポートされていないブーリアン演算です。 - + - + Resulting shape is not a solid 結果シェイプはソリッドではありません。 - - - + + + - + Result has multiple solids: that is not currently supported. @@ -4842,71 +4843,71 @@ over 90: larger hole radius at the bottom ・ 選択されたスケッチがアクティブなボディーに属していない。 - + Length too small 長さが小さすぎます。 - + Second length too small 2番目の長さが小さすぎます。 - + Failed to obtain profile shape プロファイルのシェイプを取得できませんでした。 - + Creation failed because direction is orthogonal to sketch's normal vector 方向とスケッチの法線ベクトルが直交しているため作成に失敗しました。 - + Extrude: Can only offset one face 押し出し: 1つの面のみオフセット可能 - - + + Creating a face from sketch failed スケッチから面を作成できませんでした。 - + Up to face: Could not get SubShape! 面まで: サブシェイプが得られませんでした! - + Unable to reach the selected shape, please select faces 選択したシェイプに到達できません。面を選択してください。 - + Magnitude of taper angle matches or exceeds 90 degrees テーパー角度の大きさが一致しているか、または90度を超えています。 - + Padding with draft angle failed 抜き勾配角度でのパディングが失敗しました。 - + Revolve axis intersects the sketch 回転押し出しの軸がスケッチと交差しています。 - + Could not revolve the sketch! スケッチを回転押し出しできませんでした! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. @@ -5104,22 +5105,22 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed for m ロフト: 少なくとも1つのセクションが必要です。 - + Loft: A fatal error occurred when making the loft ロフト: ロフト作成中に重大なエラーが発生しました。 - + Loft: Creating a face from sketch failed ロフト: スケッチから面を作成できませんでした。 - + Loft: Failed to create shell ロフト: シェルの作成に失敗しました。 - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed. スケッチから面を作成できませんでした。 @@ -5236,13 +5237,13 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed.ベースフィーチャー無しでプリミティブフィーチャーを減算することはできません。 - + Unknown operation type 未知のオペレーション・タイプです。 - + Failed to perform boolean operation ブール演算の実行に失敗しました。 @@ -5346,22 +5347,22 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed.ウェッジのΔx2が小さすぎます。 - + Angle of revolution too large 回転押し出しの角度が大きすぎます。 - + Angle of revolution too small 回転押し出しの角度が小さすぎます。 - + Reference axis is invalid 参照軸が無効です。 - + Fusion with base feature failed ベースフィーチャーとの結合に失敗しました。 @@ -5407,12 +5408,12 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed. CmdPartDesignCompDatums - + Create datum データムを作成 - + Create a datum object or local coordinate system データムオブジェクトまたはローカル座標系を作成 @@ -5420,14 +5421,30 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed. CmdPartDesignCompSketches - + Create datum データムを作成 - + Create a datum object or local coordinate system データムオブジェクトまたはローカル座標系を作成 + + PartDesignGui::TaskDlgRevolutionParameters + + + Revolution parameters + 回転押し出しパラメーター + + + + PartDesignGui::TaskDlgGrooveParameters + + + Groove parameters + Groove parameters + + diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ka.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ka.ts index e763d6b50590..bb50969de0fe 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ka.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ka.ts @@ -128,17 +128,17 @@ so that self intersection is avoided. CmdPartDesignAdditiveHelix - + PartDesign ნაწილის დაპროექტება - + Additive helix ადიტიური სპირალი - + Sweep a selected sketch along a helix მონიშნული ესკიზის გამოწნევა სპირალის გასწვრივ @@ -146,17 +146,17 @@ so that self intersection is avoided. CmdPartDesignAdditiveLoft - + PartDesign ნაწილისდიზაინი - + Additive loft ადიტიური პროფილი - + Loft a selected profile through other profile sections ორ ან მეტ ესკიზურ კონტურს შორის გამავალი გარდამავალი ფორმის შექმნა @@ -164,17 +164,17 @@ so that self intersection is avoided. CmdPartDesignAdditivePipe - + PartDesign ნაწილისდიზაინი - + Additive pipe ადიტიური პროფილი ტრაექტორიის გასწვრივ - + Sweep a selected sketch along a path or to other profiles მონიშნული ესკიზის ტრაექტორიის ან სხვა პროფილების გასწვრივ გადატანა @@ -182,17 +182,17 @@ so that self intersection is avoided. CmdPartDesignBody - + PartDesign ნაწილისდიზაინი - + Create body სხეულის შექმნა - + Create a new body and make it active შექმენი ახალი სხეული და გაააქტიურე ის @@ -200,17 +200,17 @@ so that self intersection is avoided. CmdPartDesignBoolean - + PartDesign ნაწილისდიზაინი - + Boolean operation ლოგიკური ოპერაცია - + Boolean operation with two or more bodies ლოგიკური ოპერაცია ორი ან მეტი სხეულით @@ -236,17 +236,17 @@ so that self intersection is avoided. CmdPartDesignChamfer - + PartDesign ნაწილისდიზაინი - + Chamfer კუთხის ნაზოლი - + Chamfer the selected edges of a shape მოხაზულობის მონიშნული წიბოების ნაზოლი @@ -272,17 +272,17 @@ so that self intersection is avoided. CmdPartDesignDraft - + PartDesign ნაწილისდიზაინი - + Draft მონახაზი - + Make a draft on a face ზედაპირზე დაქანების შექმნა @@ -290,17 +290,17 @@ so that self intersection is avoided. CmdPartDesignDuplicateSelection - + PartDesign ნაწილისდიზაინი - + Duplicate selected object მონიშნული ობიექტის დუბლირება - + Duplicates the selected object and adds it to the active body ქმნის არჩეული ობიექტის ასლს და ამატებს მას აქტიურ სხეულში @@ -308,17 +308,17 @@ so that self intersection is avoided. CmdPartDesignFillet - + PartDesign ნაწილისდიზაინი - + Fillet მომრგვალება - + Make a fillet on an edge, face or body მომრგვალების შექმნა წიბოზე, ზედაპირზე ან სხეულზე @@ -326,17 +326,17 @@ so that self intersection is avoided. CmdPartDesignGroove - + PartDesign ნაწილისდიზაინი - + Groove კილო - + Groove a selected sketch კილოს შექმნა მოცემული ესკიზით @@ -344,17 +344,17 @@ so that self intersection is avoided. CmdPartDesignHole - + PartDesign ნაწილისდიზაინი - + Hole ხვრელი - + Create a hole with the selected sketch მონიშნული ესკიზით ნახვრეტის გაკეთება @@ -380,17 +380,17 @@ so that self intersection is avoided. CmdPartDesignLinearPattern - + PartDesign ნაწილისდიზაინი - + LinearPattern ხაზოვანი მასივი - + Create a linear pattern feature ხაზოვანი მასივის ობიექტის შექმნა @@ -398,17 +398,17 @@ so that self intersection is avoided. CmdPartDesignMigrate - + PartDesign ნაწილისდიზაინი - + Migrate მიგრაცია - + Migrate document to the modern PartDesign workflow დოკუმენტების თანამედროვე PartDesign სამუშაო მაგიდაზე მიგრაცია @@ -416,17 +416,17 @@ so that self intersection is avoided. CmdPartDesignMirrored - + PartDesign ნაწილისდიზაინი - + Mirrored სიმეტრია - + Create a mirrored feature სარკისებური თვისების შექმნა @@ -434,17 +434,17 @@ so that self intersection is avoided. CmdPartDesignMoveFeature - + PartDesign ნაწილისდიზაინი - + Move object to other body ობიექტის სხვა სხეულში გადატანა - + Moves the selected object to another body მონიშნული ობიექტის სხვა სხეულზე გადატანა @@ -452,17 +452,17 @@ so that self intersection is avoided. CmdPartDesignMoveFeatureInTree - + PartDesign ნაწილისდიზაინი - + Move object after other object ობიექტის სხვა ობიექტის შემდეგ გადატანა - + Moves the selected object and insert it after another object მონიშნული ობიექტის გადატანა და სხვა ობიექტის შემდეგ ჩასმა @@ -470,17 +470,17 @@ so that self intersection is avoided. CmdPartDesignMoveTip - + PartDesign ნაწილისდიზაინი - + Set tip მიუთითეთ სხეულის საბოლოო დათვლის წერტილი - + Move the tip of the body სხეულის ბუნიკის გამოძრავება @@ -488,17 +488,17 @@ so that self intersection is avoided. CmdPartDesignMultiTransform - + PartDesign ნაწილისდიზაინი - + Create MultiTransform MultiTransform-ის შექმნა - + Create a multitransform feature მრავალჯერ გარდაქმნადი თვისების შექმნა @@ -560,17 +560,17 @@ so that self intersection is avoided. CmdPartDesignPocket - + PartDesign ნაწილისდიზაინი - + Pocket ამოჭრა - + Create a pocket with the selected sketch მონიშნული ესკიზით ჯიბის შექმნა @@ -596,17 +596,17 @@ so that self intersection is avoided. CmdPartDesignPolarPattern - + PartDesign ნაწილისდიზაინი - + PolarPattern წრიული მასივი - + Create a polar pattern feature წრიული მასივის თვისების დამატება @@ -614,17 +614,17 @@ so that self intersection is avoided. CmdPartDesignRevolution - + PartDesign ნაწილისდიზაინი - + Revolution ბრუნვა - + Revolve a selected sketch მონიშნული ესკიზის ბრუნვა @@ -632,17 +632,17 @@ so that self intersection is avoided. CmdPartDesignScaled - + PartDesign ნაწილისდიზაინი - + Scaled მასშტაბირება - + Create a scaled feature მასშტაბირების თვისების შექმნა @@ -682,17 +682,17 @@ so that self intersection is avoided. CmdPartDesignSubtractiveHelix - + PartDesign ნაწილისდიზაინი - + Subtractive helix სუბტრაქტული სპირალი - + Sweep a selected sketch along a helix and remove it from the body მონიშნული ესკიზის სპირალის გასწვრივ გადატანა და სხეულიდან ამოღება @@ -700,17 +700,17 @@ so that self intersection is avoided. CmdPartDesignSubtractiveLoft - + PartDesign ნაწილისდიზაინი - + Subtractive loft სუბტრაქტული პროფილი - + Loft a selected profile through other profile sections and remove it from the body მონიშნული პროფილის სხვა პროფილების კვეთებში გატარება და სხეულიდან მისი წაშლა @@ -718,17 +718,17 @@ so that self intersection is avoided. CmdPartDesignSubtractivePipe - + PartDesign ნაწილისდიზაინი - + Subtractive pipe მოხსნადი მილი - + Sweep a selected sketch along a path or to other profiles and remove it from the body მონიშნული ესკიზის ტრაექტორიის ან სხვა პროფილების გასწვრივ გადატანა და სხეულიდან ამოღება @@ -736,17 +736,17 @@ so that self intersection is avoided. CmdPartDesignThickness - + PartDesign ნაწილისდიზაინი - + Thickness სისქე - + Make a thick solid სქელი მყარი ობიექტის შექმნა @@ -765,42 +765,42 @@ so that self intersection is avoided. ადიტიური პრიმიტივის შექმნა - + Additive Box ადიტიური პარალელეპიპედი - + Additive Cylinder ადიტიური ცილიტრი - + Additive Sphere ადიტიური სფერო - + Additive Cone ადიტიური კონუსი - + Additive Ellipsoid ადიტიური ელიფსოიდი - + Additive Torus ადიტიური ტორი - + Additive Prism ადიტიური პრიზმა - + Additive Wedge ადიტიური სოლი @@ -808,53 +808,53 @@ so that self intersection is avoided. CmdPrimtiveCompSubtractive - + PartDesign ნაწილის დაპროექტება - - + + Create a subtractive primitive სუბტრაქტული პრიმიტივის შექმნა - + Subtractive Box სუბტრაქტული პარალელეპიპედი - + Subtractive Cylinder სუბტრაქტული ცილინდრი - + Subtractive Sphere მოხსნადი სფერო - + Subtractive Cone მოხსნადი კონუსი - + Subtractive Ellipsoid სუბტრაქტული ელიფსოიდი - + Subtractive Torus მოხსნადი ტორუსი - + Subtractive Prism მოხსნადი პრიზმა - + Subtractive Wedge მოხსნადი სოლი @@ -894,47 +894,48 @@ so that self intersection is avoided. + Create a new Sketch ახალი ესკიზის შექმნა - + Convert to MultiTransform feature თვისება MultiTransform-ად გარდაქმნა - + Create Boolean ბულევის შექმნა - + Add a Body სხეულის დამატება - + Migrate legacy Part Design features to Bodies ნაწილების დიზაინის მოძველებული თვისებების სხეულებში გადაყვანა - + Move tip to selected feature ბუნიკის მონიშნულ თვისებასთან მიტანა - + Duplicate a PartDesign object PartDesign-ის ობიექტის ასლი - + Move an object ობიექტის წაღება - + Move an object inside tree ობიექტის ხის შიგნით შეტანა @@ -1605,7 +1606,7 @@ click again to end selection PartDesignGui::TaskDlgFeatureParameters - + Input error Input error @@ -1698,13 +1699,13 @@ click again to end selection PartDesignGui::TaskExtrudeParameters - + No face selected ზედაპირი არჩეული არაა - + Face სიბრტყე @@ -1724,38 +1725,38 @@ click again to end selection სიბრტყეების მონიშვნა - + No shape selected მოხაზულობა მონიშნული არაა - + Sketch normal ნორმალური ესკიზი - + Face normal ზედაპირის ნორმალი - + Select reference... Select reference... - - + + Custom direction მიმართულების ხელით მითითება - + Click on a shape in the model დააწკაპუნეთ მოხაზულობაზე მოდელში - + Click on a face in the model დააწკაპუნეთ ზედაპირზე მოდელში @@ -2801,7 +2802,7 @@ measured along the specified direction - + Dimension ზომა @@ -2812,19 +2813,19 @@ measured along the specified direction - + Base X axis საბაზისო X ღერძი - + Base Y axis საბაზისო Y ღერძი - + Base Z axis საბაზისო Z ღერძი @@ -2840,7 +2841,7 @@ measured along the specified direction - + Select reference... აირჩიეთ მიმართვა... @@ -2850,24 +2851,24 @@ measured along the specified direction კუთხე: - + Symmetric to plane სიბრტყის სიმეტრიული - + Reversed შებრუნებულია - + 2nd angle მეორე კუთხე - - + + Face ზედაპირი @@ -2877,37 +2878,37 @@ measured along the specified direction ხედის განახლება - + Revolution parameters ბრუნვის პარამეტრები - + To last ბოლოზე - + Through all გამჭოლი - + To first პირველთან - + Up to face სიბრტყემდე - + Two dimensions ორი განზომილება - + No face selected ზედაპირი არჩეული არაა @@ -3237,42 +3238,42 @@ click again to end selection PartDesign_CompPrimitiveAdditive - + Create an additive box by its width, height, and length სიგრძის, სიგანის და სიმაღლის მითითებით ადიტიური პარალელეპიპედის შექმნა - + Create an additive cylinder by its radius, height, and angle ადიტიური ცილინდრის შექმნა მისი რადიუსით, სიმაღლით და კუთხით - + Create an additive sphere by its radius and various angles ადიტიური სფეროს შექმნა მისის რადიუსისა და სხვადასხვა კუთხეების მითითებით - + Create an additive cone ადიტიური კონუსის შექმნა - + Create an additive ellipsoid ადიტიური ელიფსოიდის შექმნა - + Create an additive torus ადიტიური ტორუსის შექმნა - + Create an additive prism ადიტიური პრიზმის შექმნა - + Create an additive wedge ადიტიური სოლის შექმნა @@ -3280,42 +3281,42 @@ click again to end selection PartDesign_CompPrimitiveSubtractive - + Create a subtractive box by its width, height and length მოხსნადი ყუთის შექმნა მისი სიგანის სიმაღლის და სიგრძის მითითებით - + Create a subtractive cylinder by its radius, height and angle მოხსნადი ცილინდრის შექმნა მისი რადიუსით, სიმაღლით და კუთხით - + Create a subtractive sphere by its radius and various angles მოხსნადი სფეროს შექმნა მისის რადიუსისა და სხვადასხვა კუთხეების მითითებით - + Create a subtractive cone მოხსნადი კონუსის შექმნა - + Create a subtractive ellipsoid სუბტრაქტული ელიფსოიდის შექმნა - + Create a subtractive torus მოხსნადი ტორუსის შექმნა - + Create a subtractive prism სუბტრაქტული პრიზმის შექმნა - + Create a subtractive wedge მოხსნადი სოლის შექმნა @@ -3323,12 +3324,12 @@ click again to end selection PartDesign_MoveFeature - + Select body აირჩიეთ სხეული - + Select a body from the list აირჩიეთ სხეული სიიდან @@ -3336,27 +3337,27 @@ click again to end selection PartDesign_MoveFeatureInTree - + Select feature აირჩიეთ თვისება - + Select a feature from the list აირჩიეთ თვისება სიიდან - + Move tip ბურღის ღეროს გამოძრავება - + The moved feature appears after the currently set tip. გადატანილი თვისება ამჟამად დაყენებული ბუნიკის შემდეგ აღმოჩნდება. - + Do you want the last feature to be the new tip? გნებავთ ბოლო ელემენტი ახალი ბუნიკი იყოს? @@ -3391,42 +3392,42 @@ click again to end selection ქვე-ShapeBinder - + Several sub-elements selected მონიშნულია რამდენიმე ქვე-ელემენტი - + You have to select a single face as support for a sketch! ესკიზის საყრდენად მხოლოდ ერთი სიბრტყის არჩევა შეგიძლიათ! - + No support face selected საყრდენი ზედაპირი არჩეული არაა - + You have to select a face as support for a sketch! ესკიზის საყრდენი მხოლოდ ზედაპირი შეიძლება იყოს! - + No planar support არაბრტყელი საყრდენი - + You need a planar face as support for a sketch! ესკიზის შესაქმნელად საჭიროა ბრტყელი ზედაპირი! - + No valid planes in this document დოკუმენტში არ არსებობს სწორი სიბრტყეები - + Please create a plane first or select a face to sketch on ჯერ საჭიროა სიბრტყის შექმნა ან სახაზავი ზედაპირის არჩევა @@ -3485,211 +3486,211 @@ click again to end selection დოკუმენტში ესკიზები ნაპოვნი არაა - - + + Wrong selection არასწორი მონიშნული - + Select an edge, face, or body from a single body. მონიშნეთ წიბო, ზედაპირი ან სხეული იგივე სხეულიდან. - - + + Selection is not in Active Body მონიშნული არ წარმოადგენს აქტიურ სხეულს - + Select an edge, face, or body from an active body. აქტიური სხეულიდან მონიშნეთ წიბო, ზედაპირი ან სხეული. - + Wrong object type ობიექტის არასწორი ტიპი - + %1 works only on parts. %1 მხოლოდ ნაწილებზე მუშაობს. - + Shape of the selected Part is empty მონიშნული ნაწილის მონახაზი ცარიელია - + Please select only one feature in an active body. გთხოვთ აირჩიოთ აქტიური სხეულის მხოლოდ ერთი თვისება. - + Part creation failed ნაწილის შექმნის შეცდომა - + Failed to create a part object. ნაწილის ობიექტის შექმნის შეცდომა. - - - - + + + + Bad base feature ცუდი საბაზისო ელემენტი - + Body can't be based on a PartDesign feature. სხეული არ შეიძლება PartDesign-ის თვისებას ეყრდნობოდეს. - + %1 already belongs to a body, can't use it as base feature for another body. %1 უკვე ეკუთვნის სხეულს. მისი გამოყენება სხვა სხეულის საბაზისო თვისებად შეუძლებელია. - + Base feature (%1) belongs to other part. საბაზისო თვისება (%1) სხვა ნაწილს ეკუთვნის. - + The selected shape consists of multiple solids. This may lead to unexpected results. მონიშნული მოხაზულობა მრავალი მყარი სხეულისგან შედგება. ამან შეიძლება არასასურველ შედეგებამდე მიგვიყვანოს. - + The selected shape consists of multiple shells. This may lead to unexpected results. მონიშნული მოხაზულობა მრავალი გარსისაგან შედგება. ამან შეიძლება არასასურველ შედეგებამდე მიგვიყვანოს. - + The selected shape consists of only a shell. This may lead to unexpected results. მონიშნული მოხაზულობა მხოლოდ გარსისგან შედგება. ამან შეიძლება არასასურველ შედეგებამდე მიგვიყვანოს. - + The selected shape consists of multiple solids or shells. This may lead to unexpected results. მონიშნული მოხაზულობა მრავალი მყარი სხეულისგან ან გარსისგან შედგება. ამან შეიძლება არასასურველ შედეგებამდე მიგვიყვანოს. - + Base feature საბაზისო ელემენტი - + Body may be based on no more than one feature. სხეული ერთზე მეტ ელემენტზე ბაზირებული ვერ იქნება. - + Body სხეული - + Nothing to migrate არაფერია დასამიგრირებელი - + No PartDesign features found that don't belong to a body. Nothing to migrate. PartDesign-ის თვისება ნაპოვნი არაა ან სხეულს არ მიეკუთვნება. დასამიგრირებელი არაფერია. - + Sketch plane cannot be migrated ესკიზის სიბრტყე არ შეიძლება დამიგრირდეს - + Please edit '%1' and redefine it to use a Base or Datum plane as the sketch plane. ჩაასწორეთ '%1' და ხელახლა ააწყვეთ ისე, რომ ესკიზის სიბრტყედ საბაზისო ან საყრდენ სიბრტყეს იყენებდეს. - - - - - + + + + + Selection error მონიშნულის შეცდომა - + Select exactly one PartDesign feature or a body. მონიშნეთ ზუსტად ერთი PartDesign-ის თვისება ან სხეული. - + Couldn't determine a body for the selected feature '%s'. მონიშნული თვისების ('%s') სხეულის გარკვევა შეუძლებელია. - + Only a solid feature can be the tip of a body. სხეულის წვეროს მხოლოდ მყარი სხეული შეიძლება წარმოადგენდეს. - - - + + + Features cannot be moved თვისებას ვერ გადაიტანთ - + Some of the selected features have dependencies in the source body ზოგიერთ მონიშნულ თვისებას აქვს დამოკიდებულებები წყაროს სხეულში - + Only features of a single source Body can be moved შესაძლებელია მხოლოდ ერთი საწყისი სხეულის თვისებების გადატანა - + There are no other bodies to move to გადასატანად სხვა სხეულებიც უნდა არსებობდეს - + Impossible to move the base feature of a body. სხეულის ძირითადი თვისებების გადატანა შეუძლებელია. - + Select one or more features from the same body. აირჩიეთ იგივე სხეულის ერთი ან მეტი თვისება. - + Beginning of the body სხეულის დასაწყისი - + Dependency violation დამოკიდებულების დარღვევა - + Early feature must not depend on later feature. @@ -3698,29 +3699,29 @@ This may lead to unexpected results. - + No previous feature found წინა თვისება ნაპოვნი არაა - + It is not possible to create a subtractive feature without a base feature available საბაზისო ელემემენტის გარეშე გამოკლებადი თვისების შექმნა შეუძლებელია - + Vertical sketch axis შვეული ესკიზის ღერძი - + Horizontal sketch axis თარაზული ესკიზის ღერძი - + Construction line %1 დამხმარე ხაზი %1 @@ -4754,25 +4755,25 @@ over 90: larger hole radius at the bottom Unsupported boolean operation - + - + Resulting shape is not a solid მიღებული მონახაზი მყარი სხეული არაა - - - + + + - + Result has multiple solids: that is not currently supported. @@ -4852,71 +4853,71 @@ over 90: larger hole radius at the bottom - არჩეული ესკიზი არ ეკუთვნის აქტიურ სხეულს. - + Length too small სიგრძე მეტისმეტად მცირეა - + Second length too small მეორე სიგრძე ძალიან მცირეა - + Failed to obtain profile shape პროფილის მოხაზულობის მიღება ჩავარდა - + Creation failed because direction is orthogonal to sketch's normal vector შექმნა შეუძლებელია, რადგან მიმართულება ესკიზის ნორმალის ვექტორის ორთოგონალურია - + Extrude: Can only offset one face გამოწნეხვა: შესაძლებელია, მხოლოდ, ერთი ზედაპირის წანაცვლება - - + + Creating a face from sketch failed ესკიზიდან ზედაპირის შექმნა შეუძლებელია - + Up to face: Could not get SubShape! ზედაპირამდე: ქვემოხაზულობის მიღება შეუძლებელია! - + Unable to reach the selected shape, please select faces Unable to reach the selected shape, please select faces - + Magnitude of taper angle matches or exceeds 90 degrees შპილის კუთხის მაგნიტუდა მეტია ან ტოლია 90 გრადუსზე - + Padding with draft angle failed ექსტრუზია მონახაზის კუთხით ჩავარდა - + Revolve axis intersects the sketch ბრუნვის ღერძი ესკიზს კვეთს - + Could not revolve the sketch! ესკიზის მოტრიალება შეუძლებელია! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. @@ -5114,22 +5115,22 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed for m სხვენი: საჭიროა სულ ცოტა ერთი კვეთა - + Loft: A fatal error occurred when making the loft სხვენი: ფატალური შეცდომა სხვენის შექმნისას - + Loft: Creating a face from sketch failed ლოფტი: ესკიზიდან ზედაპირის შექმნა შეუძლებელია - + Loft: Failed to create shell ლოფტი: გარსის შექმნა ჩავარდა - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed. ესკიზიდან ზედაპირის შექმნის შეცდომა. @@ -5246,13 +5247,13 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed.საბაზისო თვისების არმქონე პრიმიტივი თვისებიდან გამოკლება შეუძლებელია - + Unknown operation type უცნობი ოპერაციის ტიპი - + Failed to perform boolean operation ლოგიკური ოპერაციის ჩატარება ჩავარდა @@ -5356,22 +5357,22 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed.სოლის დელტა X2 უარყოფითია - + Angle of revolution too large მობრუნების კუთხე მეტისმეტად დიდია - + Angle of revolution too small მობრუნების კუთხე მეტისმეტად მცირეა - + Reference axis is invalid მიმართვის ღერძი არასწორია - + Fusion with base feature failed საბაზისო თვისებასთან შერწყმის შეცდომა @@ -5417,12 +5418,12 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed. CmdPartDesignCompDatums - + Create datum ამოსავალი მონაცემების შექმნა - + Create a datum object or local coordinate system მონაცემების ობიექტის ან ლოკალური კოორდინატების სისტემის შექმნა @@ -5430,14 +5431,30 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed. CmdPartDesignCompSketches - + Create datum ამოსავალი მონაცემების შექმნა - + Create a datum object or local coordinate system მონაცემების ობიექტის ან ლოკალური კოორდინატების სისტემის შექმნა + + PartDesignGui::TaskDlgRevolutionParameters + + + Revolution parameters + ბრუნვის პარამეტრები + + + + PartDesignGui::TaskDlgGrooveParameters + + + Groove parameters + Groove parameters + + diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ko.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ko.ts index 470fd1469dac..9f3e0b084a5b 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ko.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ko.ts @@ -127,17 +127,17 @@ so that self intersection is avoided. CmdPartDesignAdditiveHelix - + PartDesign 단품설계 - + Additive helix 나선 추가 - + Sweep a selected sketch along a helix 선택한 스케치를 나선을 따라 쓸어 나감 @@ -145,17 +145,17 @@ so that self intersection is avoided. CmdPartDesignAdditiveLoft - + PartDesign 단품설계 - + Additive loft 로프트 추가 - + Loft a selected profile through other profile sections 선택한 윤곽을 다른 윤곽 단면으로 로프트 @@ -163,17 +163,17 @@ so that self intersection is avoided. CmdPartDesignAdditivePipe - + PartDesign 단품설계 - + Additive pipe 파이프 추가 - + Sweep a selected sketch along a path or to other profiles 선택된 스케치를 경로를 따라가거나 다른 윤곽 스케치까지 쓸어서 파이프 생성 @@ -181,17 +181,17 @@ so that self intersection is avoided. CmdPartDesignBody - + PartDesign 단품설계 - + Create body 몸통 생성 - + Create a new body and make it active 새로운 몸통 생성 및 활성화 @@ -199,17 +199,17 @@ so that self intersection is avoided. CmdPartDesignBoolean - + PartDesign 단품설계 - + Boolean operation 부울 작업 - + Boolean operation with two or more bodies 두 개 이상 몸통의 부울 연산 @@ -235,17 +235,17 @@ so that self intersection is avoided. CmdPartDesignChamfer - + PartDesign 단품설계 - + Chamfer 모따기 - + Chamfer the selected edges of a shape 도형의 선택 된 모서리를 모따기 @@ -271,17 +271,17 @@ so that self intersection is avoided. CmdPartDesignDraft - + PartDesign 단품설계 - + Draft 구배 - + Make a draft on a face 면에 구배 생성 @@ -289,17 +289,17 @@ so that self intersection is avoided. CmdPartDesignDuplicateSelection - + PartDesign 단품설계 - + Duplicate selected object 선택한 객체 복사 - + Duplicates the selected object and adds it to the active body 선택한 대상 복사 후 활성화된 몸통에 추가 @@ -307,17 +307,17 @@ so that self intersection is avoided. CmdPartDesignFillet - + PartDesign 단품설계 - + Fillet 모깎기 - + Make a fillet on an edge, face or body 모서리, 면 또는 몸통에 모깎기 @@ -325,17 +325,17 @@ so that self intersection is avoided. CmdPartDesignGroove - + PartDesign 단품설계 - + Groove 회전 홈파기 - + Groove a selected sketch 선택된 스케치를 사용하여 회전 잘라내기(Groove) @@ -343,17 +343,17 @@ so that self intersection is avoided. CmdPartDesignHole - + PartDesign 단품설계 - + Hole 구멍 - + Create a hole with the selected sketch 선택한 스케치를 사용하여 구멍 생성 @@ -379,17 +379,17 @@ so that self intersection is avoided. CmdPartDesignLinearPattern - + PartDesign 단품설계 - + LinearPattern 선형 패턴 - + Create a linear pattern feature 선형 패턴 도형특징을 생성 @@ -397,17 +397,17 @@ so that self intersection is avoided. CmdPartDesignMigrate - + PartDesign 단품설계 - + Migrate 이전하기 - + Migrate document to the modern PartDesign workflow 문서를 최신 단품설계 작업흐름으로 이전합니다 @@ -415,17 +415,17 @@ so that self intersection is avoided. CmdPartDesignMirrored - + PartDesign 단품설계 - + Mirrored 대칭 - + Create a mirrored feature 대칭된 도형특징 생성 @@ -433,17 +433,17 @@ so that self intersection is avoided. CmdPartDesignMoveFeature - + PartDesign 단품설계 - + Move object to other body 대상을 다른 몸통으로 이동 - + Moves the selected object to another body 선택된 것을 다른 몸통으로 이동 @@ -451,17 +451,17 @@ so that self intersection is avoided. CmdPartDesignMoveFeatureInTree - + PartDesign 단품설계 - + Move object after other object 대상을 다른 것 뒤로 이동 - + Moves the selected object and insert it after another object 선택된 객체를 다른 객체 뒤로 삽입 @@ -469,17 +469,17 @@ so that self intersection is avoided. CmdPartDesignMoveTip - + PartDesign 단품설계 - + Set tip 끝단 설정 - + Move the tip of the body 몸통의 끝단을 이동 @@ -487,17 +487,17 @@ so that self intersection is avoided. CmdPartDesignMultiTransform - + PartDesign 단품설계 - + Create MultiTransform 다중변환 생성 - + Create a multitransform feature 다중 패턴 도형특징 생성 @@ -559,17 +559,17 @@ so that self intersection is avoided. CmdPartDesignPocket - + PartDesign 단품설계 - + Pocket 오목 자리 - + Create a pocket with the selected sketch 선택된 스케치를 사용하여 오목 자리 생성 @@ -595,17 +595,17 @@ so that self intersection is avoided. CmdPartDesignPolarPattern - + PartDesign 단품설계 - + PolarPattern 원형 패턴 - + Create a polar pattern feature 원형 패턴 도형특징 생성 @@ -613,17 +613,17 @@ so that self intersection is avoided. CmdPartDesignRevolution - + PartDesign 단품설계 - + Revolution 회전 - + Revolve a selected sketch 선택된 스케치를 공전 @@ -631,17 +631,17 @@ so that self intersection is avoided. CmdPartDesignScaled - + PartDesign 단품설계 - + Scaled 비례율 - + Create a scaled feature 축척된 도형특징 생성 @@ -681,17 +681,17 @@ so that self intersection is avoided. CmdPartDesignSubtractiveHelix - + PartDesign 단품설계 - + Subtractive helix 나선 잘라내기 - + Sweep a selected sketch along a helix and remove it from the body 선택한 스케치를 나선을 따라 쓸어서 만든 파이프를 몸통에서 제거 @@ -699,17 +699,17 @@ so that self intersection is avoided. CmdPartDesignSubtractiveLoft - + PartDesign 단품설계 - + Subtractive loft 로프트 잘라내기 - + Loft a selected profile through other profile sections and remove it from the body 선택한 윤곽을 다른 윤곽 단면으로 로프트하고 몸통에서 제거 @@ -717,17 +717,17 @@ so that self intersection is avoided. CmdPartDesignSubtractivePipe - + PartDesign 단품설계 - + Subtractive pipe 파이프 잘라내기 - + Sweep a selected sketch along a path or to other profiles and remove it from the body 선택된 스케치를 경로를 따라가거나 다른 윤곽 스케치까지 쓸어서 생긴 파이프를 몸통에서 제거 @@ -735,17 +735,17 @@ so that self intersection is avoided. CmdPartDesignThickness - + PartDesign 단품설계 - + Thickness 두께 - + Make a thick solid 두께가 있는 고체를 만듭니다 @@ -764,42 +764,42 @@ so that self intersection is avoided. 기본 입체도형 생성 - + Additive Box 박스 추가 - + Additive Cylinder 실린더 추가 - + Additive Sphere 구체 추가 - + Additive Cone 원뿔 추가 - + Additive Ellipsoid 타원체 추가 - + Additive Torus 원환체 추가 - + Additive Prism 각기둥 추가 - + Additive Wedge 쐐기(wedge) 추가 @@ -807,53 +807,53 @@ so that self intersection is avoided. CmdPrimtiveCompSubtractive - + PartDesign 단품설계 - - + + Create a subtractive primitive 기본 입체도형 잘라내기 생성 - + Subtractive Box 박스 잘라내기 - + Subtractive Cylinder 실린더 잘라내기 - + Subtractive Sphere 구체 잘라내기 - + Subtractive Cone 원뿔 잘라내기 - + Subtractive Ellipsoid 타원체 잘라내기 - + Subtractive Torus 원환체 잘라내기 - + Subtractive Prism 각기둥 잘라내기 - + Subtractive Wedge 쐐기(wedge) 잘라내기 @@ -893,47 +893,48 @@ so that self intersection is avoided. + Create a new Sketch 새 스케치 만들기 - + Convert to MultiTransform feature 다중 변환 도형특징으로 변환 - + Create Boolean 부울 생성 - + Add a Body 몸통 추가 - + Migrate legacy Part Design features to Bodies Migrate legacy Part Design features to Bodies - + Move tip to selected feature 선택한 도형특징으로 끝단 이동 - + Duplicate a PartDesign object PartDesign 개체 복제 - + Move an object 개체 이동 - + Move an object inside tree 나무 보기에서 개체 이동 @@ -1601,7 +1602,7 @@ click again to end selection PartDesignGui::TaskDlgFeatureParameters - + Input error 입력 오류 @@ -1694,13 +1695,13 @@ click again to end selection PartDesignGui::TaskExtrudeParameters - + No face selected 선택된 면 없음 - + Face 면 선택 @@ -1720,38 +1721,38 @@ click again to end selection 면 선택 - + No shape selected 선택된 형상이 없습니다. - + Sketch normal 스케치면에 수직 - + Face normal 면에 수직 - + Select reference... 레퍼런스 선택 - - + + Custom direction 사용자 정의 방향 - + Click on a shape in the model 모형에서 형상을 클릭하세요 - + Click on a face in the model 모형의 면을 클릭하세요 @@ -2794,7 +2795,7 @@ measured along the specified direction - + Dimension 치수 @@ -2805,19 +2806,19 @@ measured along the specified direction - + Base X axis 절대좌표계 X 축 - + Base Y axis 절대좌표계 Y 축 - + Base Z axis 절대좌표계 Z 축 @@ -2833,7 +2834,7 @@ measured along the specified direction - + Select reference... 레퍼런스 선택 @@ -2843,24 +2844,24 @@ measured along the specified direction 각도: - + Symmetric to plane 평면에 대칭 - + Reversed 반전된 - + 2nd angle 두 번째 각도 - - + + Face 면 선택 @@ -2870,37 +2871,37 @@ measured along the specified direction 보기 재생성 - + Revolution parameters 회전(Revolution) 매개 변수 - + To last 끝까지 - + Through all 관통 - + To first 첫 번째 만나는 면까지 - + Up to face 곡면까지 - + Two dimensions 2개의 치수 이용 - + No face selected 선택된 면 없음 @@ -3229,42 +3230,42 @@ click again to end selection PartDesign_CompPrimitiveAdditive - + Create an additive box by its width, height, and length 너비, 높이 및 길이로 추가 상자 만들기 - + Create an additive cylinder by its radius, height, and angle 반지름, 높이 및 각도로 추가 원통 만들기 - + Create an additive sphere by its radius and various angles 반경과 다양한 각도로 추가 구 만들기 - + Create an additive cone 원뿔 더하기 - + Create an additive ellipsoid 타원체 더하기 - + Create an additive torus 원환체 더하기 - + Create an additive prism 각기둥 더하기 - + Create an additive wedge 쐐기 더하기 @@ -3272,42 +3273,42 @@ click again to end selection PartDesign_CompPrimitiveSubtractive - + Create a subtractive box by its width, height and length 너비, 높이 및 길이로 빼기 상자 만들기 - + Create a subtractive cylinder by its radius, height and angle 반지름, 높이 및 각도로 빼기 원통 만들기 - + Create a subtractive sphere by its radius and various angles 반지름과 다양한 각도로 빼기 구 만들기 - + Create a subtractive cone 원뿔 빼기 - + Create a subtractive ellipsoid 타원체 빼기 - + Create a subtractive torus 원환체 빼기 - + Create a subtractive prism 각기둥 빼기 - + Create a subtractive wedge 쐐기 빼기 @@ -3315,12 +3316,12 @@ click again to end selection PartDesign_MoveFeature - + Select body 몸통 선택 - + Select a body from the list 목록에서 몸통 선택 @@ -3328,27 +3329,27 @@ click again to end selection PartDesign_MoveFeatureInTree - + Select feature 도형특징 선택 - + Select a feature from the list 목록에서 도형특징을 선택하세요 - + Move tip 끝단 이동 - + The moved feature appears after the currently set tip. 이동된 도형특징은 현재 설정된 끝단 뒤에 나타납니다. - + Do you want the last feature to be the new tip? 마지막 도형특징을 새 끝단으로 하시겠습니까? @@ -3383,42 +3384,42 @@ click again to end selection 하위형상 점착제 - + Several sub-elements selected 하부 요소들이 선택되었습니다. - + You have to select a single face as support for a sketch! 스케치의 받침으로 하나의 면을 선택해야 합니다. - + No support face selected 선택된 받침면이 없습니다. - + You have to select a face as support for a sketch! 스케치의 받침으로 면을 선택해야 합니다. - + No planar support 평평한 받침이 없음 - + You need a planar face as support for a sketch! 스케치의 받침으로 평면이 필요합니다. - + No valid planes in this document 이 문서에는 유효한 평면이 없습니다. - + Please create a plane first or select a face to sketch on 평면을 먼저 생성하거나 스케치를 생성할 면을 먼저 선택하세요. @@ -3477,211 +3478,211 @@ click again to end selection 이 문서에는 사용할 수 있는 스케치가 없습니다. - - + + Wrong selection 잘못 된 선택 - + Select an edge, face, or body from a single body. 단일 몸통에서 모서리, 면,또는 몸통을 선택하십시오. - - + + Selection is not in Active Body 활성화된 몸통에서 선택하지 않았습니다 - + Select an edge, face, or body from an active body. 활성화된 몸통에서 모서리, 면,또는 몸통을 선택하십시오. - + Wrong object type 잘못된 객체 타입 - + %1 works only on parts. %1 파트에서만 사용 가능합니다. - + Shape of the selected Part is empty 선택된 부품의 형상이 비어있습니다. - + Please select only one feature in an active body. 활성화된 몸통에서 도형특징을 하나만 선택하세요 - + Part creation failed 파트 생성 실패 - + Failed to create a part object. 파트 객체를 생성하는데 실패하였습니다. - - - - + + + + Bad base feature 잘못된 기반 도형특징 - + Body can't be based on a PartDesign feature. 몸통은 부품설계에서 만들어진 도형특징을 기반으로 할 수 없습니다. - + %1 already belongs to a body, can't use it as base feature for another body. %1은(는) 이미 몸통에 속해 있으므로 다른 몸통의 기반 도형특징으로 사용할 수 없습니다. - + Base feature (%1) belongs to other part. 기반 도형특징(%1) 은 다른 부품에 속합니다. - + The selected shape consists of multiple solids. This may lead to unexpected results. 선택한 형상은 여러 고체들로 구성됩니다. 이로 인해 예기치 않은 결과가 발생할 수 있습니다. - + The selected shape consists of multiple shells. This may lead to unexpected results. 선택한 형상은 여러 껍질들로 구성됩니다. 이로 인해 예기치 않은 결과가 발생할 수 있습니다. - + The selected shape consists of only a shell. This may lead to unexpected results. 선택한 형상은 껍질로만 구성됩니다. 이로 인해 예기치 않은 결과가 발생할 수 있습니다. - + The selected shape consists of multiple solids or shells. This may lead to unexpected results. 선택한 형상은 여러 고체 또는 껍질로 구성됩니다. 이로 인해 예기치 않은 결과가 발생할 수 있습니다. - + Base feature 기반 도형특징 - + Body may be based on no more than one feature. 몸통은 하나 이상의 도형특징을 기반으로 할 수 없습니다. - + Body 몸통 - + Nothing to migrate 이전할 것이 없습니다. - + No PartDesign features found that don't belong to a body. Nothing to migrate. 부품설계 작업대에서 만들어지지 않은 도형특징을 찾을 수 없습니다. 모든 도형특징들은 몸통에 속해 있습니다. 높은 버전으로 이전할 것이 없습니다. - + Sketch plane cannot be migrated 스케치 평면은 이전할 수 없습니다. - + Please edit '%1' and redefine it to use a Base or Datum plane as the sketch plane. 기본 또는 기준 평면을 스케치 평면으로 사용하도록 '%1'을(를) 편집하고 재정의하십시오. - - - - - + + + + + Selection error 선택 오류 - + Select exactly one PartDesign feature or a body. 정확히 하나의 단품설계의 도형특징 또는 몸통을 선택하세요. - + Couldn't determine a body for the selected feature '%s'. 선택된 도형특징('%s')에 대한 몸통을 결정할 수 없습니다. - + Only a solid feature can be the tip of a body. 고체 도형특징만 몸통의 끝단이 될 수 있습니다. - - - + + + Features cannot be moved 도형특징을 이동할 수 없습니다. - + Some of the selected features have dependencies in the source body 선택된 도형특징 중 일부가 원래의 몸통에 종속되어 있습니다. - + Only features of a single source Body can be moved 단일 source몸통의 도형특징만 이동할 수 있습니다. - + There are no other bodies to move to 이동할 수 있는 다른 몸통이 없습니다. - + Impossible to move the base feature of a body. 몸통의 기반 도형특징은 이동이 불가능합니다. - + Select one or more features from the same body. 같은 몸통에서 하나 이상의 도형특징을 선택하세요. - + Beginning of the body 몸통의 시작 - + Dependency violation 종속성 위반 - + Early feature must not depend on later feature. @@ -3690,29 +3691,29 @@ This may lead to unexpected results. - + No previous feature found 이전 도형특징 찾을 수 없습니다. - + It is not possible to create a subtractive feature without a base feature available 기본 도형특징 없이는 다른 도형특징을 더할 수 없습니다. - + Vertical sketch axis 수직 스케치 축 - + Horizontal sketch axis 수평 스케치 축 - + Construction line %1 보조선 @@ -4744,25 +4745,25 @@ over 90: larger hole radius at the bottom Unsupported boolean operation - + - + Resulting shape is not a solid 결과 형상이 고체가 아닙니다 - - - + + + - + Result has multiple solids: that is not currently supported. @@ -4841,71 +4842,71 @@ over 90: larger hole radius at the bottom - 선택한 스케치는 활성화된 몸통에 속하지 않습니다. - + Length too small 너무 짧은 길이 - + Second length too small 너무 짧은 두 번째 길이 - + Failed to obtain profile shape 윤곽 형상을 얻는데 실패했습니다 - + Creation failed because direction is orthogonal to sketch's normal vector 방향이 스케치의 법선 향량에 직교하므로 만들지 못했습니다. - + Extrude: Can only offset one face 돌출: 오직 하나의 면만 편차 가능 - - + + Creating a face from sketch failed 스케치로부터 면생성 실패 - + Up to face: Could not get SubShape! 면까지: 하위 형상을 얻을 수 없습니다! - + Unable to reach the selected shape, please select faces Unable to reach the selected shape, please select faces - + Magnitude of taper angle matches or exceeds 90 degrees Magnitude of taper angle matches or exceeds 90 degrees - + Padding with draft angle failed 구배를 준 깔판 생성이 실패했습니다 - + Revolve axis intersects the sketch 공전축이 스케치와 교차합니다 - + Could not revolve the sketch! 스케치를 공전시킬 수 없음! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. @@ -5103,22 +5104,22 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed for m 로프트: 최소 하나의 단면이 필요합니다. - + Loft: A fatal error occurred when making the loft 로프트: 로프트 생성 중 치명적 오류 발생 - + Loft: Creating a face from sketch failed 로프트: 스케치로부터 면 생성이 실패했습니다. - + Loft: Failed to create shell 로프트: 껍질 생성에 실패했습니다 - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed. 스케치로부터 면을 생성할 수 없습니다. @@ -5235,13 +5236,13 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed.기본 도형특징 없이는 기초 도형특징을 뺄 수 없습니다 - + Unknown operation type 알 수 없는 연산 유형 - + Failed to perform boolean operation 부울 연산 실패 @@ -5345,22 +5346,22 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed.쐐기(wedge)의 x2값 변화율이 음수입니다 - + Angle of revolution too large 회전 각도가 너무 큽니다 - + Angle of revolution too small 회전 각도가 너무 작습니다 - + Reference axis is invalid 참조 축이 잘못되었습니다 - + Fusion with base feature failed 기본 도형특징들 결합 실패 @@ -5406,12 +5407,12 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed. CmdPartDesignCompDatums - + Create datum 작업기준 생성 - + Create a datum object or local coordinate system 작업기준 또는 지역 좌표계를 생성 @@ -5419,14 +5420,30 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed. CmdPartDesignCompSketches - + Create datum 작업기준 생성 - + Create a datum object or local coordinate system 작업기준 또는 지역 좌표계를 생성 + + PartDesignGui::TaskDlgRevolutionParameters + + + Revolution parameters + 회전(Revolution) 매개 변수 + + + + PartDesignGui::TaskDlgGrooveParameters + + + Groove parameters + Groove parameters + + diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_lt.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_lt.ts index 80fd6d99c74f..7860e03cde7d 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_lt.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_lt.ts @@ -128,17 +128,17 @@ so that self intersection is avoided. CmdPartDesignAdditiveHelix - + PartDesign Detalių kūryba - + Additive helix Additive helix - + Sweep a selected sketch along a helix Sweep a selected sketch along a helix @@ -146,17 +146,17 @@ so that self intersection is avoided. CmdPartDesignAdditiveLoft - + PartDesign Detalių kūryba - + Additive loft Pridedamasis tiesiškasis paviršius - + Loft a selected profile through other profile sections Sukurti tiesiškąjį paviršių turintį kūną pasirinkus kelis jo skerspjūvius @@ -164,17 +164,17 @@ so that self intersection is avoided. CmdPartDesignAdditivePipe - + PartDesign Detalių kūryba - + Additive pipe Pridedamasis vamzdis - + Sweep a selected sketch along a path or to other profiles Pratempti pasirinktą brėžinį nurodytu keliu ar skerspjūviais @@ -182,17 +182,17 @@ so that self intersection is avoided. CmdPartDesignBody - + PartDesign Detalių kūryba - + Create body Kurti daiktą - + Create a new body and make it active Sukurti naują daiktą ir pradėti jį rengti @@ -200,17 +200,17 @@ so that self intersection is avoided. CmdPartDesignBoolean - + PartDesign Detalių kūryba - + Boolean operation Dvejetainis veiksmas - + Boolean operation with two or more bodies Boolean operation with two or more bodies @@ -236,17 +236,17 @@ so that self intersection is avoided. CmdPartDesignChamfer - + PartDesign Detalių kūryba - + Chamfer Nusklembti - + Chamfer the selected edges of a shape Nusklembia pasirinktas geometrinio kūno kraštines @@ -272,17 +272,17 @@ so that self intersection is avoided. CmdPartDesignDraft - + PartDesign Detalių kūryba - + Draft Pratempti - + Make a draft on a face Make a draft on a face @@ -290,17 +290,17 @@ so that self intersection is avoided. CmdPartDesignDuplicateSelection - + PartDesign Detalių kūryba - + Duplicate selected object Duplicate selected object - + Duplicates the selected object and adds it to the active body Klonuoti pasirinktąjį daiktą ir įtraukti jį į rengiamąjį daiktą @@ -308,17 +308,17 @@ so that self intersection is avoided. CmdPartDesignFillet - + PartDesign Detalių kūryba - + Fillet Kraštų suapvalinimas - + Make a fillet on an edge, face or body Užapvalinti kraštinės, sienos ar erdvinio kūno kraštus @@ -326,17 +326,17 @@ so that self intersection is avoided. CmdPartDesignGroove - + PartDesign Detalių kūryba - + Groove Griovelis - + Groove a selected sketch Groove a selected sketch @@ -344,17 +344,17 @@ so that self intersection is avoided. CmdPartDesignHole - + PartDesign Detalių kūryba - + Hole Skylė - + Create a hole with the selected sketch Create a hole with the selected sketch @@ -380,17 +380,17 @@ so that self intersection is avoided. CmdPartDesignLinearPattern - + PartDesign Detalių kūryba - + LinearPattern LinearPattern - + Create a linear pattern feature Create a linear pattern feature @@ -398,17 +398,17 @@ so that self intersection is avoided. CmdPartDesignMigrate - + PartDesign Detalių kūryba - + Migrate Migrate - + Migrate document to the modern PartDesign workflow Perkelti dokumento turinį į atnaujintą detalių kūrybos veiksmų seką @@ -416,17 +416,17 @@ so that self intersection is avoided. CmdPartDesignMirrored - + PartDesign Detalių kūryba - + Mirrored Veidrodinė kopija padaryta - + Create a mirrored feature Create a mirrored feature @@ -434,17 +434,17 @@ so that self intersection is avoided. CmdPartDesignMoveFeature - + PartDesign Detalių kūryba - + Move object to other body Perkelti daiktą į kitą daiktą - + Moves the selected object to another body Moves the selected object to another body @@ -452,17 +452,17 @@ so that self intersection is avoided. CmdPartDesignMoveFeatureInTree - + PartDesign Detalių kūryba - + Move object after other object Move object after other object - + Moves the selected object and insert it after another object Moves the selected object and insert it after another object @@ -470,17 +470,17 @@ so that self intersection is avoided. CmdPartDesignMoveTip - + PartDesign Detalių kūryba - + Set tip Set tip - + Move the tip of the body Move the tip of the body @@ -488,17 +488,17 @@ so that self intersection is avoided. CmdPartDesignMultiTransform - + PartDesign Detalių kūryba - + Create MultiTransform Create MultiTransform - + Create a multitransform feature Create a multitransform feature @@ -560,17 +560,17 @@ so that self intersection is avoided. CmdPartDesignPocket - + PartDesign Detalių kūryba - + Pocket Išėma - + Create a pocket with the selected sketch Sukurti išėmą pasirinkto brėžinio pagrindu @@ -596,17 +596,17 @@ so that self intersection is avoided. CmdPartDesignPolarPattern - + PartDesign Detalių kūryba - + PolarPattern PolarPattern - + Create a polar pattern feature Create a polar pattern feature @@ -614,17 +614,17 @@ so that self intersection is avoided. CmdPartDesignRevolution - + PartDesign Detalių kūryba - + Revolution Revolution - + Revolve a selected sketch Padaryti pasirinkto brėžinio sukinį @@ -632,17 +632,17 @@ so that self intersection is avoided. CmdPartDesignScaled - + PartDesign Detalių kūryba - + Scaled Pagal mastelį - + Create a scaled feature Create a scaled feature @@ -682,17 +682,17 @@ so that self intersection is avoided. CmdPartDesignSubtractiveHelix - + PartDesign Detalių kūryba - + Subtractive helix Subtractive helix - + Sweep a selected sketch along a helix and remove it from the body Sweep a selected sketch along a helix and remove it from the body @@ -700,17 +700,17 @@ so that self intersection is avoided. CmdPartDesignSubtractiveLoft - + PartDesign Detalių kūryba - + Subtractive loft Atimantis tiesiškasis paviršius - + Loft a selected profile through other profile sections and remove it from the body Sukurti tiesiškąjį paviršių turintį daiktą pasirinkus kelis jo skerspjūvius @@ -718,17 +718,17 @@ so that self intersection is avoided. CmdPartDesignSubtractivePipe - + PartDesign Detalių kūryba - + Subtractive pipe Atimantis vamzdis - + Sweep a selected sketch along a path or to other profiles and remove it from the body Pratempti pasirinktą rėmelį nurodytu keliu ar skerspjūviu @@ -736,17 +736,17 @@ so that self intersection is avoided. CmdPartDesignThickness - + PartDesign Detalių kūryba - + Thickness Storis - + Make a thick solid Make a thick solid @@ -765,42 +765,42 @@ so that self intersection is avoided. Sukurti pridedamąjį paprastą geometrinį kūną - + Additive Box Pridedamasis stačiakampis gretasienis - + Additive Cylinder Pridedamasis ritinys - + Additive Sphere Pridedamasis rutulys - + Additive Cone Pridedamasis kūgis - + Additive Ellipsoid Pridedamasis elipsoidas - + Additive Torus Pridedamasis žiedas - + Additive Prism Pridedamoji prizmė - + Additive Wedge Pridedamasis pleištas @@ -808,53 +808,53 @@ so that self intersection is avoided. CmdPrimtiveCompSubtractive - + PartDesign Detalių kūryba - - + + Create a subtractive primitive Sukurti atimantį paprastąjį geometrinį kūną - + Subtractive Box Atimantis stačiakampis gretasienis - + Subtractive Cylinder Atimantis ritinys - + Subtractive Sphere Atimantis rutulys - + Subtractive Cone Atimantis kūgis - + Subtractive Ellipsoid Atimantis elipsoidas - + Subtractive Torus Atimantis žiedas - + Subtractive Prism Atimanti prizmė - + Subtractive Wedge Atimantis pleištas @@ -894,47 +894,48 @@ so that self intersection is avoided. + Create a new Sketch Create a new Sketch - + Convert to MultiTransform feature Convert to MultiTransform feature - + Create Boolean Create Boolean - + Add a Body Add a Body - + Migrate legacy Part Design features to Bodies Migrate legacy Part Design features to Bodies - + Move tip to selected feature Move tip to selected feature - + Duplicate a PartDesign object Duplicate a PartDesign object - + Move an object Move an object - + Move an object inside tree Move an object inside tree @@ -1605,7 +1606,7 @@ spustelėkite vėl, jei norite baigti atranką PartDesignGui::TaskDlgFeatureParameters - + Input error Input error @@ -1698,13 +1699,13 @@ spustelėkite vėl, jei norite baigti atranką PartDesignGui::TaskExtrudeParameters - + No face selected Nepasirinkta siena - + Face Siena @@ -1724,38 +1725,38 @@ spustelėkite vėl, jei norite baigti atranką Pasirinkti sienas - + No shape selected Nepasirinkta kraštinių - + Sketch normal Sketch normal - + Face normal Face normal - + Select reference... Select reference... - - + + Custom direction Custom direction - + Click on a shape in the model Click on a shape in the model - + Click on a face in the model Click on a face in the model @@ -2801,7 +2802,7 @@ measured along the specified direction - + Dimension Matmuo @@ -2812,19 +2813,19 @@ measured along the specified direction - + Base X axis Pagrindo X ašis - + Base Y axis Pagrindo Y ašis - + Base Z axis Pagrindo Z ašis @@ -2840,7 +2841,7 @@ measured along the specified direction - + Select reference... Select reference... @@ -2850,24 +2851,24 @@ measured along the specified direction Posūkio kampas: - + Symmetric to plane Simetriškai plokštumos atžvilgiu - + Reversed Atbulai - + 2nd angle 2nd angle - - + + Face Siena @@ -2877,37 +2878,37 @@ measured along the specified direction Atnaujinti rodinį - + Revolution parameters Sukimo duomenys - + To last Iki paskutinio - + Through all Kiaurai - + To first Iki pirmo - + Up to face Iki sienos - + Two dimensions Du matmenys - + No face selected Nepasirinkta siena @@ -3237,42 +3238,42 @@ spustelėkite vėl, jei norite baigti atranką PartDesign_CompPrimitiveAdditive - + Create an additive box by its width, height, and length Create an additive box by its width, height, and length - + Create an additive cylinder by its radius, height, and angle Create an additive cylinder by its radius, height, and angle - + Create an additive sphere by its radius and various angles Sukurti pridedamąjį rutulį, nurodant jo spindulį ir kampus - + Create an additive cone Sukurti pridedamąjį kūgį - + Create an additive ellipsoid Sukurti pridedamąjį elipsoidą - + Create an additive torus Sukurti pridedamąjį žiedą - + Create an additive prism Sukurti pridedamąją prizmę - + Create an additive wedge Sukurti pridedamąjį pleištą @@ -3280,42 +3281,42 @@ spustelėkite vėl, jei norite baigti atranką PartDesign_CompPrimitiveSubtractive - + Create a subtractive box by its width, height and length Sukurti atimantį stačiakampį gretasienį, nurodant jo plotį, aukštį ir ilgį - + Create a subtractive cylinder by its radius, height and angle Sukurti atimantį ritinį, nurodant jo spindulį, aukštį ir kampą - + Create a subtractive sphere by its radius and various angles Sukurti atimantį rutulį, nurodant jo spindulį ir kampus - + Create a subtractive cone Sukurti atimantį kūgį - + Create a subtractive ellipsoid Sukurti atimantį elipsoidą - + Create a subtractive torus Sukurti atimantį žiedą - + Create a subtractive prism Sukurti atimančią prizmę - + Create a subtractive wedge Sukurti atimantį pleištą @@ -3323,12 +3324,12 @@ spustelėkite vėl, jei norite baigti atranką PartDesign_MoveFeature - + Select body Parinkti daiktą - + Select a body from the list Pasirinkti daiktą iš sąrašo @@ -3336,27 +3337,27 @@ spustelėkite vėl, jei norite baigti atranką PartDesign_MoveFeatureInTree - + Select feature Select feature - + Select a feature from the list Select a feature from the list - + Move tip Move tip - + The moved feature appears after the currently set tip. The moved feature appears after the currently set tip. - + Do you want the last feature to be the new tip? Do you want the last feature to be the new tip? @@ -3391,42 +3392,42 @@ spustelėkite vėl, jei norite baigti atranką Sub-Shape Binder - + Several sub-elements selected Several sub-elements selected - + You have to select a single face as support for a sketch! You have to select a single face as support for a sketch! - + No support face selected No support face selected - + You have to select a face as support for a sketch! You have to select a face as support for a sketch! - + No planar support No planar support - + You need a planar face as support for a sketch! You need a planar face as support for a sketch! - + No valid planes in this document No valid planes in this document - + Please create a plane first or select a face to sketch on Please create a plane first or select a face to sketch on @@ -3485,211 +3486,211 @@ spustelėkite vėl, jei norite baigti atranką No sketch is available in the document - - + + Wrong selection Netinkama pasirinktis - + Select an edge, face, or body from a single body. Select an edge, face, or body from a single body. - - + + Selection is not in Active Body Atrankoje nėra nieko iš veikiamojo daikto - + Select an edge, face, or body from an active body. Select an edge, face, or body from an active body. - + Wrong object type Wrong object type - + %1 works only on parts. %1 works only on parts. - + Shape of the selected Part is empty Shape of the selected Part is empty - + Please select only one feature in an active body. Please select only one feature in an active body. - + Part creation failed Part creation failed - + Failed to create a part object. Failed to create a part object. - - - - + + + + Bad base feature Bad base feature - + Body can't be based on a PartDesign feature. Body can't be based on a PartDesign feature. - + %1 already belongs to a body, can't use it as base feature for another body. %1 already belongs to a body, can't use it as base feature for another body. - + Base feature (%1) belongs to other part. Base feature (%1) belongs to other part. - + The selected shape consists of multiple solids. This may lead to unexpected results. The selected shape consists of multiple solids. This may lead to unexpected results. - + The selected shape consists of multiple shells. This may lead to unexpected results. The selected shape consists of multiple shells. This may lead to unexpected results. - + The selected shape consists of only a shell. This may lead to unexpected results. The selected shape consists of only a shell. This may lead to unexpected results. - + The selected shape consists of multiple solids or shells. This may lead to unexpected results. The selected shape consists of multiple solids or shells. This may lead to unexpected results. - + Base feature Base feature - + Body may be based on no more than one feature. Body may be based on no more than one feature. - + Body Kūnas - + Nothing to migrate Nothing to migrate - + No PartDesign features found that don't belong to a body. Nothing to migrate. No PartDesign features found that don't belong to a body. Nothing to migrate. - + Sketch plane cannot be migrated Sketch plane cannot be migrated - + Please edit '%1' and redefine it to use a Base or Datum plane as the sketch plane. Prašome pakeisti '%1' ir nustatykite iš jam naujai pagrindinę arba duomenimis apibrėžtą plokštumą, kaip brėžinio plokštumą. - - - - - + + + + + Selection error Selection error - + Select exactly one PartDesign feature or a body. Select exactly one PartDesign feature or a body. - + Couldn't determine a body for the selected feature '%s'. Couldn't determine a body for the selected feature '%s'. - + Only a solid feature can be the tip of a body. Only a solid feature can be the tip of a body. - - - + + + Features cannot be moved Features cannot be moved - + Some of the selected features have dependencies in the source body Some of the selected features have dependencies in the source body - + Only features of a single source Body can be moved Only features of a single source Body can be moved - + There are no other bodies to move to There are no other bodies to move to - + Impossible to move the base feature of a body. Impossible to move the base feature of a body. - + Select one or more features from the same body. Select one or more features from the same body. - + Beginning of the body Beginning of the body - + Dependency violation Dependency violation - + Early feature must not depend on later feature. @@ -3698,29 +3699,29 @@ This may lead to unexpected results. - + No previous feature found No previous feature found - + It is not possible to create a subtractive feature without a base feature available Neįmanoma sukurti atimančio kūno nesant pagrindinio - + Vertical sketch axis Vertical sketch axis - + Horizontal sketch axis Horizontal sketch axis - + Construction line %1 Construction line %1 @@ -4754,25 +4755,25 @@ over 90: larger hole radius at the bottom Unsupported boolean operation - + - + Resulting shape is not a solid Resulting shape is not a solid - - - + + + - + Result has multiple solids: that is not currently supported. @@ -4852,71 +4853,71 @@ over 90: larger hole radius at the bottom - the selected sketch does not belong to the active Body. - + Length too small Length too small - + Second length too small Second length too small - + Failed to obtain profile shape Failed to obtain profile shape - + Creation failed because direction is orthogonal to sketch's normal vector Creation failed because direction is orthogonal to sketch's normal vector - + Extrude: Can only offset one face Extrude: Can only offset one face - - + + Creating a face from sketch failed Creating a face from sketch failed - + Up to face: Could not get SubShape! Up to face: Could not get SubShape! - + Unable to reach the selected shape, please select faces Unable to reach the selected shape, please select faces - + Magnitude of taper angle matches or exceeds 90 degrees Magnitude of taper angle matches or exceeds 90 degrees - + Padding with draft angle failed Padding with draft angle failed - + Revolve axis intersects the sketch Revolve axis intersects the sketch - + 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. @@ -5114,22 +5115,22 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed for m Loft: At least one section is needed - + Loft: A fatal error occurred when making the loft Loft: A fatal error occurred when making the loft - + Loft: Creating a face from sketch failed Loft: Creating a face from sketch failed - + Loft: Failed to create shell Loft: Failed to create shell - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed. Could not create face from sketch. @@ -5246,13 +5247,13 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed.Cannot subtract primitive feature without base feature - + Unknown operation type Unknown operation type - + Failed to perform boolean operation Failed to perform boolean operation @@ -5356,22 +5357,22 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed.delta x2 of wedge is negative - + Angle of revolution too large Angle of revolution too large - + Angle of revolution too small Angle of revolution too small - + Reference axis is invalid Reference axis is invalid - + Fusion with base feature failed Fusion with base feature failed @@ -5417,12 +5418,12 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed. CmdPartDesignCompDatums - + Create datum Create datum - + Create a datum object or local coordinate system Create a datum object or local coordinate system @@ -5430,14 +5431,30 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed. CmdPartDesignCompSketches - + Create datum Create datum - + Create a datum object or local coordinate system Create a datum object or local coordinate system + + PartDesignGui::TaskDlgRevolutionParameters + + + Revolution parameters + Sukimo duomenys + + + + PartDesignGui::TaskDlgGrooveParameters + + + Groove parameters + Groove parameters + + diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_nl.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_nl.ts index 5d0c2d956bd8..87002e90864a 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_nl.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_nl.ts @@ -125,17 +125,17 @@ so that self intersection is avoided. CmdPartDesignAdditiveHelix - + PartDesign PartDesign - + Additive helix Toevoegende helix - + Sweep a selected sketch along a helix Veeg een geselecteerde schets langs een helix @@ -143,17 +143,17 @@ so that self intersection is avoided. CmdPartDesignAdditiveLoft - + PartDesign PartDesign - + Additive loft Toevoegende loft - + Loft a selected profile through other profile sections Loft een selecteerd profiel door andere profiel secties @@ -161,17 +161,17 @@ so that self intersection is avoided. CmdPartDesignAdditivePipe - + PartDesign PartDesign - + Additive pipe Toevoegende buis - + Sweep a selected sketch along a path or to other profiles Veeg de geselecteerde schets langs een pad of naar andere profielen @@ -179,17 +179,17 @@ so that self intersection is avoided. CmdPartDesignBody - + PartDesign PartDesign - + Create body Creëer lichaam - + Create a new body and make it active Creëer een nieuw lichaam en maak het actief @@ -197,17 +197,17 @@ so that self intersection is avoided. CmdPartDesignBoolean - + PartDesign PartDesign - + Boolean operation Boleaanse operatie - + Boolean operation with two or more bodies Booleaanse bewerking met twee of meer lichamen @@ -233,17 +233,17 @@ so that self intersection is avoided. CmdPartDesignChamfer - + PartDesign PartDesign - + Chamfer Afschuining - + Chamfer the selected edges of a shape Afschuining van de geselecteerde randen van een vorm @@ -269,17 +269,17 @@ so that self intersection is avoided. CmdPartDesignDraft - + PartDesign PartDesign - + Draft Kantel - + Make a draft on a face Kantel het vlak @@ -287,17 +287,17 @@ so that self intersection is avoided. CmdPartDesignDuplicateSelection - + PartDesign PartDesign - + Duplicate selected object Dupliceer geselecteerde object - + Duplicates the selected object and adds it to the active body Copieerd het geselecteerde object en voegt het toe aan het active lichaam @@ -305,17 +305,17 @@ so that self intersection is avoided. CmdPartDesignFillet - + PartDesign PartDesign - + Fillet Afronding - + Make a fillet on an edge, face or body Maak een afronding op een rand, vlak of lichaam @@ -323,17 +323,17 @@ so that self intersection is avoided. CmdPartDesignGroove - + PartDesign PartDesign - + Groove Frezen - + Groove a selected sketch Een geselecteerde schets frezen @@ -341,17 +341,17 @@ so that self intersection is avoided. CmdPartDesignHole - + PartDesign PartDesign - + Hole Gat - + Create a hole with the selected sketch Maak gat met geselecteerde schets @@ -377,17 +377,17 @@ so that self intersection is avoided. CmdPartDesignLinearPattern - + PartDesign PartDesign - + LinearPattern LineairPatroon - + Create a linear pattern feature Maak een linear patroon @@ -395,17 +395,17 @@ so that self intersection is avoided. CmdPartDesignMigrate - + PartDesign PartDesign - + Migrate Migreren - + Migrate document to the modern PartDesign workflow Verplaatst document naar de moderne PartDesign workflow @@ -413,17 +413,17 @@ so that self intersection is avoided. CmdPartDesignMirrored - + PartDesign PartDesign - + Mirrored Gespiegeld - + Create a mirrored feature Een gespiegelde functie maken @@ -431,17 +431,17 @@ so that self intersection is avoided. CmdPartDesignMoveFeature - + PartDesign PartDesign - + Move object to other body Verplaats object naar een ander lichaam - + Moves the selected object to another body Verplaats het geselecteerde object naar een ander lichaam @@ -449,17 +449,17 @@ so that self intersection is avoided. CmdPartDesignMoveFeatureInTree - + PartDesign PartDesign - + Move object after other object Verplaats object na ander object - + Moves the selected object and insert it after another object Verplaatst geselecteerd object en voegt het in na een ander object @@ -467,17 +467,17 @@ so that self intersection is avoided. CmdPartDesignMoveTip - + PartDesign PartDesign - + Set tip Zet zijde - + Move the tip of the body Verplaats de zijde van het lichaam @@ -485,17 +485,17 @@ so that self intersection is avoided. CmdPartDesignMultiTransform - + PartDesign PartDesign - + Create MultiTransform Maak MultiTransformatie - + Create a multitransform feature Maak een multitransformatie functie @@ -557,17 +557,17 @@ so that self intersection is avoided. CmdPartDesignPocket - + PartDesign PartDesign - + Pocket Uitsparing - + Create a pocket with the selected sketch Maak een uitsparing met de geselecteerde schets @@ -593,17 +593,17 @@ so that self intersection is avoided. CmdPartDesignPolarPattern - + PartDesign PartDesign - + PolarPattern Polair patroon - + Create a polar pattern feature Maak een cirkelvormig patroon @@ -611,17 +611,17 @@ so that self intersection is avoided. CmdPartDesignRevolution - + PartDesign PartDesign - + Revolution Rotatie - + Revolve a selected sketch Roteer een geselecteerde schets @@ -629,17 +629,17 @@ so that self intersection is avoided. CmdPartDesignScaled - + PartDesign PartDesign - + Scaled geschaald - + Create a scaled feature Maak een geschaalde kenmerk @@ -679,17 +679,17 @@ so that self intersection is avoided. CmdPartDesignSubtractiveHelix - + PartDesign PartDesign - + Subtractive helix Verwijderende helix - + Sweep a selected sketch along a helix and remove it from the body Veeg een geselecteerde schets langs een helix en verwijder het van het lichaam @@ -697,17 +697,17 @@ so that self intersection is avoided. CmdPartDesignSubtractiveLoft - + PartDesign PartDesign - + Subtractive loft Verwijderende loft - + Loft a selected profile through other profile sections and remove it from the body Loft een geselecteerd profiel door andere profiel secties en verwijder het van het lichaam @@ -715,17 +715,17 @@ so that self intersection is avoided. CmdPartDesignSubtractivePipe - + PartDesign PartDesign - + Subtractive pipe Verwijderende pijp - + Sweep a selected sketch along a path or to other profiles and remove it from the body Veeg een selecteerde schets langs een pad of naar andere profielen en verwijder dit van het lichaam @@ -733,17 +733,17 @@ so that self intersection is avoided. CmdPartDesignThickness - + PartDesign PartDesign - + Thickness Dikte - + Make a thick solid Maak een dikwandig volumemodel @@ -762,42 +762,42 @@ so that self intersection is avoided. Maak een toevoegende basisvorm - + Additive Box Toevoegen Doos - + Additive Cylinder Toevoegen Cilinder - + Additive Sphere Toevoegen Bol - + Additive Cone Toevoegen Kegel - + Additive Ellipsoid Additive Ellipsoide - + Additive Torus Toevoegen Ring - + Additive Prism Toevoegen Prisma - + Additive Wedge Toevoegende Wig @@ -805,53 +805,53 @@ so that self intersection is avoided. CmdPrimtiveCompSubtractive - + PartDesign PartDesign - - + + Create a subtractive primitive Maak een verwijderende basisvorm - + Subtractive Box Verwijderende Kubus - + Subtractive Cylinder Verwijderende Cylinder - + Subtractive Sphere Verwijderende Bol - + Subtractive Cone Verwijderende Kegel - + Subtractive Ellipsoid Verwijderende Ellipsoïde - + Subtractive Torus Subtractieve Torus - + Subtractive Prism Subtractieve prisma - + Subtractive Wedge Subtractieve wig @@ -891,47 +891,48 @@ so that self intersection is avoided. + Create a new Sketch Maak een nieuwe schets - + Convert to MultiTransform feature Converteer naar Multi-Transformatie functie - + Create Boolean Maak Boolean - + Add a Body Voeg lichaam toe - + Migrate legacy Part Design features to Bodies Migrate legacy Part Design features to Bodies - + Move tip to selected feature Verplaats tip naar geselecteerde functie - + Duplicate a PartDesign object Dupliceer een PartDesign object - + Move an object Verplaats een object - + Move an object inside tree Verplaats een object binnen de boom @@ -1600,7 +1601,7 @@ klik nogmaals om de selectie te beëindigen PartDesignGui::TaskDlgFeatureParameters - + Input error Invoerfout @@ -1693,13 +1694,13 @@ klik nogmaals om de selectie te beëindigen PartDesignGui::TaskExtrudeParameters - + No face selected Geen vlak geselecteerd - + Face Vlak @@ -1719,38 +1720,38 @@ klik nogmaals om de selectie te beëindigen Selecteer vlakken - + No shape selected Geen vorm geselecteerd - + Sketch normal Schets normaal - + Face normal Loodrecht - + Select reference... Selecteer referentie... - - + + Custom direction Aangepaste richting - + Click on a shape in the model Klik op een vorm in het model - + Click on a face in the model Klik op een vlak in het model @@ -2796,7 +2797,7 @@ gemeten in de opgegeven richting - + Dimension Afmeting @@ -2807,19 +2808,19 @@ gemeten in de opgegeven richting - + Base X axis Basis X-as - + Base Y axis Basis Y-as - + Base Z axis Basis Z-as @@ -2835,7 +2836,7 @@ gemeten in de opgegeven richting - + Select reference... Selecteer referentie... @@ -2845,24 +2846,24 @@ gemeten in de opgegeven richting Hoek: - + Symmetric to plane Evenwijdig aan vlak - + Reversed Omgekeerd - + 2nd angle 2nd angle - - + + Face Vlak @@ -2872,37 +2873,37 @@ gemeten in de opgegeven richting Weergave verversen - + Revolution parameters Wentelparameters - + To last Naar laatste - + Through all Langs alle - + To first Naar eerste - + Up to face Naar oppervlak - + Two dimensions Twee dimensies - + No face selected Geen vlak geselecteerd @@ -3232,42 +3233,42 @@ klik nogmaals om de selectie te beëindigen PartDesign_CompPrimitiveAdditive - + Create an additive box by its width, height, and length Maak een additieve doos met breedte, hoogte en lengte maten - + Create an additive cylinder by its radius, height, and angle Maak een additieve cilinder met een radius, een hoogte en een hoek - + Create an additive sphere by its radius and various angles Maak een additieve bol met radius en diverse hoeken - + Create an additive cone Maak een additieve kegel - + Create an additive ellipsoid Maak een additieve Ellipsoide - + Create an additive torus Maak een additieve torus - + Create an additive prism Maak een additieve prisma - + Create an additive wedge Maak een additieve wig @@ -3275,42 +3276,42 @@ klik nogmaals om de selectie te beëindigen PartDesign_CompPrimitiveSubtractive - + Create a subtractive box by its width, height and length Maak een verwijderende box door middel van de breedte, hoogte en lengte - + Create a subtractive cylinder by its radius, height and angle Maak een verwijderende cilinder door middel van de straal, hoogte en hoek - + Create a subtractive sphere by its radius and various angles Maak een verwijderende bol door middel van de straal en diverse hoeken - + Create a subtractive cone Maak een verwijderende kegel - + Create a subtractive ellipsoid Maak een verwijderende ellipsoïde - + Create a subtractive torus Maak een verwijderende torus - + Create a subtractive prism Maak een verwijderende prisma - + Create a subtractive wedge Maak een verwijderende wig @@ -3318,12 +3319,12 @@ klik nogmaals om de selectie te beëindigen PartDesign_MoveFeature - + Select body Selecteer lichaam - + Select a body from the list Selecteer een lichaam van de lijst @@ -3331,27 +3332,27 @@ klik nogmaals om de selectie te beëindigen PartDesign_MoveFeatureInTree - + Select feature Selecteer functie - + Select a feature from the list Selecteer een functie van de lijst - + Move tip Move tip - + The moved feature appears after the currently set tip. The moved feature appears after the currently set tip. - + Do you want the last feature to be the new tip? Do you want the last feature to be the new tip? @@ -3386,42 +3387,42 @@ klik nogmaals om de selectie te beëindigen Sub-Shape Binder - + Several sub-elements selected Verschillende sub-elementen geselecteerd - + You have to select a single face as support for a sketch! Je moet een enkel vlak selecteren als basis voor een schets! - + No support face selected Geen basisvlak geselecteerd - + You have to select a face as support for a sketch! Je moet een enkel vlak selecteren als basis voor een schets! - + No planar support Geen platvlak - + You need a planar face as support for a sketch! Je hebt een platvlak nodig als basis voor een schets! - + No valid planes in this document Geen geldige werk-vlakken in dit document - + Please create a plane first or select a face to sketch on Maak eerst een werk-vlak of selecteer een zijde om op te schetsen @@ -3480,211 +3481,211 @@ klik nogmaals om de selectie te beëindigen Geen schets beschikbaar in document - - + + Wrong selection Verkeerde selectie - + Select an edge, face, or body from a single body. Selecteer een rand, vlak of lichaam van één lichaam. - - + + Selection is not in Active Body Selectie niet in actief lichaam - + Select an edge, face, or body from an active body. Select an edge, face, or body from an active body. - + Wrong object type Verkeerde objecttype - + %1 works only on parts. %1 werkt alleen op onderdelen. - + Shape of the selected Part is empty Vorm van het geselecteerde onderdeel is leeg - + Please select only one feature in an active body. Please select only one feature in an active body. - + Part creation failed Onderdeel creatie mislukt - + Failed to create a part object. Aanmaken van onderdeel object mislukt. - - - - + + + + Bad base feature Slechte basis functie - + Body can't be based on a PartDesign feature. Lichaam kan niet gebaseerd worden op PartDesign functie. - + %1 already belongs to a body, can't use it as base feature for another body. %1 behoort al tot een lichaam, kan niet worden gebruikt als basis functie voor nog een lichaam. - + Base feature (%1) belongs to other part. Basis functie (%1) behoort tot een ander onderdeel. - + The selected shape consists of multiple solids. This may lead to unexpected results. De geselecteerde vorm bestaat uit meerdere volumemodellen. Dit kan tot onverwachte resultaten leiden. - + The selected shape consists of multiple shells. This may lead to unexpected results. De geselecteerde vorm bestaat uit meerdere schaaldelen. Dit kan tot onverwachte resultaten leiden. - + The selected shape consists of only a shell. This may lead to unexpected results. De geselecteerde vorm bestaat uit slechts één schaaldeel. Dit kan tot onverwachte resultaten leiden. - + The selected shape consists of multiple solids or shells. This may lead to unexpected results. De geselecteerde vorm bestaat uit meerdere volumemodellen of schaaldelen. Dit kan tot onverwachte resultaten leiden. - + Base feature Basis Functie - + Body may be based on no more than one feature. Lichaam mag niet gebaseerd zijn op meer dan één functie. - + Body Lichaam - + Nothing to migrate Niets te migreren - + No PartDesign features found that don't belong to a body. Nothing to migrate. No PartDesign features found that don't belong to a body. Nothing to migrate. - + Sketch plane cannot be migrated Schets vlak kan niet gemigreerd worden - + Please edit '%1' and redefine it to use a Base or Datum plane as the sketch plane. Pas '%1' aan en herdefinieer het zodat het een Datum vlak als basis gebruik voor het schets vlak. - - - - - + + + + + Selection error Selectiefout - + Select exactly one PartDesign feature or a body. Selecteer één PartDesign functie of een lichaam. - + Couldn't determine a body for the selected feature '%s'. Kan lichaam niet vinden voor geselecteerde functie '%s'. - + Only a solid feature can be the tip of a body. Alleen een massieve Functie kan zijde van lichaam zijn. - - - + + + Features cannot be moved Functies kunnen niet worden verplaatst - + Some of the selected features have dependencies in the source body Sommige van de geselecteerde functies hebben afhankelijkheden in het bron lichaam - + Only features of a single source Body can be moved Alleen functies van één bron lichaam kunnen worden verplaatst - + There are no other bodies to move to Er zijn geen andere lichamen om naartoe te verplaatsen - + Impossible to move the base feature of a body. Basis functie van lichaam kan niet worden verplaatst. - + Select one or more features from the same body. Selecteer een of meer functies van het zelfde lichaam. - + Beginning of the body Begin van het lichaam - + Dependency violation Inbreuk op afhankelijkheden - + Early feature must not depend on later feature. @@ -3693,29 +3694,29 @@ Dit kan tot onverwachte resultaten leiden. - + No previous feature found Geen voorgaande functie gevonden - + It is not possible to create a subtractive feature without a base feature available Het is niet mogelijk om een verwijderende functie te maken zonder dat een basis functie beschikbaar is - + Vertical sketch axis Verticale schetsas - + Horizontal sketch axis Horizontale schetsas - + Construction line %1 Constructielijn %1 @@ -4747,25 +4748,25 @@ boven de 90: groter gat straal aan de onderkant Niet-ondersteunde boolean bewerking - + - + Resulting shape is not a solid Resulting shape is not a solid - - - + + + - + Result has multiple solids: that is not currently supported. @@ -4845,71 +4846,71 @@ boven de 90: groter gat straal aan de onderkant - de geselecteerde schets behoort niet tot de actieve lichaam. - + Length too small Lengte te klein - + Second length too small Tweede lengte te klein - + Failed to obtain profile shape Failed to obtain profile shape - + Creation failed because direction is orthogonal to sketch's normal vector Creation failed because direction is orthogonal to sketch's normal vector - + Extrude: Can only offset one face Extrude: Can only offset one face - - + + Creating a face from sketch failed Creating a face from sketch failed - + Up to face: Could not get SubShape! Up to face: Could not get SubShape! - + Unable to reach the selected shape, please select faces Het is niet mogelijk om de geselecteerde vorm te bereiken, selecteer een aantal vlakken als alternatief - + Magnitude of taper angle matches or exceeds 90 degrees Magnitude of taper angle matches or exceeds 90 degrees - + Padding with draft angle failed Padding with draft angle failed - + Revolve axis intersects the sketch Revolve axis intersects the sketch - + 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. @@ -5107,22 +5108,22 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed for m Loft: At least one section is needed - + Loft: A fatal error occurred when making the loft Loft: A fatal error occurred when making the loft - + Loft: Creating a face from sketch failed Loft: Creating a face from sketch failed - + Loft: Failed to create shell Loft: Failed to create shell - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed. Could not create face from sketch. @@ -5239,13 +5240,13 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed.Cannot subtract primitive feature without base feature - + Unknown operation type Unknown operation type - + Failed to perform boolean operation Failed to perform boolean operation @@ -5349,22 +5350,22 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed.delta x2 of wedge is negative - + Angle of revolution too large Angle of revolution too large - + Angle of revolution too small Angle of revolution too small - + Reference axis is invalid Reference axis is invalid - + Fusion with base feature failed Fusion with base feature failed @@ -5410,12 +5411,12 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed. CmdPartDesignCompDatums - + Create datum Create datum - + Create a datum object or local coordinate system Create a datum object or local coordinate system @@ -5423,14 +5424,30 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed. CmdPartDesignCompSketches - + Create datum Create datum - + Create a datum object or local coordinate system Create a datum object or local coordinate system + + PartDesignGui::TaskDlgRevolutionParameters + + + Revolution parameters + Wentelparameters + + + + PartDesignGui::TaskDlgGrooveParameters + + + Groove parameters + Groove parameters + + diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_pl.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_pl.ts index c12dbfbf4c09..aa44618f9ff5 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_pl.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_pl.ts @@ -131,17 +131,17 @@ wartość Fałsz = uzębienie wewnętrzne CmdPartDesignAdditiveHelix - + PartDesign Projekt części - + Additive helix Addytywna helisa - + Sweep a selected sketch along a helix Przeciąga wybrany szkic wzdłuż helisy @@ -149,17 +149,17 @@ wartość Fałsz = uzębienie wewnętrzne CmdPartDesignAdditiveLoft - + PartDesign Projekt części - + Additive loft Uzupełnianie wyciągnięciem przez profile - + Loft a selected profile through other profile sections Przeprowadza wybrany profil przez inne sekcje profilu @@ -167,17 +167,17 @@ wartość Fałsz = uzębienie wewnętrzne CmdPartDesignAdditivePipe - + PartDesign Projekt Części - + Additive pipe Uzupełnianie wyciągnięciem wzdłuż ścieżki - + Sweep a selected sketch along a path or to other profiles Przeprowadza wybrany szkic wzdłuż ścieżki lub do innych profili @@ -185,17 +185,17 @@ wartość Fałsz = uzębienie wewnętrzne CmdPartDesignBody - + PartDesign Projekt Części - + Create body Utwórz zawartość - + Create a new body and make it active Stwórz nową zawartość i ustaw ją jako aktywną @@ -203,17 +203,17 @@ wartość Fałsz = uzębienie wewnętrzne CmdPartDesignBoolean - + PartDesign Projekt Części - + Boolean operation Operacja logiczna - + Boolean operation with two or more bodies Wykonuje operację logiczną z przynajmniej dwoma obiektami @@ -239,17 +239,17 @@ wartość Fałsz = uzębienie wewnętrzne CmdPartDesignChamfer - + PartDesign Projekt Części - + Chamfer Sfazowanie - + Chamfer the selected edges of a shape Tworzy sfazowanie wybranych krawędzi obiektu @@ -275,17 +275,17 @@ wartość Fałsz = uzębienie wewnętrzne CmdPartDesignDraft - + PartDesign Part Design - + Draft Rysunek roboczy - + Make a draft on a face Tworzy nachylenie ściany @@ -293,17 +293,17 @@ wartość Fałsz = uzębienie wewnętrzne CmdPartDesignDuplicateSelection - + PartDesign Projekt Części - + Duplicate selected object Powiel zaznaczony obiekt - + Duplicates the selected object and adds it to the active body Powiela zaznaczony obiekt i dodaje go do aktywnej zawartości @@ -311,17 +311,17 @@ wartość Fałsz = uzębienie wewnętrzne CmdPartDesignFillet - + PartDesign Projekt Części - + Fillet Zaokrąglenie - + Make a fillet on an edge, face or body Tworzy zaokrąglenia na krawędzi, powierzchni lub zawartości @@ -329,17 +329,17 @@ wartość Fałsz = uzębienie wewnętrzne CmdPartDesignGroove - + PartDesign Part Design - + Groove Rowek - + Groove a selected sketch Wycina rowek wybranym szkicem @@ -347,17 +347,17 @@ wartość Fałsz = uzębienie wewnętrzne CmdPartDesignHole - + PartDesign Projekt Części - + Hole Otwór - + Create a hole with the selected sketch Tworzy otwór z wybranego szkicu @@ -383,17 +383,17 @@ wartość Fałsz = uzębienie wewnętrzne CmdPartDesignLinearPattern - + PartDesign Projekt Części - + LinearPattern Szyk liniowy - + Create a linear pattern feature Tworzy cechę szyku liniowego @@ -401,17 +401,17 @@ wartość Fałsz = uzębienie wewnętrzne CmdPartDesignMigrate - + PartDesign Projekt Części - + Migrate Przenieś ze starszej wersji - + Migrate document to the modern PartDesign workflow Przenieś dokument do nowoczesnego przepływu pracy Projekt Części @@ -419,17 +419,17 @@ wartość Fałsz = uzębienie wewnętrzne CmdPartDesignMirrored - + PartDesign Projekt Części - + Mirrored Transformacja odbicia lustrzanego - + Create a mirrored feature Tworzy kopię lustrzaną (symetryczną) @@ -437,17 +437,17 @@ wartość Fałsz = uzębienie wewnętrzne CmdPartDesignMoveFeature - + PartDesign Projekt Części - + Move object to other body Przesuń cechę do innej zawartości - + Moves the selected object to another body Przenosi zaznaczony obiekt do innej zawartości @@ -455,17 +455,17 @@ wartość Fałsz = uzębienie wewnętrzne CmdPartDesignMoveFeatureInTree - + PartDesign Projekt Części - + Move object after other object Przesuń cechę - + Moves the selected object and insert it after another object Przenosi wybrany obiekt i umieszcza go za innym obiektem @@ -473,17 +473,17 @@ wartość Fałsz = uzębienie wewnętrzne CmdPartDesignMoveTip - + PartDesign Projekt Części - + Set tip Ustaw czubek - + Move the tip of the body Przesuń czubek zawartości @@ -491,17 +491,17 @@ wartość Fałsz = uzębienie wewnętrzne CmdPartDesignMultiTransform - + PartDesign Projekt Części - + Create MultiTransform Utwórz transformację wielokrotną - + Create a multitransform feature Tworzy cechę wielokrotnej transformacji @@ -563,17 +563,17 @@ wartość Fałsz = uzębienie wewnętrzne CmdPartDesignPocket - + PartDesign Projekt Części - + Pocket Kieszeń - + Create a pocket with the selected sketch Tworzy kieszeń z wybranego szkicu @@ -599,17 +599,17 @@ wartość Fałsz = uzębienie wewnętrzne CmdPartDesignPolarPattern - + PartDesign Projekt Części - + PolarPattern Transformacja szyku kołowego - + Create a polar pattern feature Tworzy cechę szyku kołowego @@ -617,17 +617,17 @@ wartość Fałsz = uzębienie wewnętrzne CmdPartDesignRevolution - + PartDesign Projekt Części - + Revolution Wyciągnij przez obrót - + Revolve a selected sketch Wyciąga przez obrót wybrany szkic @@ -635,17 +635,17 @@ wartość Fałsz = uzębienie wewnętrzne CmdPartDesignScaled - + PartDesign Projekt Części - + Scaled Transformacja zmiany skali - + Create a scaled feature Utwórz cechę skalowaną @@ -685,17 +685,17 @@ wartość Fałsz = uzębienie wewnętrzne CmdPartDesignSubtractiveHelix - + PartDesign Projekt Części - + Subtractive helix Subtraktywna helisa - + Sweep a selected sketch along a helix and remove it from the body Przeprowadza wybrany szkic wzdłuż krętej ścieżki lub do innych profili i usuwa z zawartości @@ -703,17 +703,17 @@ wartość Fałsz = uzębienie wewnętrzne CmdPartDesignSubtractiveLoft - + PartDesign Projekt Części - + Subtractive loft Odejmowanie wyciągnięciem przez profile - + Loft a selected profile through other profile sections and remove it from the body Przeprowadza wybrany profil przez inne profile i usuń go z zawartości @@ -721,17 +721,17 @@ wartość Fałsz = uzębienie wewnętrzne CmdPartDesignSubtractivePipe - + PartDesign Projekt Części - + Subtractive pipe Odejmowanie wyciągnięciem wzdłuż ścieżki - + Sweep a selected sketch along a path or to other profiles and remove it from the body Przeprowadza wybrany szkic wzdłuż ścieżki lub innych profili i usuwa z zawartości @@ -739,17 +739,17 @@ wartość Fałsz = uzębienie wewnętrzne CmdPartDesignThickness - + PartDesign Projekt Części - + Thickness Grubość - + Make a thick solid Tworzy bryłę narzędziem grubość @@ -768,42 +768,42 @@ wartość Fałsz = uzębienie wewnętrzne Utwórz bryłę pierwotną do dodania - + Additive Box Addytywny prostopadłościan - + Additive Cylinder Addytywny walec - + Additive Sphere Addytywna sfera - + Additive Cone Addytywny stożek - + Additive Ellipsoid Addytywna elipsoida - + Additive Torus Addytywny torus - + Additive Prism Addytywny graniastosłup - + Additive Wedge Addytywny klin @@ -811,53 +811,53 @@ wartość Fałsz = uzębienie wewnętrzne CmdPrimtiveCompSubtractive - + PartDesign Projekt części - - + + Create a subtractive primitive Utwórz bryłę pierwotną do odjęcia - + Subtractive Box Subtraktywny prostopadłościan - + Subtractive Cylinder Subtraktywny walec - + Subtractive Sphere Subtraktywna sfera - + Subtractive Cone Subtraktywny stożek - + Subtractive Ellipsoid Subtraktywna elipsoida - + Subtractive Torus Subtraktywny torus - + Subtractive Prism Subtraktywny graniastosłup - + Subtractive Wedge Subtraktywny klin @@ -897,47 +897,48 @@ wartość Fałsz = uzębienie wewnętrzne + Create a new Sketch Utwórz nowy szkic - + Convert to MultiTransform feature Konwertuj jako cechę wielokrotnej transformacji - + Create Boolean Utwórz cechę funkcją logiczną - + Add a Body Dodaj zawartość - + Migrate legacy Part Design features to Bodies Migracja cech ze starych wersji Projektu Części do Zawartości - + Move tip to selected feature Przenieś czubek do wybranej cechy - + Duplicate a PartDesign object Duplikuj obiekt Projektu Części - + Move an object Przenieś obiekt - + Move an object inside tree Przesuń cechę wewnątrz drzewa @@ -1606,7 +1607,7 @@ kliknij ponownie, aby zakończyć wybór PartDesignGui::TaskDlgFeatureParameters - + Input error Błąd danych wejściowych @@ -1700,13 +1701,13 @@ kliknij ponownie, aby zakończyć wybór PartDesignGui::TaskExtrudeParameters - + No face selected Nie zaznaczono ściany - + Face Powierzchnia @@ -1726,38 +1727,38 @@ kliknij ponownie, aby zakończyć wybór Wybierz ściany - + No shape selected Brak wybranych kształtów - + Sketch normal Wektor normalny szkicu - + Face normal Wektor normalny ściany - + Select reference... Wybierz odniesienie ... - - + + Custom direction Kierunek niestandardowy - + Click on a shape in the model Kliknij kształt modelu - + Click on a face in the model Kliknij ścianę modelu @@ -2803,7 +2804,7 @@ mierzona wzdłuż podanego kierunku - + Dimension Wymiar @@ -2814,19 +2815,19 @@ mierzona wzdłuż podanego kierunku - + Base X axis Bazowa oś X - + Base Y axis Bazowa oś Y - + Base Z axis Bazowa oś Z @@ -2842,7 +2843,7 @@ mierzona wzdłuż podanego kierunku - + Select reference... Wybierz odniesienie ... @@ -2852,24 +2853,24 @@ mierzona wzdłuż podanego kierunku Kąt: - + Symmetric to plane Symetrycznie do płaszczyzny - + Reversed Odwrócony - + 2nd angle Drugi kąt: - - + + Face Ściana @@ -2879,37 +2880,37 @@ mierzona wzdłuż podanego kierunku Aktualizuj widok - + Revolution parameters Parametry wyciągnięcia przez obrót - + To last Do ostatniego - + Through all Przez wszystkie - + To first Do pierwszego - + Up to face Do powierzchni - + Two dimensions Dwa wymiary - + No face selected Nie zaznaczono ściany @@ -3239,42 +3240,42 @@ kliknij ponownie, aby zakończyć wybór PartDesign_CompPrimitiveAdditive - + Create an additive box by its width, height, and length Tworzy addytywny prostopadłościan przez podanie szerokości, wysokości i długości - + Create an additive cylinder by its radius, height, and angle Tworzy addytywny walec przez podanie promienia, wysokości i kąta - + Create an additive sphere by its radius and various angles Tworzy addytywną sferę poprzez podanie promienia i różnych kątów - + Create an additive cone Tworzy addytywny stożek - + Create an additive ellipsoid Tworzy addytywną elipsoidę - + Create an additive torus Tworzy addytywny torus - + Create an additive prism Tworzy addytywny graniastosłup - + Create an additive wedge Tworzy addytywny klin @@ -3282,42 +3283,42 @@ kliknij ponownie, aby zakończyć wybór PartDesign_CompPrimitiveSubtractive - + Create a subtractive box by its width, height and length Tworzy subtraktywny prostopadłościan podając jego szerokość, wysokość i długość - + Create a subtractive cylinder by its radius, height and angle Tworzy subtraktywny walec przez podanie promienia, wysokości i kąta - + Create a subtractive sphere by its radius and various angles Tworzy subtraktywną sferę poprzez podanie promienia i różnych kątów - + Create a subtractive cone Tworzy subtraktywny stożek - + Create a subtractive ellipsoid Tworzy subtraktywną elipsoidę - + Create a subtractive torus Tworzy subtraktywny torus - + Create a subtractive prism Tworzy subtraktywny graniastosłup - + Create a subtractive wedge Tworzy subtraktywny klin @@ -3325,12 +3326,12 @@ kliknij ponownie, aby zakończyć wybór PartDesign_MoveFeature - + Select body Wybierz zawartość - + Select a body from the list Wybierz zawartość z listy @@ -3338,27 +3339,27 @@ kliknij ponownie, aby zakończyć wybór PartDesign_MoveFeatureInTree - + Select feature Wybierz cechę - + Select a feature from the list Wybierz cechę z listy - + Move tip Przenieś czubek - + The moved feature appears after the currently set tip. Przeniesiony element pojawia się za aktualnie ustawionym czubkiem. - + Do you want the last feature to be the new tip? Czy chcesz aby ostatnia cecha była nowym czubkiem? @@ -3393,42 +3394,42 @@ kliknij ponownie, aby zakończyć wybór Łącznik kształtów podrzędnych - + Several sub-elements selected Wybrano kilka podelementów - + You have to select a single face as support for a sketch! Musisz wybrać pojedynczą ścianę jako bazę dla szkicu! - + No support face selected Nie wybrano ściany bazowej - + You have to select a face as support for a sketch! Musisz wybrać ścianę jako bazę dla szkicu! - + No planar support Brak płaskiej powierzchni - + You need a planar face as support for a sketch! Musisz wybrać powierzchnię jako bazę dla szkicu! - + No valid planes in this document Brak prawidłowej płaszczyzny w tym dokumencie - + Please create a plane first or select a face to sketch on Proszę stworzyć najpierw płaszczyznę lub wybrać ścianę dla umieszczenia szkicu @@ -3487,211 +3488,211 @@ kliknij ponownie, aby zakończyć wybór Szkic nie jest dostępny w dokumencie - - + + Wrong selection Nieprawidłowy wybór - + Select an edge, face, or body from a single body. Wybierz krawędź, ścianę lub zawartość z pojedynczej zawartości. - - + + Selection is not in Active Body Wybór nie znajduje się w aktywnej zawartości - + Select an edge, face, or body from an active body. Wybierz krawędź, ścianę lub zawartość z aktywnej zawartości. - + Wrong object type Niewłaściwy typ obiektu - + %1 works only on parts. %1 działa tylko na częściach. - + Shape of the selected Part is empty Kształt wybranej części nie został zdefiniowany - + Please select only one feature in an active body. Wybierz tylko jedną cechę w aktywnej zawartości. - + Part creation failed Utworzenie części nie powiodło się - + Failed to create a part object. Nie udało się utworzyć obiektu części. - - - - + + + + Bad base feature Zła podstawowa funkcja - + Body can't be based on a PartDesign feature. Zawartość nie może opierać się na cechach środowiska Projekt Części. - + %1 already belongs to a body, can't use it as base feature for another body. Obiekt %1 już należy do zawartości, nie może zostać użyty jako podstawowa cecha kolejnej zawartości. - + Base feature (%1) belongs to other part. Podstawowa funkcja (%1) należy do innej części. - + The selected shape consists of multiple solids. This may lead to unexpected results. Wybrany kształt składa się z wielu brył. Może to prowadzić do nieoczekiwanych rezultatów. - + The selected shape consists of multiple shells. This may lead to unexpected results. Wybrany kształt składa się z wielu powłok. Może to prowadzić do nieoczekiwanych rezultatów. - + The selected shape consists of only a shell. This may lead to unexpected results. Wybrany kształt składa się tylko z powłoki. Może to prowadzić do nieoczekiwanych rezultatów. - + The selected shape consists of multiple solids or shells. This may lead to unexpected results. Wybrany kształt składa się z wielu brył lub powłok. Może to prowadzić do nieoczekiwanych rezultatów. - + Base feature Cecha podstawowa - + Body may be based on no more than one feature. Zawartość nie może być oparta na więcej niż jednej funkcji. - + Body Zawartość - + Nothing to migrate Nic do zaimportowania - + No PartDesign features found that don't belong to a body. Nothing to migrate. Nie znaleziono elementów Projektu Części, które nie należą do zawartości. Nie ma nic do migracji. - + Sketch plane cannot be migrated Płaszczyzna szkicu nie może być przeniesiona - + Please edit '%1' and redefine it to use a Base or Datum plane as the sketch plane. Proszę edytować %1 i przedefiniuj go, aby używać płaszczyzny bazowej lub odniesienia jako płaszczyzny szkicu. - - - - - + + + + + Selection error Błąd w zaznaczeniu - + Select exactly one PartDesign feature or a body. Zaznacz dokładnie jedną cechę lub zawartość Projektu Części. - + Couldn't determine a body for the selected feature '%s'. Nie można określić zawartości dla wybranej funkcji '%s'. - + Only a solid feature can be the tip of a body. Tylko funkcja bryły może być górą zawartości. - - - + + + Features cannot be moved Cechy nie mogą być przesuwane - + Some of the selected features have dependencies in the source body Niektóre z wybranych cech mają zależności w zawartości źródłowej - + Only features of a single source Body can be moved Tylko cechy z jednego źródła zawartości mogą być przesuwane - + There are no other bodies to move to Nie istnieją inne zawartości, do których można przenieść cechę - + Impossible to move the base feature of a body. Niemożliwe jest przeniesienie podstawowej cechy zawartości. - + Select one or more features from the same body. Wybierz jedną lub więcej cech z tej samej zawartości. - + Beginning of the body Początek zawartości - + Dependency violation Naruszenie warunków zależności - + Early feature must not depend on later feature. @@ -3700,29 +3701,29 @@ Może to prowadzić do nieoczekiwanych rezultatów. - + No previous feature found Nie znaleziono poprzedniego elementu - + It is not possible to create a subtractive feature without a base feature available 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 - + Construction line %1 Linia konstrukcyjna %1 @@ -4756,25 +4757,25 @@ powyżej 90°: większy promień otworu u dołu Nieobsługiwana operacja logiczna. - + - + Resulting shape is not a solid Otrzymany kształt nie jest bryłą - - - + + + - + Result has multiple solids: that is not currently supported. @@ -4854,71 +4855,71 @@ powyżej 90°: większy promień otworu u dołu - wybrany szkic nie należy do aktywnej zawartości. - + Length too small Długość jest zbyt mała - + Second length too small Druga długość jest zbyt mała - + Failed to obtain profile shape Nie udało się uzyskać kształtu profilu - + Creation failed because direction is orthogonal to sketch's normal vector Tworzenie nie powiodło się, ponieważ kierunek jest prostopadły do wektora normalnego szkicu. - + Extrude: Can only offset one face Wyciągnięcie: Można wykonać odsunięcie tylko jednej ściany - - + + Creating a face from sketch failed Tworzenie ściany ze szkicu nie powiodło się - + Up to face: Could not get SubShape! Do powierzchni: Nie można uzyskać KształtuPodrzędnego! - + Unable to reach the selected shape, please select faces Nie można osiągnąć wybranego kształtu, proszę wybrać ściany - + Magnitude of taper angle matches or exceeds 90 degrees Wielkość kąta stożka odpowiada lub przekracza 90° - + Padding with draft angle failed Wyciągnięcie z kątem pochylenia nie powiodło się. - + Revolve axis intersects the sketch Oś obrotu przecina szkic - + 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. @@ -5116,22 +5117,22 @@ Przecinające się elementy szkicu lub wiele ścian w szkicu nie są dozwolone p Wyciągnięcie przez profile: Wymagany jest co najmniej jeden przekrój - + Loft: A fatal error occurred when making the loft Wyciągnięcie przez profile: Wystąpił krytyczny błąd podczas tworzenia wyciągnięcia przez profile - + Loft: Creating a face from sketch failed Wyciągnięcie przez profile: Tworzenie ściany ze szkicu nie powiodło się - + Loft: Failed to create shell Wyciągnięcie przez profile: Nie udało się utworzyć powłoki - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed. Nie można utworzyć ściany ze szkicu. @@ -5248,13 +5249,13 @@ Przecinające się elementy szkicu lub wiele ścian w szkicu nie są dozwolone.< Nie można odjąć cechy prymitywu bez cechy podstawowej - + Unknown operation type Nieznany typ operacji - + Failed to perform boolean operation Nie udało się wykonać operacji logicznej @@ -5358,22 +5359,22 @@ Przecinające się elementy szkicu lub wiele ścian w szkicu nie są dozwolone.< delta x2 klina jest ujemna - + Angle of revolution too large Kąt obrotu zbyt duży - + Angle of revolution too small Kąt obrotu zbyt mały - + Reference axis is invalid Oś odniesienia jest nieprawidłowa - + Fusion with base feature failed Scalenie z cechą podstawową nie powiodło się @@ -5419,12 +5420,12 @@ Przecinające się elementy szkicu lub wiele ścian w szkicu nie są dozwolone.< CmdPartDesignCompDatums - + Create datum Utwórz punkt odniesienia - + Create a datum object or local coordinate system Utwórz obiekt odniesienia lub system współrzędnych lokalnych @@ -5432,14 +5433,30 @@ Przecinające się elementy szkicu lub wiele ścian w szkicu nie są dozwolone.< CmdPartDesignCompSketches - + Create datum Utwórz punkt odniesienia - + Create a datum object or local coordinate system Utwórz obiekt odniesienia lub system współrzędnych lokalnych + + PartDesignGui::TaskDlgRevolutionParameters + + + Revolution parameters + Parametry wyciągnięcia przez obrót + + + + PartDesignGui::TaskDlgGrooveParameters + + + Groove parameters + Groove parameters + + 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 09aedffbca36..d9ddb260e3ba 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_pt-BR.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_pt-BR.ts @@ -128,17 +128,17 @@ para que a auto-interseção seja evitada. CmdPartDesignAdditiveHelix - + PartDesign PartDesign - + Additive helix Hélice Aditiva - + Sweep a selected sketch along a helix Varrer um esboço selecionado por uma hélice @@ -146,17 +146,17 @@ para que a auto-interseção seja evitada. CmdPartDesignAdditiveLoft - + PartDesign PartDesign - + Additive loft Loft Aditivo - + Loft a selected profile through other profile sections Interpola (Loft) um perfil selecionado através de outros perfis @@ -164,17 +164,17 @@ para que a auto-interseção seja evitada. CmdPartDesignAdditivePipe - + PartDesign PartDesign - + Additive pipe Tubo aditivo - + Sweep a selected sketch along a path or to other profiles Varrer (sweep) um esboço selecionado ao longo de um caminho ou outros perfis @@ -182,17 +182,17 @@ para que a auto-interseção seja evitada. CmdPartDesignBody - + PartDesign PartDesign - + Create body Criar corpo - + Create a new body and make it active Criar um novo corpo e torná-lo ativo @@ -200,17 +200,17 @@ para que a auto-interseção seja evitada. CmdPartDesignBoolean - + PartDesign PartDesign - + Boolean operation Operação Booleana - + Boolean operation with two or more bodies Operação Booleana com dois ou mais corpos @@ -236,17 +236,17 @@ para que a auto-interseção seja evitada. CmdPartDesignChamfer - + PartDesign PartDesign - + Chamfer Chanfro - + Chamfer the selected edges of a shape Chanfra as arestas selecionadas de uma forma @@ -272,17 +272,17 @@ para que a auto-interseção seja evitada. CmdPartDesignDraft - + PartDesign PartDesign - + Draft Projeto - + Make a draft on a face Fazer um esboço sobre uma face @@ -290,17 +290,17 @@ para que a auto-interseção seja evitada. CmdPartDesignDuplicateSelection - + PartDesign PartDesign - + Duplicate selected object Duplicar o objeto selecionado - + Duplicates the selected object and adds it to the active body Duplica o objeto selecionado e o adiciona-o ao corpo ativo @@ -308,17 +308,17 @@ para que a auto-interseção seja evitada. CmdPartDesignFillet - + PartDesign PartDesign - + Fillet Filete - + Make a fillet on an edge, face or body Fazer um filete em uma aresta, face ou sólido @@ -326,17 +326,17 @@ para que a auto-interseção seja evitada. CmdPartDesignGroove - + PartDesign PartDesign - + Groove Ranhura - + Groove a selected sketch Cria uma ranhura a partir do esboço selecionado @@ -344,17 +344,17 @@ para que a auto-interseção seja evitada. CmdPartDesignHole - + PartDesign PartDesign - + Hole Furo - + Create a hole with the selected sketch Criar um furo no esboço selecionado @@ -380,17 +380,17 @@ para que a auto-interseção seja evitada. CmdPartDesignLinearPattern - + PartDesign PartDesign - + LinearPattern Padrão linear - + Create a linear pattern feature Criar um recurso de padrão linear @@ -398,17 +398,17 @@ para que a auto-interseção seja evitada. CmdPartDesignMigrate - + PartDesign PartDesign - + Migrate Migrar - + Migrate document to the modern PartDesign workflow Migrar o documento para o partdesign moderno @@ -416,17 +416,17 @@ para que a auto-interseção seja evitada. CmdPartDesignMirrored - + PartDesign PartDesign - + Mirrored Espelhado - + Create a mirrored feature Criar um objeto Simetria @@ -434,17 +434,17 @@ para que a auto-interseção seja evitada. CmdPartDesignMoveFeature - + PartDesign PartDesign - + Move object to other body Mover o objeto para outro corpo - + Moves the selected object to another body Mover o objeto selecionado para outro corpo @@ -452,17 +452,17 @@ para que a auto-interseção seja evitada. CmdPartDesignMoveFeatureInTree - + PartDesign PartDesign - + Move object after other object Move o objeto após outro objeto - + Moves the selected object and insert it after another object Move o objeto selecionado e insere-o após outro objeto @@ -470,17 +470,17 @@ para que a auto-interseção seja evitada. CmdPartDesignMoveTip - + PartDesign PartDesign - + Set tip Definir a ponta - + Move the tip of the body Mova a ponta do corpo @@ -488,17 +488,17 @@ para que a auto-interseção seja evitada. CmdPartDesignMultiTransform - + PartDesign PartDesign - + Create MultiTransform Criar MúltiTransformação - + Create a multitransform feature Criar objeto MúltiTransformação @@ -560,17 +560,17 @@ para que a auto-interseção seja evitada. CmdPartDesignPocket - + PartDesign PartDesign - + Pocket Perfuração - + Create a pocket with the selected sketch Criar um corte no esboço selecionado @@ -596,17 +596,17 @@ para que a auto-interseção seja evitada. CmdPartDesignPolarPattern - + PartDesign PartDesign - + PolarPattern Padrão polar - + Create a polar pattern feature Criar um padrão (trama) polar @@ -614,17 +614,17 @@ para que a auto-interseção seja evitada. CmdPartDesignRevolution - + PartDesign PartDesign - + Revolution Revolução - + Revolve a selected sketch Revolver um esboço selecionado @@ -632,17 +632,17 @@ para que a auto-interseção seja evitada. CmdPartDesignScaled - + PartDesign PartDesign - + Scaled Redimensionado - + Create a scaled feature Criar um objeto escalado @@ -682,17 +682,17 @@ para que a auto-interseção seja evitada. CmdPartDesignSubtractiveHelix - + PartDesign PartDesign - + Subtractive helix Hélice subtrativa - + Sweep a selected sketch along a helix and remove it from the body Varrer (sweep) um esboço selecionado ao longo de uma espiral e removê-lo do corpo @@ -700,17 +700,17 @@ para que a auto-interseção seja evitada. CmdPartDesignSubtractiveLoft - + PartDesign PartDesign - + Subtractive loft Interpolamento de secções (Loft) subtrativo - + Loft a selected profile through other profile sections and remove it from the body Interpola um perfil selecionado através de outras secções e remove-o do corpo @@ -718,17 +718,17 @@ para que a auto-interseção seja evitada. CmdPartDesignSubtractivePipe - + PartDesign PartDesign - + Subtractive pipe Tubo subtrativo - + Sweep a selected sketch along a path or to other profiles and remove it from the body Varrer (sweep) um esboço selecionado ao longo de um caminho ou para outros perfis e removê-lo do corpo @@ -736,17 +736,17 @@ para que a auto-interseção seja evitada. CmdPartDesignThickness - + PartDesign PartDesign - + Thickness Espessura - + Make a thick solid Fazer uma espessura sólida @@ -765,42 +765,42 @@ para que a auto-interseção seja evitada. Criar uma primitiva aditiva - + Additive Box Cubo Aditivo - + Additive Cylinder Cilindro Aditivo - + Additive Sphere Esfera Aditiva - + Additive Cone Cone Aditivo - + Additive Ellipsoid Elipsoide Aditivo - + Additive Torus Toro Aditivo - + Additive Prism Prisma Aditivo - + Additive Wedge Cunha Aditiva @@ -808,53 +808,53 @@ para que a auto-interseção seja evitada. CmdPrimtiveCompSubtractive - + PartDesign PartDesign - - + + Create a subtractive primitive Criar uma primitiva subtrativa - + Subtractive Box Cubo subtrativo - + Subtractive Cylinder Cilindro subtrativo - + Subtractive Sphere Esfera Subtrativa - + Subtractive Cone Cone subtrativo - + Subtractive Ellipsoid Elipsoide subtrativa - + Subtractive Torus Toro subtrativo - + Subtractive Prism Prisma subtrativo - + Subtractive Wedge Cunha subtrativa @@ -894,47 +894,48 @@ para que a auto-interseção seja evitada. + Create a new Sketch Criar um esboço - + Convert to MultiTransform feature Converter em função de multi transformação - + Create Boolean Criar Booleano - + Add a Body Adicionar um corpo - + Migrate legacy Part Design features to Bodies Migre os recursos legados para os corpos - + Move tip to selected feature Mover dica para a característica selecionada - + Duplicate a PartDesign object Duplicar um objeto PartDesign - + Move an object Mover um objeto - + Move an object inside tree Mover um objeto dentro da árvore @@ -1603,7 +1604,7 @@ clique novamente para terminar a seleção PartDesignGui::TaskDlgFeatureParameters - + Input error Erro de entrada @@ -1696,13 +1697,13 @@ clique novamente para terminar a seleção PartDesignGui::TaskExtrudeParameters - + No face selected Nenhuma face selecionada - + Face Face @@ -1722,38 +1723,38 @@ clique novamente para terminar a seleção Selecionar faces - + No shape selected Nenhuma forma selecionada - + Sketch normal Nornal do sketch - + Face normal Face normal - + Select reference... Selecionar referência... - - + + Custom direction Direção personalizada - + Click on a shape in the model Clique em uma forma no modelo - + Click on a face in the model Clique em uma face no modelo @@ -2798,7 +2799,7 @@ medido ao longo da direção especificada - + Dimension Dimensão @@ -2809,19 +2810,19 @@ medido ao longo da direção especificada - + Base X axis Eixo X de base - + Base Y axis Eixo Y de base - + Base Z axis Eixo Z de base @@ -2837,7 +2838,7 @@ medido ao longo da direção especificada - + Select reference... Selecionar referência... @@ -2847,24 +2848,24 @@ medido ao longo da direção especificada Ângulo: - + Symmetric to plane Simétrico ao plano - + Reversed Invertido - + 2nd angle Segundo ângulo - - + + Face Face @@ -2874,37 +2875,37 @@ medido ao longo da direção especificada Actualizar a vista - + Revolution parameters Parâmetros de revolução - + To last Até o último - + Through all Atravessando tudo - + To first Até o primeiro - + Up to face Até a face - + Two dimensions Duas dimensões - + No face selected Nenhuma face selecionada @@ -3234,42 +3235,42 @@ clique novamente para terminar a seleção PartDesign_CompPrimitiveAdditive - + Create an additive box by its width, height, and length Criar uma caixa aditiva pela sua largura, altura e comprimento - + Create an additive cylinder by its radius, height, and angle Criar um cilindro aditivo pelo seu raio, altura e ângulo - + Create an additive sphere by its radius and various angles Criar uma esfera aditiva pelo seu raio e vários ângulos - + Create an additive cone Criar um cone aditivo - + Create an additive ellipsoid Criar um elipsoide aditivo - + Create an additive torus Criar um toroide de aditivo - + Create an additive prism Criar um prisma aditivo - + Create an additive wedge Criar uma cunha aditiva @@ -3277,42 +3278,42 @@ clique novamente para terminar a seleção PartDesign_CompPrimitiveSubtractive - + Create a subtractive box by its width, height and length Criar um cubo subtrativo pela sua largura, altura e comprimento - + Create a subtractive cylinder by its radius, height and angle Criar um cilindro subtrativo pelo seu raio, altura e ângulo - + Create a subtractive sphere by its radius and various angles Criar uma esfera subtrativa por seu ângulo de raio e outros ângulos - + Create a subtractive cone Criar um cone subtrativo - + Create a subtractive ellipsoid Criar um elipsoide subtrativo - + Create a subtractive torus Criar um toroide subtrativo - + Create a subtractive prism Criar um prisma subtrativo - + Create a subtractive wedge Crie uma cunha subtrativa @@ -3320,12 +3321,12 @@ clique novamente para terminar a seleção PartDesign_MoveFeature - + Select body Selecionar corpo - + Select a body from the list Selecione um corpo da lista @@ -3333,27 +3334,27 @@ clique novamente para terminar a seleção PartDesign_MoveFeatureInTree - + Select feature Selecione um objeto - + Select a feature from the list Selecione um objeto da lista - + Move tip Mover ponta - + The moved feature appears after the currently set tip. O recurso movido aparece após a ponta definida. - + Do you want the last feature to be the new tip? Você quer que o último recurso seja a nova ponta? @@ -3388,42 +3389,42 @@ clique novamente para terminar a seleção Sub-Shape Binder - + Several sub-elements selected Vários sub-elementos selecionados - + You have to select a single face as support for a sketch! Você deve selecionar uma única face como suporte para um esboço! - + No support face selected Nenhuma face de suporte selecionada - + You have to select a face as support for a sketch! Você deve selecionar uma face como suporte para um esboço! - + No planar support Nenhum suporte planar - + You need a planar face as support for a sketch! Você precisa de uma face plana como suporte para um esboço! - + No valid planes in this document Não há planos válidos neste documento - + Please create a plane first or select a face to sketch on Por favor, crie um plano primeiro ou selecione uma face onde desenhar @@ -3482,207 +3483,207 @@ clique novamente para terminar a seleção O esboço está indisponível neste documento - - + + Wrong selection Seleção errada - + Select an edge, face, or body from a single body. Selecione uma aresta, face ou corpo de um único corpo. - - + + Selection is not in Active Body A seleção não está no corpo ativo - + Select an edge, face, or body from an active body. Selecione uma aresta, face ou corpo de um corpo ativo. - + Wrong object type Tipo de objeto errado - + %1 works only on parts. %1 só funciona em peças. - + Shape of the selected Part is empty A forma da peça selecionada está vazia - + Please select only one feature in an active body. Por favor, selecione apenas um objeto em um corpo ativo. - + Part creation failed Falha ao criar a peça - + Failed to create a part object. Falha ao criar um objeto peça. - - - - + + + + Bad base feature Objeto base não válido - + Body can't be based on a PartDesign feature. Corpo não pode ser baseado num objeto do PartDesign. - + %1 already belongs to a body, can't use it as base feature for another body. %1 já pertence a um corpo, não pode usá-lo como objeto de base para outro corpo. - + Base feature (%1) belongs to other part. Objeto de base (%1) pertence a outra peça. - + The selected shape consists of multiple solids. This may lead to unexpected results. A forma selecionada consiste em vários sólidos. Isso pode levar a resultados inesperados. - + The selected shape consists of multiple shells. This may lead to unexpected results. A forma selecionada consiste em vários cascos. Isso pode levar a resultados inesperados. - + The selected shape consists of only a shell. This may lead to unexpected results. A forma selecionada consiste apenas num casco. Isso pode levar a resultados inesperados. - + The selected shape consists of multiple solids or shells. This may lead to unexpected results. A forma selecionada consiste em vários sólidos ou cascos. Isso pode levar a resultados inesperados. - + Base feature Objeto base - + Body may be based on no more than one feature. Um corpo não pode ser baseado em mais do que um objeto. - + Body Corpo - + Nothing to migrate Nada para migrar - + No PartDesign features found that don't belong to a body. Nothing to migrate. Não foram encontrados objetos do PartDesign que não pertençam a um corpo. Nada para migrar. - + Sketch plane cannot be migrated O plano do esboço não pode ser migrado - + Please edit '%1' and redefine it to use a Base or Datum plane as the sketch plane. Por favor edite '%1' e redefina-o para usar uma Base ou Plano de referência como plano para o esboço. - - - - - + + + + + Selection error Erro de seleção - + Select exactly one PartDesign feature or a body. Selecione apenas um objeto PartDesign ou um corpo. - + Couldn't determine a body for the selected feature '%s'. Não foi possível determinar um corpo para o objeto selecionado '%s'. - + Only a solid feature can be the tip of a body. Apenas um objeto sólido pode ser a ponta de um corpo. - - - + + + Features cannot be moved Os objetos não podem ser movidos - + Some of the selected features have dependencies in the source body Alguns dos objetos selecionados têm dependências no corpo de origem - + Only features of a single source Body can be moved Apenas objetos de um único corpo de origem podem ser movidos - + There are no other bodies to move to Não existem outros corpos onde mover - + Impossible to move the base feature of a body. Impossível mover o objeto base de um corpo. - + Select one or more features from the same body. Selecione um ou mais objetos do mesmo corpo. - + Beginning of the body Início do corpo - + Dependency violation Violação de dependência - + Early feature must not depend on later feature. @@ -3691,29 +3692,29 @@ This may lead to unexpected results. - + No previous feature found Nenhum objeto anterior encontrado - + It is not possible to create a subtractive feature without a base feature available 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 - + Construction line %1 Linha de construção %1 @@ -4746,25 +4747,25 @@ acima de 90: raio maior do furo na parte inferior Operação booleana não suportada - + - + Resulting shape is not a solid Forma resultante não é um sólido - - - + + + - + Result has multiple solids: that is not currently supported. @@ -4843,71 +4844,71 @@ acima de 90: raio maior do furo na parte inferior - O esboço selecionado não pertence ao corpo ativo. - + Length too small Comprimento muito pequeno - + Second length too small Segundo comprimento muito pequeno - + Failed to obtain profile shape Falha ao obter formato de perfil - + Creation failed because direction is orthogonal to sketch's normal vector A criação falhou por a direção ser ortogonal ao vetor normal do esboço - + Extrude: Can only offset one face Extrusão: Só é possível deslocar uma face - - + + Creating a face from sketch failed Falha ao criar uma face do esboço - + Up to face: Could not get SubShape! Sobre a face: Não foi possível obter a Sub-forma! - + Unable to reach the selected shape, please select faces Não foi possível alcançar a forma selecionada, por favor selecione faces - + Magnitude of taper angle matches or exceeds 90 degrees O valor do ângulo de conicidade é maior ou igual a 90 graus - + Padding with draft angle failed O preenchimento com ângulo de rascunho falhou - + Revolve axis intersects the sketch O eixo de revolução intercepta o esboço - + Could not revolve the sketch! Não foi possível revolucionar o esboço! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. @@ -5104,22 +5105,22 @@ Interseção de entidades de esboços ou múltiplas faces, não são permitidas Loft: pelo menos uma seção é necessária - + Loft: A fatal error occurred when making the loft Loft: Ocorreu um erro fatal ao fazer o loft - + Loft: Creating a face from sketch failed Loft: A criação da face a partir do esboço falhou - + Loft: Failed to create shell Loft: Falha ao criar casca - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed. A face não pôde ser criada a partir do esboço. Entidades com interseção não são permitidas no esboço. @@ -5235,13 +5236,13 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed.Não é possível subtrair o recurso primitivo sem o recurso de base - + Unknown operation type Tipo desconhecido de operação - + Failed to perform boolean operation Falha ao executar a operação booleana @@ -5345,22 +5346,22 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed.Variação x2 da fatia é negativa - + Angle of revolution too large Ângulo da revolução muito grande - + Angle of revolution too small Ângulo da revolução muito pequena - + Reference axis is invalid O eixo de referência é inválido - + Fusion with base feature failed Fusão com recurso base falhou @@ -5406,12 +5407,12 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed. CmdPartDesignCompDatums - + Create datum Criar uma referência - + Create a datum object or local coordinate system Criar um objeto de referência ou sistema local de coordenadas @@ -5419,14 +5420,30 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed. CmdPartDesignCompSketches - + Create datum Criar uma referência - + Create a datum object or local coordinate system Criar um novo sistema de coordenadas local + + PartDesignGui::TaskDlgRevolutionParameters + + + Revolution parameters + Parâmetros de revolução + + + + PartDesignGui::TaskDlgGrooveParameters + + + Groove parameters + Groove parameters + + 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 c051bff6b8fd..a3c6f545a6a6 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_pt-PT.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_pt-PT.ts @@ -129,17 +129,17 @@ so that self intersection is avoided. CmdPartDesignAdditiveHelix - + PartDesign PartDesign - + Additive helix Additive helix - + Sweep a selected sketch along a helix Sweep a selected sketch along a helix @@ -147,17 +147,17 @@ so that self intersection is avoided. CmdPartDesignAdditiveLoft - + PartDesign PartDesign - + Additive loft Interpolamento de secções (Loft) Aditivo - + Loft a selected profile through other profile sections Interpola (Loft) um perfil selecionado através de outras seções do perfil @@ -165,17 +165,17 @@ so that self intersection is avoided. CmdPartDesignAdditivePipe - + PartDesign PartDesign - + Additive pipe Tubo aditivo - + Sweep a selected sketch along a path or to other profiles Arrastar (sweep) um esboço selecionado ao longo de um caminho ou até outros perfis @@ -183,17 +183,17 @@ so that self intersection is avoided. CmdPartDesignBody - + PartDesign PartDesign - + Create body Criar corpo - + Create a new body and make it active Criar um novo corpo e torná-lo ativo @@ -201,17 +201,17 @@ so that self intersection is avoided. CmdPartDesignBoolean - + PartDesign PartDesign - + Boolean operation Operação Booleana - + Boolean operation with two or more bodies Operação booleana com dois ou mais corpos @@ -237,17 +237,17 @@ so that self intersection is avoided. CmdPartDesignChamfer - + PartDesign PartDesign - + Chamfer Chanfro - + Chamfer the selected edges of a shape Chanfra as arestas selecionadas de uma forma @@ -273,17 +273,17 @@ so that self intersection is avoided. CmdPartDesignDraft - + PartDesign PartDesign - + Draft Calado do Navio - + Make a draft on a face Fazer rascunho sobre uma face @@ -291,17 +291,17 @@ so that self intersection is avoided. CmdPartDesignDuplicateSelection - + PartDesign PartDesign - + Duplicate selected object Duplicar o objeto selecionado - + Duplicates the selected object and adds it to the active body Duplica o objeto selecionado e o adiciona-o ao corpo ativo @@ -309,17 +309,17 @@ so that self intersection is avoided. CmdPartDesignFillet - + PartDesign PartDesign - + Fillet Boleado (fillet) - + Make a fillet on an edge, face or body Criar um Boleado (fillet) numa aresta, face ou corpo @@ -327,17 +327,17 @@ so that self intersection is avoided. CmdPartDesignGroove - + PartDesign PartDesign - + Groove Gorne - + Groove a selected sketch Criar gorne num esboço selecionado @@ -345,17 +345,17 @@ so that self intersection is avoided. CmdPartDesignHole - + PartDesign PartDesign - + Hole Furo - + Create a hole with the selected sketch Criar um buraco com o esboço selecionado @@ -381,17 +381,17 @@ so that self intersection is avoided. CmdPartDesignLinearPattern - + PartDesign PartDesign - + LinearPattern Padrão Linear - + Create a linear pattern feature Criar um padrão (trama) linear @@ -399,17 +399,17 @@ so that self intersection is avoided. CmdPartDesignMigrate - + PartDesign PartDesign - + Migrate Migrar - + Migrate document to the modern PartDesign workflow Migrar o documento para o fluxo de trabalho do partdesign moderno @@ -417,17 +417,17 @@ so that self intersection is avoided. CmdPartDesignMirrored - + PartDesign PartDesign - + Mirrored Espelhado - + Create a mirrored feature Criar um objeto Simétrico @@ -435,17 +435,17 @@ so that self intersection is avoided. CmdPartDesignMoveFeature - + PartDesign PartDesign - + Move object to other body Mover o objeto para outro corpo - + Moves the selected object to another body Move o objeto selecionado para outro corpo @@ -453,17 +453,17 @@ so that self intersection is avoided. CmdPartDesignMoveFeatureInTree - + PartDesign PartDesign - + Move object after other object Move o objeto após outro objeto - + Moves the selected object and insert it after another object Move o objeto selecionado e insere-o após outro objeto @@ -471,17 +471,17 @@ so that self intersection is avoided. CmdPartDesignMoveTip - + PartDesign PartDesign - + Set tip Pôr em cima - + Move the tip of the body Mova a ponta do corpo @@ -489,17 +489,17 @@ so that self intersection is avoided. CmdPartDesignMultiTransform - + PartDesign PartDesign - + Create MultiTransform Criar MúltiTransformação - + Create a multitransform feature Criar objeto MúltiTransformação @@ -561,17 +561,17 @@ so that self intersection is avoided. CmdPartDesignPocket - + PartDesign PartDesign - + Pocket Cavidade - + Create a pocket with the selected sketch Criar um vazio (bolso) com o esboço selecionado @@ -597,17 +597,17 @@ so that self intersection is avoided. CmdPartDesignPolarPattern - + PartDesign PartDesign - + PolarPattern PadrãoPolar - + Create a polar pattern feature Criar um padrão (trama) polar @@ -615,17 +615,17 @@ so that self intersection is avoided. CmdPartDesignRevolution - + PartDesign PartDesign - + Revolution Revolução - + Revolve a selected sketch Revolver um esboço selecionado @@ -633,17 +633,17 @@ so that self intersection is avoided. CmdPartDesignScaled - + PartDesign PartDesign - + Scaled Redimensionado (scaled) - + Create a scaled feature Criar um objeto escalado @@ -683,17 +683,17 @@ so that self intersection is avoided. CmdPartDesignSubtractiveHelix - + PartDesign PartDesign - + Subtractive helix Subtractive helix - + Sweep a selected sketch along a helix and remove it from the body Sweep a selected sketch along a helix and remove it from the body @@ -701,17 +701,17 @@ so that self intersection is avoided. CmdPartDesignSubtractiveLoft - + PartDesign PartDesign - + Subtractive loft Interpolamento de secções (Loft) subtrativo - + Loft a selected profile through other profile sections and remove it from the body Interpola um perfil selecionado através de outras secções e remove-os do corpo @@ -719,17 +719,17 @@ so that self intersection is avoided. CmdPartDesignSubtractivePipe - + PartDesign PartDesign - + Subtractive pipe Tubo subtrativo - + Sweep a selected sketch along a path or to other profiles and remove it from the body Arrastar (sweep) um esboço selecionado ao longo de um caminho ou para outros perfis e removê-lo do corpo @@ -737,17 +737,17 @@ so that self intersection is avoided. CmdPartDesignThickness - + PartDesign PartDesign - + Thickness Espessura - + Make a thick solid Fazer uma espessura sólida @@ -766,42 +766,42 @@ so that self intersection is avoided. Criar uma primitiva aditiva - + Additive Box Cubo Aditivo - + Additive Cylinder Cilindro Aditivo - + Additive Sphere Esfera de aditiva - + Additive Cone Cone aditivo - + Additive Ellipsoid Elipsoide Aditivo - + Additive Torus Toro Aditivo - + Additive Prism Prisma aditivo - + Additive Wedge Cunha aditiva @@ -809,53 +809,53 @@ so that self intersection is avoided. CmdPrimtiveCompSubtractive - + PartDesign PartDesign - - + + Create a subtractive primitive Criar uma primitiva subtrativa - + Subtractive Box Cubo subtrativo - + Subtractive Cylinder Cilindro subtrativo - + Subtractive Sphere Esfera Subtrativa - + Subtractive Cone Cone subtrativo - + Subtractive Ellipsoid Elipsoide subtrativa - + Subtractive Torus Toro subtrativo - + Subtractive Prism Prisma subtrativo - + Subtractive Wedge Cunha Subtrativa @@ -895,47 +895,48 @@ so that self intersection is avoided. + Create a new Sketch Create a new Sketch - + Convert to MultiTransform feature Convert to MultiTransform feature - + Create Boolean Create Boolean - + Add a Body Add a Body - + Migrate legacy Part Design features to Bodies Migrate legacy Part Design features to Bodies - + Move tip to selected feature Move tip to selected feature - + Duplicate a PartDesign object Duplicate a PartDesign object - + Move an object Move an object - + Move an object inside tree Move an object inside tree @@ -1606,7 +1607,7 @@ clique novamente para terminar a seleção PartDesignGui::TaskDlgFeatureParameters - + Input error Erro de Inserção @@ -1699,13 +1700,13 @@ clique novamente para terminar a seleção PartDesignGui::TaskExtrudeParameters - + No face selected Nenhuma face selecionada - + Face Face @@ -1725,38 +1726,38 @@ clique novamente para terminar a seleção Faces selecionadas - + No shape selected Nenhuma forma selecionada - + Sketch normal Sketch normal - + Face normal Face normal - + Select reference... Selecionar referência... - - + + Custom direction Custom direction - + Click on a shape in the model Click on a shape in the model - + Click on a face in the model Click on a face in the model @@ -2802,7 +2803,7 @@ measured along the specified direction - + Dimension Dimensão @@ -2813,19 +2814,19 @@ measured along the specified direction - + Base X axis Eixo X de base - + Base Y axis Eixo Y de base - + Base Z axis Eixo Z de base @@ -2841,7 +2842,7 @@ measured along the specified direction - + Select reference... Selecionar referência... @@ -2851,24 +2852,24 @@ measured along the specified direction Ângulo: - + Symmetric to plane Simétrico ao plano - + Reversed Invertida - + 2nd angle 2nd angle - - + + Face Face @@ -2878,37 +2879,37 @@ measured along the specified direction Actualizar a vista - + Revolution parameters Parâmetros da Revolução - + To last Até à última - + Through all Através de todos - + To first Para o primeiro - + Up to face Até à face - + Two dimensions Duas dimensões - + No face selected Nenhuma face selecionada @@ -3238,42 +3239,42 @@ clique novamente para terminar a seleção PartDesign_CompPrimitiveAdditive - + Create an additive box by its width, height, and length Create an additive box by its width, height, and length - + Create an additive cylinder by its radius, height, and angle Create an additive cylinder by its radius, height, and angle - + Create an additive sphere by its radius and various angles Criar uma esfera aditiva pelo seu raio e vários ângulos - + Create an additive cone Criar um cone aditivo - + Create an additive ellipsoid Criar um elipsoide aditivo - + Create an additive torus Criar um toroide de aditivo - + Create an additive prism Criar um prisma aditivo - + Create an additive wedge Criar uma cunha aditiva @@ -3281,42 +3282,42 @@ clique novamente para terminar a seleção PartDesign_CompPrimitiveSubtractive - + Create a subtractive box by its width, height and length Criar um cubo subtrativo pela sua largura, altura e comprimento - + Create a subtractive cylinder by its radius, height and angle Criar um cilindro subtrativo pelo seu raio, altura e ângulo - + Create a subtractive sphere by its radius and various angles Criar uma esfera subtrativa por seu ângulo de raio e outros ângulos - + Create a subtractive cone Criar um cone subtrativo - + Create a subtractive ellipsoid Criar um elipsoide subtrativo - + Create a subtractive torus Criar um toroide subtrativo - + Create a subtractive prism Criar um prisma subtrativo - + Create a subtractive wedge Criar uma cunha subtrativa @@ -3324,12 +3325,12 @@ clique novamente para terminar a seleção PartDesign_MoveFeature - + Select body Selecionar corpo - + Select a body from the list Selecione um corpo da lista @@ -3337,27 +3338,27 @@ clique novamente para terminar a seleção PartDesign_MoveFeatureInTree - + Select feature Selecione o recurso - + Select a feature from the list Selecione um recurso da lista - + Move tip Move tip - + The moved feature appears after the currently set tip. The moved feature appears after the currently set tip. - + Do you want the last feature to be the new tip? Do you want the last feature to be the new tip? @@ -3392,42 +3393,42 @@ clique novamente para terminar a seleção Sub-Shape Binder - + Several sub-elements selected Vários subelementos selecionados - + You have to select a single face as support for a sketch! Tem que selecionar uma face única como suporte para um sketch! - + No support face selected Nenhuma face de suporte selecionada - + You have to select a face as support for a sketch! Tem que selecionar uma face como suporte para um sketch! - + No planar support Não há suporte planar - + You need a planar face as support for a sketch! Precisa de uma face plana como suporte para um sketch! - + No valid planes in this document Não há planos válidos neste documento - + Please create a plane first or select a face to sketch on Por favor, crie um plano primeiro ou selecione uma face onde desenhar @@ -3486,207 +3487,207 @@ clique novamente para terminar a seleção Nenhum esboço disponível neste documento - - + + Wrong selection Seleção errada - + Select an edge, face, or body from a single body. Select an edge, face, or body from a single body. - - + + Selection is not in Active Body A seleção não está no corpo ativo - + Select an edge, face, or body from an active body. Select an edge, face, or body from an active body. - + Wrong object type Tipo de objeto errado - + %1 works only on parts. %1 só funciona em peças. - + Shape of the selected Part is empty A forma da peça selecionada está vazia - + Please select only one feature in an active body. Please select only one feature in an active body. - + Part creation failed Criação de peça falhada - + Failed to create a part object. Falha ao criar um objeto peça. - - - - + + + + Bad base feature Objeto base não válido - + Body can't be based on a PartDesign feature. Corpo não pode ser baseado num recurso de PartDesign. - + %1 already belongs to a body, can't use it as base feature for another body. %1 já pertence a um corpo, não pode usá-lo como objeto de base para outro corpo. - + Base feature (%1) belongs to other part. Objeto de base (%1) pertence a outra peça. - + The selected shape consists of multiple solids. This may lead to unexpected results. A forma selecionada consiste em vários sólidos. Isso pode levar a resultados inesperados. - + The selected shape consists of multiple shells. This may lead to unexpected results. A forma selecionada consiste em várias cascas. Isso pode levar a resultados inesperados. - + The selected shape consists of only a shell. This may lead to unexpected results. A forma selecionada consiste apenas numa casca. Isso pode levar a resultados inesperados. - + The selected shape consists of multiple solids or shells. This may lead to unexpected results. A forma selecionada consiste de vários sólidos ou cascas. Isso pode levar a resultados inesperados. - + Base feature Objeto base - + Body may be based on no more than one feature. Um corpo não pode basear-se em mais do que um objeto. - + Body Corpo - + Nothing to migrate Nada para migrar - + No PartDesign features found that don't belong to a body. Nothing to migrate. No PartDesign features found that don't belong to a body. Nothing to migrate. - + Sketch plane cannot be migrated O plano do esboço não se pode migrar - + Please edit '%1' and redefine it to use a Base or Datum plane as the sketch plane. Por favor edite '%1' e redefina-o para usar uma Base ou Plano de referência como plano para o esboço. - - - - - + + + + + Selection error Erro de seleção - + Select exactly one PartDesign feature or a body. Selecione apenas um objeto PartDesign ou um corpo. - + Couldn't determine a body for the selected feature '%s'. Não se pode determinar um corpo para o objeto seleccionado '%s'. - + Only a solid feature can be the tip of a body. Apenas um objeto sólido pode ser a ponta de um corpo. - - - + + + Features cannot be moved Os objetos não podem ser movidos - + Some of the selected features have dependencies in the source body Alguns dos objetos selecionados têm dependências no corpo de origem - + Only features of a single source Body can be moved Apenas objetos de um único corpo de origem podem ser movidos - + There are no other bodies to move to Não existem outros corpos para mover para - + Impossible to move the base feature of a body. Impossível mover o objeto base de um corpo. - + Select one or more features from the same body. Selecione um ou mais objetos do mesmo corpo. - + Beginning of the body Início do corpo - + Dependency violation Dependency violation - + Early feature must not depend on later feature. @@ -3695,29 +3696,29 @@ This may lead to unexpected results. - + No previous feature found Nenhum objeto anterior encontrado - + It is not possible to create a subtractive feature without a base feature available 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 - + Construction line %1 %1 de linha de construção @@ -4748,25 +4749,25 @@ over 90: larger hole radius at the bottom Operação booleana não suportada - + - + Resulting shape is not a solid Resulting shape is not a solid - - - + + + - + Result has multiple solids: that is not currently supported. @@ -4846,71 +4847,71 @@ over 90: larger hole radius at the bottom - the selected sketch does not belong to the active Body. - + Length too small Length too small - + Second length too small Second length too small - + Failed to obtain profile shape Failed to obtain profile shape - + Creation failed because direction is orthogonal to sketch's normal vector Creation failed because direction is orthogonal to sketch's normal vector - + Extrude: Can only offset one face Extrude: Can only offset one face - - + + Creating a face from sketch failed Creating a face from sketch failed - + Up to face: Could not get SubShape! Up to face: Could not get SubShape! - + Unable to reach the selected shape, please select faces Não foi possível alcançar a forma selecionada, por favor selecione faces - + Magnitude of taper angle matches or exceeds 90 degrees Magnitude of taper angle matches or exceeds 90 degrees - + Padding with draft angle failed Padding with draft angle failed - + Revolve axis intersects the sketch Revolve axis intersects the sketch - + 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. @@ -5108,22 +5109,22 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed for m Loft: At least one section is needed - + Loft: A fatal error occurred when making the loft Loft: A fatal error occurred when making the loft - + Loft: Creating a face from sketch failed Loft: Creating a face from sketch failed - + Loft: Failed to create shell Loft: Failed to create shell - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed. Could not create face from sketch. @@ -5240,13 +5241,13 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed.Cannot subtract primitive feature without base feature - + Unknown operation type Unknown operation type - + Failed to perform boolean operation Failed to perform boolean operation @@ -5350,22 +5351,22 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed.delta x2 of wedge is negative - + Angle of revolution too large Angle of revolution too large - + Angle of revolution too small Angle of revolution too small - + Reference axis is invalid Reference axis is invalid - + Fusion with base feature failed Fusion with base feature failed @@ -5411,12 +5412,12 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed. CmdPartDesignCompDatums - + Create datum Create datum - + Create a datum object or local coordinate system Create a datum object or local coordinate system @@ -5424,14 +5425,30 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed. CmdPartDesignCompSketches - + Create datum Create datum - + Create a datum object or local coordinate system Create a datum object or local coordinate system + + PartDesignGui::TaskDlgRevolutionParameters + + + Revolution parameters + Parâmetros da Revolução + + + + PartDesignGui::TaskDlgGrooveParameters + + + Groove parameters + Groove parameters + + diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ro.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ro.ts index 1852069f4439..b9d29668332b 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ro.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ro.ts @@ -129,17 +129,17 @@ astfel încât intersecția de sine să fie evitată. CmdPartDesignAdditiveHelix - + PartDesign Design Componente - + Additive helix Pană aditivă - + Sweep a selected sketch along a helix Glisați o schiță selectată de-a lungul unui helix @@ -147,17 +147,17 @@ astfel încât intersecția de sine să fie evitată. CmdPartDesignAdditiveLoft - + PartDesign Design Componente - + Additive loft Spațiu suplimentar - + Loft a selected profile through other profile sections Neteziți un profil selectat prin alte secţiuni de profil @@ -165,17 +165,17 @@ astfel încât intersecția de sine să fie evitată. CmdPartDesignAdditivePipe - + PartDesign Design Componente - + Additive pipe Țeavă suplimentară - + Sweep a selected sketch along a path or to other profiles Baleiați o schiță selectată de-a lungul unui traseu sau al altor profiluriluri @@ -183,17 +183,17 @@ astfel încât intersecția de sine să fie evitată. CmdPartDesignBody - + PartDesign Design Componente - + Create body Crează corp - + Create a new body and make it active Creaţi un nou corp și a-l face activ @@ -201,17 +201,17 @@ astfel încât intersecția de sine să fie evitată. CmdPartDesignBoolean - + PartDesign Design Componente - + Boolean operation Operație booleană - + Boolean operation with two or more bodies Operaţiune booleană cu două sau mai multe corpuri @@ -239,17 +239,17 @@ Creati noi coordonate in sistemul local CmdPartDesignChamfer - + PartDesign Design Componente - + Chamfer Teşitură - + Chamfer the selected edges of a shape Definiţi teşirea muchiilor selectate ale formei @@ -275,17 +275,17 @@ Creati noi coordonate in sistemul local CmdPartDesignDraft - + PartDesign Design Componente - + Draft Pescaj - + Make a draft on a face Creaza o ciorna pe o fata @@ -293,17 +293,17 @@ Creati noi coordonate in sistemul local CmdPartDesignDuplicateSelection - + PartDesign Design Componente - + Duplicate selected object Duplicați Obiectul selectat - + Duplicates the selected object and adds it to the active body Duplicați obiectul selectat şi adaugă-l la corpul activ @@ -311,17 +311,17 @@ Creati noi coordonate in sistemul local CmdPartDesignFillet - + PartDesign Design Componente - + Fillet Rotunjire - + Make a fillet on an edge, face or body Creeaza o rotunjire pe o muchie, fata sau corp @@ -329,17 +329,17 @@ Creati noi coordonate in sistemul local CmdPartDesignGroove - + PartDesign Design Componente - + Groove Canelură - + Groove a selected sketch Creează o canelură pentru schiţa selectată @@ -347,17 +347,17 @@ Creati noi coordonate in sistemul local CmdPartDesignHole - + PartDesign Design Componente - + Hole Gaura - + Create a hole with the selected sketch Crează o gaură cu schita selectată @@ -383,17 +383,17 @@ Creati noi coordonate in sistemul local CmdPartDesignLinearPattern - + PartDesign Design Componente - + LinearPattern PatternLiniar - + Create a linear pattern feature Creaţi o funcție de repetiție lineară @@ -401,17 +401,17 @@ Creati noi coordonate in sistemul local CmdPartDesignMigrate - + PartDesign Design Componente - + Migrate Migra - + Migrate document to the modern PartDesign workflow Migrați documentul către metodologia modernă Part Design @@ -419,17 +419,17 @@ Creati noi coordonate in sistemul local CmdPartDesignMirrored - + PartDesign Design Componente - + Mirrored In oglinda - + Create a mirrored feature Creaţi o caracteristică în simetrie @@ -437,17 +437,17 @@ Creati noi coordonate in sistemul local CmdPartDesignMoveFeature - + PartDesign Design Componente - + Move object to other body Mutare obiect spre un alt corp - + Moves the selected object to another body Se mută obiectul selectat la un alt corp @@ -455,17 +455,17 @@ Creati noi coordonate in sistemul local CmdPartDesignMoveFeatureInTree - + PartDesign Design Componente - + Move object after other object Muta obiectul după alt obiect - + Moves the selected object and insert it after another object Deplasează obiectul selectat și inserează-l după alt obiect @@ -473,17 +473,17 @@ Creati noi coordonate in sistemul local CmdPartDesignMoveTip - + PartDesign Design Componente - + Set tip Proiectat ca o entitate finală - + Move the tip of the body Muta vârful corpului @@ -491,17 +491,17 @@ Creati noi coordonate in sistemul local CmdPartDesignMultiTransform - + PartDesign Design Componente - + Create MultiTransform Crea MultiTransform - + Create a multitransform feature Creaza o funcție de transformare multipla @@ -563,17 +563,17 @@ Creati noi coordonate in sistemul local CmdPartDesignPocket - + PartDesign Design Componente - + Pocket Buzunar - + Create a pocket with the selected sketch Crează un buzunar cu schița selectată @@ -599,17 +599,17 @@ Creati noi coordonate in sistemul local CmdPartDesignPolarPattern - + PartDesign Design Componente - + PolarPattern PolarPattern - + Create a polar pattern feature Creează un funcție cu repetiție circulară @@ -617,17 +617,17 @@ Creati noi coordonate in sistemul local CmdPartDesignRevolution - + PartDesign Design Componente - + Revolution Revoluţie - + Revolve a selected sketch Rotiţi o schiţă selectată @@ -635,17 +635,17 @@ Creati noi coordonate in sistemul local CmdPartDesignScaled - + PartDesign Design Componente - + Scaled Scalat - + Create a scaled feature Creaţi o caracteristică scalară @@ -685,17 +685,17 @@ Creati noi coordonate in sistemul local CmdPartDesignSubtractiveHelix - + PartDesign Design Componente - + Subtractive helix Cutie substractivă - + Sweep a selected sketch along a helix and remove it from the body Baleiați o schiță selecționată de-a lungul unei traiectorii sau prin alte profile și extrageți-o din corp @@ -703,17 +703,17 @@ Creati noi coordonate in sistemul local CmdPartDesignSubtractiveLoft - + PartDesign Design Componente - + Subtractive loft Netezire substractivă - + Loft a selected profile through other profile sections and remove it from the body Neteziți un profil selecționat prin alte secțiuni de profil și extrageți corpul @@ -721,17 +721,17 @@ Creati noi coordonate in sistemul local CmdPartDesignSubtractivePipe - + PartDesign Design Componente - + Subtractive pipe Extragere de material prin baleiere - + Sweep a selected sketch along a path or to other profiles and remove it from the body Baleiați o schiță selecționată de-a lungul unei traiectorii sau prin alte profile și extrageți-o din corp @@ -739,17 +739,17 @@ Creati noi coordonate in sistemul local CmdPartDesignThickness - + PartDesign Design Componente - + Thickness Grosime - + Make a thick solid Generați o grosime @@ -768,42 +768,42 @@ Creati noi coordonate in sistemul local Creaţi un aditiv primitiv - + Additive Box Cutie aditivă - + Additive Cylinder Cilindru aditiv - + Additive Sphere Sferă aditivă - + Additive Cone Con aditiv - + Additive Ellipsoid Elipsoid aditiv - + Additive Torus Tor aditiv - + Additive Prism Prismă aditivă - + Additive Wedge Pană aditivă @@ -811,53 +811,53 @@ Creati noi coordonate in sistemul local CmdPrimtiveCompSubtractive - + PartDesign Design Componente - - + + Create a subtractive primitive Creaţi o primitivă substractivă - + Subtractive Box Cutie substractivă - + Subtractive Cylinder Cilindru substractiv - + Subtractive Sphere Sfera substractiv - + Subtractive Cone Substractiv con - + Subtractive Ellipsoid Elipsoid substractiv - + Subtractive Torus Tor substractiv - + Subtractive Prism Prisma substractivă - + Subtractive Wedge Pană Substractivă @@ -897,47 +897,48 @@ Creati noi coordonate in sistemul local + Create a new Sketch Creează o schiță nouă - + Convert to MultiTransform feature Convertește la funcția de transformă multiplă - + Create Boolean Create Boolean - + Add a Body Adaugă un corp - + Migrate legacy Part Design features to Bodies Migrate legacy Part Design features to Bodies - + Move tip to selected feature Mută bacșișul la caracteristica selectată - + Duplicate a PartDesign object Duplică un obiect PartDesign - + Move an object Mută un obiect - + Move an object inside tree Mută un obiect în interiorul arborelui @@ -1608,7 +1609,7 @@ faceți clic din nou pentru a încheia selecția PartDesignGui::TaskDlgFeatureParameters - + Input error Eroare de intrare @@ -1701,13 +1702,13 @@ faceți clic din nou pentru a încheia selecția PartDesignGui::TaskExtrudeParameters - + No face selected Nici o faţă selectată - + Face Faţă @@ -1727,38 +1728,38 @@ faceți clic din nou pentru a încheia selecția Selectaţi o față - + No shape selected Nici o forma selectata - + Sketch normal Schiță normală - + Face normal Faţă normală - + Select reference... Select reference... - - + + Custom direction Direcție personalizată - + Click on a shape in the model Click on a shape in the model - + Click on a face in the model Faceți clic pe o față din model @@ -2804,7 +2805,7 @@ măsurată de-a lungul direcției specificate - + Dimension Dimensiune @@ -2815,19 +2816,19 @@ măsurată de-a lungul direcției specificate - + Base X axis Axa X - + Base Y axis Axa Y - + Base Z axis Axa Z @@ -2843,7 +2844,7 @@ măsurată de-a lungul direcției specificate - + Select reference... Selectați o referință... @@ -2853,24 +2854,24 @@ măsurată de-a lungul direcției specificate Unghiul: - + Symmetric to plane Simetric față de plan - + Reversed Inversat - + 2nd angle Al doilea unghi - - + + Face Faţă @@ -2880,37 +2881,37 @@ măsurată de-a lungul direcției specificate Actualizeaza vizualizarea - + Revolution parameters Parametrii de revoluţie - + To last Spre ultimul - + Through all Prin toate - + To first Spre primul - + Up to face Până la față - + Two dimensions Două dimensiuni - + No face selected Nici o faţă selectată @@ -3239,42 +3240,42 @@ faceți clic din nou pentru a încheia selecția PartDesign_CompPrimitiveAdditive - + Create an additive box by its width, height, and length Creaţi un casetă aditiv definit prin lăţimea, înălţimea şi lungimea sa - + Create an additive cylinder by its radius, height, and angle Creaţi un cilindru aditiv definit prin rază, înălţime şi unghi - + Create an additive sphere by its radius and various angles Creaţi o sferă aditivă, definită de raza sa şi diverse unghiuri - + Create an additive cone Creaţi un con de aditiv - + Create an additive ellipsoid Creaţi un elipsoid aditiv - + Create an additive torus Creaţi un aditiv Tor - + Create an additive prism Creaţi o prismă aditiv - + Create an additive wedge Creaţi o cală aditiv @@ -3282,42 +3283,42 @@ faceți clic din nou pentru a încheia selecția PartDesign_CompPrimitiveSubtractive - + Create a subtractive box by its width, height and length Creaţi un paralelipiped substractiv, definit prin lăţime, înălţime şi lungime - + Create a subtractive cylinder by its radius, height and angle Creaţi un cilindru substractiv, definit prin rază, înălţime şi unghi - + Create a subtractive sphere by its radius and various angles Creaţi o sferă substractivă, definită prin rază şi diverse unghiuri - + Create a subtractive cone Creaţi un con substractiv - + Create a subtractive ellipsoid Creaţi un elipsoid substractiv - + Create a subtractive torus Creaţi un tor substractiv - + Create a subtractive prism Creaţi o prismă substractivă - + Create a subtractive wedge Creaţi o pană substractivă @@ -3325,12 +3326,12 @@ faceți clic din nou pentru a încheia selecția PartDesign_MoveFeature - + Select body Selectaţi corpurile - + Select a body from the list Selectează un corp din lista @@ -3338,27 +3339,27 @@ faceți clic din nou pentru a încheia selecția PartDesign_MoveFeatureInTree - + Select feature Selectaţi funcţia - + Select a feature from the list Selectaţi o funcție din lista - + Move tip Mutați vârful - + The moved feature appears after the currently set tip. Funcția mutată apare după sfatul setat în prezent. - + Do you want the last feature to be the new tip? Doriți ca ultima caracteristică să fie noul sfaturi? @@ -3393,42 +3394,42 @@ faceți clic din nou pentru a încheia selecția Sub-Shape Binder - + Several sub-elements selected Mai multe sub-elemente selectate - + You have to select a single face as support for a sketch! Aţi selectat o singură faţă ca şi suport pentru schiţă! - + No support face selected Nici o faţă suport selectată - + You have to select a face as support for a sketch! Trebuie să selectaţi o faţă suport pentru schiţă! - + No planar support Nici un plan suport - + You need a planar face as support for a sketch! Schiţa necesită o faţă plană ca şi suport! - + No valid planes in this document Nu sunt plane valabile în acest document - + Please create a plane first or select a face to sketch on Vă rugăm să creaţi mai întâi un plan, sau selectează o faţă pe care se aplică schiţa @@ -3487,207 +3488,207 @@ faceți clic din nou pentru a încheia selecția Nicio Schița nu este disponibilă în document - - + + Wrong selection Selecție greșită - + Select an edge, face, or body from a single body. Selectaţi o margine, o faţă sau un corp de pe un singur corp. - - + + Selection is not in Active Body Selecţia nu este în Corpul Activ - + Select an edge, face, or body from an active body. Selectaţi o margine, o faţă sau un corp de la un corp activ. - + Wrong object type Tip de obiect greşit - + %1 works only on parts. %1 funcţionează doar pe piese. - + Shape of the selected Part is empty Forma de piesă selectată este goală - + Please select only one feature in an active body. Vă rugăm să selectaţi un singur fisier într-un corp activ. - + Part creation failed Crearea piesei a eșuat - + Failed to create a part object. A eșuat crearea unui obiect piesă. - - - - + + + + Bad base feature Funcție de bază invalidă - + Body can't be based on a PartDesign feature. Corpul nu se poate baza pe o caracteristică de PartDesign. - + %1 already belongs to a body, can't use it as base feature for another body. %1 deja face parte dintr-un corp, nu se poate folosi ca baza pentru un alt corp. - + Base feature (%1) belongs to other part. Funcția de bază (%1) aparține unei alte piese. - + The selected shape consists of multiple solids. This may lead to unexpected results. Forma selectată constă din mai multe solide. Acest lucru poate duce la rezultate imprevizibile. - + The selected shape consists of multiple shells. This may lead to unexpected results. Forma selectată constă din mai multe cochilii. Acest lucru poate duce la rezultate imprevizibile. - + The selected shape consists of only a shell. This may lead to unexpected results. Forma selectată constă dintr-o singură cochilie. Acest lucru poate duce la rezultate imprevizibile. - + The selected shape consists of multiple solids or shells. This may lead to unexpected results. Forma selectată este format din mai multe solide sau cochilii. Acest lucru poate duce la rezultate imprevizibile. - + Base feature Caracteristica de bază - + Body may be based on no more than one feature. Corpul se poate baza pe cel mult o caracteristică. - + Body Corp - + Nothing to migrate Nimic de migrat - + No PartDesign features found that don't belong to a body. Nothing to migrate. Nu au fost găsite caracteristici PartDesign care nu aparțin unui corp. Nimic de migrat. - + Sketch plane cannot be migrated Schita plan nu poate fi migrată - + Please edit '%1' and redefine it to use a Base or Datum plane as the sketch plane. Vă rugăm să editaţi '%1' şi să redefinească pentru a utiliza un Plan de bază sau de referință ale ca plan de schiţă. - - - - - + + + + + Selection error Eroare de selecție - + Select exactly one PartDesign feature or a body. Selectaţi numai o caracteristică PartDesign sau un corp. - + Couldn't determine a body for the selected feature '%s'. Nu a putut determina un corp pentru funcţia selectată '%s '. - + Only a solid feature can be the tip of a body. Doar o funcție solidă poate fi funcția rezultantă a unui corp. - - - + + + Features cannot be moved Caracteristici nu pot fi mutate - + Some of the selected features have dependencies in the source body Unele dintre funcțiile selectate au dependențe în corpul sursă - + Only features of a single source Body can be moved Pot fi mutate doar de caracteristici de o singură sursă de corp - + There are no other bodies to move to Nu este nici un alt corp spre care să se deplaseze - + Impossible to move the base feature of a body. Imposibil de a deplasa caracteristica de bază a unui corp. - + Select one or more features from the same body. Selectați una sau mai multe funcții în același corp. - + Beginning of the body Începutul corpului - + Dependency violation Încălcarea dependenței - + Early feature must not depend on later feature. @@ -3696,29 +3697,29 @@ This may lead to unexpected results. - + No previous feature found Nu s-a găsit Nici o caracteristica precedenta - + It is not possible to create a subtractive feature without a base feature available 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 - + Construction line %1 %1 linie de construcție @@ -4749,25 +4750,25 @@ peste 90: rază mai mare la partea de jos Unsupported boolean operation - + - + Resulting shape is not a solid Forma rezultată nu este solidă - - - + + + - + Result has multiple solids: that is not currently supported. @@ -4847,71 +4848,71 @@ peste 90: rază mai mare la partea de jos - schița selectată nu aparține Organismului activ. - + Length too small Lungime prea mică - + Second length too small Lungimea a doua este prea mică - + Failed to obtain profile shape Nu s-a reușit obținerea formei profilului - + Creation failed because direction is orthogonal to sketch's normal vector Crearea a eșuat deoarece direcția este ortogonală pentru vectorul normal al schiței - + Extrude: Can only offset one face Extrude: Can only offset one face - - + + Creating a face from sketch failed Crearea unei fațete din schiță a eșuat - + Up to face: Could not get SubShape! Pana la fata: Nu s-a putut obtine Subforma! - + Unable to reach the selected shape, please select faces Unable to reach the selected shape, please select faces - + Magnitude of taper angle matches or exceeds 90 degrees Magnitudinea unghiului înclinat se potrivește sau depășește 90 de grade - + Padding with draft angle failed Padding with draft angle failed (Automatic Copy) - + Revolve axis intersects the sketch Axa Revolve intersectează schița - + 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. @@ -5109,22 +5110,22 @@ Elementele de intersectare ale schiței sau multiplele fețe dintr-o schiță nu Loft: Este nevoie de cel puțin o secțiune - + Loft: A fatal error occurred when making the loft Loft: A survenit o eroare fatală la crearea mansardului - + Loft: Creating a face from sketch failed Loft: Creating a face from sketch failed - + Loft: Failed to create shell Loft: Failed to create shell - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed. Nu s-a putut crea fața din schiță. @@ -5241,13 +5242,13 @@ Nu sunt permise entități intersectate de schiță sau multiple fețe dintr-o s Nu se poate scădea funcția primitivă fără caracteristica de bază - + Unknown operation type Tip de operațiune necunoscut - + Failed to perform boolean operation Operațiunea booleană a eșuat @@ -5351,22 +5352,22 @@ Nu sunt permise entități intersectate de schiță sau multiple fețe dintr-o s delta z2 wedge este negativă - + Angle of revolution too large Unghiul revoluției prea mare - + Angle of revolution too small Unghiul revoluției este prea mic - + Reference axis is invalid Reference axis is invalid - + Fusion with base feature failed Fuziunea cu caracteristica de bază a eșuat @@ -5412,12 +5413,12 @@ Nu sunt permise entități intersectate de schiță sau multiple fețe dintr-o s CmdPartDesignCompDatums - + Create datum Create datum - + Create a datum object or local coordinate system Create a datum object or local coordinate system @@ -5425,14 +5426,30 @@ Nu sunt permise entități intersectate de schiță sau multiple fețe dintr-o s CmdPartDesignCompSketches - + Create datum Create datum - + Create a datum object or local coordinate system Create a datum object or local coordinate system + + PartDesignGui::TaskDlgRevolutionParameters + + + Revolution parameters + Parametrii de revoluţie + + + + PartDesignGui::TaskDlgGrooveParameters + + + Groove parameters + Groove parameters + + diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ru.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ru.ts index 209ec9fca974..4682aaa23d83 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ru.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ru.ts @@ -129,17 +129,17 @@ so that self intersection is avoided. CmdPartDesignAdditiveHelix - + PartDesign Проектирование детали - + Additive helix Аддитивная спираль - + Sweep a selected sketch along a helix Выдавить выбранный эскиз по спирали @@ -147,17 +147,17 @@ so that self intersection is avoided. CmdPartDesignAdditiveLoft - + PartDesign Проектирование детали - + Additive loft Аддитивный профиль - + Loft a selected profile through other profile sections Создает переходную форму между двумя и более эскизными контурами @@ -165,17 +165,17 @@ so that self intersection is avoided. CmdPartDesignAdditivePipe - + PartDesign Проектирование детали - + Additive pipe Аддитивный профиль по траектории - + Sweep a selected sketch along a path or to other profiles Перемещение выбранного эскизного контура вдоль траектории или до других сечений @@ -183,17 +183,17 @@ so that self intersection is avoided. CmdPartDesignBody - + PartDesign Проектирование детали - + Create body Создать тело - + Create a new body and make it active Создать новое тело и сделать активным @@ -201,17 +201,17 @@ so that self intersection is avoided. CmdPartDesignBoolean - + PartDesign Проектирование детали - + Boolean operation Булева операция - + Boolean operation with two or more bodies Булева операция с двумя и более телами @@ -237,17 +237,17 @@ so that self intersection is avoided. CmdPartDesignChamfer - + PartDesign Проектирование детали - + Chamfer Фаска - + Chamfer the selected edges of a shape Добавить фаску на выбранные ребра фигуры @@ -273,17 +273,17 @@ so that self intersection is avoided. CmdPartDesignDraft - + PartDesign Проектирование детали - + Draft Притяжка - + Make a draft on a face Сделать уклон граней @@ -291,17 +291,17 @@ so that self intersection is avoided. CmdPartDesignDuplicateSelection - + PartDesign Проектирование детали - + Duplicate selected object Дублировать выбранный объект - + Duplicates the selected object and adds it to the active body Дублирует выбранный объект и добавляет его в активное тело @@ -309,17 +309,17 @@ so that self intersection is avoided. CmdPartDesignFillet - + PartDesign Проектирование детали - + Fillet Скругление - + Make a fillet on an edge, face or body Скруглить грани, поверхности или тела @@ -327,17 +327,17 @@ so that self intersection is avoided. CmdPartDesignGroove - + PartDesign Проектирование детали - + Groove Паз - + Groove a selected sketch Создать паз выбранным эскизом @@ -345,17 +345,17 @@ so that self intersection is avoided. CmdPartDesignHole - + PartDesign Проектирование детали - + Hole Отверстие - + Create a hole with the selected sketch Создать отверстие на основе выбранного эскиза @@ -381,17 +381,17 @@ so that self intersection is avoided. CmdPartDesignLinearPattern - + PartDesign Проектирование детали - + LinearPattern Линейный массив - + Create a linear pattern feature Создать элемент линейного массива @@ -399,17 +399,17 @@ so that self intersection is avoided. CmdPartDesignMigrate - + PartDesign Проектирование детали - + Migrate Миграция - + Migrate document to the modern PartDesign workflow Перенести документ в современный рабочий процесс разработки детали @@ -417,17 +417,17 @@ so that self intersection is avoided. CmdPartDesignMirrored - + PartDesign Проектирование детали - + Mirrored Симметрия - + Create a mirrored feature Создать отражённый элемент @@ -435,17 +435,17 @@ so that self intersection is avoided. CmdPartDesignMoveFeature - + PartDesign Проектирование детали - + Move object to other body Перемещение объекта в другое тело - + Moves the selected object to another body Перемещает выделенный объект в другое тело @@ -453,17 +453,17 @@ so that self intersection is avoided. CmdPartDesignMoveFeatureInTree - + PartDesign Проектирование детали - + Move object after other object Изменить позицию в дереве - + Moves the selected object and insert it after another object Перемещает выбранный объект и вставляет его позади другого объекта @@ -471,17 +471,17 @@ so that self intersection is avoided. CmdPartDesignMoveTip - + PartDesign Проектирование детали - + Set tip Установить точку завершения расчёта тела - + Move the tip of the body Переместить кончик тела @@ -489,17 +489,17 @@ so that self intersection is avoided. CmdPartDesignMultiTransform - + PartDesign Проектирование детали - + Create MultiTransform Множественное преобразование - + Create a multitransform feature Создать элемент множественного преобразования @@ -561,17 +561,17 @@ so that self intersection is avoided. CmdPartDesignPocket - + PartDesign Проектирование детали - + Pocket Карман - + Create a pocket with the selected sketch Создать выемку на основе выбранного эскиза @@ -597,17 +597,17 @@ so that self intersection is avoided. CmdPartDesignPolarPattern - + PartDesign Проектирование детали - + PolarPattern Круговой массив - + Create a polar pattern feature Создать элемент кругового массива @@ -615,17 +615,17 @@ so that self intersection is avoided. CmdPartDesignRevolution - + PartDesign Проектирование детали - + Revolution Вращение - + Revolve a selected sketch Вращать выбранный эскиз @@ -633,17 +633,17 @@ so that self intersection is avoided. CmdPartDesignScaled - + PartDesign Проектирование детали - + Scaled Масштабирование - + Create a scaled feature Создать элемент масштабирования @@ -683,17 +683,17 @@ so that self intersection is avoided. CmdPartDesignSubtractiveHelix - + PartDesign Проектирование детали - + Subtractive helix Субтрактивная спираль - + Sweep a selected sketch along a helix and remove it from the body Выдавить выбранный эскиз по спирали и вычесть его из тела @@ -701,17 +701,17 @@ so that self intersection is avoided. CmdPartDesignSubtractiveLoft - + PartDesign Проектирование детали - + Subtractive loft Субтрактивный профиль - + Loft a selected profile through other profile sections and remove it from the body Создает переходную форму между двумя и более эскизными контурами с дальнейшим вычитанием полученной фигуры из пересекаемого ею тела @@ -719,17 +719,17 @@ so that self intersection is avoided. CmdPartDesignSubtractivePipe - + PartDesign Проектирование детали - + Subtractive pipe Субтрактивный профиль по траектории - + Sweep a selected sketch along a path or to other profiles and remove it from the body Сдвиг выбранного эскизного контура вдоль траектории или до других сечений с дальнейшим вычитанием полученной фигуры из пересекаемого ею тела @@ -737,17 +737,17 @@ so that self intersection is avoided. CmdPartDesignThickness - + PartDesign Проектирование детали - + Thickness Толщина - + Make a thick solid Преобразовать твердое тело в полое, с указанием толщины граней @@ -766,42 +766,42 @@ so that self intersection is avoided. Создать аддитивный примитив - + Additive Box Аддитивный Параллелепипед - + Additive Cylinder Аддитивный Цилиндр - + Additive Sphere Аддитивная Сфера - + Additive Cone Аддитивный Конус - + Additive Ellipsoid Аддитивный Эллипсоид - + Additive Torus Аддитивный Тор - + Additive Prism Аддитивная Призма - + Additive Wedge Аддитивный Клин @@ -809,53 +809,53 @@ so that self intersection is avoided. CmdPrimtiveCompSubtractive - + PartDesign Проектирование детали - - + + Create a subtractive primitive Создать субтрактивный примитив - + Subtractive Box Субтрактивный Куб (Параллелепипед) - + Subtractive Cylinder Субтрактивный Цилиндр - + Subtractive Sphere Субтрактивная Сфера - + Subtractive Cone Субтрактивный Конус - + Subtractive Ellipsoid Субтрактивный Эллипсоид - + Subtractive Torus Субтрактивный Тор - + Subtractive Prism Субтрактивная Призма - + Subtractive Wedge Субтрактивный Клин @@ -895,47 +895,48 @@ so that self intersection is avoided. + Create a new Sketch Создать новый эскиз - + Convert to MultiTransform feature Преобразовать в элемент множественного преобразования - + Create Boolean Булева операция - + Add a Body Добавить тело - + Migrate legacy Part Design features to Bodies Преобразовать устаревшие элементы Part Design в тела - + Move tip to selected feature Переместить подсказку к выбранному объекту - + Duplicate a PartDesign object Дублировать объект PartDesign - + Move an object Переместить объект - + Move an object inside tree Переместить объект внутри дерева @@ -1606,7 +1607,7 @@ click again to end selection PartDesignGui::TaskDlgFeatureParameters - + Input error Ошибка ввода @@ -1699,13 +1700,13 @@ click again to end selection PartDesignGui::TaskExtrudeParameters - + No face selected Грань не выбрана - + Face Грань @@ -1725,38 +1726,38 @@ click again to end selection Выбрать грани - + No shape selected Профиль не выбран - + Sketch normal Нормаль эскиза - + Face normal Нормаль грани - + Select reference... Выбрать ориентир... - - + + Custom direction Произвольное направление - + Click on a shape in the model Нажмите на форму в модели - + Click on a face in the model Выберите грань внутри модели @@ -2800,7 +2801,7 @@ measured along the specified direction - + Dimension Размер @@ -2811,19 +2812,19 @@ measured along the specified direction - + Base X axis Базовая ось X - + Base Y axis Базовая ось Y - + Base Z axis Базовая ось Z @@ -2839,7 +2840,7 @@ measured along the specified direction - + Select reference... Выберите ссылку... @@ -2849,24 +2850,24 @@ measured along the specified direction Угол: - + Symmetric to plane Симметрично плоскости - + Reversed Реверсивный - + 2nd angle Второй угол - - + + Face Грань @@ -2876,37 +2877,37 @@ measured along the specified direction Обновить вид - + Revolution parameters Параметры вращения - + To last К последнему - + Through all Насквозь - + To first К первому - + Up to face До грани - + Two dimensions Два размера - + No face selected Грань не выбрана @@ -3236,42 +3237,42 @@ click again to end selection PartDesign_CompPrimitiveAdditive - + Create an additive box by its width, height, and length Создать аддитивный параллелепипед, указав его ширину, высоту и длину - + Create an additive cylinder by its radius, height, and angle Создать аддитивный цилиндр, указав его радиус, высоту и угол наклона - + Create an additive sphere by its radius and various angles Создать аддитивную сферу, указав её радиус и различные углы - + Create an additive cone Создать аддитивный конус - + Create an additive ellipsoid Создать аддитивный эллипсоид - + Create an additive torus Создать аддитивный тор - + Create an additive prism Создать аддитивную призму - + Create an additive wedge Создать аддитивный клин @@ -3279,42 +3280,42 @@ click again to end selection PartDesign_CompPrimitiveSubtractive - + Create a subtractive box by its width, height and length Создать субтрактивный параллелепипед, указав его ширину, высоту и длину - + Create a subtractive cylinder by its radius, height and angle Создать субтрактивный цилиндр, указав его радиус, высоту и угол наклона - + Create a subtractive sphere by its radius and various angles Создать субтрактивную сферу, указав её радиус и различные углы - + Create a subtractive cone Создать субтрактивный конус - + Create a subtractive ellipsoid Создать субтрактивный эллипсоид - + Create a subtractive torus Создать субтрактивный тор - + Create a subtractive prism Создать субтрактивную призму - + Create a subtractive wedge Создать субтрактивный клин @@ -3322,12 +3323,12 @@ click again to end selection PartDesign_MoveFeature - + Select body Выберите тело - + Select a body from the list Выберите тело из списка @@ -3335,27 +3336,27 @@ click again to end selection PartDesign_MoveFeatureInTree - + Select feature Выбор элементов операции - + Select a feature from the list Выбрать черту из списка - + Move tip Переместить подсказку - + The moved feature appears after the currently set tip. Перемещенная характеристика появляется после текущей подсказки. - + Do you want the last feature to be the new tip? Вы хотите, чтобы последняя характеристика (параметр) была новой подсказкой? @@ -3390,42 +3391,42 @@ click again to end selection Связующее под-объектов - + Several sub-elements selected Неправильное выделение - + You have to select a single face as support for a sketch! Вы должны выбрать одну плоскую грань в качестве основы для эскиза! - + No support face selected Не выбрана грань - + You have to select a face as support for a sketch! Вы должны выбрать поверхность, как основу для эскиза! - + No planar support Неплоская грань - + You need a planar face as support for a sketch! Для создания эскиза, грань должна быть плоской. Выбранная грань неплоская. - + No valid planes in this document В документе нет корректных плоскостей - + Please create a plane first or select a face to sketch on Пожалуйста, сначала создайте плоскость или выберите грань @@ -3484,211 +3485,211 @@ click again to end selection В документе отсутствуют эскизы для применения данного действия - - + + Wrong selection Неправильный выбор - + Select an edge, face, or body from a single body. Выберите ребро, грань или тело от одного тела. - - + + Selection is not in Active Body Выбор не является Активным Телом - + Select an edge, face, or body from an active body. Выберите ребро, грань или тело от активного тела. - + Wrong object type Неверный тип объекта - + %1 works only on parts. %1 работает только с деталями. - + Shape of the selected Part is empty Форма выбранной Детали пустая - + Please select only one feature in an active body. Пожалуйста, выберите только один элемент в активном теле. - + Part creation failed Ошибка создания детали - + Failed to create a part object. Не удалось создать объект Деталь. - - - - + + + + Bad base feature Испорченный базовый элемент - + Body can't be based on a PartDesign feature. Тело не может основываться на элементе "Проектирование детали". - + %1 already belongs to a body, can't use it as base feature for another body. %1 уже принадлежит к телу, невозможно использовать его в качестве базового элемента для другого тела. - + Base feature (%1) belongs to other part. Базовый элемент (%1) принадлежит другой детали. - + The selected shape consists of multiple solids. This may lead to unexpected results. Выбранная фигура состоит из нескольких твердых тел. Это может привести к неожиданным результатам. - + The selected shape consists of multiple shells. This may lead to unexpected results. Выбранная фигура состоит из нескольких оболочек. Это может привести к неожиданным результатам. - + The selected shape consists of only a shell. This may lead to unexpected results. Выбранная фигура состоит только из оболочки. Это может привести к неожиданным результатам. - + The selected shape consists of multiple solids or shells. This may lead to unexpected results. Выбранная форма состоит из нескольких твердых тел или оболочек. Это может привести к неожиданным результатам. - + Base feature Базовый элемент - + Body may be based on no more than one feature. Тело может быть основано не более, чем на одном элементе. - + Body Тело - + Nothing to migrate Нечему мигрировать - + No PartDesign features found that don't belong to a body. Nothing to migrate. Не обнаружены функции PartDesign, которые не принадлежат к телу. Нечего мигрировать. - + Sketch plane cannot be migrated Плоскость эскиза не может быть перенесена - + Please edit '%1' and redefine it to use a Base or Datum plane as the sketch plane. Пожалуйста, отредактируйте '%1' и переопределите его, чтобы использовать базовую или опорную плоскость в качестве плоскости эскиза. - - - - - + + + + + Selection error Ошибка выбора - + Select exactly one PartDesign feature or a body. Выберите один элемент верстака "Проектирование детали" или тело. - + Couldn't determine a body for the selected feature '%s'. Не удалось определить тело для выбранного элемента '%s'. - + Only a solid feature can be the tip of a body. Только твердый элемент может быть кончиком тела. - - - + + + Features cannot be moved Элементы не могут быть перемещены - + Some of the selected features have dependencies in the source body Некоторые из выбранных элементов имеют зависимости в исходном теле - + Only features of a single source Body can be moved Могут быть перемещены только элементы одного исходного тела - + There are no other bodies to move to Других тел нет - + Impossible to move the base feature of a body. Невозможно переместить базовые элементы тела. - + Select one or more features from the same body. Выберите один или несколько элементов одного тела. - + Beginning of the body Начало тела - + Dependency violation Нарушение зависимостей - + Early feature must not depend on later feature. @@ -3697,29 +3698,29 @@ This may lead to unexpected results. - + No previous feature found Предыдущий элемент не найден - + It is not possible to create a subtractive feature without a base feature available Невозможно создать субтрактивный элемент без базового элемента - + Vertical sketch axis Вертикальная ось эскиза - + Horizontal sketch axis Горизонтальная ось эскиза - + Construction line %1 Вспомогательная линия %1 @@ -4750,25 +4751,25 @@ over 90: larger hole radius at the bottom Неподдерживаемая булева операция - + - + Resulting shape is not a solid Результат не является твердотельным - - - + + + - + Result has multiple solids: that is not currently supported. @@ -4848,71 +4849,71 @@ over 90: larger hole radius at the bottom - выбранный эскиз не принадлежит активному телу. - + Length too small Длина слишком мала - + Second length too small Вторая длина слишком маленькая - + Failed to obtain profile shape Не удалось получить форму профиля - + Creation failed because direction is orthogonal to sketch's normal vector Создание не удалось, поскольку направление ортогонально вектору нормали эскиза - + Extrude: Can only offset one face Выдавливание: может смещать только одну грань - - + + Creating a face from sketch failed Не удалось создать грань из эскиза - + Up to face: Could not get SubShape! Лицом: не удалось получить суб-фигуру! - + Unable to reach the selected shape, please select faces Невозможно достичь выбранной формы, пожалуйста, выберите грани - + Magnitude of taper angle matches or exceeds 90 degrees Величина угла конуса соответствует или превышает 90 градусов - + Padding with draft angle failed Не удалось выполнить заполнение с углом уклона - + Revolve axis intersects the sketch Ось вращения пересекает эскиз - + Could not revolve the sketch! Не удалось повернуть эскиз! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. @@ -5110,22 +5111,22 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed for m Операция по сечениям: Требуется хотя бы одно сечение - + Loft: A fatal error occurred when making the loft Операция по сечениям: Создание привело к фатальной ошибке - + Loft: Creating a face from sketch failed Лофт: не удалось создать грань по эскизу - + Loft: Failed to create shell Лофт: не удалось создать оболочку - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed. Не удалось создать грань из эскиза. @@ -5242,13 +5243,13 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed.Невозможно вычесть примитивный элемент без базового элемента - + Unknown operation type Неизвестный тип операции - + Failed to perform boolean operation Не удалось выполнить логическую операцию @@ -5352,22 +5353,22 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed.дельта x2 клина отрицательно - + Angle of revolution too large Слишком большой угол поворота - + Angle of revolution too small Угол поворота слишком мал - + Reference axis is invalid Базовая ось недействительна - + Fusion with base feature failed Сбой слияния с базовой функцией @@ -5413,12 +5414,12 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed. CmdPartDesignCompDatums - + Create datum Создать опорный элемент - + Create a datum object or local coordinate system Создать опорный элемент или локальную систему координат @@ -5426,14 +5427,30 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed. CmdPartDesignCompSketches - + Create datum Создать опорный элемент - + Create a datum object or local coordinate system Создать новую локальную систему координат + + PartDesignGui::TaskDlgRevolutionParameters + + + Revolution parameters + Параметры вращения + + + + PartDesignGui::TaskDlgGrooveParameters + + + Groove parameters + Groove parameters + + diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_sl.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_sl.ts index 9a9243bab871..05a12e1bee18 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_sl.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_sl.ts @@ -129,17 +129,17 @@ da se izogne samosečnosti. CmdPartDesignAdditiveHelix - + PartDesign Snovalnik delov - + Additive helix Dodajna vijačnica - + Sweep a selected sketch along a helix Vzdolži izbani očrt po vijačnici @@ -147,17 +147,17 @@ da se izogne samosečnosti. CmdPartDesignAdditiveLoft - + PartDesign Snovalnik delov - + Additive loft Dodajni navleček - + Loft a selected profile through other profile sections Navleci izbrani prerez preko ostalih prerezov @@ -165,17 +165,17 @@ da se izogne samosečnosti. CmdPartDesignAdditivePipe - + PartDesign Snovalnik delov - + Additive pipe Dodajna cev - + Sweep a selected sketch along a path or to other profiles Vzdolži izbrani očrt ob poti ali do drugih prerezov @@ -183,17 +183,17 @@ da se izogne samosečnosti. CmdPartDesignBody - + PartDesign Snovalnik delov - + Create body Ustvari telo - + Create a new body and make it active Ustvari novo telo in ga naredi dejavnega @@ -201,17 +201,17 @@ da se izogne samosečnosti. CmdPartDesignBoolean - + PartDesign Snovalnik delov - + Boolean operation Logična operacija - + Boolean operation with two or more bodies Logična opeacija z dvema ali več telesi @@ -237,17 +237,17 @@ da se izogne samosečnosti. CmdPartDesignChamfer - + PartDesign Oblikovanje delov - + Chamfer Posnemanje - + Chamfer the selected edges of a shape Posnemi izbrane robove lika @@ -273,17 +273,17 @@ da se izogne samosečnosti. CmdPartDesignDraft - + PartDesign Snovalnik delov - + Draft Nagib - + Make a draft on a face Ustvari nagib na ploskvi @@ -291,17 +291,17 @@ da se izogne samosečnosti. CmdPartDesignDuplicateSelection - + PartDesign Snovalnik delov - + Duplicate selected object Podvoji izbrani predmet - + Duplicates the selected object and adds it to the active body Podvoji izbran predmet in ga doda dejavnemu telesu @@ -309,17 +309,17 @@ da se izogne samosečnosti. CmdPartDesignFillet - + PartDesign Snovalnik delov - + Fillet Zaokrožitev - + Make a fillet on an edge, face or body Ustvari zaokrožitev roba, ploskve ali telesa @@ -327,17 +327,17 @@ da se izogne samosečnosti. CmdPartDesignGroove - + PartDesign Snovalnik delov - + Groove Žlebič - + Groove a selected sketch Vžlebiči izbrani očrt @@ -345,17 +345,17 @@ da se izogne samosečnosti. CmdPartDesignHole - + PartDesign Snovalnik delov - + Hole Luknja - + Create a hole with the selected sketch Z izbranim očrtom naredi luknjo @@ -381,17 +381,17 @@ da se izogne samosečnosti. CmdPartDesignLinearPattern - + PartDesign Snovalnik delov - + LinearPattern Premočrtni vzorec - + Create a linear pattern feature Ustvari premočrtni vzorec @@ -399,17 +399,17 @@ da se izogne samosečnosti. CmdPartDesignMigrate - + PartDesign Snovalnik delov - + Migrate Selitev - + Migrate document to the modern PartDesign workflow Preseli dokument v sodobni delotok Snovalnika delov (PartDesgin) @@ -417,17 +417,17 @@ da se izogne samosečnosti. CmdPartDesignMirrored - + PartDesign Snovalnik delov - + Mirrored Zrcaljeno - + Create a mirrored feature Ustvari zrcaljeno značilnost @@ -435,17 +435,17 @@ da se izogne samosečnosti. CmdPartDesignMoveFeature - + PartDesign Snovalnik delov - + Move object to other body Premakni predmet k drugemu telesu - + Moves the selected object to another body Premakne izbran predmet k drugemu telesu @@ -453,17 +453,17 @@ da se izogne samosečnosti. CmdPartDesignMoveFeatureInTree - + PartDesign Snovalnik delov - + Move object after other object Premakni en predmet za drugega - + Moves the selected object and insert it after another object Premakne izbran predmet in ga postavi za drugi predmet @@ -471,17 +471,17 @@ da se izogne samosečnosti. CmdPartDesignMoveTip - + PartDesign Snovalnik delov - + Set tip Določi vrh - + Move the tip of the body Premakni vrh telesa @@ -489,17 +489,17 @@ da se izogne samosečnosti. CmdPartDesignMultiTransform - + PartDesign Snovalnik delov - + Create MultiTransform Ustvari VečkratnoPreoblikovanje - + Create a multitransform feature Ustvari večkratno preoblikovanje @@ -561,17 +561,17 @@ da se izogne samosečnosti. CmdPartDesignPocket - + PartDesign Snovalnik delov - + Pocket Ugrez - + Create a pocket with the selected sketch Ustvari ugrez z izbranim očrtom @@ -597,17 +597,17 @@ da se izogne samosečnosti. CmdPartDesignPolarPattern - + PartDesign Snovalnik delov - + PolarPattern Krožni vzorec - + Create a polar pattern feature Ustvari krožni vzorec @@ -615,17 +615,17 @@ da se izogne samosečnosti. CmdPartDesignRevolution - + PartDesign Snovalnik delov - + Revolution Zavrti - + Revolve a selected sketch Zvrti izbrani očrt @@ -633,17 +633,17 @@ da se izogne samosečnosti. CmdPartDesignScaled - + PartDesign Snovalnik delov - + Scaled Povečava - + Create a scaled feature Ustvari povečavo značilnosti @@ -683,17 +683,17 @@ da se izogne samosečnosti. CmdPartDesignSubtractiveHelix - + PartDesign Snovalnik delov - + Subtractive helix Odvzemna vijačnica - + Sweep a selected sketch along a helix and remove it from the body Vzdolži izbrani očrt ob vijačnici in dobljeno odštej od telesa @@ -701,17 +701,17 @@ da se izogne samosečnosti. CmdPartDesignSubtractiveLoft - + PartDesign Snovalnik delov - + Subtractive loft Odvzemni navleček - + Loft a selected profile through other profile sections and remove it from the body Navleci izbran prerez preko drugih prerezov in ga odstrani iz telesa @@ -719,17 +719,17 @@ da se izogne samosečnosti. CmdPartDesignSubtractivePipe - + PartDesign Snovalnik delov - + Subtractive pipe Odvzemna cev - + Sweep a selected sketch along a path or to other profiles and remove it from the body Povleči izbrano skico vzdolž poti ali do drugih prerezov in odstrani obliko iz telesa @@ -737,17 +737,17 @@ da se izogne samosečnosti. CmdPartDesignThickness - + PartDesign Snovalnik delov - + Thickness Debelina - + Make a thick solid Ustvari telo z debelino @@ -766,42 +766,42 @@ da se izogne samosečnosti. Dodaj osnovnik - + Additive Box Dodajni kvader - + Additive Cylinder Dodajni valj - + Additive Sphere Dodajna krogla - + Additive Cone Dodajni stožec - + Additive Ellipsoid Dodajni elipsoid - + Additive Torus Dodajni svitek - + Additive Prism Dodajna prizma - + Additive Wedge Dodajni klin @@ -809,53 +809,53 @@ da se izogne samosečnosti. CmdPrimtiveCompSubtractive - + PartDesign Snovalnik delov - - + + Create a subtractive primitive Odvzemi osnovnik - + Subtractive Box Odvzemni kvader - + Subtractive Cylinder Odvzemni Valj - + Subtractive Sphere Odvzemna Krogla - + Subtractive Cone Odvzemni Stožec - + Subtractive Ellipsoid Odvzemni Elipsoid - + Subtractive Torus Odvzemni Svitek - + Subtractive Prism Odvzemna Prizma - + Subtractive Wedge Odvzemni Klin @@ -895,47 +895,48 @@ da se izogne samosečnosti. + Create a new Sketch Ustvari nov očrt - + Convert to MultiTransform feature Pretvori v zmožnost večkratnega preoblikovanja - + Create Boolean Ustvari logično vrednost - + Add a Body Dodaj telo - + Migrate legacy Part Design features to Bodies Migrate legacy Part Design features to Bodies - + Move tip to selected feature Premakni konico k izbrani značilnost - + Duplicate a PartDesign object Podvoji predmet Snovalnika delov (PartDesign) - + Move an object Premakni predmet - + Move an object inside tree Premikaj predmet po drevesu @@ -1606,7 +1607,7 @@ s ponovnim klikom pa zaključite izbiranje PartDesignGui::TaskDlgFeatureParameters - + Input error Napaka vnosa @@ -1699,13 +1700,13 @@ s ponovnim klikom pa zaključite izbiranje PartDesignGui::TaskExtrudeParameters - + No face selected Nobena ploskev ni izbrana - + Face Ploskev @@ -1725,38 +1726,38 @@ s ponovnim klikom pa zaključite izbiranje Izberite ploskve - + No shape selected Nobena oblika ni izbrana - + Sketch normal Normala na očrt - + Face normal Ploskvina normala - + Select reference... Izberite osnovo … - - + + Custom direction Smer po meri - + Click on a shape in the model Click on a shape in the model - + Click on a face in the model Klikni na ploskev v modelu @@ -2802,7 +2803,7 @@ merjena vzdolž določene smeri - + Dimension Mera @@ -2813,19 +2814,19 @@ merjena vzdolž določene smeri - + Base X axis Osnovna X os - + Base Y axis Osnovna Y os - + Base Z axis Osnovna Z os @@ -2841,7 +2842,7 @@ merjena vzdolž določene smeri - + Select reference... Izberite osnovo … @@ -2851,24 +2852,24 @@ merjena vzdolž določene smeri Kót: - + Symmetric to plane Simetrično na ravnino - + Reversed Obratno - + 2nd angle 2nd angle - - + + Face Ploskev @@ -2878,37 +2879,37 @@ merjena vzdolž določene smeri Posodobi pogled - + Revolution parameters Določilke zvrtenja - + To last Do zadnjega - + Through all Skozi vse - + To first Do prve - + Up to face Do ploskve - + Two dimensions Dve meri - + No face selected Nobena ploskev ni izbrana @@ -3238,42 +3239,42 @@ s ponovnim klikom pa zaključite izbiranje PartDesign_CompPrimitiveAdditive - + Create an additive box by its width, height, and length Ustvari dodajni kvader s podano širino, višino in dolžino - + Create an additive cylinder by its radius, height, and angle Ustvari dodajni valj z njegovim polmerom, višino in kotom - + Create an additive sphere by its radius and various angles Dodaj kroglo z njenim polmerom in kotoma - + Create an additive cone Dodaj stožec - + Create an additive ellipsoid Dodaj elipsoid - + Create an additive torus Dodaj svitek - + Create an additive prism Dodaj prizmo - + Create an additive wedge Dodaj klin @@ -3281,42 +3282,42 @@ s ponovnim klikom pa zaključite izbiranje PartDesign_CompPrimitiveSubtractive - + Create a subtractive box by its width, height and length Odvzemi kvader z njegovo širino, višino in dolžino - + Create a subtractive cylinder by its radius, height and angle Odvzemi valj z njegovim polmerom, višino in kotom - + Create a subtractive sphere by its radius and various angles Odvzemi kroglo z njenim polmerom in kotoma - + Create a subtractive cone Odvzemi stožec - + Create a subtractive ellipsoid Odvzemi elipsoid - + Create a subtractive torus Odvzemi svitek - + Create a subtractive prism Odvzemi prizmo - + Create a subtractive wedge Odvzemi klin @@ -3324,12 +3325,12 @@ s ponovnim klikom pa zaključite izbiranje PartDesign_MoveFeature - + Select body Izberi telo - + Select a body from the list Izberi telo s seznama @@ -3337,27 +3338,27 @@ s ponovnim klikom pa zaključite izbiranje PartDesign_MoveFeatureInTree - + Select feature Izberi značilnost - + Select a feature from the list Izberi značilnost s seznama - + Move tip Premakni izvajajočo nalogo - + The moved feature appears after the currently set tip. Premaknjena značilnost pride za trenutno izvajajočo nalogo. - + Do you want the last feature to be the new tip? Ali želite, da zadnja značilnost postane nova izvajajoča naloga? @@ -3392,42 +3393,42 @@ s ponovnim klikom pa zaključite izbiranje Povezovalnik podoblik - + Several sub-elements selected Izbranih več podelementov - + You have to select a single face as support for a sketch! Izbrati morate eno ploskev kot podporo za skico! - + No support face selected Nobena podporna ploskev ni izbrana - + You have to select a face as support for a sketch! Izbrati morate ploskev kot podporo za skico! - + No planar support Ni ravninske podpore - + You need a planar face as support for a sketch! Izbrati morate ravninsko ploskev kot podporo za skico! - + No valid planes in this document Ni veljavnih ravnin v tem dokumentu - + Please create a plane first or select a face to sketch on Ustvarite najprej ravnino ali izberite ploskev, na katero želite očrtavati @@ -3486,211 +3487,211 @@ s ponovnim klikom pa zaključite izbiranje V dokumentu ni nobenega razpoložjivega očrta - - + + Wrong selection Napačen izbor - + Select an edge, face, or body from a single body. Izberi rob, ploskev ali telo enega samega telesa. - - + + Selection is not in Active Body Izbira ni v Aktivnem Telesu - + Select an edge, face, or body from an active body. Izberi rob, ploskev ali telo iz dejavnega telesa. - + Wrong object type Napačna vrsta objekta - + %1 works only on parts. %1 deluje samo na delih. - + Shape of the selected Part is empty Oblika izbranega Dela je prazna - + Please select only one feature in an active body. Izberite le eno značilnost dejavnega telesa. - + Part creation failed Ustvarjanje dela spodletelo - + Failed to create a part object. Dela ni bilo mogoče ustvariti. - - - - + + + + Bad base feature Slaba osnovna značilnost - + Body can't be based on a PartDesign feature. Telo ne more biti osnovano na značilnosti Snovalnika delov. - + %1 already belongs to a body, can't use it as base feature for another body. %1 že pripada telesu, zato ne more biti uporabljeno kot osnovna značilnost za drugo telo. - + Base feature (%1) belongs to other part. Osnovna značilnost(%1) pripada drugemu delu. - + The selected shape consists of multiple solids. This may lead to unexpected results. Izbrana oblika je sestavljena iz več teles. To lahko pripelje do nepričakovanih rezultatov. - + The selected shape consists of multiple shells. This may lead to unexpected results. Izbrana oblika je sestavljena iz več lupin. To lahko pripelje do nepričakovanih rezultatov. - + The selected shape consists of only a shell. This may lead to unexpected results. Izbrana oblika je sestavljena samo iz lupine. To lahko pripelje do nepričakovanih rezultatov. - + The selected shape consists of multiple solids or shells. This may lead to unexpected results. Izbrana oblika je sestavljena iz več teles ali lupin. To lahko pripelje do nepričakovanih rezultatov. - + Base feature Osnovna značilnost - + Body may be based on no more than one feature. Telo ne sme biti osnovano na več kot eni značilnosti. - + Body Telo - + Nothing to migrate Ni kaj seliti - + No PartDesign features found that don't belong to a body. Nothing to migrate. Ni bilo mogoče najti nobene značilnosti Snovalnika delov (PartDesign), ki ne bi pripadala telesu. Ni kaj seliti. - + Sketch plane cannot be migrated Očrtovalne ravnine ni mogoče seliti - + Please edit '%1' and redefine it to use a Base or Datum plane as the sketch plane. Uredite '%1' in ga ponovno določite za Osnovo ali Sklicno ravnine kot očrtno ravnino. - - - - - + + + + + Selection error Napaka izbire - + Select exactly one PartDesign feature or a body. Izberi natanko eno značilnost Snovalnika delov (PartDesign) ali telo. - + Couldn't determine a body for the selected feature '%s'. Ni mogoče določiti telesa za izbrano značilnost '%s'. - + Only a solid feature can be the tip of a body. Le polno telo je lahko konca telesa. - - - + + + Features cannot be moved Značilnosti ni mogoče premakniti - + Some of the selected features have dependencies in the source body Nekatere od izbranih značilnosti so odvisne od izhodišnega telesa - + Only features of a single source Body can be moved Le značilnosti enega samega telesa je mogoče premikati - + There are no other bodies to move to Ni drugega telesa za premikanje - + Impossible to move the base feature of a body. Osnovne značilnosti telesa ni mogoče premikati. - + Select one or more features from the same body. Izberite eno ali več značilnosti istega telesa. - + Beginning of the body Začetek telesa - + Dependency violation Kršitev odvisnosti - + Early feature must not depend on later feature. @@ -3699,29 +3700,29 @@ To lahko pripelje do nepričakovanih rezultatov. - + No previous feature found Predhodnih značilnosti ni mogoče najti - + It is not possible to create a subtractive feature without a base feature available 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 - + Construction line %1 Pomožna črta %1 @@ -4755,25 +4756,25 @@ nad 90: v spodnjem delu večji premer luknje Unsupported boolean operation - + - + Resulting shape is not a solid Dobljena oblika ni telo - - - + + + - + Result has multiple solids: that is not currently supported. @@ -4852,71 +4853,71 @@ nad 90: v spodnjem delu večji premer luknje - izbrani očrt ne pripada dejavnemu telesu. - + Length too small Length too small - + Second length too small Second length too small - + Failed to obtain profile shape Failed to obtain profile shape - + Creation failed because direction is orthogonal to sketch's normal vector Creation failed because direction is orthogonal to sketch's normal vector - + Extrude: Can only offset one face Extrude: Can only offset one face - - + + Creating a face from sketch failed Ustvarjanje ploskve iz očrta spodletelo - + Up to face: Could not get SubShape! Up to face: Could not get SubShape! - + Unable to reach the selected shape, please select faces Unable to reach the selected shape, please select faces - + Magnitude of taper angle matches or exceeds 90 degrees Magnitude of taper angle matches or exceeds 90 degrees - + Padding with draft angle failed Padding with draft angle failed - + Revolve axis intersects the sketch Os vrtenine seka očrt - + 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. @@ -5114,22 +5115,22 @@ Sekanje enot očrta ali več ploskev v očrtu ni dopustno pri izdelavi ugreza v Navleček: potreben je vsaj en presek - + Loft: A fatal error occurred when making the loft Navleček: pri navlačenju je prišlo do usodne napake - + Loft: Creating a face from sketch failed Loft: Creating a face from sketch failed - + Loft: Failed to create shell Loft: Failed to create shell - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed. Iz očrta ni bilo mogoče ustvariti ploskve. @@ -5246,13 +5247,13 @@ Sekajočih se prvin očrta ali več ploskev v očrtu ne sme biti. Osnovnika ni mogoče odvzemati brez izhodiščne značilnosti - + Unknown operation type Unknown operation type - + Failed to perform boolean operation Failed to perform boolean operation @@ -5356,22 +5357,22 @@ Sekajočih se prvin očrta ali več ploskev v očrtu ne sme biti. sprememba klinovega x-a 2 je negativna - + Angle of revolution too large Kot zvrtenja prevelik - + Angle of revolution too small Kot zvrtenja premajhen - + Reference axis is invalid Reference axis is invalid - + Fusion with base feature failed Združitev z izhodiščno značilnostjo spodletela @@ -5417,12 +5418,12 @@ Sekajočih se prvin očrta ali več ploskev v očrtu ne sme biti. CmdPartDesignCompDatums - + Create datum Create datum - + Create a datum object or local coordinate system Create a datum object or local coordinate system @@ -5430,14 +5431,30 @@ Sekajočih se prvin očrta ali več ploskev v očrtu ne sme biti. CmdPartDesignCompSketches - + Create datum Create datum - + Create a datum object or local coordinate system Create a datum object or local coordinate system + + PartDesignGui::TaskDlgRevolutionParameters + + + Revolution parameters + Določilke zvrtenja + + + + PartDesignGui::TaskDlgGrooveParameters + + + Groove parameters + Groove parameters + + 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 bd9b5747ea66..fe63c02c7655 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_sr-CS.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_sr-CS.ts @@ -129,17 +129,17 @@ vrednost za korak na osnovu graničnog okvira oko profila. CmdPartDesignAdditiveHelix - + PartDesign Konstruisanje delova - + Additive helix Dodaj zavojnicu - + Sweep a selected sketch along a helix Izvuci izabranu skicu duž zavojnice @@ -147,17 +147,17 @@ vrednost za korak na osnovu graničnog okvira oko profila. CmdPartDesignAdditiveLoft - + PartDesign Konstruisanje delova - + Additive loft Dodaj izvlačenje po presecima - + Loft a selected profile through other profile sections Izvuci izabrani presek ka drugom preseku @@ -165,17 +165,17 @@ vrednost za korak na osnovu graničnog okvira oko profila. CmdPartDesignAdditivePipe - + PartDesign Konstruisanje delova - + Additive pipe Dodaj izvlačenje po putanji - + Sweep a selected sketch along a path or to other profiles Izvuci izabrani presek po putanji ili ka drugom preseku @@ -183,17 +183,17 @@ vrednost za korak na osnovu graničnog okvira oko profila. CmdPartDesignBody - + PartDesign Konstruisanje delova - + Create body Napravi telo - + Create a new body and make it active Napravi novo telo i učini ga aktivnim @@ -201,17 +201,17 @@ vrednost za korak na osnovu graničnog okvira oko profila. CmdPartDesignBoolean - + PartDesign Konstruisanje delova - + Boolean operation Bulove operacije - + Boolean operation with two or more bodies Bulova operacija sa dva ili više tela @@ -237,17 +237,17 @@ vrednost za korak na osnovu graničnog okvira oko profila. CmdPartDesignChamfer - + PartDesign Konstruisanje delova - + Chamfer Obaranje ivica - + Chamfer the selected edges of a shape Obori izabrane ivice oblika @@ -273,17 +273,17 @@ vrednost za korak na osnovu graničnog okvira oko profila. CmdPartDesignDraft - + PartDesign Konstruisanje delova - + Draft Zakošenje - + Make a draft on a face Nagni stranicu @@ -291,17 +291,17 @@ vrednost za korak na osnovu graničnog okvira oko profila. CmdPartDesignDuplicateSelection - + PartDesign Konstruisanje delova - + Duplicate selected object Dupliraj izabrani objekat - + Duplicates the selected object and adds it to the active body Duplira izabrani objekat i dodaje ga u aktivno telo @@ -309,17 +309,17 @@ vrednost za korak na osnovu graničnog okvira oko profila. CmdPartDesignFillet - + PartDesign Konstruisanje delova - + Fillet Zaobljenje - + Make a fillet on an edge, face or body Zaobli ivicu, stranicu, ili telo @@ -327,17 +327,17 @@ vrednost za korak na osnovu graničnog okvira oko profila. CmdPartDesignGroove - + PartDesign Konstruisanje delova - + Groove Kružno udubljenje - + Groove a selected sketch Napravi kružno udubljenje pomoću izabrane skice @@ -345,17 +345,17 @@ vrednost za korak na osnovu graničnog okvira oko profila. CmdPartDesignHole - + PartDesign Konstruisanje delova - + Hole Rupa - + Create a hole with the selected sketch Napravi rupu pomoću izabrane skice @@ -381,17 +381,17 @@ vrednost za korak na osnovu graničnog okvira oko profila. CmdPartDesignLinearPattern - + PartDesign Konstruisanje delova - + LinearPattern Linearno umnožavanje - + Create a linear pattern feature Napravi tipski oblik linearno umnožavanje @@ -399,17 +399,17 @@ vrednost za korak na osnovu graničnog okvira oko profila. CmdPartDesignMigrate - + PartDesign Konstruisanje delova - + Migrate Migriraj - + Migrate document to the modern PartDesign workflow Migriraj dokument u tok rada modernog okruženja Konstruisanje delova @@ -417,17 +417,17 @@ vrednost za korak na osnovu graničnog okvira oko profila. CmdPartDesignMirrored - + PartDesign Konstruisanje delova - + Mirrored Simetrično preslikavanje - + Create a mirrored feature Napravi simetrični tipski oblik @@ -435,17 +435,17 @@ vrednost za korak na osnovu graničnog okvira oko profila. CmdPartDesignMoveFeature - + PartDesign Konstruisanje delova - + Move object to other body Premesti objekat u drugo telo - + Moves the selected object to another body Premešta izabrani objekat u drugo telo @@ -453,17 +453,17 @@ vrednost za korak na osnovu graničnog okvira oko profila. CmdPartDesignMoveFeatureInTree - + PartDesign Konstruisanje delova - + Move object after other object Premesti objekat iza drugog objekta - + Moves the selected object and insert it after another object Premešta izabrani objekat i umeće ga iza drugog objekta @@ -471,17 +471,17 @@ vrednost za korak na osnovu graničnog okvira oko profila. CmdPartDesignMoveTip - + PartDesign Konstruisanje delova - + Set tip Proglasi za krajnji - + Move the tip of the body Pomeri krajnji @@ -489,17 +489,17 @@ vrednost za korak na osnovu graničnog okvira oko profila. CmdPartDesignMultiTransform - + PartDesign Konstruisanje delova - + Create MultiTransform Višestruka transformacija - + Create a multitransform feature Napravi tipski oblik višestrukom transformaciom @@ -561,17 +561,17 @@ vrednost za korak na osnovu graničnog okvira oko profila. CmdPartDesignPocket - + PartDesign Konstruisanje delova - + Pocket Udubljenje - + Create a pocket with the selected sketch Napravi udubljenje pomoću izabrane skice @@ -597,17 +597,17 @@ vrednost za korak na osnovu graničnog okvira oko profila. CmdPartDesignPolarPattern - + PartDesign Konstruisanje delova - + PolarPattern Kružno umnožavanje - + Create a polar pattern feature Napravi tipski oblik kružno umnožavanje @@ -615,17 +615,17 @@ vrednost za korak na osnovu graničnog okvira oko profila. CmdPartDesignRevolution - + PartDesign Konstruisanje delova - + Revolution Obrtanje - + Revolve a selected sketch Obrni izabranu skicu oko ose @@ -633,17 +633,17 @@ vrednost za korak na osnovu graničnog okvira oko profila. CmdPartDesignScaled - + PartDesign Konstruisanje delova - + Scaled Skalirano - + Create a scaled feature Napravi skalirani tipski oblik @@ -683,17 +683,17 @@ vrednost za korak na osnovu graničnog okvira oko profila. CmdPartDesignSubtractiveHelix - + PartDesign Konstruisanje delova - + Subtractive helix Oduzmi zavojnicu - + Sweep a selected sketch along a helix and remove it from the body Izvuci izabranu skicu duž zavojnice i oduzmi od tela @@ -701,17 +701,17 @@ vrednost za korak na osnovu graničnog okvira oko profila. CmdPartDesignSubtractiveLoft - + PartDesign Konstruisanje delova - + Subtractive loft Oduzmi izvlačenje po presecima - + Loft a selected profile through other profile sections and remove it from the body Izvuci izabrani presek ka drugom preseku i oduzmi ga od tela @@ -719,17 +719,17 @@ vrednost za korak na osnovu graničnog okvira oko profila. CmdPartDesignSubtractivePipe - + PartDesign Konstruisanje delova - + Subtractive pipe Oduzmi izvlačenje po putanji - + Sweep a selected sketch along a path or to other profiles and remove it from the body Izvuci izabranu skicu po putanji i oduzmi od tela @@ -737,17 +737,17 @@ vrednost za korak na osnovu graničnog okvira oko profila. CmdPartDesignThickness - + PartDesign Konstruisanje delova - + Thickness Tankozidno telo - + Make a thick solid Napravi tankozidno puno telo @@ -766,42 +766,42 @@ vrednost za korak na osnovu graničnog okvira oko profila. Dodaj primitiv - + Additive Box Dodaj kvadar - + Additive Cylinder Dodaj valjak - + Additive Sphere Dodaj loptu - + Additive Cone Dodaj kupu - + Additive Ellipsoid Dodaj elipsoid - + Additive Torus Dodaj torus - + Additive Prism Dodaj prizmu - + Additive Wedge Dodaj klin @@ -809,53 +809,53 @@ vrednost za korak na osnovu graničnog okvira oko profila. CmdPrimtiveCompSubtractive - + PartDesign Konstruisanje delova - - + + Create a subtractive primitive Oduzmi primitiv - + Subtractive Box Oduzmi kvadar - + Subtractive Cylinder Oduzmi valjak - + Subtractive Sphere Oduzmi loptu - + Subtractive Cone Oduzmi kupu - + Subtractive Ellipsoid Oduzmi elipsoid - + Subtractive Torus Oduzmi torus - + Subtractive Prism Oduzmi prizmu - + Subtractive Wedge Oduzmi klin @@ -895,47 +895,48 @@ vrednost za korak na osnovu graničnog okvira oko profila. + Create a new Sketch Napravi novu skicu - + Convert to MultiTransform feature Pretvori u tipski oblik dobijen višestrukom transformacijom - + Create Boolean Napravi bulovu operaciju - + Add a Body Dodaj telo - + Migrate legacy Part Design features to Bodies Migriraj nasleđene tipske oblike u Tela - + Move tip to selected feature Pomeri krajnji ka izabranom tipskom obliku - + Duplicate a PartDesign object Dupliraj objekat okruženja Konstruisanje delova - + Move an object Pomeri objekat - + Move an object inside tree Pomeri objekat unutar stabla @@ -1606,7 +1607,7 @@ klikni ponovo da bi završio izbor PartDesignGui::TaskDlgFeatureParameters - + Input error Input error @@ -1699,13 +1700,13 @@ klikni ponovo da bi završio izbor PartDesignGui::TaskExtrudeParameters - + No face selected Stranica nije izabrana - + Face Stranica @@ -1725,38 +1726,38 @@ klikni ponovo da bi završio izbor Izaberi stranice - + No shape selected Nema odabranih oblika - + Sketch normal Normala na skicu - + Face normal Normala na stranicu - + Select reference... Izaberi sopstvenu... - - + + Custom direction Sopstveni smer - + Click on a shape in the model Klikni na neki oblik na modelu - + Click on a face in the model Klikni na stranicu modela @@ -2802,7 +2803,7 @@ merena duž zadatog pravca - + Dimension Vrednost @@ -2813,19 +2814,19 @@ merena duž zadatog pravca - + Base X axis Osnovna X osa - + Base Y axis Osnovna Y osa - + Base Z axis Osnovna Z osa @@ -2841,7 +2842,7 @@ merena duž zadatog pravca - + Select reference... Izaberi sopstvenu... @@ -2851,24 +2852,24 @@ merena duž zadatog pravca Ugao: - + Symmetric to plane Simetrično u odnosu na ravan - + Reversed Obrnuti smer - + 2nd angle Drugi ugao - - + + Face Stranica @@ -2878,37 +2879,37 @@ merena duž zadatog pravca Ažuriraj pogled - + Revolution parameters Parametri obrtanja - + To last Do zadnje - + Through all Kroz sve - + To first Do prve - + Up to face Do stranice - + Two dimensions Dve vrednosti - + No face selected Stranica nije izabrana @@ -3238,42 +3239,42 @@ klikni ponovo da bi završio izbor PartDesign_CompPrimitiveAdditive - + Create an additive box by its width, height, and length Dodaj kvadar napravljen na osnovu njegove širine, visine i dužine - + Create an additive cylinder by its radius, height, and angle Dodaj napravljeni valjak na osnovu njegovog radijusa, visine i ugla - + Create an additive sphere by its radius and various angles Dodaj napravljenu loptu na osnovu njenog radijusa i različitih uglova - + Create an additive cone Dodaj napravljenu kupu - + Create an additive ellipsoid Dodaj napravljeni elipsoid - + Create an additive torus Dodaj napravljeni torus - + Create an additive prism Dodaj napravljenu prizmu - + Create an additive wedge Dodaj napravljeni klin @@ -3281,42 +3282,42 @@ klikni ponovo da bi završio izbor PartDesign_CompPrimitiveSubtractive - + Create a subtractive box by its width, height and length Oduzmi kvadar napravljen na osnovu njegove širine, visine i dužine - + Create a subtractive cylinder by its radius, height and angle Oduzmi napravljeni valjak na osnovu njegovog radijusa, visine i ugla - + Create a subtractive sphere by its radius and various angles Oduzmi napravljenu loptu na osnovu njenog radijusa i različitih uglova - + Create a subtractive cone Oduzmi napravljenu kupu - + Create a subtractive ellipsoid Oduzmi napravljeni elipsoid - + Create a subtractive torus Oduzmi napravljeni torus - + Create a subtractive prism Oduzmi napravljenu prizmu - + Create a subtractive wedge Oduzmi napravljeni klin @@ -3324,12 +3325,12 @@ klikni ponovo da bi završio izbor PartDesign_MoveFeature - + Select body Izaberi telo - + Select a body from the list Izaberi telo sa liste @@ -3337,27 +3338,27 @@ klikni ponovo da bi završio izbor PartDesign_MoveFeatureInTree - + Select feature Izbor elemenata - + Select a feature from the list Izaberi element sa liste - + Move tip Pomeri krajnji - + The moved feature appears after the currently set tip. Premešteni tipski oblik se pojavljuje iza krajnjeg. - + Do you want the last feature to be the new tip? Da li želiš da zadnji tipski oblik bude proglašen za krajnji? @@ -3392,42 +3393,42 @@ klikni ponovo da bi završio izbor Povezivač podоblika - + Several sub-elements selected Nekoliko pod-elemenata izabrano - + You have to select a single face as support for a sketch! Moraš izabrati jednu stranicu kao osnovu za skicu! - + No support face selected Nije izabrana stranica kao osnova - + You have to select a face as support for a sketch! Moraš odabrati stranicu kao osnovu za skicu! - + No planar support Nema ravni kao osnove - + You need a planar face as support for a sketch! Potrebna je ravna stranica kao osnova za skicu! - + No valid planes in this document Nema važećih ravni u ovom dokumentu - + Please create a plane first or select a face to sketch on Da bi mogao crtati skicu prvo napravi ravan ili izaberi stranicu @@ -3486,211 +3487,211 @@ klikni ponovo da bi završio izbor U dokumentu nije dostupna skica - - + + Wrong selection Pogrešan izbor - + Select an edge, face, or body from a single body. Izaberi ivicu, stranicu ili telo iz jednog tela. - - + + Selection is not in Active Body Izbor nije unutar aktivnog tela - + Select an edge, face, or body from an active body. Izaberi skicu, stranicu ili tipski oblik aktivnog tela. - + Wrong object type Pogrešna vrsta objekta - + %1 works only on parts. %1 radi samo na telima. - + Shape of the selected Part is empty Oblik izabranog dela je prazan - + Please select only one feature in an active body. Izaberi samo jedan tipski oblik u aktivnom telu. - + Part creation failed Neuspelo kreiranje dela - + Failed to create a part object. Nije uspelo kreiranje dela. - - - - + + + + Bad base feature Loš osnovni tipski oblik - + Body can't be based on a PartDesign feature. Telo ne može biti zasnovano na objektu okruženja Konstruisanje delova. - + %1 already belongs to a body, can't use it as base feature for another body. %1 već pripada telu, nije moguće iskoristiti ga kao osnovni tipski oblik za drugo telo. - + Base feature (%1) belongs to other part. Osnovni tipski oblik (%1) pripada drugom telu. - + The selected shape consists of multiple solids. This may lead to unexpected results. Izabrani oblik se sastoji od više punih tela. Ovo može dovesti do neočekivanih rezultata. - + The selected shape consists of multiple shells. This may lead to unexpected results. Izabrani oblik se sastoji od više ljuski punih tela. Ovo može dovesti do neočekivanih rezultata. - + The selected shape consists of only a shell. This may lead to unexpected results. Izabrani oblik se sastoji samo od ljuske punog tela. Ovo može dovesti do neočekivanih rezultata. - + The selected shape consists of multiple solids or shells. This may lead to unexpected results. Izabrani oblik se sastoji od više punih tela i ljuski punih tela. Ovo može dovesti do neočekivanih rezultata. - + Base feature Osnovni tipski oblik - + Body may be based on no more than one feature. Telo se može zasnivati na najviše jednom tipskom obliku. - + Body Telo - + Nothing to migrate Nema šta da se migrira - + No PartDesign features found that don't belong to a body. Nothing to migrate. Nisu pronađeni tipski oblici koje ne pripadaju telu. Nema šta da se migrira. - + Sketch plane cannot be migrated Ravan skice se ne može migrirati - + Please edit '%1' and redefine it to use a Base or Datum plane as the sketch plane. Uredi '%1' i redefiniši da bi koristio osnovnu ili pomoćnu ravan kao ravan skice. - - - - - + + + + + Selection error Greška prilikom izbora - + Select exactly one PartDesign feature or a body. Izaberi tačno jedan tipski oblik ili telo. - + Couldn't determine a body for the selected feature '%s'. Nije moguće odrediti telo za izabrani tipski oblik '%s'. - + Only a solid feature can be the tip of a body. Samo tipski oblik može da bude zadnji u Telu. - - - + + + Features cannot be moved Tipski oblici se ne mogu pomerati - + Some of the selected features have dependencies in the source body Neki od izabranih tipskih oblika zavise od izvornog tela - + Only features of a single source Body can be moved Mogu se pomerati samo tipski oblici jednog izvornog tela - + There are no other bodies to move to Nema drugih tela u koja se mogu premestiti - + Impossible to move the base feature of a body. Nemoguće je pomeriti osnovni tipski oblik tela. - + Select one or more features from the same body. Izaberi jedan ili više tipskih oblika od istog tela. - + Beginning of the body Početak tela - + Dependency violation Narušena međuzavisnost - + Early feature must not depend on later feature. @@ -3699,29 +3700,29 @@ Ovo može dovesti do neočekivanih rezultata. - + No previous feature found Nije pronađen prethodni tipski oblik - + It is not possible to create a subtractive feature without a base feature available 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 linija %1 @@ -4755,25 +4756,25 @@ iznad 90: veći poluprečnik rupe na dnu Nepodržana bulova operacija - + - + Resulting shape is not a solid Dobijeni oblik nije puno telo - - - + + + - + Result has multiple solids: that is not currently supported. @@ -4853,71 +4854,71 @@ iznad 90: veći poluprečnik rupe na dnu - izabrana skica ne pripada aktivnom Telu. - + Length too small Dužina je suviše mala - + Second length too small Druga dužina je suviše mala - + Failed to obtain profile shape Nije moguće obezbediti profilni oblik - + Creation failed because direction is orthogonal to sketch's normal vector Pravljenje nije uspelo jer je pravac ortogonalan vektoru normale skice - + Extrude: Can only offset one face Izvlačenje: Moguće je odmaći samo jednu stranicu - - + + Creating a face from sketch failed Pravljenje stranica pomoću skice nije uspelo - + Up to face: Could not get SubShape! Do stranice: Nije moguće dohvatiti pod-oblik! - + Unable to reach the selected shape, please select faces Unable to reach the selected shape, please select faces - + Magnitude of taper angle matches or exceeds 90 degrees Veličina ugla suženja odgovara ili prelazi 90 stepeni - + Padding with draft angle failed Izvlačenje sa nagibom nije uspelo - + Revolve axis intersects the sketch Osa obrtanja preseca skicu - + Could not revolve the sketch! Nije moguće obrnuti skicu! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. @@ -5115,22 +5116,22 @@ Ukrštanje elemenata skice ili više stranica u skici nije dozvoljeno za pravlje Izvlačenje po presecima: Potreban je barem jedan presek - + Loft: A fatal error occurred when making the loft Izvlačenje po presecima: Došlo je do fatalne greške prilikom pravljenja izvlačenja po presecima - + Loft: Creating a face from sketch failed Izvlačenje po presecima: Pravljenje stranice pomoću skice nije uspelo - + Loft: Failed to create shell Izvlačenje po presecima: Nije uspelo pravljenje ljuske - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed. Nije moguće napraviti stranice pomoću skice. @@ -5247,13 +5248,13 @@ Nije dozvoljeno ukrštanje elemenata ili više stranica u skici. Ne mogu da oduzmem primitiv bez osnovnog tipskog oblika - + Unknown operation type Nepoznata vrsta operacije - + Failed to perform boolean operation Bulova operacija nije uspela @@ -5357,22 +5358,22 @@ Nije dozvoljeno ukrštanje elemenata ili više stranica u skici. delta x2 klina je negativno - + Angle of revolution too large Ugao obrtanja je suviše veliki - + Angle of revolution too small Ugao obrtanja je suviše mali - + Reference axis is invalid Referentna osa je neispravna - + Fusion with base feature failed Unija sa osnovnim tipskim oblikom nije uspela @@ -5418,12 +5419,12 @@ Nije dozvoljeno ukrštanje elemenata ili više stranica u skici. CmdPartDesignCompDatums - + Create datum Napravi pomoćne elemente - + Create a datum object or local coordinate system Napravi pomoćne elemente ili lokalni koordinatni sistem @@ -5431,14 +5432,30 @@ Nije dozvoljeno ukrštanje elemenata ili više stranica u skici. CmdPartDesignCompSketches - + Create datum Napravi pomoćne elemente - + Create a datum object or local coordinate system Napravi pomoćne elemente ili lokalni koordinatni sistem + + PartDesignGui::TaskDlgRevolutionParameters + + + Revolution parameters + Parametri obrtanja + + + + PartDesignGui::TaskDlgGrooveParameters + + + Groove parameters + Groove parameters + + diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_sr.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_sr.ts index c4aeba8e3ba9..edbc2c152cc2 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_sr.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_sr.ts @@ -129,17 +129,17 @@ so that self intersection is avoided. CmdPartDesignAdditiveHelix - + PartDesign Конструисање делова - + Additive helix Додај завојницу - + Sweep a selected sketch along a helix Извуци изабрану скицу дуж завојнице @@ -147,17 +147,17 @@ so that self intersection is avoided. CmdPartDesignAdditiveLoft - + PartDesign Конструисање делова - + Additive loft Додај извлачење по пресецима - + Loft a selected profile through other profile sections Извуци изабрани пресек ка другом пресеку @@ -165,17 +165,17 @@ so that self intersection is avoided. CmdPartDesignAdditivePipe - + PartDesign Конструисање делова - + Additive pipe Додај извлачење по путањи - + Sweep a selected sketch along a path or to other profiles Извуци изабрани пресек по путањи или ка другом пресеку @@ -183,17 +183,17 @@ so that self intersection is avoided. CmdPartDesignBody - + PartDesign Конструисање делова - + Create body Направи тело - + Create a new body and make it active Направи ново тело и учини га активним @@ -201,17 +201,17 @@ so that self intersection is avoided. CmdPartDesignBoolean - + PartDesign Конструисање делова - + Boolean operation Буловe операцијe - + Boolean operation with two or more bodies Булова операција са са два или више тела @@ -237,17 +237,17 @@ so that self intersection is avoided. CmdPartDesignChamfer - + PartDesign Конструисање делова - + Chamfer Обaрање ивица - + Chamfer the selected edges of a shape Обори изабране ивице облика @@ -273,17 +273,17 @@ so that self intersection is avoided. CmdPartDesignDraft - + PartDesign Конструисање делова - + Draft Закошење - + Make a draft on a face Нагни страницу @@ -291,17 +291,17 @@ so that self intersection is avoided. CmdPartDesignDuplicateSelection - + PartDesign Конструисање делова - + Duplicate selected object Дуплирај изабрани објекат - + Duplicates the selected object and adds it to the active body Дуплира изабрани објекат и додаје га у активно тело @@ -309,17 +309,17 @@ so that self intersection is avoided. CmdPartDesignFillet - + PartDesign Конструисање делова - + Fillet Заобљење - + Make a fillet on an edge, face or body Заобли ивицу, страницу, или тело @@ -327,17 +327,17 @@ so that self intersection is avoided. CmdPartDesignGroove - + PartDesign Конструисање делова - + Groove Кружно удубљење - + Groove a selected sketch Направи кружно удубљење помоћу изабране скице @@ -345,17 +345,17 @@ so that self intersection is avoided. CmdPartDesignHole - + PartDesign Конструисање делова - + Hole Рупа - + Create a hole with the selected sketch Направи рупу помоћу изабране скице @@ -381,17 +381,17 @@ so that self intersection is avoided. CmdPartDesignLinearPattern - + PartDesign Конструисање делова - + LinearPattern Линеарно умножавање - + Create a linear pattern feature Направи типски облик линеарно умножавање @@ -399,17 +399,17 @@ so that self intersection is avoided. CmdPartDesignMigrate - + PartDesign Конструисање делова - + Migrate Мигрирај - + Migrate document to the modern PartDesign workflow Мигрирај документ у ток рада модерног окружења Конструисање делова @@ -417,17 +417,17 @@ so that self intersection is avoided. CmdPartDesignMirrored - + PartDesign Конструисање делова - + Mirrored Симетрично пресликавање - + Create a mirrored feature Направи симетрични типски облик @@ -435,17 +435,17 @@ so that self intersection is avoided. CmdPartDesignMoveFeature - + PartDesign Конструисање делова - + Move object to other body Премести објекат у друго тело - + Moves the selected object to another body Премешта изабрани објекат у друго тело @@ -453,17 +453,17 @@ so that self intersection is avoided. CmdPartDesignMoveFeatureInTree - + PartDesign Конструисање делова - + Move object after other object Премести објекат иза другог објакта - + Moves the selected object and insert it after another object Премешта изабрани објекат и умеће га иза другог објекта @@ -471,17 +471,17 @@ so that self intersection is avoided. CmdPartDesignMoveTip - + PartDesign Конструисање делова - + Set tip Прогласи за крајњи - + Move the tip of the body Помери крајњи @@ -489,17 +489,17 @@ so that self intersection is avoided. CmdPartDesignMultiTransform - + PartDesign Конструисање делова - + Create MultiTransform Вишеструка трансформација - + Create a multitransform feature Направи типски облик вишеcтруком транcформациом @@ -561,17 +561,17 @@ so that self intersection is avoided. CmdPartDesignPocket - + PartDesign Конструисање делова - + Pocket Удубљење - + Create a pocket with the selected sketch Направи кружно удубљење помоћу изабране скице @@ -597,17 +597,17 @@ so that self intersection is avoided. CmdPartDesignPolarPattern - + PartDesign Конструисање делова - + PolarPattern Кружно умножавање - + Create a polar pattern feature Направи типски облик кружно умножавање @@ -615,17 +615,17 @@ so that self intersection is avoided. CmdPartDesignRevolution - + PartDesign Конструисање делова - + Revolution Обртање - + Revolve a selected sketch Обрни изабрану скицу око осе @@ -633,17 +633,17 @@ so that self intersection is avoided. CmdPartDesignScaled - + PartDesign Конструисање делова - + Scaled Скалирано - + Create a scaled feature Направи скалирани типски облик @@ -683,17 +683,17 @@ so that self intersection is avoided. CmdPartDesignSubtractiveHelix - + PartDesign Конструисање делова - + Subtractive helix Одузми завојницу - + Sweep a selected sketch along a helix and remove it from the body Извуци изабрану скицу дуж завојнице и одузми од тела @@ -701,17 +701,17 @@ so that self intersection is avoided. CmdPartDesignSubtractiveLoft - + PartDesign Конструисање делова - + Subtractive loft Одузми извлачење по пресецима - + Loft a selected profile through other profile sections and remove it from the body Извуци изабрани пресек ка другом пресеку и одузми га од тела @@ -719,17 +719,17 @@ so that self intersection is avoided. CmdPartDesignSubtractivePipe - + PartDesign Конструисање делова - + Subtractive pipe Одузми извлачење по путањи - + Sweep a selected sketch along a path or to other profiles and remove it from the body Извуци изабрану скицу по путањи и одузми од тела @@ -737,17 +737,17 @@ so that self intersection is avoided. CmdPartDesignThickness - + PartDesign Конструисање делова - + Thickness Танкозидно тело - + Make a thick solid Направи танкозидно пуно тело @@ -766,42 +766,42 @@ so that self intersection is avoided. Додај примитив - + Additive Box Додај квадар - + Additive Cylinder Додај ваљак - + Additive Sphere Додај лопту - + Additive Cone Додај купу - + Additive Ellipsoid Додај елипсоид - + Additive Torus Додај торус - + Additive Prism Додај призму - + Additive Wedge Додај клин @@ -809,53 +809,53 @@ so that self intersection is avoided. CmdPrimtiveCompSubtractive - + PartDesign Конструисање делова - - + + Create a subtractive primitive Одузми примитив - + Subtractive Box Одузми квадар - + Subtractive Cylinder Одузми ваљак - + Subtractive Sphere Одузми лопту - + Subtractive Cone Одузми купу - + Subtractive Ellipsoid Одузми елипсоид - + Subtractive Torus Одузми торус - + Subtractive Prism Одузми призму - + Subtractive Wedge Одузми клин @@ -895,47 +895,48 @@ so that self intersection is avoided. + Create a new Sketch Направи нову скицу - + Convert to MultiTransform feature Претвори у типски облик добијен вишеструком трансформацијом - + Create Boolean Направи булову операцију - + Add a Body Додај тело - + Migrate legacy Part Design features to Bodies Мигрирај наслеђене типске облике у Тела - + Move tip to selected feature Помери крајњи ка изабраном типском облику - + Duplicate a PartDesign object Дуплирај објекат окружења Конструисање делова - + Move an object Помери објекат - + Move an object inside tree Помери објекат унутар стабла @@ -1606,7 +1607,7 @@ click again to end selection PartDesignGui::TaskDlgFeatureParameters - + Input error Грешка приликом уноса @@ -1699,13 +1700,13 @@ click again to end selection PartDesignGui::TaskExtrudeParameters - + No face selected Страница није изабрана - + Face Страница @@ -1725,38 +1726,38 @@ click again to end selection Изабери странице - + No shape selected Нема одабраних облика - + Sketch normal Нормала на скицу - + Face normal Нормала на страницу - + Select reference... Изабери сопствену... - - + + Custom direction Сопствени смер - + Click on a shape in the model Кликни на неки обик на моделу - + Click on a face in the model Кликни на страницу модела @@ -2802,7 +2803,7 @@ measured along the specified direction - + Dimension Вредност @@ -2813,19 +2814,19 @@ measured along the specified direction - + Base X axis Основна X оса - + Base Y axis Основна Y оса - + Base Z axis Основна Z оса @@ -2841,7 +2842,7 @@ measured along the specified direction - + Select reference... Изабери сопствену... @@ -2851,24 +2852,24 @@ measured along the specified direction Угао: - + Symmetric to plane Симетрично у односу на раван - + Reversed Обрнути смер - + 2nd angle Други угао - - + + Face Страница @@ -2878,37 +2879,37 @@ measured along the specified direction Ажурирај поглед - + Revolution parameters Параметри обртања - + To last До задње - + Through all Кроз све - + To first До прве - + Up to face До странице - + Two dimensions Две вредности - + No face selected Страница није изабрана @@ -3238,42 +3239,42 @@ click again to end selection PartDesign_CompPrimitiveAdditive - + Create an additive box by its width, height, and length Додај квадар направљен на основу његове ширине, висине и дужине - + Create an additive cylinder by its radius, height, and angle Додај направљени ваљак на основу његовог радијуса, висине и угла - + Create an additive sphere by its radius and various angles Додај направљену лопту на основу њеног радијуса и различитих углова - + Create an additive cone Додај направљену купу - + Create an additive ellipsoid Додај направљени елипсоид - + Create an additive torus Додај направљени торус - + Create an additive prism Додај направљену призму - + Create an additive wedge Додај направљени клин @@ -3281,42 +3282,42 @@ click again to end selection PartDesign_CompPrimitiveSubtractive - + Create a subtractive box by its width, height and length Одузми квадар направљен основу његове ширине, висине и дужине - + Create a subtractive cylinder by its radius, height and angle Одузми направљени ваљак на основу његовог радијуса, висине и угла - + Create a subtractive sphere by its radius and various angles Одузми направљену лопту на основу њеног радијуса и различитих углова - + Create a subtractive cone Одузми направљену купу - + Create a subtractive ellipsoid Одузми направљени елипсоид - + Create a subtractive torus Одузми направљени торус - + Create a subtractive prism Одузми призму - + Create a subtractive wedge Одузми клин @@ -3324,12 +3325,12 @@ click again to end selection PartDesign_MoveFeature - + Select body Изабери тело - + Select a body from the list Изабери тело са листе @@ -3337,27 +3338,27 @@ click again to end selection PartDesign_MoveFeatureInTree - + Select feature Изабери елемент - + Select a feature from the list Изабери типски облик са листе - + Move tip Помери крајњи - + The moved feature appears after the currently set tip. Премештени типски облик се појављује иза крајњег. - + Do you want the last feature to be the new tip? Да ли желиш да задњи типски облик буде проглашен за крајњи? @@ -3392,42 +3393,42 @@ click again to end selection Повезивач подоблика - + Several sub-elements selected Неколико под-елемената изабрано - + You have to select a single face as support for a sketch! Мораш изабрати једну страницу као основу за скицу! - + No support face selected Није одабрана страница као основа - + You have to select a face as support for a sketch! Мораш изабрати страницу као основу за скицу! - + No planar support Нема равни као основе - + You need a planar face as support for a sketch! Потребна је равна страница као основа за скицу! - + No valid planes in this document Нема важећих равни у овом документу - + Please create a plane first or select a face to sketch on Да би могао цртати скицу прво направи раван или изабери страницу @@ -3486,211 +3487,211 @@ click again to end selection У документу није доступна скица - - + + Wrong selection Погрешан избор - + Select an edge, face, or body from a single body. Изабери ивицу, страницу или тело из једног тела. - - + + Selection is not in Active Body Избор није унутар активног тела - + Select an edge, face, or body from an active body. Изабери скицу, страницу или типски облик активног тела. - + Wrong object type Погрешна врста објекта - + %1 works only on parts. %1 ради само на телима. - + Shape of the selected Part is empty Облик изабраног дела је празан - + Please select only one feature in an active body. Изабери само један типски облик у активном телу. - + Part creation failed Неуспело креирање дела - + Failed to create a part object. Није успело креирање дела. - - - - + + + + Bad base feature Лош основни типски облик - + Body can't be based on a PartDesign feature. Тело не може бити засновано на објекту окружења Конструисање делова. - + %1 already belongs to a body, can't use it as base feature for another body. %1 већ припада телу, није могуће искористити га као основни типски облик за друго тело. - + Base feature (%1) belongs to other part. Основни типски облик (%1) припада другом телу. - + The selected shape consists of multiple solids. This may lead to unexpected results. Изабрани облик се састоји од више пуних тела. Ово може довести до неочекиваних резултата. - + The selected shape consists of multiple shells. This may lead to unexpected results. Изабрани облик се састоји од више љуски пуних тела. Ово може довести до неочекиваних резултата. - + The selected shape consists of only a shell. This may lead to unexpected results. Изабрани облик се састоји само од љуске пуног тела. Ово може довести до неочекиваних резултата. - + The selected shape consists of multiple solids or shells. This may lead to unexpected results. Изабрани облик се састоји од више пуних тела и љуски пуних тела. Ово може довести до неочекиваних резултата. - + Base feature Основни типски облик - + Body may be based on no more than one feature. Тело се може заснивати на највише једном типском облику. - + Body Тело - + Nothing to migrate Нема шта да се мигрира - + No PartDesign features found that don't belong to a body. Nothing to migrate. Нису пронађени типски облици које не припадају телу. Нема шта да се мигрира. - + Sketch plane cannot be migrated Раван скице се не може мигрирати - + Please edit '%1' and redefine it to use a Base or Datum plane as the sketch plane. Уреди '%1' и редефиниши да би користио основну или помоћну раван као раван скице. - - - - - + + + + + Selection error Грешка приликом избора - + Select exactly one PartDesign feature or a body. Изабери тачно један типски облик или тело. - + Couldn't determine a body for the selected feature '%s'. Није могуће одредити тело за изабрани типски облик '%s'. - + Only a solid feature can be the tip of a body. Само типски облик може да буде задњи у Телу. - - - + + + Features cannot be moved Типски облици се не могу померати - + Some of the selected features have dependencies in the source body Неки од изабраних типских облика зависе од изворног тела - + Only features of a single source Body can be moved Могу се померати само типски облици једног изворног тела - + There are no other bodies to move to Нема других тела у која се могу преместити - + Impossible to move the base feature of a body. Немогуће је померити основни типски облик тела. - + Select one or more features from the same body. Изабери један или више типских облика од истог тела. - + Beginning of the body Почетак тела - + Dependency violation Нарушена међузависност - + Early feature must not depend on later feature. @@ -3699,29 +3700,29 @@ This may lead to unexpected results. - + No previous feature found Није пронађен претходни типски облик - + It is not possible to create a subtractive feature without a base feature available Не можеш применити типске облике који праве удубљења ако немаш на располагању основни типски облик - + Vertical sketch axis Вертикална оcа cкице - + Horizontal sketch axis Хоризонтална оса скице - + Construction line %1 Помоћна права %1 @@ -4755,25 +4756,25 @@ over 90: larger hole radius at the bottom Неподржана булова операција - + - + Resulting shape is not a solid Добијени облик није пуно тело - - - + + + - + Result has multiple solids: that is not currently supported. @@ -4853,71 +4854,71 @@ over 90: larger hole radius at the bottom - изабрана скица не припада активном Телу. - + Length too small Дужина је сувише мала - + Second length too small Друга дужина је сувише мала - + Failed to obtain profile shape Није могуће обезбедити профилни облик - + Creation failed because direction is orthogonal to sketch's normal vector Прављење није успело јер је правац ортогоналан вектору нормале скице - + Extrude: Can only offset one face Извлачење: Могуће је одмаћи само једну страницу - - + + Creating a face from sketch failed Прављење страница помоћу скице није успело - + Up to face: Could not get SubShape! До странице: Није могуће дохватити под-облик! - + Unable to reach the selected shape, please select faces Unable to reach the selected shape, please select faces - + Magnitude of taper angle matches or exceeds 90 degrees Величина угла сужења одговара или прелази 90 степени - + Padding with draft angle failed Извлачење са нагибом није успело - + Revolve axis intersects the sketch Оса обртања пресеца скицу - + Could not revolve the sketch! Није могуће обрнути скицу! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. @@ -5115,22 +5116,22 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed for m Извлачење по пресецима: Потребан је барем један пресек - + Loft: A fatal error occurred when making the loft Извлачење по пресецима: Дошло је до фаталне грешке приликом прављења извлачења по пресецима - + Loft: Creating a face from sketch failed Извлачење по пресецима: Прављење странице помоћу скице није успело - + Loft: Failed to create shell Извлачење по пресецима: Није успело прављење љуске - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed. Није могуће направити странице помоћу скице. @@ -5247,13 +5248,13 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed.Не могу да одузмем примитив без основног типског облика - + Unknown operation type Непозната врста операције - + Failed to perform boolean operation Булова операција није успела @@ -5357,22 +5358,22 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed.делта x2 клина је негативно - + Angle of revolution too large Угао обртања је сувише велики - + Angle of revolution too small Угао обртања је сувише мали - + Reference axis is invalid Референтна оса је неисправна - + Fusion with base feature failed Унија са основним типским обликом није успела @@ -5418,12 +5419,12 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed. CmdPartDesignCompDatums - + Create datum Направи помоћне елементе - + Create a datum object or local coordinate system Направи помоћне елементе или локални координатни систем @@ -5431,14 +5432,30 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed. CmdPartDesignCompSketches - + Create datum Направи помоћне елементе - + Create a datum object or local coordinate system Направи помоћне елементе или локални координатни систем + + PartDesignGui::TaskDlgRevolutionParameters + + + Revolution parameters + Параметри обртања + + + + PartDesignGui::TaskDlgGrooveParameters + + + Groove parameters + Groove parameters + + 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 7ae4057b12d9..df211b80975b 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_sv-SE.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_sv-SE.ts @@ -128,17 +128,17 @@ so that self intersection is avoided. CmdPartDesignAdditiveHelix - + PartDesign Del design - + Additive helix Additiv helix - + Sweep a selected sketch along a helix Svep en markerad skiss längs en helix @@ -146,17 +146,17 @@ so that self intersection is avoided. CmdPartDesignAdditiveLoft - + PartDesign Del design - + Additive loft Additiv profilsvepning - + Loft a selected profile through other profile sections Svep en markerad profil genom andra profilsnitt @@ -164,17 +164,17 @@ so that self intersection is avoided. CmdPartDesignAdditivePipe - + PartDesign Del design - + Additive pipe Additivt rör - + Sweep a selected sketch along a path or to other profiles Svep en vald skiss längs en bana eller till andra profiler @@ -182,17 +182,17 @@ so that self intersection is avoided. CmdPartDesignBody - + PartDesign Del design - + Create body Skapa kropp - + Create a new body and make it active Skapa en ny kropp och gör den aktiv @@ -200,17 +200,17 @@ so that self intersection is avoided. CmdPartDesignBoolean - + PartDesign Del design - + Boolean operation Boolesk operation - + Boolean operation with two or more bodies Boolesk funktion med två eller fler kroppar @@ -236,17 +236,17 @@ so that self intersection is avoided. CmdPartDesignChamfer - + PartDesign Del design - + Chamfer Fasa - + Chamfer the selected edges of a shape Fasa av de markerade kanterna på en form @@ -272,17 +272,17 @@ so that self intersection is avoided. CmdPartDesignDraft - + PartDesign Del design - + Draft Släppning - + Make a draft on a face Skapa släppning på en yta @@ -290,17 +290,17 @@ so that self intersection is avoided. CmdPartDesignDuplicateSelection - + PartDesign Del design - + Duplicate selected object Duplicera markerat objekt - + Duplicates the selected object and adds it to the active body Duplicerar det markerade objektet och lägger till det till aktiva kroppen @@ -308,17 +308,17 @@ so that self intersection is avoided. CmdPartDesignFillet - + PartDesign Del design - + Fillet Avrundning - + Make a fillet on an edge, face or body Gör en avrundning på en kant, yta eller kropp @@ -326,17 +326,17 @@ so that self intersection is avoided. CmdPartDesignGroove - + PartDesign Del design - + Groove Skåra - + Groove a selected sketch Skåra från en markerad skiss @@ -344,17 +344,17 @@ so that self intersection is avoided. CmdPartDesignHole - + PartDesign Del design - + Hole Hål - + Create a hole with the selected sketch Skapa ett hål med den markerade skissen @@ -380,17 +380,17 @@ so that self intersection is avoided. CmdPartDesignLinearPattern - + PartDesign Del design - + LinearPattern Linjärt mönster - + Create a linear pattern feature Skapa en linjär mönsterfunktion @@ -398,17 +398,17 @@ so that self intersection is avoided. CmdPartDesignMigrate - + PartDesign Del design - + Migrate Migrera - + Migrate document to the modern PartDesign workflow Migrera dokumentet till det nya designflödet för Part Design @@ -416,17 +416,17 @@ so that self intersection is avoided. CmdPartDesignMirrored - + PartDesign Del design - + Mirrored Speglad - + Create a mirrored feature Skapa en speglingsfunktion @@ -434,17 +434,17 @@ so that self intersection is avoided. CmdPartDesignMoveFeature - + PartDesign Del design - + Move object to other body Flytta objekt till annan kropp - + Moves the selected object to another body Flyttar det markerade objektet till en annan kropp @@ -452,17 +452,17 @@ so that self intersection is avoided. CmdPartDesignMoveFeatureInTree - + PartDesign Del design - + Move object after other object Flytta objekt efter ett annat objekt - + Moves the selected object and insert it after another object Flyttar det markerade objektet och infogar det efter ett annat objekt @@ -470,17 +470,17 @@ so that self intersection is avoided. CmdPartDesignMoveTip - + PartDesign Del design - + Set tip Ange spets - + Move the tip of the body Flytta spetsen på kroppen @@ -488,17 +488,17 @@ so that self intersection is avoided. CmdPartDesignMultiTransform - + PartDesign Del design - + Create MultiTransform Skapa fleromvandling - + Create a multitransform feature Skapa en fleromvandlingsfunktion @@ -560,17 +560,17 @@ so that self intersection is avoided. CmdPartDesignPocket - + PartDesign Del design - + Pocket Ficka - + Create a pocket with the selected sketch Skapa en hålighet av den markerade skissen @@ -596,17 +596,17 @@ so that self intersection is avoided. CmdPartDesignPolarPattern - + PartDesign Del design - + PolarPattern Polärt mönster - + Create a polar pattern feature Skapa en polär mönsterfunktion @@ -614,17 +614,17 @@ so that self intersection is avoided. CmdPartDesignRevolution - + PartDesign Del design - + Revolution Varv - + Revolve a selected sketch Rotera en vald skiss @@ -632,17 +632,17 @@ so that self intersection is avoided. CmdPartDesignScaled - + PartDesign Del design - + Scaled Skalad - + Create a scaled feature Skapa en skalningsfunktion @@ -682,17 +682,17 @@ so that self intersection is avoided. CmdPartDesignSubtractiveHelix - + PartDesign Del design - + Subtractive helix Subtraktiv helix - + Sweep a selected sketch along a helix and remove it from the body Svep markerad skiss längs en helix och ta bort från kroppen @@ -700,17 +700,17 @@ so that self intersection is avoided. CmdPartDesignSubtractiveLoft - + PartDesign Del design - + Subtractive loft Subtraktiv svepning - + Loft a selected profile through other profile sections and remove it from the body Svep en markerad profil genom andra profilsnitt och ta bort från kroppen @@ -718,17 +718,17 @@ so that self intersection is avoided. CmdPartDesignSubtractivePipe - + PartDesign Del design - + Subtractive pipe Subtraktivt rör - + Sweep a selected sketch along a path or to other profiles and remove it from the body Svep en markerad skiss längs en bana eller till andra profiler och subtrahera från kroppen @@ -736,17 +736,17 @@ so that self intersection is avoided. CmdPartDesignThickness - + PartDesign Del design - + Thickness Tjocklek - + Make a thick solid Skapa en solid med tjocklek @@ -765,42 +765,42 @@ so that self intersection is avoided. Skapa en additiv primitiv - + Additive Box Additiv låda - + Additive Cylinder Additiv cylinder - + Additive Sphere Additiv sfär - + Additive Cone Additiv kon - + Additive Ellipsoid Additiv ellipsoid - + Additive Torus Additiv torus - + Additive Prism Additivt prisma - + Additive Wedge Additiv kil @@ -808,53 +808,53 @@ so that self intersection is avoided. CmdPrimtiveCompSubtractive - + PartDesign Del design - - + + Create a subtractive primitive Skapa en subtraktiv primitiv - + Subtractive Box Subtraktiv låda - + Subtractive Cylinder Subtraktiv cylinder - + Subtractive Sphere Subtraktiv sfär - + Subtractive Cone Subtraktiv kon - + Subtractive Ellipsoid Subtraktiv ellipsoid - + Subtractive Torus Subtraktiv torus - + Subtractive Prism Subtraktivt prisma - + Subtractive Wedge Subtraktiv kil @@ -894,47 +894,48 @@ so that self intersection is avoided. + Create a new Sketch Skapa en ny skiss - + Convert to MultiTransform feature Convert to MultiTransform feature - + Create Boolean Create Boolean - + Add a Body Lägg till en kropp - + Migrate legacy Part Design features to Bodies Migrate legacy Part Design features to Bodies - + Move tip to selected feature Move tip to selected feature - + Duplicate a PartDesign object Duplicate a PartDesign object - + Move an object Flytta ett objekt - + Move an object inside tree Move an object inside tree @@ -1605,7 +1606,7 @@ click again to end selection PartDesignGui::TaskDlgFeatureParameters - + Input error Inmatningsfel @@ -1698,13 +1699,13 @@ click again to end selection PartDesignGui::TaskExtrudeParameters - + No face selected Inget yta vald - + Face Yta @@ -1724,38 +1725,38 @@ click again to end selection Markera ytor - + No shape selected Ingen form har valts - + Sketch normal Sketch normal - + Face normal Face normal - + Select reference... Välj referens... - - + + Custom direction Custom direction - + Click on a shape in the model Click on a shape in the model - + Click on a face in the model Click on a face in the model @@ -2801,7 +2802,7 @@ measured along the specified direction - + Dimension Dimension @@ -2812,19 +2813,19 @@ measured along the specified direction - + Base X axis Basens X-axel - + Base Y axis Basens Y-axel - + Base Z axis Basens Z-axel @@ -2840,7 +2841,7 @@ measured along the specified direction - + Select reference... Välj referens... @@ -2850,24 +2851,24 @@ measured along the specified direction Vinkel: - + Symmetric to plane Symmetrisk till plan - + Reversed Omvänd - + 2nd angle 2:a vinkel - - + + Face Yta @@ -2877,37 +2878,37 @@ measured along the specified direction Uppdatera vy - + Revolution parameters Vridningsparametrar - + To last Till sista - + Through all Genom alla - + To first Till första - + Up to face Upp till yta - + Two dimensions Två dimensioner - + No face selected Inget yta vald @@ -3237,42 +3238,42 @@ click again to end selection PartDesign_CompPrimitiveAdditive - + Create an additive box by its width, height, and length Create an additive box by its width, height, and length - + Create an additive cylinder by its radius, height, and angle Create an additive cylinder by its radius, height, and angle - + Create an additive sphere by its radius and various angles Skapa en additiv sfär av en radie och diverse vinklar - + Create an additive cone Skapa en additiv kon - + Create an additive ellipsoid Skapa en additiv ellipsoid - + Create an additive torus Skapa en additiv torus - + Create an additive prism Skapa ett additivt prisma - + Create an additive wedge Skapa en additiv kil @@ -3280,42 +3281,42 @@ click again to end selection PartDesign_CompPrimitiveSubtractive - + Create a subtractive box by its width, height and length Skapa en subtraktiv låda av bredd, höjd och längd - + Create a subtractive cylinder by its radius, height and angle Skapa en subtraktiv cylinder av radie, höjd och vinkel - + Create a subtractive sphere by its radius and various angles Skapa en subtraktiv sfär av radie och diverse vinklar - + Create a subtractive cone Skapa en subtraktiv kon - + Create a subtractive ellipsoid Skapa en subtraktiv ellipsoid - + Create a subtractive torus Skapa en subtraktiv torus - + Create a subtractive prism Skapa ett subtraktivt prisma - + Create a subtractive wedge Skapa en subtraktiv kil @@ -3323,12 +3324,12 @@ click again to end selection PartDesign_MoveFeature - + Select body Markera kropp - + Select a body from the list Markera en kropp från listan @@ -3336,27 +3337,27 @@ click again to end selection PartDesign_MoveFeatureInTree - + Select feature Markera funktion - + Select a feature from the list Markera en funktion från listan - + Move tip Move tip - + The moved feature appears after the currently set tip. The moved feature appears after the currently set tip. - + Do you want the last feature to be the new tip? Do you want the last feature to be the new tip? @@ -3391,42 +3392,42 @@ click again to end selection Sub-Shape Binder - + Several sub-elements selected Flera underelement valda - + You have to select a single face as support for a sketch! Du måste välja en enkel yta som stöd för en skiss! - + No support face selected Ingen stödyta vald - + You have to select a face as support for a sketch! Du måste välja en yta som stöd för en skiss! - + No planar support Inget planärt stöd - + You need a planar face as support for a sketch! Du behöver en plan yta som stöd för en skiss! - + No valid planes in this document Inga giltiga plan i detta dokument - + Please create a plane first or select a face to sketch on Vänligen skapa ett plan först eller välj en yta att skissa på @@ -3485,207 +3486,207 @@ click again to end selection Ingen skiss är tillgänglig i dokumentet - - + + Wrong selection Fel val - + Select an edge, face, or body from a single body. Select an edge, face, or body from a single body. - - + + Selection is not in Active Body Markering är inte i aktiv kropp - + Select an edge, face, or body from an active body. Select an edge, face, or body from an active body. - + Wrong object type Fel objekttyp - + %1 works only on parts. %1 fungerar bara på delar. - + Shape of the selected Part is empty Formen på den markerade delen är tom - + Please select only one feature in an active body. Please select only one feature in an active body. - + Part creation failed Misslyckades med att skapa del - + Failed to create a part object. Misslyckades med att skapa en del. - - - - + + + + Bad base feature Felaktig basfunktion - + Body can't be based on a PartDesign feature. Kroppen kan inte baseras på en PartDesign-funktion. - + %1 already belongs to a body, can't use it as base feature for another body. %1 tillhör redan en kropp, kan inte använda den som basfunktion för en annan kropp. - + Base feature (%1) belongs to other part. Basfunktion (%1) tillhör en annan del. - + The selected shape consists of multiple solids. This may lead to unexpected results. Den markerade formen består av flera solider. Detta kan leda till oväntade resultat. - + The selected shape consists of multiple shells. This may lead to unexpected results. Den markerade formen består av flera skal. Detta kan leda till oväntade resultat. - + The selected shape consists of only a shell. This may lead to unexpected results. Den markerade formen består av enbart ett skal. Detta kan leda till oväntade resultat. - + The selected shape consists of multiple solids or shells. This may lead to unexpected results. Den markerade formen består av flera solider eller skal. Detta kan leda till oväntade resultat. - + Base feature Basfunktion - + Body may be based on no more than one feature. Kroppen kan baseras på enbart en funktion. - + Body Body - + Nothing to migrate Inget att migrera - + No PartDesign features found that don't belong to a body. Nothing to migrate. No PartDesign features found that don't belong to a body. Nothing to migrate. - + Sketch plane cannot be migrated Skissplanet kan inte migreras - + Please edit '%1' and redefine it to use a Base or Datum plane as the sketch plane. Vänligen redigera '%1' och omdefiniera det att använda ett bas- eller utgångsplan som skissplan. - - - - - + + + + + Selection error Markeringsfel - + Select exactly one PartDesign feature or a body. Välj exakt en PartDesign-funktion eller en kropp. - + Couldn't determine a body for the selected feature '%s'. Kunde inte fastställa en kropp för den markerade funktionen '%s'. - + Only a solid feature can be the tip of a body. Endast en solid funktion kan vara spetsen hos en kropp. - - - + + + Features cannot be moved Funktionerna kan inte flyttas - + Some of the selected features have dependencies in the source body Några av de markerade funktionerna har beroenden i källkroppen - + Only features of a single source Body can be moved Bara funktioner av enbart en källkropp kan flyttas - + There are no other bodies to move to Det finns inga andra kroppar att flytta till - + Impossible to move the base feature of a body. Omöjligt att flytta basfunktionen av en kropp. - + Select one or more features from the same body. Markera en eller fler funktioner från samma kropp. - + Beginning of the body Början av kroppen - + Dependency violation Dependency violation - + Early feature must not depend on later feature. @@ -3694,29 +3695,29 @@ This may lead to unexpected results. - + No previous feature found Ingen föregående funktion hittad - + It is not possible to create a subtractive feature without a base feature available Det går inte att skapa en subtraktiv funktion utan en tillgänglig basfunktion - + Vertical sketch axis Vertikal skissaxel - + Horizontal sketch axis Horisontell skissaxel - + Construction line %1 Konstruktionslinje %1 @@ -4749,25 +4750,25 @@ over 90: larger hole radius at the bottom Unsupported boolean operation - + - + Resulting shape is not a solid Resulting shape is not a solid - - - + + + - + Result has multiple solids: that is not currently supported. @@ -4847,71 +4848,71 @@ over 90: larger hole radius at the bottom - the selected sketch does not belong to the active Body. - + Length too small Length too small - + Second length too small Second length too small - + Failed to obtain profile shape Failed to obtain profile shape - + Creation failed because direction is orthogonal to sketch's normal vector Creation failed because direction is orthogonal to sketch's normal vector - + Extrude: Can only offset one face Extrude: Can only offset one face - - + + Creating a face from sketch failed Creating a face from sketch failed - + Up to face: Could not get SubShape! Up to face: Could not get SubShape! - + Unable to reach the selected shape, please select faces Unable to reach the selected shape, please select faces - + Magnitude of taper angle matches or exceeds 90 degrees Magnitude of taper angle matches or exceeds 90 degrees - + Padding with draft angle failed Padding with draft angle failed - + Revolve axis intersects the sketch Revolve axis intersects the sketch - + 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. @@ -5109,22 +5110,22 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed for m Loft: At least one section is needed - + Loft: A fatal error occurred when making the loft Loft: A fatal error occurred when making the loft - + Loft: Creating a face from sketch failed Loft: Creating a face from sketch failed - + Loft: Failed to create shell Loft: Failed to create shell - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed. Could not create face from sketch. @@ -5241,13 +5242,13 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed.Cannot subtract primitive feature without base feature - + Unknown operation type Unknown operation type - + Failed to perform boolean operation Failed to perform boolean operation @@ -5351,22 +5352,22 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed.delta x2 of wedge is negative - + Angle of revolution too large Angle of revolution too large - + Angle of revolution too small Angle of revolution too small - + Reference axis is invalid Reference axis is invalid - + Fusion with base feature failed Fusion with base feature failed @@ -5412,12 +5413,12 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed. CmdPartDesignCompDatums - + Create datum Create datum - + Create a datum object or local coordinate system Create a datum object or local coordinate system @@ -5425,14 +5426,30 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed. CmdPartDesignCompSketches - + Create datum Create datum - + Create a datum object or local coordinate system Create a datum object or local coordinate system + + PartDesignGui::TaskDlgRevolutionParameters + + + Revolution parameters + Vridningsparametrar + + + + PartDesignGui::TaskDlgGrooveParameters + + + Groove parameters + Groove parameters + + diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_tr.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_tr.ts index 9b13c8b185c7..2fd5ed45b955 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_tr.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_tr.ts @@ -129,17 +129,17 @@ so that self intersection is avoided. CmdPartDesignAdditiveHelix - + PartDesign ParçaTasarımı - + Additive helix Ek sarmal - + Sweep a selected sketch along a helix Seçili eskizi helis boyunca süpür @@ -147,17 +147,17 @@ so that self intersection is avoided. CmdPartDesignAdditiveLoft - + PartDesign ParçaTasarımı - + Additive loft Çatıla - + Loft a selected profile through other profile sections Seçili profili diğer profil bölümleri ile çatıla @@ -165,17 +165,17 @@ so that self intersection is avoided. CmdPartDesignAdditivePipe - + PartDesign ParçaTasarımı - + Additive pipe Borula - + Sweep a selected sketch along a path or to other profiles Seçili eskizi bir yol boyunca ya da diğer profillere kadar süpür @@ -183,17 +183,17 @@ so that self intersection is avoided. CmdPartDesignBody - + PartDesign ParçaTasarımı - + Create body Cisim oluştur - + Create a new body and make it active Yeni bir gövde oluştur ve etkinleştir @@ -201,17 +201,17 @@ so that self intersection is avoided. CmdPartDesignBoolean - + PartDesign ParçaTasarımı - + Boolean operation Mantıksal İşlem - + Boolean operation with two or more bodies İki veya daha fazla gövdeye sahip Mantıksal işlem @@ -237,17 +237,17 @@ so that self intersection is avoided. CmdPartDesignChamfer - + PartDesign ParçaTasarımı - + Chamfer Pah kır - + Chamfer the selected edges of a shape Şeklin seçilen kenarlarına pah kır @@ -273,17 +273,17 @@ so that self intersection is avoided. CmdPartDesignDraft - + PartDesign ParçaTasarımı - + Draft Taslak - + Make a draft on a face Bir yüze taslak oluştur @@ -291,17 +291,17 @@ so that self intersection is avoided. CmdPartDesignDuplicateSelection - + PartDesign ParçaTasarımı - + Duplicate selected object Seçili nesneyi kopyala - + Duplicates the selected object and adds it to the active body Seçilen nesneyi kopyalar ve aktif cisime ekler @@ -309,17 +309,17 @@ so that self intersection is avoided. CmdPartDesignFillet - + PartDesign ParçaTasarımı - + Fillet Yuvarla - + Make a fillet on an edge, face or body Bir kenar, yüzey ya da gövdeyi yuvarla, kavis ver @@ -327,17 +327,17 @@ so that self intersection is avoided. CmdPartDesignGroove - + PartDesign ParçaTasarımı - + Groove Oluk - + Groove a selected sketch Seçili bir eskizden oluk (yiv) oluştur @@ -345,17 +345,17 @@ so that self intersection is avoided. CmdPartDesignHole - + PartDesign ParçaTasarımı - + Hole Delik - + Create a hole with the selected sketch Seçili eskiz ile bir delik oluştur @@ -381,17 +381,17 @@ so that self intersection is avoided. CmdPartDesignLinearPattern - + PartDesign ParçaTasarımı - + LinearPattern Doğrusal çoğaltma - + Create a linear pattern feature Doğrusal çoğaltım özelliği oluştur @@ -399,17 +399,17 @@ so that self intersection is avoided. CmdPartDesignMigrate - + PartDesign ParçaTasarımı - + Migrate GeçişYap - + Migrate document to the modern PartDesign workflow Belgeyi modern ParçaTasarım (PartDesign) iş akışına geçir @@ -417,17 +417,17 @@ so that self intersection is avoided. CmdPartDesignMirrored - + PartDesign ParçaTasarımı - + Mirrored Aynala - + Create a mirrored feature Bir Aynalama özelliği oluştur @@ -435,17 +435,17 @@ so that self intersection is avoided. CmdPartDesignMoveFeature - + PartDesign ParçaTasarımı - + Move object to other body Nesneyi diğer cisme taşı - + Moves the selected object to another body Seçili nesneyi başka bir cisme taşır @@ -453,17 +453,17 @@ so that self intersection is avoided. CmdPartDesignMoveFeatureInTree - + PartDesign ParçaTasarımı - + Move object after other object Nesneyi diğer nesnesinden sonra taşı - + Moves the selected object and insert it after another object Seçili nesneyi taşır ve başka bir nesnenin arkasına yerleştirir @@ -471,17 +471,17 @@ so that self intersection is avoided. CmdPartDesignMoveTip - + PartDesign ParçaTasarımı - + Set tip Ucu ayarla - + Move the tip of the body Cismin ucunu hareket ettirin @@ -489,17 +489,17 @@ so that self intersection is avoided. CmdPartDesignMultiTransform - + PartDesign ParçaTasarımı - + Create MultiTransform ÇokluDönüşüm oluştur - + Create a multitransform feature Bir ÇokluDönüşüm özelliği oluştur @@ -561,17 +561,17 @@ so that self intersection is avoided. CmdPartDesignPocket - + PartDesign ParçaTasarımı - + Pocket Boşluk - + Create a pocket with the selected sketch Seçili eskizde cep oluşturun @@ -597,17 +597,17 @@ so that self intersection is avoided. CmdPartDesignPolarPattern - + PartDesign ParçaTasarımı - + PolarPattern Dairesel Çoğaltım - + Create a polar pattern feature Dairesel çoğaltım özelliği oluştur @@ -615,17 +615,17 @@ so that self intersection is avoided. CmdPartDesignRevolution - + PartDesign ParçaTasarımı - + Revolution Döndür - + Revolve a selected sketch Seçili bir eskizi döndürerek katı cisim oluştur @@ -633,17 +633,17 @@ so that self intersection is avoided. CmdPartDesignScaled - + PartDesign ParçaTasarımı - + Scaled Ölçeklendirilmiş - + Create a scaled feature Ölçekleme özellik oluştur @@ -683,17 +683,17 @@ so that self intersection is avoided. CmdPartDesignSubtractiveHelix - + PartDesign ParçaTasarımı - + Subtractive helix Çıkartılır sarmal - + Sweep a selected sketch along a helix and remove it from the body Seçilen taslağı, bir sarmal boyunca süpürün ve oluşan şekli gövdeden kaldırın @@ -701,17 +701,17 @@ so that self intersection is avoided. CmdPartDesignSubtractiveLoft - + PartDesign ParçaTasarımı - + Subtractive loft Çıkarılabilir çatılama - + Loft a selected profile through other profile sections and remove it from the body Seçili bir profili diğer profil bölümleri ile çatılayın ve gövdeden çıkarın @@ -719,17 +719,17 @@ so that self intersection is avoided. CmdPartDesignSubtractivePipe - + PartDesign ParçaTasarımı - + Subtractive pipe Çıkarılabilir borulama - + Sweep a selected sketch along a path or to other profiles and remove it from the body Seçili bir çizimi bir yol boyunca veya diğer profillere kadar süpürün ve gövdeden çıkarın @@ -737,17 +737,17 @@ so that self intersection is avoided. CmdPartDesignThickness - + PartDesign ParçaTasarımı - + Thickness Kalınlık - + Make a thick solid Katılama için et kalınlığı belirtin @@ -766,42 +766,42 @@ so that self intersection is avoided. Temel bir geometrik cisim ekle - + Additive Box Kutu ekle - + Additive Cylinder Silindir ekle - + Additive Sphere Küre ekle - + Additive Cone Koni ekle - + Additive Ellipsoid Elipsoit ekle - + Additive Torus Halka ekle - + Additive Prism Prizma ekle - + Additive Wedge Kama ekle @@ -809,53 +809,53 @@ so that self intersection is avoided. CmdPrimtiveCompSubtractive - + PartDesign ParçaTasarımı - - + + Create a subtractive primitive Çıkarılabilir bir temel öğe oluştur - + Subtractive Box Çıkartılabilir Kutu - + Subtractive Cylinder Çıkarılabilir Silindir - + Subtractive Sphere Çıkarılabilir Küre - + Subtractive Cone Çıkarılabilir Koni - + Subtractive Ellipsoid Çıkarılabilir Elipsoit - + Subtractive Torus Çıkarılabilir Halka - + Subtractive Prism Çıkarılabilir Prizma - + Subtractive Wedge Çıkarılabilir Kama @@ -895,47 +895,48 @@ so that self intersection is avoided. + Create a new Sketch Yeni skeç oluştur - + Convert to MultiTransform feature Çoklu Dönüşüm özelliğine çevir - + Create Boolean Mantıksal (İşlem) Oluştur - + Add a Body Gövde Ekle - + Migrate legacy Part Design features to Bodies Migrate legacy Part Design features to Bodies - + Move tip to selected feature İpucunu seçilen öğeye taşı - + Duplicate a PartDesign object Bir Parça Tasarımı nesnesini çoğalt - + Move an object Bir nesne taşı - + Move an object inside tree Bir nesneyi işlem ağacı içerisinde taşı @@ -1606,7 +1607,7 @@ seçimi bitirmek için tekrar basın PartDesignGui::TaskDlgFeatureParameters - + Input error Girdi hatası @@ -1699,13 +1700,13 @@ seçimi bitirmek için tekrar basın PartDesignGui::TaskExtrudeParameters - + No face selected Seçili yüz yok - + Face Yüz @@ -1725,38 +1726,38 @@ seçimi bitirmek için tekrar basın Yüzleri seç - + No shape selected Şekil seçilmedi - + Sketch normal Eskize dik - + Face normal Yüzey normali - + Select reference... Select reference... - - + + Custom direction Özel yön - + Click on a shape in the model Click on a shape in the model - + Click on a face in the model Modeldeki bir yüzeye tıklayın @@ -2802,7 +2803,7 @@ belirlenen yön boyunca ölçülecek - + Dimension Boyut @@ -2813,19 +2814,19 @@ belirlenen yön boyunca ölçülecek - + Base X axis Baz X ekseni - + Base Y axis Baz Y ekseni - + Base Z axis Baz Z ekseni @@ -2841,7 +2842,7 @@ belirlenen yön boyunca ölçülecek - + Select reference... Select reference... @@ -2851,24 +2852,24 @@ belirlenen yön boyunca ölçülecek Açı: - + Symmetric to plane Symmetric to plane - + Reversed Ters çevirilmiş - + 2nd angle 2nd angle - - + + Face Yüz @@ -2878,37 +2879,37 @@ belirlenen yön boyunca ölçülecek Görünümü güncelle - + Revolution parameters Döndürme değişkenleri - + To last To last - + Through all Tümünün üzerinden - + To first Birinciye kadar - + Up to face Yüze kadar - + Two dimensions İki boyutlu - + No face selected Seçili yüz yok @@ -3238,42 +3239,42 @@ seçimi bitirmek için tekrar basın PartDesign_CompPrimitiveAdditive - + Create an additive box by its width, height, and length Genişlik, yükseklik ve uzunluğuna göre ek bir kutu oluşturun - + Create an additive cylinder by its radius, height, and angle Yarı çap, yükseklik ve açısını girerek ilave bir silindir oluşturun - + Create an additive sphere by its radius and various angles Yarıçapı ve çeşitli açıları ile ek bir küre oluşturun - + Create an additive cone İlave bir koni oluşturun - + Create an additive ellipsoid İlave bir elipsoit oluşturun - + Create an additive torus İlave bir halka oluşturun - + Create an additive prism Katmanlı bir prizma oluşturun - + Create an additive wedge İlave bir kama oluşturun @@ -3281,42 +3282,42 @@ seçimi bitirmek için tekrar basın PartDesign_CompPrimitiveSubtractive - + Create a subtractive box by its width, height and length Genişliği, yüksekliği ve uzunluğu belirtilen çıkarılabilir bir kutu oluştur - + Create a subtractive cylinder by its radius, height and angle Yarıçapı, yüksekliği ve açısı belirtilen çıkarılabilir bir silindir oluştur - + Create a subtractive sphere by its radius and various angles Yarıçapı ve çeşitli açıları belirtilen çıkarılabilir bir küre oluştur - + Create a subtractive cone Çıkarılabilir bir koni oluştur - + Create a subtractive ellipsoid Çıkarılabilir bir ellipsoid (yumurtamsı) oluştur - + Create a subtractive torus Çıkarılabilir bir halka oluştur - + Create a subtractive prism Çıkarılabilir bir prizma oluştur - + Create a subtractive wedge Çıkarılabilir bir kama oluştur @@ -3324,12 +3325,12 @@ seçimi bitirmek için tekrar basın PartDesign_MoveFeature - + Select body Vücut seç - + Select a body from the list Listeden bir gövde seçin @@ -3337,27 +3338,27 @@ seçimi bitirmek için tekrar basın PartDesign_MoveFeatureInTree - + Select feature Özellik seç - + Select a feature from the list Listeden bir özellik seçin - + Move tip İpucuyu taşı - + The moved feature appears after the currently set tip. Taşınan özellik, o anda ayarlanmış olan ipucundan sonra görünür. - + Do you want the last feature to be the new tip? Son özelliğin yeni ipucu olmasını ister misiniz? @@ -3392,42 +3393,42 @@ seçimi bitirmek için tekrar basın Alt Şekil Bağlayıcı - + Several sub-elements selected Birkaç alt eleman seçildi - + You have to select a single face as support for a sketch! Bir eskizi desteklemek için tek bir yüzey seçmelisiniz! - + No support face selected Desteklenmeyen bir yüz seçili - + You have to select a face as support for a sketch! Taslak çizimi destekeleyen bir yüz seçmelisin! - + No planar support Düzlemsel desteği yok - + You need a planar face as support for a sketch! Bir eskiz desteği için düzlemsel bir yüze ihtiyacınız var! - + No valid planes in this document Bu belgede geçerli uçaklar yok - + Please create a plane first or select a face to sketch on Lütfen önce bir düzlem oluşturun ya da bir eskiz yüzeyi seçin @@ -3486,211 +3487,211 @@ seçimi bitirmek için tekrar basın Belgede mevcut bir eskiz yok - - + + Wrong selection Yanlış seçim - + Select an edge, face, or body from a single body. Tek bir gövdeden bir kenar, yüz veya gövde seçin. - - + + Selection is not in Active Body Seçim Aktif Gövdede Değil - + Select an edge, face, or body from an active body. Etkin bir gövdeden bir kenar, yüz veya gövde seçin. - + Wrong object type Yanlış nesne türü - + %1 works only on parts. %1 sadece parçalar üzerinde çalışır. - + Shape of the selected Part is empty Seçilen Bölümün Şekli Boş - + Please select only one feature in an active body. Lütfen etkin gövdedeki tek bir çizim özelliğini seçin. - + Part creation failed Parça oluşturma başarısız oldu - + Failed to create a part object. Bir parça nesnesi oluşturulamadı. - - - - + + + + Bad base feature Kötü temel özellik - + Body can't be based on a PartDesign feature. Gövde, bir PartDesign özelliğine dayanamaz. - + %1 already belongs to a body, can't use it as base feature for another body. %1 zaten bir gövdeye ait, başka bir gövde için temel özellik olarak kullanılamaz. - + Base feature (%1) belongs to other part. Temel özellik (%1) başka bir parçaya ait. - + The selected shape consists of multiple solids. This may lead to unexpected results. Seçilen şekil birden fazla katıyı içerir. Bu, beklenmedik sonuçlara neden olabilir. - + The selected shape consists of multiple shells. This may lead to unexpected results. Seçilen şekil birden fazla kabuktan oluşur. Bu, beklenmedik sonuçlara neden olabilir. - + The selected shape consists of only a shell. This may lead to unexpected results. Seçilen şekil yalnızca bir kabuktan oluşur. Bu, beklenmedik sonuçlara neden olabilir. - + The selected shape consists of multiple solids or shells. This may lead to unexpected results. Seçilen şekil çok katlı veya kabuktan oluşur. Bu, beklenmedik sonuçlara neden olabilir. - + Base feature Temel özellik - + Body may be based on no more than one feature. Vücut birden fazla özelliğe dayanmayabilir. - + Body Gövde - + Nothing to migrate Geçiş yapılacak hiçbir şey yok - + No PartDesign features found that don't belong to a body. Nothing to migrate. Gövdeye ait olmayan hiçbir Parça Tasarımı özelliği bulunamadı. Aktarılacak bir şey yok. - + Sketch plane cannot be migrated Eskiz düzlemi geçişi yapılamadı - + Please edit '%1' and redefine it to use a Base or Datum plane as the sketch plane. Lütfen '%1' i düzenleyin ve eskiz düzlemi olarak bir Taban veya Kıyas düzlemi kullanmak için yeniden tanımlayın. - - - - - + + + + + Selection error Seçim hatası - + Select exactly one PartDesign feature or a body. Tam olarak bir adet PartDesign özelliği veya bir gövde seçin. - + Couldn't determine a body for the selected feature '%s'. Seçilen özellik '%s' için bir gövde belirlenemedi. - + Only a solid feature can be the tip of a body. Bir cismin ucu sadece sağlam bir özellik olabilir. - - - + + + Features cannot be moved Özellikler taşınamıyor - + Some of the selected features have dependencies in the source body Seçilen bazı özelliklerin kaynak gövdesinde bağımlılıkları vardır - + Only features of a single source Body can be moved Tek bir kaynaktan Vücutun özellikleri taşınabilir - + There are no other bodies to move to Taşınacak başka organ yok - + Impossible to move the base feature of a body. Vücudun temel özelliğini taşımak imkansız. - + Select one or more features from the same body. Aynı cesetten bir veya daha fazla özellik seçin. - + Beginning of the body Vücudun başlangıcı - + Dependency violation Bağımlılık ihlali - + Early feature must not depend on later feature. @@ -3699,29 +3700,29 @@ Bu, beklenmedik sonuçlara neden olabilir. - + No previous feature found Önceki bir özellik bulunamadı - + It is not possible to create a subtractive feature without a base feature available 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 - + Construction line %1 Yapı hattı %1 @@ -4753,25 +4754,25 @@ over 90: larger hole radius at the bottom Unsupported boolean operation - + - + Resulting shape is not a solid Resulting shape is not a solid - - - + + + - + Result has multiple solids: that is not currently supported. @@ -4851,71 +4852,71 @@ over 90: larger hole radius at the bottom - seçili eskiz etkin Gövdeye ait değil. - + Length too small Length too small - + Second length too small Second length too small - + Failed to obtain profile shape Failed to obtain profile shape - + Creation failed because direction is orthogonal to sketch's normal vector Creation failed because direction is orthogonal to sketch's normal vector - + Extrude: Can only offset one face Extrude: Can only offset one face - - + + Creating a face from sketch failed Taslakdan yüzey yaratma hatası - + Up to face: Could not get SubShape! Up to face: Could not get SubShape! - + Unable to reach the selected shape, please select faces Unable to reach the selected shape, please select faces - + Magnitude of taper angle matches or exceeds 90 degrees Magnitude of taper angle matches or exceeds 90 degrees - + Padding with draft angle failed Padding with draft angle failed - + Revolve axis intersects the sketch Çevirme ekseni taslak ile kesizşiyor - + 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. @@ -5113,22 +5114,22 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed for m Loft: At least one section is needed - + Loft: A fatal error occurred when making the loft Loft: A fatal error occurred when making the loft - + Loft: Creating a face from sketch failed Loft: Creating a face from sketch failed - + Loft: Failed to create shell Loft: Failed to create shell - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed. Could not create face from sketch. @@ -5245,13 +5246,13 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed.Cannot subtract primitive feature without base feature - + Unknown operation type Unknown operation type - + Failed to perform boolean operation Failed to perform boolean operation @@ -5355,22 +5356,22 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed.delta x2 of wedge is negative - + Angle of revolution too large Angle of revolution too large - + Angle of revolution too small Angle of revolution too small - + Reference axis is invalid Reference axis is invalid - + Fusion with base feature failed Fusion with base feature failed @@ -5416,12 +5417,12 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed. CmdPartDesignCompDatums - + Create datum Create datum - + Create a datum object or local coordinate system Create a datum object or local coordinate system @@ -5429,14 +5430,30 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed. CmdPartDesignCompSketches - + Create datum Create datum - + Create a datum object or local coordinate system Create a datum object or local coordinate system + + PartDesignGui::TaskDlgRevolutionParameters + + + Revolution parameters + Döndürme değişkenleri + + + + PartDesignGui::TaskDlgGrooveParameters + + + Groove parameters + Groove parameters + + diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_uk.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_uk.ts index cfd551598bbb..535e7a17a0fd 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_uk.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_uk.ts @@ -129,17 +129,17 @@ so that self intersection is avoided. CmdPartDesignAdditiveHelix - + PartDesign Проєктування деталі - + Additive helix Адитивна спіраль - + Sweep a selected sketch along a helix Видавлює виділений ескіз по спіралі @@ -147,17 +147,17 @@ so that self intersection is avoided. CmdPartDesignAdditiveLoft - + PartDesign Проєктування деталі - + Additive loft Адитивний лофт - + Loft a selected profile through other profile sections Лофт виділеного профілю по інших перерізах профілю @@ -165,17 +165,17 @@ so that self intersection is avoided. CmdPartDesignAdditivePipe - + PartDesign Проєктування деталі - + Additive pipe Адитивний трубний профіль - + Sweep a selected sketch along a path or to other profiles Переміщує виділений ескізів по кінцевій або замкнутій траєкторії @@ -183,17 +183,17 @@ so that self intersection is avoided. CmdPartDesignBody - + PartDesign Проєктування деталі - + Create body Створити тіло - + Create a new body and make it active Створює нове тіло і робить його активним @@ -201,17 +201,17 @@ so that self intersection is avoided. CmdPartDesignBoolean - + PartDesign Проєктування деталі - + Boolean operation Логічна операція - + Boolean operation with two or more bodies Логічна операція з двома або більше тілами @@ -237,17 +237,17 @@ so that self intersection is avoided. CmdPartDesignChamfer - + PartDesign Проєктування деталі - + Chamfer Фаска - + Chamfer the selected edges of a shape Створює фаску на виділених ребрах фігури @@ -273,17 +273,17 @@ so that self intersection is avoided. CmdPartDesignDraft - + PartDesign Проєктування деталі - + Draft Креслення - + Make a draft on a face Створює ухил на грані @@ -291,17 +291,17 @@ so that self intersection is avoided. CmdPartDesignDuplicateSelection - + PartDesign Проєктування деталі - + Duplicate selected object Дублювати виділений обʼєкт - + Duplicates the selected object and adds it to the active body Дублює виділений обʼєкт і додає його до активного тіла @@ -309,17 +309,17 @@ so that self intersection is avoided. CmdPartDesignFillet - + PartDesign Проєктування деталі - + Fillet Заокруглення - + Make a fillet on an edge, face or body Робить заокруглення на ребрі, грані або тілі @@ -327,17 +327,17 @@ so that self intersection is avoided. CmdPartDesignGroove - + PartDesign Проєктування деталі - + Groove Проточка - + Groove a selected sketch Створює проточку шляхом обертання ескізу навколо осі @@ -345,17 +345,17 @@ so that self intersection is avoided. CmdPartDesignHole - + PartDesign Проєктування деталі - + Hole Отвір - + Create a hole with the selected sketch Створює отвір з виділеного ескізу @@ -381,17 +381,17 @@ so that self intersection is avoided. CmdPartDesignLinearPattern - + PartDesign Проєктування деталі - + LinearPattern Лінійний масив - + Create a linear pattern feature Створює лінійний масив елементів @@ -399,17 +399,17 @@ so that self intersection is avoided. CmdPartDesignMigrate - + PartDesign Проєктування деталі - + Migrate Мігрувати - + Migrate document to the modern PartDesign workflow Перенесення документа до сучасного робочого процесу "Проєктування деталі" @@ -417,17 +417,17 @@ so that self intersection is avoided. CmdPartDesignMirrored - + PartDesign Проєктування деталі - + Mirrored Дзеркальне зображення - + Create a mirrored feature Створює дзеркальне зображення обʼєкта @@ -435,17 +435,17 @@ so that self intersection is avoided. CmdPartDesignMoveFeature - + PartDesign Проєктування деталі - + Move object to other body Перемістити обʼєкт до іншого тіла - + Moves the selected object to another body Переміщує виділений обʼєкт до іншого тіла @@ -453,17 +453,17 @@ so that self intersection is avoided. CmdPartDesignMoveFeatureInTree - + PartDesign Проєктування деталі - + Move object after other object Перемістити обʼєкт за іншим обʼєктом - + Moves the selected object and insert it after another object Переміщує виділений обʼєкт та вставляє його слідом за іншим обʼєктом @@ -471,17 +471,17 @@ so that self intersection is avoided. CmdPartDesignMoveTip - + PartDesign Проєктування деталі - + Set tip Встановити кінцеву точку розрахунку - + Move the tip of the body Переміщує положення кінцевої точки розрахунку тіла @@ -489,17 +489,17 @@ so that self intersection is avoided. CmdPartDesignMultiTransform - + PartDesign Проєктування деталі - + Create MultiTransform Здійснити Множине Перетворення - + Create a multitransform feature Здійснює множинне перетворення елементу @@ -561,17 +561,17 @@ so that self intersection is avoided. CmdPartDesignPocket - + PartDesign Проєктування деталі - + Pocket Виріз - + Create a pocket with the selected sketch Створює виріз на основі виділеного ескізу @@ -597,17 +597,17 @@ so that self intersection is avoided. CmdPartDesignPolarPattern - + PartDesign Проєктування деталі - + PolarPattern Круговий масив - + Create a polar pattern feature Створює круговий масив елементів @@ -615,17 +615,17 @@ so that self intersection is avoided. CmdPartDesignRevolution - + PartDesign Проєктування деталі - + Revolution Фігура обертання - + Revolve a selected sketch Створює фігуру обертання на основі виділеного ескізу @@ -633,17 +633,17 @@ so that self intersection is avoided. CmdPartDesignScaled - + PartDesign Проєктування деталі - + Scaled Масштабування - + Create a scaled feature Масштабує елемент @@ -683,17 +683,17 @@ so that self intersection is avoided. CmdPartDesignSubtractiveHelix - + PartDesign Проєктування деталі - + Subtractive helix Субтрактивна спіраль - + Sweep a selected sketch along a helix and remove it from the body Переміщує виділений ескіз по спіралі та видаляє його з тіла @@ -701,17 +701,17 @@ so that self intersection is avoided. CmdPartDesignSubtractiveLoft - + PartDesign Проєктування деталі - + Subtractive loft Субтрактивний лофт - + Loft a selected profile through other profile sections and remove it from the body Лофт виділеного профілю через інші перерізи профілю та видалення його з тіла @@ -719,17 +719,17 @@ so that self intersection is avoided. CmdPartDesignSubtractivePipe - + PartDesign Проєктування деталі - + Subtractive pipe Субтрактивний трубний профіль - + Sweep a selected sketch along a path or to other profiles and remove it from the body Переміщує виділений ескіз вздовж траєкторії або до інших перерізів з подальшим відніманням отриманої фігури з тіла, що перетинається нею @@ -737,17 +737,17 @@ so that self intersection is avoided. CmdPartDesignThickness - + PartDesign Проєктування деталі - + Thickness Товщина - + Make a thick solid Перетворює суцільне тіло на порожнине, із зазначенням товщини граней @@ -766,42 +766,42 @@ so that self intersection is avoided. Створити аддитивний примітив - + Additive Box Аддитивний Паралелепіпед - + Additive Cylinder Аддитивний Циліндр - + Additive Sphere Аддитивна Сфера - + Additive Cone Аддитивний Конус - + Additive Ellipsoid Аддитивний Еліпсоїд - + Additive Torus Аддитивний Тор - + Additive Prism Аддитивна Призма - + Additive Wedge Аддитивний Клин @@ -809,53 +809,53 @@ so that self intersection is avoided. CmdPrimtiveCompSubtractive - + PartDesign Проєктування деталі - - + + Create a subtractive primitive Створити субтрактивний примітив - + Subtractive Box Субтрактивний Паралелепіпед - + Subtractive Cylinder Субтрактивний Циліндр - + Subtractive Sphere Субтрактивна Сфера - + Subtractive Cone Субтрактивний Конус - + Subtractive Ellipsoid Субтрактивний Еліпсоїд - + Subtractive Torus Субтрактивний Тор - + Subtractive Prism Субтрактивна Призма - + Subtractive Wedge Субтрактивний Клин @@ -895,47 +895,48 @@ so that self intersection is avoided. + Create a new Sketch Створити новий ескіз - + Convert to MultiTransform feature Перетворити на Множинне Перетворення - + Create Boolean Створити Булеву операцію - + Add a Body Додати Тіло - + Migrate legacy Part Design features to Bodies Перенесіть застарілі функції "Проєктування деталей" до тіла - + Move tip to selected feature Перемістити кінцеву точку розрахунку до виділеної функції - + Duplicate a PartDesign object Дублювати обʼєкт "Проєктування деталі" - + Move an object Перемістити об’єкт - + Move an object inside tree Перемістити об’єкт всередині ієрархії документа @@ -1606,7 +1607,7 @@ click again to end selection PartDesignGui::TaskDlgFeatureParameters - + Input error Помилка вводу @@ -1699,13 +1700,13 @@ click again to end selection PartDesignGui::TaskExtrudeParameters - + No face selected Грань не виділена - + Face Грань @@ -1725,38 +1726,38 @@ click again to end selection Обрати грані - + No shape selected Немає обраної форми - + Sketch normal Нормаль Ескізу - + Face normal Нормаль Грані - + Select reference... Виберіть посилання... - - + + Custom direction Довільний напрямок - + Click on a shape in the model Натисніть на фігуру в моделі - + Click on a face in the model Натисніть на грань в моделі @@ -2801,7 +2802,7 @@ measured along the specified direction - + Dimension Розмірність @@ -2812,19 +2813,19 @@ measured along the specified direction - + Base X axis Базова вісь X - + Base Y axis Базова вісь Y - + Base Z axis Базова вісь Z @@ -2840,7 +2841,7 @@ measured along the specified direction - + Select reference... Виберіть посилання... @@ -2850,24 +2851,24 @@ measured along the specified direction Кут: - + Symmetric to plane Симетрично до площини - + Reversed Зворотній - + 2nd angle Другий кут - - + + Face Грань @@ -2877,37 +2878,37 @@ measured along the specified direction Оновити вигляд - + Revolution parameters Параметри обертання - + To last До останнього - + Through all Наскрізь - + To first До першої - + Up to face До лиця - + Two dimensions Два розміри - + No face selected Грань не виділена @@ -3237,42 +3238,42 @@ click again to end selection PartDesign_CompPrimitiveAdditive - + Create an additive box by its width, height, and length Створює адитивний паралелепіпед за шириною, висотою та довжиною - + Create an additive cylinder by its radius, height, and angle Створює адитивний циліндр за радіусом, висотою і кутом - + Create an additive sphere by its radius and various angles Створює адитивну сферу за радіусом та різними кутами - + Create an additive cone Створює адитивний конус - + Create an additive ellipsoid Створює адитивний еліпсоїд - + Create an additive torus Створює адитивний тор - + Create an additive prism Створює адитивну призму - + Create an additive wedge Створює адитивний клин @@ -3280,42 +3281,42 @@ click again to end selection PartDesign_CompPrimitiveSubtractive - + Create a subtractive box by its width, height and length Створює субтрактивний паралелепіпед за шириною, висотою та довжиною - + Create a subtractive cylinder by its radius, height and angle Створює субтрактивний циліндр за радіусом, висотою та кутом нахилу - + Create a subtractive sphere by its radius and various angles Створює субтрактивну сферу за радіусом та різними кутами - + Create a subtractive cone Створює субтрактивний конус - + Create a subtractive ellipsoid Створює субтрактивний еліпсоїд - + Create a subtractive torus Створює субтрактивний тор - + Create a subtractive prism Створює субтрактивну призму - + Create a subtractive wedge Створює субтрактивний клин @@ -3323,12 +3324,12 @@ click again to end selection PartDesign_MoveFeature - + Select body Виділіть тіло - + Select a body from the list Виділіть тіло зі списку @@ -3336,27 +3337,27 @@ click again to end selection PartDesign_MoveFeatureInTree - + Select feature Виберіть елемент - + Select a feature from the list Оберіть елемент зі списку - + Move tip Перемістити кінцеву точку розрахунку - + The moved feature appears after the currently set tip. Переміщений елемент з’являється після встановлення наявної кінцевої точки розрахунку. - + Do you want the last feature to be the new tip? Бажаєте, щоб остання функція була новою кінцевою точкою розрахунку? @@ -3391,42 +3392,42 @@ click again to end selection Сполучна Форма для Підобʼєкта - + Several sub-elements selected Обрано декілька під-елементів - + You have to select a single face as support for a sketch! Потрібно обрати одну грань, як базу ескізу! - + No support face selected Не обрано базової грані - + You have to select a face as support for a sketch! Потрібна пласка поверхня для створення ескізу! - + No planar support Площина підтримки відсутня - + You need a planar face as support for a sketch! Потрібна плоска грань для створення ескізу! - + No valid planes in this document В цьому документі відсутні коректні площини - + Please create a plane first or select a face to sketch on Будь ласка, спочатку створіть або виберіть грань для розміщення ескізу @@ -3485,211 +3486,211 @@ click again to end selection В документі відсутній ескіз - - + + Wrong selection Невірний вибір - + Select an edge, face, or body from a single body. Оберіть ребро, грань або тіло з одного тіла. - - + + Selection is not in Active Body Виділення не з Активного Тіла - + Select an edge, face, or body from an active body. Оберіть ребро, грань або тіло в активному тілі. - + Wrong object type Невірний тип обʼєкта - + %1 works only on parts. %1 працює тільки з деталями. - + Shape of the selected Part is empty Форма обраної деталі є пустою - + Please select only one feature in an active body. Виберіть лише одну функцію в активному тілі. - + Part creation failed Не вдалося створити деталь - + Failed to create a part object. Не вдалося створити обʼєкт Деталь. - - - - + + + + Bad base feature Зіпсований базовий елемент - + Body can't be based on a PartDesign feature. Тіло не може бути створене на елементі "Проєктування деталі". - + %1 already belongs to a body, can't use it as base feature for another body. %1 вже належить тілу, не можна використовувати його як базовий елемент іншого тіла. - + Base feature (%1) belongs to other part. Базова функція (%1) належить до іншої деталі. - + The selected shape consists of multiple solids. This may lead to unexpected results. Вибрана форма складається з кількох суцільних тіл. Це може призвести до несподіваних результатів. - + The selected shape consists of multiple shells. This may lead to unexpected results. Вибрана форма складається з кількох оболонок. Це може призвести до несподіваних результатів. - + The selected shape consists of only a shell. This may lead to unexpected results. Вибрана фігура складається лише з оболонки. Це може призвести до несподіваних результатів. - + The selected shape consists of multiple solids or shells. This may lead to unexpected results. Вибрана форма складається з кількох суцільних тіл або оболонок. Це може призвести до несподіваних результатів. - + Base feature Базовий елемент - + Body may be based on no more than one feature. Тіло може бути засноване не більше ніж на одній функції. - + Body Тіло - + Nothing to migrate Немає що мігрувати - + No PartDesign features found that don't belong to a body. Nothing to migrate. Не знайдено жодного елементу "Проєктування деталі", яка не належить тілу. Мігрувати нема чого. - + Sketch plane cannot be migrated Площину ескізу не можна мігрувати - + Please edit '%1' and redefine it to use a Base or Datum plane as the sketch plane. Будь ласка, відредагуйте '%1' і перевизначте її для використання базової або опорної площини як площину ескізу. - - - - - + + + + + Selection error Помилка виділення - + Select exactly one PartDesign feature or a body. Виділіть один елемент "Проєктування деталі" або тіло. - + Couldn't determine a body for the selected feature '%s'. Не вдалося визначити тіло для вибраного елементу '%s'. - + Only a solid feature can be the tip of a body. Тільки елемент суцільного тіла може бути кінцевою точкою розрахунку. - - - + + + Features cannot be moved Функції не можуть бути переміщені - + Some of the selected features have dependencies in the source body Деякі з виділених елементів мають залежності в початковому тілі - + Only features of a single source Body can be moved Можна перемістити лише функції одного початкового тіла - + There are no other bodies to move to Немає інших тіл для переміщення до - + Impossible to move the base feature of a body. Неможливо перемістити базові функції тіла. - + Select one or more features from the same body. Виділіть один чи декілька елементів одного тіла. - + Beginning of the body Початок тіла - + Dependency violation Порушення залежностей - + Early feature must not depend on later feature. @@ -3698,29 +3699,29 @@ This may lead to unexpected results. - + No previous feature found Не знайдено попереднього елементу - + It is not possible to create a subtractive feature without a base feature available Неможливо створити субтрактивний елемент без базового елементу - + Vertical sketch axis Вертикальна вісь ескізу - + Horizontal sketch axis Горизонтальна вісь ескізу - + Construction line %1 Допоміжна лінія %1 @@ -4754,25 +4755,25 @@ over 90: larger hole radius at the bottom Непідтримувана логічна операція - + - + Resulting shape is not a solid Отримана форма не є твердотільною - - - + + + - + Result has multiple solids: that is not currently supported. @@ -4852,71 +4853,71 @@ over 90: larger hole radius at the bottom - виділений ескіз не належить до активного тіла. - + Length too small Довжина занадто мала - + Second length too small Друга довжина занадто мала - + Failed to obtain profile shape Не вдалося отримати форму профілю - + Creation failed because direction is orthogonal to sketch's normal vector Створення не вдалося, оскільки напрямок ортогональний до вектора нормалі ескізу - + Extrude: Can only offset one face Екструзія: можна змістити лише одну грань - - + + Creating a face from sketch failed Створення поверхні з ескізу не вдалося - + Up to face: Could not get SubShape! До грані: Не вдалося отримати суб-форму! - + Unable to reach the selected shape, please select faces Неможливо досягнути обраної форми, оберіть поверхні - + Magnitude of taper angle matches or exceeds 90 degrees Величина кута конуса відповідає або перевищує 90 градусів - + Padding with draft angle failed Не вдалося виконати видавлювання з кутом нахилу - + Revolve axis intersects the sketch Вісь обертання перетинає ескіз - + Could not revolve the sketch! Не вдалося обернути ескіз! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. @@ -5114,22 +5115,22 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed for m Лофт: Потрібен хоча б один переріз - + Loft: A fatal error occurred when making the loft Лофт: Виникла фатальна помилка при створенні - + Loft: Creating a face from sketch failed Лофт: Не вдалося створити грань з ескізу - + Loft: Failed to create shell Лофт: Не вдалося створити оболонку - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed. Не вдалося створити грань з ескізу. @@ -5246,13 +5247,13 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed.Неможливо відняти примітивний елемент без базового елемента - + Unknown operation type Невідомий тип операції - + Failed to perform boolean operation Не вдалося виконати логічну операцію @@ -5356,22 +5357,22 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed.дельта Х2 клину від'ємна - + Angle of revolution too large Кут повороту занадто великий - + Angle of revolution too small Кут повороту занадто малий - + Reference axis is invalid Базова вісь недійсна - + Fusion with base feature failed Злиття з базовою функцією не вдалося @@ -5417,12 +5418,12 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed. CmdPartDesignCompDatums - + Create datum Створити опорний елемент - + Create a datum object or local coordinate system Створити опорний елемент або локальну систему координат @@ -5430,14 +5431,30 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed. CmdPartDesignCompSketches - + Create datum Створити опорний елемент - + Create a datum object or local coordinate system Створити опорний елемент або локальну систему координат + + PartDesignGui::TaskDlgRevolutionParameters + + + Revolution parameters + Параметри обертання + + + + PartDesignGui::TaskDlgGrooveParameters + + + Groove parameters + Groove parameters + + 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 42425ae52675..1c2c7fbe8cf6 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_val-ES.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_val-ES.ts @@ -129,17 +129,17 @@ so that self intersection is avoided. CmdPartDesignAdditiveHelix - + PartDesign Disseny de peces - + Additive helix Additive helix - + Sweep a selected sketch along a helix Sweep a selected sketch along a helix @@ -147,17 +147,17 @@ so that self intersection is avoided. CmdPartDesignAdditiveLoft - + PartDesign Disseny de peces - + Additive loft Projecció additiva - + Loft a selected profile through other profile sections Projecta un perfil seleccionat a través d'altres seccions de perfil @@ -165,17 +165,17 @@ so that self intersection is avoided. CmdPartDesignAdditivePipe - + PartDesign Disseny de peces - + Additive pipe Tub additiu - + Sweep a selected sketch along a path or to other profiles Escombratge de l'esbós seleccionat al llarg d'un camí o d'altres perfils @@ -183,17 +183,17 @@ so that self intersection is avoided. CmdPartDesignBody - + PartDesign Disseny de peces - + Create body Crea un cos - + Create a new body and make it active Crea un cos nou i fes-lo actiu @@ -201,17 +201,17 @@ so that self intersection is avoided. CmdPartDesignBoolean - + PartDesign Disseny de peces - + Boolean operation Operació booleana - + Boolean operation with two or more bodies Operació booleana amb dues o més entitats @@ -237,17 +237,17 @@ so that self intersection is avoided. CmdPartDesignChamfer - + PartDesign Disseny de peces - + Chamfer Xamfrà - + Chamfer the selected edges of a shape Crea un xamfrà per a les vores seleccionades @@ -273,17 +273,17 @@ so that self intersection is avoided. CmdPartDesignDraft - + PartDesign Disseny de peces - + Draft Calat - + Make a draft on a face Crea una inclinació sobre una cara @@ -291,17 +291,17 @@ so that self intersection is avoided. CmdPartDesignDuplicateSelection - + PartDesign Disseny de peces - + Duplicate selected object Duplica l'objecte seleccionat - + Duplicates the selected object and adds it to the active body Duplica l'objecte seleccionat i l'afig al cos actiu @@ -309,17 +309,17 @@ so that self intersection is avoided. CmdPartDesignFillet - + PartDesign Disseny de peces - + Fillet Arredoniment - + Make a fillet on an edge, face or body Crea un arredoniment en una aresta, cara o cos @@ -327,17 +327,17 @@ so that self intersection is avoided. CmdPartDesignGroove - + PartDesign Disseny de peces - + Groove Ranura - + Groove a selected sketch Crea una ranura amb un esbós seleccionat @@ -345,17 +345,17 @@ so that self intersection is avoided. CmdPartDesignHole - + PartDesign Disseny de peces - + Hole Forat - + Create a hole with the selected sketch Crea un forat amb l'esbós seleccionat @@ -381,17 +381,17 @@ so that self intersection is avoided. CmdPartDesignLinearPattern - + PartDesign Disseny de peces - + LinearPattern Patró lineal - + Create a linear pattern feature Crea una funció de patró lineal @@ -399,17 +399,17 @@ so that self intersection is avoided. CmdPartDesignMigrate - + PartDesign Disseny de peces - + Migrate Migra - + Migrate document to the modern PartDesign workflow Migra un document al modern flux de treball PartDesign @@ -417,17 +417,17 @@ so that self intersection is avoided. CmdPartDesignMirrored - + PartDesign Disseny de peces - + Mirrored Simetria - + Create a mirrored feature Crea una operació de simetria @@ -435,17 +435,17 @@ so that self intersection is avoided. CmdPartDesignMoveFeature - + PartDesign Disseny de peces - + Move object to other body Mou l'objecte a un altre cos - + Moves the selected object to another body Mou l'objecte seleccionat a un altre cos @@ -453,17 +453,17 @@ so that self intersection is avoided. CmdPartDesignMoveFeatureInTree - + PartDesign Disseny de peces - + Move object after other object Mou l'objecte després de l'altre objecte - + Moves the selected object and insert it after another object Mou l'objecte seleccionat i l'insereix després d'un altre objecte @@ -471,17 +471,17 @@ so that self intersection is avoided. CmdPartDesignMoveTip - + PartDesign Disseny de peces - + Set tip Estableix la punta - + Move the tip of the body Mou la punta del cos @@ -489,17 +489,17 @@ so that self intersection is avoided. CmdPartDesignMultiTransform - + PartDesign Disseny de peces - + Create MultiTransform Crea una transformació múltiple - + Create a multitransform feature Crea una funció de transformació múltiple @@ -561,17 +561,17 @@ so that self intersection is avoided. CmdPartDesignPocket - + PartDesign Disseny de peces - + Pocket Buidatge - + Create a pocket with the selected sketch Crea un buidatge amb el dibuix seleccionat @@ -597,17 +597,17 @@ so that self intersection is avoided. CmdPartDesignPolarPattern - + PartDesign Disseny de peces - + PolarPattern Patró polar - + Create a polar pattern feature Crea una funció de patró polar @@ -615,17 +615,17 @@ so that self intersection is avoided. CmdPartDesignRevolution - + PartDesign Disseny de peces - + Revolution Revolució - + Revolve a selected sketch Revoluciona un esbós seleccionat @@ -633,17 +633,17 @@ so that self intersection is avoided. CmdPartDesignScaled - + PartDesign Disseny de peces - + Scaled Escalat - + Create a scaled feature Crea una funció d'escalat @@ -683,17 +683,17 @@ so that self intersection is avoided. CmdPartDesignSubtractiveHelix - + PartDesign Disseny de peces - + Subtractive helix Subtractive helix - + Sweep a selected sketch along a helix and remove it from the body Sweep a selected sketch along a helix and remove it from the body @@ -701,17 +701,17 @@ so that self intersection is avoided. CmdPartDesignSubtractiveLoft - + PartDesign Disseny de peces - + Subtractive loft Projecció subtractiva - + Loft a selected profile through other profile sections and remove it from the body Projecta un perfil seleccionat a través d'altres seccions de perfil i elimina'l del cos @@ -719,17 +719,17 @@ so that self intersection is avoided. CmdPartDesignSubtractivePipe - + PartDesign Disseny de peces - + Subtractive pipe Tub subtractiu - + Sweep a selected sketch along a path or to other profiles and remove it from the body Elimina del cos un escombratge de l'esbós seleccionat al llarg d'un camí o d'altres perfils @@ -737,17 +737,17 @@ so that self intersection is avoided. CmdPartDesignThickness - + PartDesign Disseny de peces - + Thickness Gruix - + Make a thick solid Dóna gruix al sòlid @@ -766,42 +766,42 @@ so that self intersection is avoided. Crea una primitiva additiva - + Additive Box Cub additiu - + Additive Cylinder Cilindre additiu - + Additive Sphere Esfera additiva - + Additive Cone Con additiu - + Additive Ellipsoid El·lipsoide additiu - + Additive Torus Tor additiu - + Additive Prism Prisma additiu - + Additive Wedge Falca additiva @@ -809,53 +809,53 @@ so that self intersection is avoided. CmdPrimtiveCompSubtractive - + PartDesign Disseny de peces - - + + Create a subtractive primitive Crea una primitiva subtractiva - + Subtractive Box Cub subtractiu - + Subtractive Cylinder Cilindre subtractiu - + Subtractive Sphere Esfera subtractiva - + Subtractive Cone Con subtractiu - + Subtractive Ellipsoid El·lipsoide subtractiu - + Subtractive Torus Tor subtractiu - + Subtractive Prism Prisma subtractiu - + Subtractive Wedge Falca subtractiva @@ -895,47 +895,48 @@ so that self intersection is avoided. + Create a new Sketch Create a new Sketch - + Convert to MultiTransform feature Convert to MultiTransform feature - + Create Boolean Create Boolean - + Add a Body Add a Body - + Migrate legacy Part Design features to Bodies Migrate legacy Part Design features to Bodies - + Move tip to selected feature Move tip to selected feature - + Duplicate a PartDesign object Duplicate a PartDesign object - + Move an object Move an object - + Move an object inside tree Move an object inside tree @@ -1606,7 +1607,7 @@ click again to end selection PartDesignGui::TaskDlgFeatureParameters - + Input error Input error @@ -1699,13 +1700,13 @@ click again to end selection PartDesignGui::TaskExtrudeParameters - + No face selected No s'ha seleccionat cap cara. - + Face Cara @@ -1725,38 +1726,38 @@ click again to end selection Seleccioneu cares - + No shape selected No s'ha seleccionat cap forma. - + Sketch normal Sketch normal - + Face normal Face normal - + Select reference... Select reference... - - + + Custom direction Custom direction - + Click on a shape in the model Click on a shape in the model - + Click on a face in the model Click on a face in the model @@ -2802,7 +2803,7 @@ measured along the specified direction - + Dimension Dimensió @@ -2813,19 +2814,19 @@ measured along the specified direction - + Base X axis Eix base X - + Base Y axis Eix base Y - + Base Z axis Eix base Z @@ -2841,7 +2842,7 @@ measured along the specified direction - + Select reference... Select reference... @@ -2851,24 +2852,24 @@ measured along the specified direction Angle: - + Symmetric to plane Symmetric to plane - + Reversed Reversed - + 2nd angle 2nd angle - - + + Face Cara @@ -2878,37 +2879,37 @@ measured along the specified direction Actualitza la vista - + Revolution parameters Paràmetres de revolució - + To last To last - + Through all A través de totes - + To first A la primera - + Up to face Fins a la cara - + Two dimensions Dues dimensions - + No face selected No s'ha seleccionat cap cara. @@ -3238,42 +3239,42 @@ click again to end selection PartDesign_CompPrimitiveAdditive - + Create an additive box by its width, height, and length Create an additive box by its width, height, and length - + Create an additive cylinder by its radius, height, and angle Create an additive cylinder by its radius, height, and angle - + Create an additive sphere by its radius and various angles Crea una esfera additiva donats diversos angles i el radi - + Create an additive cone Crea un con additiu - + Create an additive ellipsoid Crea un el·lipsoide additiu - + Create an additive torus Crea un tor additiu - + Create an additive prism Crea un prisma additiu - + Create an additive wedge Crea una falca additiva @@ -3281,42 +3282,42 @@ click again to end selection PartDesign_CompPrimitiveSubtractive - + Create a subtractive box by its width, height and length Crea un cub subtractiu donades l'amplària, la llargària i l'altura - + Create a subtractive cylinder by its radius, height and angle Crea un cilindre subtractiu donats el radi, l'altura i l'angle - + Create a subtractive sphere by its radius and various angles Crea una esfera subtractiva donats diversos angles i el radi - + Create a subtractive cone Crea un con subtractiu - + Create a subtractive ellipsoid Crea un el·lipsoide subtractiu - + Create a subtractive torus Crea un tor subtractiu - + Create a subtractive prism Crea un prisma subtractiu - + Create a subtractive wedge Crea una falca subtractiva @@ -3324,12 +3325,12 @@ click again to end selection PartDesign_MoveFeature - + Select body Seleccioneu el cos - + Select a body from the list Seleccioneu un cos de la llista @@ -3337,27 +3338,27 @@ click again to end selection PartDesign_MoveFeatureInTree - + Select feature Selecciona una funció - + Select a feature from the list Seleccioneu un element de la llista - + Move tip Move tip - + The moved feature appears after the currently set tip. The moved feature appears after the currently set tip. - + Do you want the last feature to be the new tip? Do you want the last feature to be the new tip? @@ -3392,42 +3393,42 @@ click again to end selection Sub-Shape Binder - + Several sub-elements selected S'han seleccionat diversos sub-elements - + You have to select a single face as support for a sketch! Heu de seleccionar una única cara com a suport de l'esbós. - + No support face selected No s'ha seleccionat una cara de suport - + You have to select a face as support for a sketch! Heu seleccionat una cara de suport per a un esbós. - + No planar support No hi ha suport planari - + You need a planar face as support for a sketch! Necessiteu una cara d'un pla com a suport per a un esbós. - + No valid planes in this document No hi ha cap pla vàlid en aquest document. - + Please create a plane first or select a face to sketch on Creeu primer un pla o seleccioneu una cara a esbossar @@ -3486,209 +3487,209 @@ click again to end selection No hi ha cap dibuix disponible en el document. - - + + Wrong selection Selecció incorrecta - + Select an edge, face, or body from a single body. Select an edge, face, or body from a single body. - - + + Selection is not in Active Body La selecció no és en un cos de peça actiu - + Select an edge, face, or body from an active body. Select an edge, face, or body from an active body. - + Wrong object type El tipus d'objecte no és correcte. - + %1 works only on parts. %1 funciona només en peces. - + Shape of the selected Part is empty La forma de la peça seleccionada és buida - + Please select only one feature in an active body. Please select only one feature in an active body. - + Part creation failed S'ha produït un error en crear la peça. - + Failed to create a part object. No ha pogut crear un objecte peça. - - - - + + + + Bad base feature La funció de base no és vàlida. - + Body can't be based on a PartDesign feature. Un cos no es pot basar en una funció de PartDesign. - + %1 already belongs to a body, can't use it as base feature for another body. %1 ja pertany a un cos, no es pot utilitzar com a funció de base per a un altre cos. - + Base feature (%1) belongs to other part. La funció de base (%1) pertany a una altra peça. - + The selected shape consists of multiple solids. This may lead to unexpected results. La forma seleccionada consisteix en múltiples sòlids. Açò pot portar a resultats inesperats. - + The selected shape consists of multiple shells. This may lead to unexpected results. La forma seleccionada consisteix en múltiples closques. Açò pot portar a resultats inesperats. - + The selected shape consists of only a shell. This may lead to unexpected results. La forma seleccionada consta de només una closca. Açò pot portar a resultats inesperats. - + The selected shape consists of multiple solids or shells. This may lead to unexpected results. La forma seleccionada consisteix en múltiples sòlids o closques. Això pot portar a resultats inesperats. - + Base feature Propietat base - + Body may be based on no more than one feature. Un cos no pot estar basat en més d'una funció. - + Body Body - + Nothing to migrate No hi ha res per migrar. - + No PartDesign features found that don't belong to a body. Nothing to migrate. No PartDesign features found that don't belong to a body. Nothing to migrate. - + Sketch plane cannot be migrated No es pot migrar el pla d'esbós. - + Please edit '%1' and redefine it to use a Base or Datum plane as the sketch plane. Editeu '%1' i redefiniu-lo per a utilitzar una base o un pla de referència com a pla d'esbós. - - - - - + + + + + Selection error Error de selecció - + Select exactly one PartDesign feature or a body. Seleccioneu exactament una funció de PartDesign o un cos. - + Couldn't determine a body for the selected feature '%s'. No s'ha pogut determinar un cos per a la característica seleccionada '%s'. - + Only a solid feature can be the tip of a body. Només una funció sòlida pot ser la punta d'un cos. - - - + + + Features cannot be moved Les característiques no es poden desplaçar. - + Some of the selected features have dependencies in the source body Algunes de les característiques seleccionades tenen dependències en el cos d'origen. - + Only features of a single source Body can be moved Només es poden moure les característiques d'un únic cos d'origen - + There are no other bodies to move to No hi ha cap altre cos cap al qual desplaçar - + Impossible to move the base feature of a body. No és possible moure la funció de base d'un cos. - + Select one or more features from the same body. Seleccioneu una o més característiques del mateix cos. - + Beginning of the body Començament del cos - + Dependency violation Dependency violation - + Early feature must not depend on later feature. @@ -3697,29 +3698,29 @@ Això pot portar a resultats inesperats. - + No previous feature found No s'ha trobat cap característica anterior. - + It is not possible to create a subtractive feature without a base feature available 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 - + Construction line %1 Línia de construcció %1 @@ -4752,25 +4753,25 @@ over 90: larger hole radius at the bottom Unsupported boolean operation - + - + Resulting shape is not a solid Resulting shape is not a solid - - - + + + - + Result has multiple solids: that is not currently supported. @@ -4850,71 +4851,71 @@ over 90: larger hole radius at the bottom - the selected sketch does not belong to the active Body. - + Length too small Length too small - + Second length too small Second length too small - + Failed to obtain profile shape Failed to obtain profile shape - + Creation failed because direction is orthogonal to sketch's normal vector Creation failed because direction is orthogonal to sketch's normal vector - + Extrude: Can only offset one face Extrude: Can only offset one face - - + + Creating a face from sketch failed Creating a face from sketch failed - + Up to face: Could not get SubShape! Up to face: Could not get SubShape! - + Unable to reach the selected shape, please select faces Unable to reach the selected shape, please select faces - + Magnitude of taper angle matches or exceeds 90 degrees Magnitude of taper angle matches or exceeds 90 degrees - + Padding with draft angle failed Padding with draft angle failed - + Revolve axis intersects the sketch Revolve axis intersects the sketch - + 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. @@ -5112,22 +5113,22 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed for m Loft: At least one section is needed - + Loft: A fatal error occurred when making the loft Loft: A fatal error occurred when making the loft - + Loft: Creating a face from sketch failed Loft: Creating a face from sketch failed - + Loft: Failed to create shell Loft: Failed to create shell - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed. Could not create face from sketch. @@ -5244,13 +5245,13 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed.Cannot subtract primitive feature without base feature - + Unknown operation type Unknown operation type - + Failed to perform boolean operation Failed to perform boolean operation @@ -5354,22 +5355,22 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed.delta x2 of wedge is negative - + Angle of revolution too large Angle of revolution too large - + Angle of revolution too small Angle of revolution too small - + Reference axis is invalid Reference axis is invalid - + Fusion with base feature failed Fusion with base feature failed @@ -5415,12 +5416,12 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed. CmdPartDesignCompDatums - + Create datum Create datum - + Create a datum object or local coordinate system Create a datum object or local coordinate system @@ -5428,14 +5429,30 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed. CmdPartDesignCompSketches - + Create datum Create datum - + Create a datum object or local coordinate system Create a datum object or local coordinate system + + PartDesignGui::TaskDlgRevolutionParameters + + + Revolution parameters + Paràmetres de revolució + + + + PartDesignGui::TaskDlgGrooveParameters + + + Groove parameters + Groove parameters + + 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 82d69034754c..5e2990fe947c 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_zh-CN.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_zh-CN.ts @@ -97,48 +97,48 @@ so that self intersection is avoided. True=2 curves with each 3 control points, False=1 curve with 4 control points. - True=2 curves with each 3 control points, False=1 curve with 4 control points. + True=2 曲线有3个控制点,False=1 曲线有4个控制点。 True=external Gear, False=internal Gear - True=external Gear, False=internal Gear + True=外齿轮,False=内齿轮 The height of the tooth from the pitch circle up to its tip, normalized by the module. - The height of the tooth from the pitch circle up to its tip, normalized by the module. + 从节圆到齿顶的高度,以模数归一化。 The height of the tooth from the pitch circle down to its root, normalized by the module. - The height of the tooth from the pitch circle down to its root, normalized by the module. + 从节圆到齿根的高度,以模数归一化。 The radius of the fillet at the root of the tooth, normalized by the module. - The radius of the fillet at the root of the tooth, normalized by the module. + 齿根圆角半径,以模数归一化。 The distance by which the reference profile is shifted outwards, normalized by the module. - The distance by which the reference profile is shifted outwards, normalized by the module. + 参考轮廓向外偏移的距离,以模数归一化。 CmdPartDesignAdditiveHelix - + PartDesign 零件设计 - + Additive helix 增料螺旋体 - + Sweep a selected sketch along a helix 沿螺旋扫描选中的草图 @@ -146,17 +146,17 @@ so that self intersection is avoided. CmdPartDesignAdditiveLoft - + PartDesign 零件设计 - + Additive loft 增料放样 - + Loft a selected profile through other profile sections 通过其他轮廓截面放样选定的轮廓 @@ -164,17 +164,17 @@ so that self intersection is avoided. CmdPartDesignAdditivePipe - + PartDesign 零件设计 - + Additive pipe 增料管状体 - + Sweep a selected sketch along a path or to other profiles 沿路径或轮廓扫掠所选草图 @@ -182,17 +182,17 @@ so that self intersection is avoided. CmdPartDesignBody - + PartDesign 零件设计 - + Create body 创建实体 - + Create a new body and make it active 创建新的可编辑实体并激活 @@ -200,17 +200,17 @@ so that self intersection is avoided. CmdPartDesignBoolean - + PartDesign 零件设计 - + Boolean operation 布尔运算 - + Boolean operation with two or more bodies 对两个或以上的实体进行布尔运算 @@ -236,17 +236,17 @@ so that self intersection is avoided. CmdPartDesignChamfer - + PartDesign 零件设计 - + Chamfer 倒角 - + Chamfer the selected edges of a shape 给所选形状的边缘倒角 @@ -272,17 +272,17 @@ so that self intersection is avoided. CmdPartDesignDraft - + PartDesign 零件设计 - + Draft 拔模 - + Make a draft on a face 在面上创建拔模 @@ -290,17 +290,17 @@ so that self intersection is avoided. CmdPartDesignDuplicateSelection - + PartDesign 零件设计 - + Duplicate selected object 复制所选对象 - + Duplicates the selected object and adds it to the active body 复制所选对象并将其添加到活动实体 @@ -308,17 +308,17 @@ so that self intersection is avoided. CmdPartDesignFillet - + PartDesign 零件设计 - + Fillet 圆角 - + Make a fillet on an edge, face or body 给边、面或实体倒圆角 @@ -326,17 +326,17 @@ so that self intersection is avoided. CmdPartDesignGroove - + PartDesign 零件设计 - + Groove 挖槽 - + Groove a selected sketch 以选定草图挖槽 @@ -344,17 +344,17 @@ so that self intersection is avoided. CmdPartDesignHole - + PartDesign 零件设计 - + Hole - + Create a hole with the selected sketch 基于选定草图创建孔 @@ -380,17 +380,17 @@ so that self intersection is avoided. CmdPartDesignLinearPattern - + PartDesign 零件设计 - + LinearPattern 线性阵列 - + Create a linear pattern feature 创建线性阵列特征 @@ -398,17 +398,17 @@ so that self intersection is avoided. CmdPartDesignMigrate - + PartDesign 零件设计 - + Migrate 迁移 - + Migrate document to the modern PartDesign workflow 将文档迁移到当前零件设计工作流 @@ -416,17 +416,17 @@ so that self intersection is avoided. CmdPartDesignMirrored - + PartDesign 零件设计 - + Mirrored 镜像 - + Create a mirrored feature 创建镜像特征 @@ -434,17 +434,17 @@ so that self intersection is avoided. CmdPartDesignMoveFeature - + PartDesign 零件设计 - + Move object to other body 将对象移动到其他实体 - + Moves the selected object to another body 移动选定对象到另一个实体 @@ -452,17 +452,17 @@ so that self intersection is avoided. CmdPartDesignMoveFeatureInTree - + PartDesign 零件设计 - + Move object after other object 将对象移至其它对象之后 - + Moves the selected object and insert it after another object 插入所选对象至另一对象之后 @@ -470,17 +470,17 @@ so that self intersection is avoided. CmdPartDesignMoveTip - + PartDesign 零件设计 - + Set tip 设置结算位置 - + Move the tip of the body 移动实体的结算位置 @@ -488,17 +488,17 @@ so that self intersection is avoided. CmdPartDesignMultiTransform - + PartDesign 零件设计 - + Create MultiTransform 创建多重变换 - + Create a multitransform feature 创建多重变换特征 @@ -560,17 +560,17 @@ so that self intersection is avoided. CmdPartDesignPocket - + PartDesign 零件设计 - + Pocket 凹坑 - + Create a pocket with the selected sketch 基于选定草图创建凹坑 @@ -596,17 +596,17 @@ so that self intersection is avoided. CmdPartDesignPolarPattern - + PartDesign 零件设计 - + PolarPattern 环形阵列 - + Create a polar pattern feature 创建环形阵列特征 @@ -614,17 +614,17 @@ so that self intersection is avoided. CmdPartDesignRevolution - + PartDesign 零件设计 - + Revolution 旋转体 - + Revolve a selected sketch 旋转选定的草绘 @@ -632,17 +632,17 @@ so that self intersection is avoided. CmdPartDesignScaled - + PartDesign 零件设计 - + Scaled 缩放 - + Create a scaled feature 创建一个比例缩放特征 @@ -682,17 +682,17 @@ so that self intersection is avoided. CmdPartDesignSubtractiveHelix - + PartDesign 零件设计 - + Subtractive helix 减料螺旋体 - + Sweep a selected sketch along a helix and remove it from the body 沿螺旋线扫描选中的草图并将其从实体中移除 @@ -700,17 +700,17 @@ so that self intersection is avoided. CmdPartDesignSubtractiveLoft - + PartDesign 零件设计 - + Subtractive loft 减料放样 - + Loft a selected profile through other profile sections and remove it from the body 通过其他轮廓截面来放样所选轮廓, 并将其从实体中删除 @@ -718,17 +718,17 @@ so that self intersection is avoided. CmdPartDesignSubtractivePipe - + PartDesign 零件设计 - + Subtractive pipe 减料管状体 - + Sweep a selected sketch along a path or to other profiles and remove it from the body 以选定草图为截面沿路径或轮廓做减料扫掠 @@ -736,17 +736,17 @@ so that self intersection is avoided. CmdPartDesignThickness - + PartDesign 零件设计 - + Thickness 厚度 - + Make a thick solid 抽壳 @@ -765,42 +765,42 @@ so that self intersection is avoided. 创建增料图元 - + Additive Box 增料立方体 - + Additive Cylinder 增料圆柱体 - + Additive Sphere 增料球体 - + Additive Cone 增料圆锥体 - + Additive Ellipsoid 增料椭球体 - + Additive Torus 增料圆环体 - + Additive Prism 增料棱柱体 - + Additive Wedge 增料楔形体 @@ -808,53 +808,53 @@ so that self intersection is avoided. CmdPrimtiveCompSubtractive - + PartDesign 零件设计 - - + + Create a subtractive primitive 创建减料图元 - + Subtractive Box 减料立方体 - + Subtractive Cylinder 减料圆柱体 - + Subtractive Sphere 减料球体 - + Subtractive Cone 减料圆锥体 - + Subtractive Ellipsoid 减料椭球体 - + Subtractive Torus 减料圆环体 - + Subtractive Prism 减料棱柱体 - + Subtractive Wedge 减料楔形体 @@ -874,7 +874,7 @@ so that self intersection is avoided. Create SubShapeBinder - 创建子形状引用连接 + 创建子形状绑定 @@ -894,47 +894,48 @@ so that self intersection is avoided. + Create a new Sketch 创建新草图 - + Convert to MultiTransform feature 转换为多重变换功能 - + Create Boolean 创建布尔变量 - + Add a Body 添加实体 - + Migrate legacy Part Design features to Bodies - Migrate legacy Part Design features to Bodies + 将旧部件设计功能迁移到实体 - + Move tip to selected feature 将结算位置移至所选特征 - + Duplicate a PartDesign object 复制零件设计对象 - + Move an object 移动一个对象 - + Move an object inside tree 在树中移动对象 @@ -1017,7 +1018,7 @@ so that self intersection is avoided. Helper tools - Helper tools + 助手工具 @@ -1567,7 +1568,7 @@ click again to end selection Empty chamfer created ! - Empty chamfer created ! + 空倒角已创建! @@ -1605,7 +1606,7 @@ click again to end selection PartDesignGui::TaskDlgFeatureParameters - + Input error 输入错误 @@ -1663,7 +1664,7 @@ click again to end selection Empty draft created ! - Empty draft created ! + 空拔模已创建! @@ -1698,13 +1699,13 @@ click again to end selection PartDesignGui::TaskExtrudeParameters - + No face selected 未选择任何面 - + Face @@ -1724,38 +1725,38 @@ click again to end selection 选取面 - + No shape selected 无选定的形状 - + Sketch normal 草图法向 - + Face normal 面法线 - + Select reference... Select reference... - - + + Custom direction 自定义方向: - + Click on a shape in the model - Click on a shape in the model + 点击模型中的形状 - + Click on a face in the model 点击模型中的一个面 @@ -1845,7 +1846,7 @@ click again to end selection Select attachment - Select attachment + 选择附件 @@ -2113,7 +2114,7 @@ click again to end selection Overall Length - Overall Length + 总长度 @@ -2306,7 +2307,7 @@ click again to end selection Up to shape - Up to shape + 上至形状 @@ -2345,8 +2346,7 @@ click again to end selection Click button to enter selection mode, click again to end selection - Click button to enter selection mode, - click again to end selection + 点击按钮进入选择模式,再次点击结束选择 @@ -2378,7 +2378,7 @@ from the model as reference Select reference... - Select reference... + 选择参考... @@ -2732,7 +2732,7 @@ measured along the specified direction Up to shape - Up to shape + 上至形状 @@ -2755,7 +2755,7 @@ measured along the specified direction Overall Angle - Overall Angle + 总角度 @@ -2800,7 +2800,7 @@ measured along the specified direction - + Dimension 尺寸标注 @@ -2811,19 +2811,19 @@ measured along the specified direction - + Base X axis X 轴 - + Base Y axis Y 轴 - + Base Z axis Z 轴 @@ -2839,9 +2839,9 @@ measured along the specified direction - + Select reference... - Select reference... + 选择参考... @@ -2849,24 +2849,24 @@ measured along the specified direction 角度: - + Symmetric to plane 相当平面对称 - + Reversed 反转 - + 2nd angle - 2nd angle + 第二角度 - - + + Face @@ -2876,37 +2876,37 @@ measured along the specified direction 更新视图 - + Revolution parameters 旋转体参数 - + To last 直到最后 - + Through all 通过所有 - + To first 到起始位置 - + Up to face 直到表面 - + Two dimensions 双向尺寸 - + No face selected 未选择任何面 @@ -3031,7 +3031,7 @@ click again to end selection Empty thickness created ! - Empty thickness created ! + 空抽壳已创建! @@ -3053,7 +3053,7 @@ click again to end selection Normal sketch axis - Normal sketch axis + 常规草图轴 @@ -3110,12 +3110,12 @@ click again to end selection Transform body - Transform body + 变换实体 Transform tool shapes - Transform tool shapes + 变换工具形状 @@ -3236,42 +3236,42 @@ click again to end selection PartDesign_CompPrimitiveAdditive - + Create an additive box by its width, height, and length 创建宽、高、长定义的增料长方体 - + Create an additive cylinder by its radius, height, and angle 创建半径、高、角度定义的增料圆柱体 - + Create an additive sphere by its radius and various angles 创建半径、角度驱动的增料球体特征 - + Create an additive cone 创建增料圆锥体 - + Create an additive ellipsoid 创建增料椭球体 - + Create an additive torus 创建增料旋转体 - + Create an additive prism 创建增料棱柱 - + Create an additive wedge 创建增料楔形体 @@ -3279,42 +3279,42 @@ click again to end selection PartDesign_CompPrimitiveSubtractive - + Create a subtractive box by its width, height and length 创建边长驱动的减料长方体特征 - + Create a subtractive cylinder by its radius, height and angle 创建半径、高、角度驱动的减料圆柱体特征 - + Create a subtractive sphere by its radius and various angles 创建半径、角度驱动的减料球体特征 - + Create a subtractive cone 创建减料圆锥体特征 - + Create a subtractive ellipsoid 创建减料椭球体特征 - + Create a subtractive torus 创建减料旋转体特征 - + Create a subtractive prism 创建减料棱柱体特征 - + Create a subtractive wedge 创建减料楔形体特征 @@ -3322,12 +3322,12 @@ click again to end selection PartDesign_MoveFeature - + Select body 选择实体 - + Select a body from the list 从列表中选择实体 @@ -3335,27 +3335,27 @@ click again to end selection PartDesign_MoveFeatureInTree - + Select feature 选择特征 - + Select a feature from the list 从列表中选择特征 - + Move tip 移动结算位置 - + The moved feature appears after the currently set tip. 被移动特征出现在当前设置的结算位置之后。 - + Do you want the last feature to be the new tip? 您想要最后一个特征成为新的结算位置? @@ -3390,42 +3390,42 @@ click again to end selection 子形状引用连接 - + Several sub-elements selected 若干子元素被选择 - + You have to select a single face as support for a sketch! 您必须选择一个支持面以绘制草图! - + No support face selected 未选中支持面 - + You have to select a face as support for a sketch! 您必须选择一个支持面以绘制草图! - + No planar support 无支持平面 - + You need a planar face as support for a sketch! 您需要一个支持平面以绘制草图! - + No valid planes in this document 文档中无有效平面 - + Please create a plane first or select a face to sketch on 请先创建一个平面或选择一个平面用于画草图 @@ -3484,211 +3484,211 @@ click again to end selection 文档无可用草图 - - + + Wrong selection 选择错误 - + Select an edge, face, or body from a single body. 从一单一实体中选择一边,面或体 - - + + Selection is not in Active Body 未在激活状态的实体中进行选择 - + Select an edge, face, or body from an active body. 从活动实体中选择边、面或体。 - + Wrong object type 错误的对象类型 - + %1 works only on parts. %1 仅能运作于零件上。 - + Shape of the selected Part is empty 所选零件的形状为空 - + Please select only one feature in an active body. 请在一个活动的实体中仅选择一个特征。 - + Part creation failed 零件创建失败 - + Failed to create a part object. 创建零件对象失败。 - - - - + + + + Bad base feature 不正确的基础特征 - + Body can't be based on a PartDesign feature. 实体不能基于零件设计工作台特征。 - + %1 already belongs to a body, can't use it as base feature for another body. %1 已经属于一个实体, 不能用它作为另一个实体的基础特征。 - + Base feature (%1) belongs to other part. 基础特征 (%1) 录属于其他部件。 - + The selected shape consists of multiple solids. This may lead to unexpected results. 所选形状由多个实体组成。 这可能会导致意外的结果。 - + The selected shape consists of multiple shells. This may lead to unexpected results. 所选形状由多个壳体组成。 这可能会导致意外的结果。 - + The selected shape consists of only a shell. This may lead to unexpected results. 所选形状仅由一个壳体组成。 这可能会导致意外的结果。 - + The selected shape consists of multiple solids or shells. This may lead to unexpected results. 所选形状由多个实体或壳体组成。 这可能会导致意外的结果。 - + Base feature 基础特征 - + Body may be based on no more than one feature. 实体基于的特征不能超过一个。 - + Body Body - + Nothing to migrate 没有可迁移的对象 - + No PartDesign features found that don't belong to a body. Nothing to migrate. 没有找到不属于实体的零件设计工作台特征。没有可迁移对象。 - + Sketch plane cannot be migrated 草图平面不能被移动 - + Please edit '%1' and redefine it to use a Base or Datum plane as the sketch plane. 请编辑 '%1'并使用基面或基准平面作为草绘平面来重新定义它。 - - - - - + + + + + Selection error 选择错误 - + Select exactly one PartDesign feature or a body. 仅选择一个 PartDesign 特征或一个实体。 - + Couldn't determine a body for the selected feature '%s'. 无法确定所选特征 "%s" 的实体。 - + Only a solid feature can be the tip of a body. 只有实体特征才能成为实体的结算特征。 - - - + + + Features cannot be moved 特征无法被移动 - + Some of the selected features have dependencies in the source body 一些选定的特征依赖于源实体 - + Only features of a single source Body can be moved 只能移动单个源实体的特征 - + There are no other bodies to move to 没有其他实体可以移动 - + Impossible to move the base feature of a body. 无法移动实体的基础特征。 - + Select one or more features from the same body. 从同一实体上选择一个或多个特征。 - + Beginning of the body 实体的起始 - + Dependency violation 依赖冲突 - + Early feature must not depend on later feature. @@ -3697,29 +3697,29 @@ This may lead to unexpected results. - + No previous feature found 未找到之前的特征 - + It is not possible to create a subtractive feature without a base feature available 如果没有可用的基础特征, 就不可能创建减料特征 - + Vertical sketch axis 垂直草绘轴 - + Horizontal sketch axis 水平草绘轴 - + Construction line %1 辅助线 %1 @@ -3883,12 +3883,12 @@ This feature is broken and can't be edited. One transformed shape does not intersect the support - One transformed shape does not intersect the support + 变换后形状与支持面不相交 %1 transformed shapes do not intersect the support - %1 transformed shapes do not intersect the support + 变换后形状%1与支持面不相交 @@ -3940,7 +3940,7 @@ Although you will be able to migrate any moment later with 'Part Design -> Mi Edit draft - Edit draft + 编辑拔模 @@ -4218,12 +4218,12 @@ Note that the calculation can take some time Update thread view - Update thread view + 更新螺纹视图 Custom Clearance - Custom Clearance + 自定义间隙 @@ -4289,7 +4289,7 @@ Only available for holes without thread Drill Point - Drill Point + 钻孔点 @@ -4349,13 +4349,12 @@ Only available for holes without thread For countersinks this is the depth of the screw's top below the surface - For countersinks this is the depth of -the screw's top below the surface + 对于沉头孔,这是螺钉顶部到沉头表面的深度 Hole Cut Type - Hole Cut Type + 孔切割类型 @@ -4598,7 +4597,7 @@ over 90: larger hole radius at the bottom Section %s - Section %s + 截面 %s @@ -4652,7 +4651,7 @@ over 90: larger hole radius at the bottom Missing module - Missing module + 缺少模块 @@ -4691,150 +4690,150 @@ over 90: larger hole radius at the bottom Linked object is not a PartDesign feature - Linked object is not a PartDesign feature + 链接对象不是 PartDesign 功能 Tip shape is empty - Tip shape is empty + 提示形状为空 BaseFeature link is not set - BaseFeature link is not set + 基础特征链接未设置 BaseFeature must be a Part::Feature - BaseFeature must be a Part::Feature + 基础特征必须是 Part::Feature BaseFeature has an empty shape - 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 + 除 Part::Feature 及其衍生外,无法进行布尔操作 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 + 工具形状为空 Unsupported boolean operation - Unsupported boolean operation + 不支持的布尔操作 - + - + Resulting shape is not a solid - Resulting shape is not a solid + 结果形状不是实体 - - - + + + - + Result has multiple solids: that is not currently supported. - Result has multiple solids: that is not currently supported. + 结果形状有多个实体:目前暂不支持。 Failed to create chamfer - Failed to create chamfer + 创建倒角失败 Resulting shape is null - Resulting shape is null + 结果形状为空 Resulting shape is invalid - Resulting shape is invalid + 结果形状无效 No edges specified - No edges specified + 未指定边 Size must be greater than zero - Size must be greater than zero + 尺寸必须大于 0 Size2 must be greater than zero - Size2 must be greater than zero + 尺寸2 必须大于 0 Angle must be greater than 0 and less than 180 - Angle must be greater than 0 and less than 180 + 角度必须大于 0 且小于 180 度 Failed to create draft - Failed to create draft + 创建拔模失败 Fillet not possible on selected shapes - Fillet not possible on selected shapes + 选择的形状上无法进行圆角处理 Fillet radius must be greater than zero - Fillet radius must be greater than zero + 圆角半径必须大于 0 Angle of groove too large - Angle of groove too large + 沟槽角度过大 Angle of groove too small - Angle of groove too small + 沟槽角度过小 @@ -4849,81 +4848,81 @@ over 90: larger hole radius at the bottom - 选中的草图不属于活动实体。 - + Length too small - Length too small + 长度过小 - + Second length too small - Second length too small + 第二长度过小 - + Failed to obtain profile shape - Failed to obtain profile shape + 无法获取轮廓形状 - + Creation failed because direction is orthogonal to sketch's normal vector - Creation failed because direction is orthogonal to sketch's normal vector + 创建失败,方向与草图的法线矢量正交 - + Extrude: Can only offset one face - Extrude: Can only offset one face + 拉伸:只能偏移一个面 - - + + Creating a face from sketch failed - Creating a face from sketch failed + 从草图创建面失败 - + Up to face: Could not get SubShape! - Up to face: Could not get SubShape! + 直到面:无法获取子形状! - + Unable to reach the selected shape, please select faces - Unable to reach the selected shape, please select faces + 无法到达所选形状,请选择面 - + Magnitude of taper angle matches or exceeds 90 degrees - Magnitude of taper angle matches or exceeds 90 degrees + 锥角等于或超过 90 度 - + Padding with draft angle failed - Padding with draft angle failed + 带角度拔模填充失败 - + Revolve axis intersects the sketch - Revolve axis intersects the sketch + 旋转轴与草图相交 - + 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. -Intersecting sketch entities in a sketch are not allowed. + 无法从草图中创建面。 +不允许在草图中交叉实体。 Error: Pitch too small! - Error: Pitch too small! + 错误:节距太小! @@ -4934,19 +4933,19 @@ Intersecting sketch entities in a sketch are not allowed. Error: pitch too small! - Error: pitch too small! + 错误:节距太小! Error: turns too small! - Error: turns too small! + 错误:圈数太小! Error: either height or growth must not be zero! - Error: either height or growth must not be zero! + 错误:高度和增长率不能为零! @@ -4956,127 +4955,127 @@ Intersecting sketch entities in a sketch are not allowed. Error: No valid sketch or face - Error: No valid sketch or face + 错误:没有有效的草图或面 Error: Face must be planar - Error: Face must be planar + 错误:面必须是平面 Error: Result is not a solid - Error: Result is not a solid + 错误:结果不是实体 Error: There is nothing to subtract - Error: There is nothing to subtract + 错误: 没有可减少的内容 Error: Result has multiple solids - Error: Result has multiple solids + 错误:结果有多个实体 Error: Adding the helix failed - Error: Adding the helix failed + 错误:添加螺旋失败 Error: Intersecting the helix failed - Error: Intersecting the helix failed + 错误:交叉螺旋失败 Error: Subtracting the helix failed - Error: Subtracting the helix failed + 错误:减去螺旋失败 Error: Could not create face from sketch - Error: Could not create face from sketch + 错误:无法从草图创建面 Hole error: Creating a face from sketch failed - Hole error: Creating a face from sketch failed + 孔错误:从草图创建面失败 Hole error: Unsupported length specification - Hole error: Unsupported length specification + 孔错误:不支持的长度 Hole error: Invalid hole depth - Hole error: Invalid hole depth + 孔错误:无效的孔深度 Hole error: Invalid taper angle - Hole error: Invalid taper angle + 孔错误:无效斜角 Hole error: Hole cut diameter too small - Hole error: Hole cut diameter too small + 孔错误:挖孔直径太小 Hole error: Hole cut depth must be less than hole depth - Hole error: Hole cut depth must be less than hole depth + 孔错误:孔切割深度必须小于孔深度 Hole error: Hole cut depth must be greater or equal to zero - Hole error: Hole cut depth must be greater or equal to zero + 孔错误:孔切割深度必须大于等于 0 Hole error: Invalid countersink - Hole error: Invalid countersink + 孔错误:无效的埋头孔 Hole error: Invalid drill point angle - Hole error: Invalid drill point angle + 孔错误:无效的钻尖角度 Hole error: Invalid drill point - Hole error: Invalid drill point + 孔错误:钻点无效 Hole error: Could not revolve sketch - Hole error: Could not revolve sketch + 孔错误:无法旋转草图 Hole error: Resulting shape is empty - Hole error: Resulting shape is empty + 孔错误:结果形状为空 Error: Adding the thread failed - Error: Adding the thread failed + 错误:添加螺纹失败 Boolean operation failed on profile Edge - Boolean operation failed on profile Edge + 轮廓边缘布尔运算失败 Boolean operation produced non-solid on profile Edge - Boolean operation produced non-solid on profile Edge + 在轮廓边缘的布尔运算产生了非实体 @@ -5087,8 +5086,7 @@ Intersecting sketch entities in a sketch are not allowed. 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. -Intersecting sketch entities or multiple faces in a sketch are not allowed for making a pocket up to a face. + 无法从草图创建面。不允许使用相交的草图实体、或草图中的多个面来制作凹槽。 @@ -5103,304 +5101,304 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed for m Error: Thread could not be built - Error: Thread could not be built + 错误:无法构建螺纹 Loft: At least one section is needed - Loft: At least one section is needed + 拉伸:至少需要一个轮廊 - + Loft: A fatal error occurred when making the loft - Loft: A fatal error occurred when making the loft + 拉伸:在拉伸时发生致命错误 - + Loft: Creating a face from sketch failed - Loft: Creating a face from sketch failed + 拉伸:从草图创建面失败 - + Loft: Failed to create shell - Loft: Failed to create shell + 拉伸:创建外壳失败 - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed. - Could not create face from sketch. -Intersecting sketch entities or multiple faces in a sketch are not allowed. + 无法从草图立建面。 +草图中不允许有相交的实体或多个面。 Pipe: Could not obtain profile shape - Pipe: Could not obtain profile shape + 管道:无法获取轮廓形状 No spine linked - No spine linked + 没链接到骨架 No auxiliary spine linked. - No auxiliary spine linked. + 没链接到辅助骨架。 Pipe: Only one isolated point is needed if using a sketch with isolated points for section - Pipe: Only one isolated point is needed if using a sketch with isolated points for section + 管道:在使用带有孤立点的草图作为截面时,只需要一个孤立点。 Pipe: At least one section is needed when using a single point for profile - Pipe: At least one section is needed when using a single point for profile + 管道:当使用单点轮廓时,至少需要一个截面 Pipe: All sections need to be part features - Pipe: All sections need to be part features + 管道:所有截面必须是零件特征 Pipe: Could not obtain section shape - Pipe: Could not obtain section shape + 管道:无法获取截面形状 Pipe: Only the profile and last section can be vertices - Pipe: Only the profile and last section can be vertices + 管道:只有轮廓和最后一个截面可以作为顶点 Multisections need to have the same amount of inner wires as the base section - Multisections need to have the same amount of inner wires as the base section + 多重截面需要有与基本截面相同数量的内部线 Path must not be a null shape - Path must not be a null shape + 路径不能是空形状 Pipe could not be built - Pipe could not be built + 无法构建管道 Result is not a solid - Result is not a solid + 结果不是实体 Pipe: There is nothing to subtract from - Pipe: There is nothing to subtract from + 错误: 没有可减少的内容 Adding the pipe failed - Adding the pipe failed + 添加管道失败 Subtracting the pipe failed - Subtracting the pipe failed + 减除管道失败 A fatal error occurred when making the pipe - A fatal error occurred when making the pipe + 制作管道时发生致命错误 Invalid element in spine. - Invalid element in spine. + 骨架中有无效元素。 Element in spine is neither an edge nor a wire. - Element in spine is neither an edge nor a wire. + 骨架中的元素既不是边线也不是连线。 Spine is not connected. - Spine is not connected. + 骨架未连接 Spine is neither an edge nor a wire. - Spine is neither an edge nor a wire. + 骨架既不是边线也不是连线。 Invalid spine. - Invalid spine. + 无效骨架。 Cannot subtract primitive feature without base feature - Cannot subtract primitive feature without base feature + 没有基础特征时无法减去原始特征 - + Unknown operation type - Unknown operation type + 未知操作类型 - + Failed to perform boolean operation - Failed to perform boolean operation + 执行布尔操作失败 Length of box too small - Length of box too small + 方块长度过小 Width of box too small - Width of box too small + 方块宽度过小 Height of box too small - Height of box too small + 方块高度过小 Radius of cylinder too small - Radius of cylinder too small + 圆柱半径过小 Height of cylinder too small - Height of cylinder too small + 圆柱高度过小 Rotation angle of cylinder too small - Rotation angle of cylinder too small + 圆柱旋转角度过小 Radius of sphere too small - Radius of sphere too small + 球体半径过小 Radius of cone cannot be negative - Radius of cone cannot be negative + 锥体半径不能为负数 Height of cone too small - Height of cone too small + 锥体高度太小 Radius of ellipsoid too small - Radius of ellipsoid too small + 椭球半径过小 Radius of torus too small - Radius of torus too small + 环面半径过小 Polygon of prism is invalid, must have 3 or more sides - Polygon of prism is invalid, must have 3 or more sides + 棱柱的多边形无效,必须至少有 3 条或以上的边 Circumradius of the polygon, of the prism, is too small - Circumradius of the polygon, of the prism, is too small + 棱柱多边形的外接圆半径过小 Height of prism is too small - Height of prism is too small + 棱柱高度过小 delta x of wedge too small - delta x of wedge too small + 楔形的 X 差过小 delta y of wedge too small - delta y of wedge too small + 楔形的 Y 差过小 delta z of wedge too small - delta z of wedge too small + 楔形的 Z 差过小 delta z2 of wedge is negative - delta z2 of wedge is negative + 楔形的 Z2 差是负数 delta x2 of wedge is negative - delta x2 of wedge is negative + 楔形的 X2 差是负数 - + Angle of revolution too large - Angle of revolution too large + 旋转角过大 - + Angle of revolution too small - Angle of revolution too small + 旋转角过小 - + Reference axis is invalid - Reference axis is invalid + 参考坐标轴无效 - + Fusion with base feature failed - Fusion with base feature failed + 与基本特征联合失败 Transformation feature Linked object is not a Part object - Transformation feature Linked object is not a Part object + 转换功能链接的不是零件对象 No originals linked to the transformed feature. - No originals linked to the transformed feature. + 没有与变换特征链接的原始特征。 Cannot transform invalid support shape - Cannot transform invalid support shape + 无法变换无效的支持形状 Shape of additive/subtractive feature is empty - Shape of additive/subtractive feature is empty + 添加/减料的特性形状为空 Only additive and subtractive features can be transformed - Only additive and subtractive features can be transformed + 只能变换增料和减料特征 Invalid face reference - Invalid face reference + 无效的面参考 @@ -5414,12 +5412,12 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed. CmdPartDesignCompDatums - + Create datum 创建基准 - + Create a datum object or local coordinate system 创建基准对象或局部坐标系统 @@ -5427,14 +5425,30 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed. CmdPartDesignCompSketches - + Create datum 创建基准 - + Create a datum object or local coordinate system 创建基准对象或局部坐标系统 + + PartDesignGui::TaskDlgRevolutionParameters + + + Revolution parameters + 旋转体参数 + + + + PartDesignGui::TaskDlgGrooveParameters + + + Groove parameters + Groove parameters + + 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 2c6fd490f3af..b2dbd702e835 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_zh-TW.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_zh-TW.ts @@ -129,17 +129,17 @@ so that self intersection is avoided. CmdPartDesignAdditiveHelix - + PartDesign 零件設計 - + Additive helix 添加螺旋 - + Sweep a selected sketch along a helix 沿著一個螺旋掃掠一個被選的草圖 @@ -147,17 +147,17 @@ so that self intersection is avoided. CmdPartDesignAdditiveLoft - + PartDesign 零件設計 - + Additive loft 添加拉伸成形 - + Loft a selected profile through other profile sections 以選定的輪廓圖拉伸成形並使其穿過另一個輪廓圖 @@ -165,17 +165,17 @@ so that self intersection is avoided. CmdPartDesignAdditivePipe - + PartDesign 零件設計 - + Additive pipe 添加管件 - + Sweep a selected sketch along a path or to other profiles 沿著一條路徑或對其它輪廊掃掠已選草圖 @@ -183,17 +183,17 @@ so that self intersection is avoided. CmdPartDesignBody - + PartDesign 零件設計 - + Create body 建立實體 - + Create a new body and make it active 新增一個實體並使激活它 @@ -201,17 +201,17 @@ so that self intersection is avoided. CmdPartDesignBoolean - + PartDesign 零件設計 - + Boolean operation 布林運算 - + Boolean operation with two or more bodies 含兩個以上之物體的布林運算 @@ -237,17 +237,17 @@ so that self intersection is avoided. CmdPartDesignChamfer - + PartDesign 零件設計 - + Chamfer 倒角 - + Chamfer the selected edges of a shape 所選造型邊進行倒角 @@ -273,17 +273,17 @@ so that self intersection is avoided. CmdPartDesignDraft - + PartDesign 零件設計 - + Draft 草稿 - + Make a draft on a face 於面上建立草稿 @@ -291,17 +291,17 @@ so that self intersection is avoided. CmdPartDesignDuplicateSelection - + PartDesign 零件設計 - + Duplicate selected object 複製選定物件 - + Duplicates the selected object and adds it to the active body 複製已選物件添加至作業中主體 @@ -309,17 +309,17 @@ so that self intersection is avoided. CmdPartDesignFillet - + PartDesign 零件設計 - + Fillet 圓角 - + Make a fillet on an edge, face or body 於邊、面或實體產生圓角 @@ -327,17 +327,17 @@ so that self intersection is avoided. CmdPartDesignGroove - + PartDesign 零件設計 - + Groove 挖槽 - + Groove a selected sketch 於選定草圖上挖槽 @@ -345,17 +345,17 @@ so that self intersection is avoided. CmdPartDesignHole - + PartDesign 零件設計 - + Hole 挖孔 - + Create a hole with the selected sketch 以選定的草圖產生孔 @@ -381,17 +381,17 @@ so that self intersection is avoided. CmdPartDesignLinearPattern - + PartDesign 零件設計 - + LinearPattern 線性複製特徵 - + Create a linear pattern feature 建立線性複製特徵 @@ -399,17 +399,17 @@ so that self intersection is avoided. CmdPartDesignMigrate - + PartDesign 零件設計 - + Migrate - 移動 + 遷移 - + Migrate document to the modern PartDesign workflow 移動文件至PartDesign工作區 @@ -417,17 +417,17 @@ so that self intersection is avoided. CmdPartDesignMirrored - + PartDesign 零件設計 - + Mirrored 鏡像 - + Create a mirrored feature 建立一個鏡像特徵 @@ -435,17 +435,17 @@ so that self intersection is avoided. CmdPartDesignMoveFeature - + PartDesign 零件設計 - + Move object to other body 移動物件至其他主體 - + Moves the selected object to another body 移動被選物件至另一主體 @@ -453,17 +453,17 @@ so that self intersection is avoided. CmdPartDesignMoveFeatureInTree - + PartDesign 零件設計 - + Move object after other object 移動物件至其它物件後 - + Moves the selected object and insert it after another object 移動選定的物件,並將其插入到另一個物件之後 @@ -471,17 +471,17 @@ so that self intersection is avoided. CmdPartDesignMoveTip - + PartDesign 零件設計 - + Set tip 設定尖點 - + Move the tip of the body 移動物體尖點 @@ -489,17 +489,17 @@ so that self intersection is avoided. CmdPartDesignMultiTransform - + PartDesign 零件設計 - + Create MultiTransform 建立多重轉換 - + Create a multitransform feature 建立多重轉換特徵 @@ -561,17 +561,17 @@ so that self intersection is avoided. CmdPartDesignPocket - + PartDesign 零件設計 - + Pocket 凹陷 - + Create a pocket with the selected sketch 以選定草圖產生凹陷 @@ -597,17 +597,17 @@ so that self intersection is avoided. CmdPartDesignPolarPattern - + PartDesign 零件設計 - + PolarPattern 環狀複製模式 - + Create a polar pattern feature 建立一個環狀複製特徵 @@ -615,17 +615,17 @@ so that self intersection is avoided. CmdPartDesignRevolution - + PartDesign 零件設計 - + Revolution 旋轉 - + Revolve a selected sketch 旋轉選定之草圖 @@ -633,17 +633,17 @@ so that self intersection is avoided. CmdPartDesignScaled - + PartDesign 零件設計 - + Scaled 縮放 - + Create a scaled feature 建立一個等比特徵 @@ -683,17 +683,17 @@ so that self intersection is avoided. CmdPartDesignSubtractiveHelix - + PartDesign 零件設計 - + Subtractive helix 螺旋狀除料 - + Sweep a selected sketch along a helix and remove it from the body 沿著一個螺旋掃掠一個被選的草圖並將其自主體中移除 @@ -701,17 +701,17 @@ so that self intersection is avoided. CmdPartDesignSubtractiveLoft - + PartDesign 零件設計 - + Subtractive loft 拉伸成形除料 - + Loft a selected profile through other profile sections and remove it from the body 以多個輪廓圖產生拉伸外型,並在主體中挖空此形狀 @@ -719,17 +719,17 @@ so that self intersection is avoided. CmdPartDesignSubtractivePipe - + PartDesign 零件設計 - + Subtractive pipe 管狀除料 - + Sweep a selected sketch along a path or to other profiles and remove it from the body 由輪廓圖沿路徑掃出一外型,並在主體中挖空此形狀 @@ -737,17 +737,17 @@ so that self intersection is avoided. CmdPartDesignThickness - + PartDesign 零件設計 - + Thickness 厚度 - + Make a thick solid 建立薄殼件 @@ -766,42 +766,42 @@ so that self intersection is avoided. 建立一個附加的基本物件 - + Additive Box 添加立方體 - + Additive Cylinder 添加圓柱體 - + Additive Sphere 添加球體 - + Additive Cone 添加圓錐體 - + Additive Ellipsoid 添加橢圓體 - + Additive Torus 添加中空環型體 - + Additive Prism 添加角柱體 - + Additive Wedge 添加楔形體 @@ -809,53 +809,53 @@ so that self intersection is avoided. CmdPrimtiveCompSubtractive - + PartDesign 零件設計 - - + + Create a subtractive primitive 建立一個除料幾何形體 - + Subtractive Box 立方體除料 - + Subtractive Cylinder 圓柱體除料 - + Subtractive Sphere 球體除料 - + Subtractive Cone 圓錐體除料 - + Subtractive Ellipsoid 橢圓體除料 - + Subtractive Torus 中空環型體除料 - + Subtractive Prism 角柱體除料 - + Subtractive Wedge 楔形體除料 @@ -895,47 +895,48 @@ so that self intersection is avoided. + Create a new Sketch 建立新草圖 - + Convert to MultiTransform feature 轉換至多重轉換特徵 - + Create Boolean 建立布林運算 - + Add a Body 添加一個主體 - + Migrate legacy Part Design features to Bodies 將舊版零件設計功能遷移到主體中 - + Move tip to selected feature 移動尖點至被選的特徵 - + Duplicate a PartDesign object 複製一個 PartDesign 物件 - + Move an object 移動物件 - + Move an object inside tree 將一個物件移至樹中 @@ -1580,7 +1581,7 @@ click again to end selection The body list cannot be empty - 物體列表不能空白 + 主體列表不能空白 @@ -1604,7 +1605,7 @@ click again to end selection PartDesignGui::TaskDlgFeatureParameters - + Input error 輸入錯誤 @@ -1695,13 +1696,13 @@ click again to end selection PartDesignGui::TaskExtrudeParameters - + No face selected 無選定之面 - + Face @@ -1721,38 +1722,38 @@ click again to end selection 選取面 - + No shape selected 無選取物件 - + Sketch normal 草圖法線 - + Face normal 面法線 - + Select reference... 選取參考... - - + + Custom direction 自訂方向 - + Click on a shape in the model 點擊模型中的形狀 - + Click on a face in the model 點擊模型中的一個面 @@ -2277,7 +2278,7 @@ click again to end selection Dimension - 標註 + 標註尺寸 @@ -2315,7 +2316,7 @@ click again to end selection Dimension - 標註 + 標註尺寸 @@ -2701,7 +2702,7 @@ measured along the specified direction Dimension - 標註 + 標註尺寸 @@ -2794,9 +2795,9 @@ measured along the specified direction - + Dimension - 標註 + 標註尺寸 @@ -2805,19 +2806,19 @@ measured along the specified direction - + Base X axis 基本 X 軸 - + Base Y axis 物體原點的Y軸 - + Base Z axis Z 軸 @@ -2833,7 +2834,7 @@ measured along the specified direction - + Select reference... 選取參考... @@ -2843,24 +2844,24 @@ measured along the specified direction 角度: - + Symmetric to plane 依平面對稱 - + Reversed 反轉 - + 2nd angle 第 2 角度 - - + + Face @@ -2870,37 +2871,37 @@ measured along the specified direction 更新視圖 - + Revolution parameters 旋轉成形參數 - + To last 到最後位置 - + Through all 完全貫穿 - + To first 到起始面 - + Up to face 向上至面 - + Two dimensions 雙向填充 - + No face selected 無選定之面 @@ -3229,42 +3230,42 @@ click again to end selection PartDesign_CompPrimitiveAdditive - + Create an additive box by its width, height, and length 依長、寬、高建立立方體 - + Create an additive cylinder by its radius, height, and angle 依半徑、高、角度建立圓柱體 - + Create an additive sphere by its radius and various angles 依半徑、多個角度建立球狀體 - + Create an additive cone 建立圓錐體 - + Create an additive ellipsoid 建立橢圓體 - + Create an additive torus 建立中空環狀體 - + Create an additive prism 建立角柱體 - + Create an additive wedge 建立楔形體 @@ -3272,42 +3273,42 @@ click again to end selection PartDesign_CompPrimitiveSubtractive - + Create a subtractive box by its width, height and length 依長寬高建立除料立方體 - + Create a subtractive cylinder by its radius, height and angle 依半徑、高、角度建立除料圓柱體 - + Create a subtractive sphere by its radius and various angles 依半徑與角度建立除料球體 - + Create a subtractive cone 建立除料圓錐體 - + Create a subtractive ellipsoid 建立除料橢圓體 - + Create a subtractive torus 建立除料中空環體 - + Create a subtractive prism 建立除料角柱體 - + Create a subtractive wedge 建立除料楔形體 @@ -3315,12 +3316,12 @@ click again to end selection PartDesign_MoveFeature - + Select body 選擇主體 - + Select a body from the list 從清單中選擇主體 @@ -3328,27 +3329,27 @@ click again to end selection PartDesign_MoveFeatureInTree - + Select feature 選擇特徵 - + Select a feature from the list 從清單中選擇特徵 - + Move tip 移動尖點 - + The moved feature appears after the currently set tip. 移動特徵出現在當前設置的尖點之後。 - + Do you want the last feature to be the new tip? 您希望最後一個特徵為新的尖點嗎? @@ -3383,42 +3384,42 @@ click again to end selection 子形狀粘合劑 - + Several sub-elements selected 多個次元素被選取 - + You have to select a single face as support for a sketch! 您需要選擇單一面作為草圖之基準面! - + No support face selected 未選取基礎面 - + You have to select a face as support for a sketch! 您需要選擇一個面作為草圖之基準面! - + No planar support 無平面之基礎面 - + You need a planar face as support for a sketch! 您需要選取平面作為草圖之基準面! - + No valid planes in this document 在本文件的非法平面 - + Please create a plane first or select a face to sketch on 請先建立一個平面或選擇要在其上繪製草圖的面 @@ -3464,7 +3465,7 @@ click again to end selection Consider using a ShapeBinder or a BaseFeature to reference external geometry in a body. - 考慮使用 ShapeBinder 或 BaseFeature 來引用實體中的外部幾何體。 + 考慮使用 ShapeBinder 或 BaseFeature 來引用主體中的外部幾何體。 @@ -3477,240 +3478,240 @@ click again to end selection 文檔中沒有可用之草圖 - - + + Wrong selection 錯誤的選擇 - + Select an edge, face, or body from a single body. - 自單一實體中選擇一個邊、面或是實體 + 自單一主體中選擇一個邊、面或是主體 - - + + Selection is not in Active Body 選擇不在一個作業中主體 - + Select an edge, face, or body from an active body. 自一個作業中主體選擇一個邊、面或是主體 - + Wrong object type 物件種類錯誤 - + %1 works only on parts. %1 僅能用於零件上 - + Shape of the selected Part is empty 所選零件的形狀為空白 - + Please select only one feature in an active body. 請在一個作業中主體只選擇一個特徵 - + Part creation failed 新增零件失敗 - + Failed to create a part object. - 建立一個part物件失敗 + 建立一個零件物件失敗 - - - - + + + + Bad base feature 壞掉的基礎特性 - + Body can't be based on a PartDesign feature. - 實體不能建構於 PartDesign 特徵上 + 主體不能基於零件設計特徵上 - + %1 already belongs to a body, can't use it as base feature for another body. - %1 已經屬於某個實體,不能用在另一個實體的基本特徵上 + %1 已經屬於某個主體,不能用在另一個主體的基礎特徵上 - + Base feature (%1) belongs to other part. - 基本特徵 (%1) 屬於其他部分。 + 基礎特徵 (%1) 屬於其他部分。 - + The selected shape consists of multiple solids. This may lead to unexpected results. 選定的形狀由多個實體組成。 這可能導致無法預測的結果。 - + The selected shape consists of multiple shells. This may lead to unexpected results. 選定的形狀由多個殼組成。 這可能導致無法預測的結果。 - + The selected shape consists of only a shell. This may lead to unexpected results. 選定的形狀只由一個殼組成。 這可能導致無法預測的結果。 - + The selected shape consists of multiple solids or shells. This may lead to unexpected results. 選定的形狀由多個實體或殼組成。 這可能導致無法預測的結果。 - + Base feature 基礎特徵 - + Body may be based on no more than one feature. - 實體可能基於不超過一個特徵 + 主體可能基於不超過一個特徵 - + Body - 實體 + 主體 - + Nothing to migrate - 沒有內容要合併 + 沒有什麼東西可以遷移 - + No PartDesign features found that don't belong to a body. Nothing to migrate. - 未找到不屬於實體的 PartDesign 特徵。沒有什麼東西可以遷移。 + 未找到不屬於主體的 PartDesign 特徵。沒有什麼東西可以遷移。 - + Sketch plane cannot be migrated 草圖平面無法被遷移 - + Please edit '%1' and redefine it to use a Base or Datum plane as the sketch plane. 請編輯 '%1' 並重新定義它以使用 Base 或 Datum 平面作為草圖平面。 - - - - - + + + + + Selection error 選取錯誤 - + Select exactly one PartDesign feature or a body. - 選擇正好一個 PartDesign 特徵或是一個實體 + 選擇正好一個 PartDesign 特徵或是一個主體 - + Couldn't determine a body for the selected feature '%s'. - 無法決定所選特徵之實體 + 無法決定所選特徵之主體 - + Only a solid feature can be the tip of a body. - 只有固態特徵能成為實體的尖點。 + 只有實心特徵能成為主體的尖點。 - - - + + + Features cannot be moved 特徵無法被移動 - + Some of the selected features have dependencies in the source body 某些被選的特徵與來源實體有相依性 - + Only features of a single source Body can be moved - 只有單一來源實體的特徵可以被移動 + 只有單一來源主體的特徵可以被移動 - + There are no other bodies to move to - 沒有其它實體可以搬移過去 + 沒有其它主體可以搬移過去 - + Impossible to move the base feature of a body. - 不可能移動實體的基礎特徵 + 不可能移動主體的基礎特徵 - + Select one or more features from the same body. - 選擇相同實體的一個或更多個特徵 + 選擇相同主體的一個或更多個特徵 - + Beginning of the body - 實體的起點 + 主體的起點 - + Dependency violation 相依性衝突 - + Early feature must not depend on later feature. 較早的特徵不可以相依在較晚的特徵。 - + No previous feature found 找不到先前特徵 - + It is not possible to create a subtractive feature without a base feature available 如果沒有可用的基礎特徵,則無法建立除料特徵 - + Vertical sketch axis 垂直草圖軸 - + Horizontal sketch axis 水平草圖軸 - + Construction line %1 作圖線 %1: @@ -3741,12 +3742,12 @@ If you have a legacy document with PartDesign objects without Body, use the migr Feature is not in a body - 特徵不在實體中 + 特徵不在主體中 In order to use this feature it needs to belong to a body object in the document. - 為了使用此特徵,它需要屬於文件中的實體物件。 + 為了使用此特徵,它需要屬於文件中的主體物件。 @@ -4306,7 +4307,7 @@ Only available for holes without thread Dimension - 標註 + 標註尺寸 @@ -4742,25 +4743,25 @@ over 90: larger hole radius at the bottom 不支援的布林運算 - + - + Resulting shape is not a solid 產成形狀不是固體 - - - + + + - + Result has multiple solids: that is not currently supported. @@ -4839,71 +4840,71 @@ over 90: larger hole radius at the bottom - 所選擇的草圖不屬於作業中主體。 - + Length too small 長度太小 - + Second length too small 第二長度太小 - + Failed to obtain profile shape 無法獲取輪廓形狀 - + Creation failed because direction is orthogonal to sketch's normal vector 建立失敗,因為方向與草圖的法向量正交 - + Extrude: Can only offset one face 拉伸:只能偏移一個面 - - + + Creating a face from sketch failed 由草圖建立面失敗 - + Up to face: Could not get SubShape! “到面”操作:無法獲取子形狀! - + Unable to reach the selected shape, please select faces 無法到達所選形狀,請選擇面 - + Magnitude of taper angle matches or exceeds 90 degrees 錐度角的大小等於或超過 90 度 - + Padding with draft angle failed 帶有斜角的填充操作失敗 - + Revolve axis intersects the sketch 旋轉軸與草圖相交 - + Could not revolve the sketch! 無法旋轉草圖! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. @@ -5100,22 +5101,22 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed for m 拉伸成形:至少需要一個輪廊 - + Loft: A fatal error occurred when making the loft 拉伸成形:在建立拉伸成形時發生致命錯誤 - + Loft: Creating a face from sketch failed Loft 操作:從草圖建立面失敗 - + Loft: Failed to create shell Loft 操作:建立外殼失敗 - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed. 無法從草圖立建面。 @@ -5232,13 +5233,13 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed.無法在沒有基礎特徵的情況下進行原始特徵的減法操作 - + Unknown operation type 未知的運算類型 - + Failed to perform boolean operation 執行布林運算失敗 @@ -5342,22 +5343,22 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed.楔形體的 x2 差量為負值 - + Angle of revolution too large 旋轉角度太大 - + Angle of revolution too small 旋轉角度太小 - + Reference axis is invalid 參考軸是無效的 - + Fusion with base feature failed 與基本特徵進行聯集失敗 @@ -5403,12 +5404,12 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed. CmdPartDesignCompDatums - + Create datum 建立基準 - + Create a datum object or local coordinate system 建立一個基準物件或是局部座標系統 @@ -5416,14 +5417,30 @@ Intersecting sketch entities or multiple faces in a sketch are not allowed. CmdPartDesignCompSketches - + Create datum 建立基準 - + Create a datum object or local coordinate system 建立一個基準物件或是局部座標系統 + + PartDesignGui::TaskDlgRevolutionParameters + + + Revolution parameters + 旋轉成形參數 + + + + PartDesignGui::TaskDlgGrooveParameters + + + Groove parameters + Groove parameters + + diff --git a/src/Mod/PartDesign/Gui/TaskHoleParameters.cpp b/src/Mod/PartDesign/Gui/TaskHoleParameters.cpp index 9661c1424ce6..4d3a4938798f 100644 --- a/src/Mod/PartDesign/Gui/TaskHoleParameters.cpp +++ b/src/Mod/PartDesign/Gui/TaskHoleParameters.cpp @@ -81,6 +81,8 @@ TaskHoleParameters::TaskHoleParameters(ViewProviderHole* HoleView, QWidget* pare ui->ThreadSize->addItem(tr(it.c_str())); } ui->ThreadSize->setCurrentIndex(pcHole->ThreadSize.getValue()); + ui->ThreadSize->setEnabled(!pcHole->Threaded.getValue() && pcHole->ThreadType.getValue() != 0L); + ui->ThreadClass->clear(); cursor = pcHole->ThreadClass.getEnumVector(); for (const auto& it : cursor) { @@ -91,7 +93,7 @@ TaskHoleParameters::TaskHoleParameters(ViewProviderHole* HoleView, QWidget* pare ui->ThreadClass->setEnabled(pcHole->Threaded.getValue()); ui->ThreadFit->setCurrentIndex(pcHole->ThreadFit.getValue()); // Fit is only enabled (sensible) if not threaded - ui->ThreadFit->setEnabled(!pcHole->Threaded.getValue()); + ui->ThreadFit->setEnabled(!pcHole->Threaded.getValue() && pcHole->ThreadType.getValue() != 0L); ui->Diameter->setMinimum(pcHole->Diameter.getMinimum()); ui->Diameter->setValue(pcHole->Diameter.getValue()); // Diameter is only enabled if ThreadType is None diff --git a/src/Mod/PartDesign/PartDesignTests/TestHelix.py b/src/Mod/PartDesign/PartDesignTests/TestHelix.py index fb5c91792870..9ae8b7cd748d 100644 --- a/src/Mod/PartDesign/PartDesignTests/TestHelix.py +++ b/src/Mod/PartDesign/PartDesignTests/TestHelix.py @@ -129,6 +129,147 @@ def testRectangle(self): expected = pi * 25 * 5 * 3 self.assertAlmostEqual(helix.Shape.Volume, expected, places=2) + def testGiantHelix(self): + """ Test giant helix """ + _OCC_VERSION=[ int(v) for v in Part.OCC_VERSION.split('.') ] + if _OCC_VERSION[0]>7 or (_OCC_VERSION[0]==7 and _OCC_VERSION[1]>3): + mine=-1 + maxe=10 + else: + mine=-1 + maxe=9 + for iexponent in range(mine,maxe): + exponent = float(iexponent) + body = self.Doc.addObject('PartDesign::Body','GearBody') + gearSketch = self.Doc.addObject('Sketcher::SketchObject', 'GearSketch') + body.addObject(gearSketch) + TestSketcherApp.CreateRectangleSketch(gearSketch, (10*(10**exponent), 0), (1*(10**exponent), 1*(10**exponent))) + xz_plane = body.Origin.OriginFeatures[4] + gearSketch.AttachmentSupport = xz_plane + gearSketch.MapMode = 'FlatFace' + self.Doc.recompute() + + helix = self.Doc.addObject("PartDesign::AdditiveHelix","AdditiveHelix") + body.addObject(helix) + helix.Profile = gearSketch + helix.ReferenceAxis = (gearSketch,"V_Axis") + helix.Placement = FreeCAD.Placement(FreeCAD.Vector(0,0,0), FreeCAD.Rotation(FreeCAD.Vector(0,0,1),0), FreeCAD.Vector(0,0,0)) + + helix.Pitch = 2*(10**exponent) + helix.Turns = 2 + helix.Height = helix.Turns* helix.Pitch + helix.Angle = 0 + helix.Mode = 0 + self.Doc.recompute() + + self.assertTrue(helix.Shape.isValid()) + bbox = helix.Shape.BoundBox + self.assertAlmostEqual(bbox.ZMin/((10**exponent)**3),0,places=4) + # Computed exact value + # with r = radius, l = length of square, t = turns + # pi * r**2 * l * t + expected = pi * ( ((11*(10**exponent))**2) - ((10*(10**exponent))**2) ) * 1*(10**exponent) * helix.Turns + self.assertAlmostEqual(helix.Shape.Volume/ ((10**exponent)**3),expected/ ((10**exponent)**3),places=2) + + def testGiantHelixAdditive(self): + """ Test giant helix added to Cylinder """ + _OCC_VERSION=[ int(v) for v in Part.OCC_VERSION.split('.') ] + if _OCC_VERSION[0]>7 or (_OCC_VERSION[0]==7 and _OCC_VERSION[1]>3): + mine=-1 + maxe=8 + else: + mine=-1 + maxe=6 + for iexponent in range(mine,maxe): + exponent = float(iexponent) + body = self.Doc.addObject('PartDesign::Body','GearBody') + gearSketch = self.Doc.addObject('Sketcher::SketchObject', 'GearSketch') + body.addObject(gearSketch) + TestSketcherApp.CreateRectangleSketch(gearSketch, (10*(10**exponent), 0), (1*(10**exponent), 1*(10**exponent))) + xz_plane = body.Origin.OriginFeatures[4] + gearSketch.AttachmentSupport = xz_plane + gearSketch.MapMode = 'FlatFace' + self.Doc.recompute() + + cylinder = self.Doc.addObject('PartDesign::AdditiveCylinder','Cylinder') + cylinder.Radius = 10*(10**exponent) + cylinder.Height = 8*(10**exponent) + cylinder.Angle = 360 + body.addObject(cylinder) + self.Doc.recompute() + + helix = self.Doc.addObject("PartDesign::AdditiveHelix","AdditiveHelix") + body.addObject(helix) + helix.Profile = gearSketch + helix.ReferenceAxis = (gearSketch,"V_Axis") + helix.Placement = FreeCAD.Placement(FreeCAD.Vector(0,0,0), FreeCAD.Rotation(FreeCAD.Vector(0,0,1),0), FreeCAD.Vector(0,0,0)) + + helix.Pitch = 2*(10**exponent) + helix.Turns = 2.5 # workaround for OCCT bug with very large helices - full turns truncate the cylinder due to seam alignment + helix.Height = helix.Turns* helix.Pitch + helix.Angle = 0 + helix.Mode = 0 + self.Doc.recompute() + + self.assertTrue(helix.Shape.isValid()) + bbox = helix.Shape.BoundBox + self.assertAlmostEqual(bbox.ZMin/((10**exponent)**3),0,places=4) + # Computed exact value + # with r = radius, l = length of square, t = turns + # pi * r**2 * l * t + cyl = pi * ((10*(10**exponent))**2) * 8*(10**exponent) + expected = cyl + (pi * ( ((11*(10**exponent))**2) - ((10*(10**exponent))**2) ) * 1*(10**exponent) * helix.Turns ) + self.assertAlmostEqual(helix.Shape.Volume/ ((10**exponent)**3),expected/ ((10**exponent)**3),places=2) + + def testGiantHelixSubtractive(self): + """ Test giant helix subtracted from Cylinder """ + _OCC_VERSION=[ int(v) for v in Part.OCC_VERSION.split('.') ] + if _OCC_VERSION[0]>7 or (_OCC_VERSION[0]==7 and _OCC_VERSION[1]>3): + mine=-1 + maxe=8 + else: + mine=-1 + maxe=6 + for iexponent in range(mine,maxe): + exponent = float(iexponent) + body = self.Doc.addObject('PartDesign::Body','GearBody') + gearSketch = self.Doc.addObject('Sketcher::SketchObject', 'GearSketch') + body.addObject(gearSketch) + TestSketcherApp.CreateRectangleSketch(gearSketch, (10*(10**exponent), 0), (1*(10**exponent), 1*(10**exponent))) + xz_plane = body.Origin.OriginFeatures[4] + gearSketch.AttachmentSupport = xz_plane + gearSketch.MapMode = 'FlatFace' + self.Doc.recompute() + + cylinder = self.Doc.addObject('PartDesign::AdditiveCylinder','Cylinder') + cylinder.Radius = 11*(10**exponent) + cylinder.Height = 8*(10**exponent) + cylinder.Angle = 360 + body.addObject(cylinder) + self.Doc.recompute() + + helix = self.Doc.addObject("PartDesign::SubtractiveHelix","SubtractiveHelix") + body.addObject(helix) + helix.Profile = gearSketch + helix.ReferenceAxis = (gearSketch,"V_Axis") + helix.Placement = FreeCAD.Placement(FreeCAD.Vector(0,0,0), FreeCAD.Rotation(FreeCAD.Vector(0,0,1),0), FreeCAD.Vector(0,0,0)) + + helix.Pitch = 2*(10**exponent) + helix.Turns = 2.5 # workaround for OCCT bug with very large helices - full turns truncate the cylinder due to seam alignment + helix.Height = helix.Turns* helix.Pitch + helix.Angle = 0 + helix.Mode = 0 + self.Doc.recompute() + + self.assertTrue(helix.Shape.isValid()) + bbox = helix.Shape.BoundBox + self.assertAlmostEqual(bbox.ZMin/((10**exponent)**3),0,places=4) + # Computed exact value + # with r = radius, l = length of square, t = turns + # pi * r**2 * l * t + cyl = pi * ((11*(10**exponent))**2) * 8*(10**exponent) + expected = cyl - (pi * ( ((11*(10**exponent))**2) - ((10*(10**exponent))**2) ) * 1*(10**exponent) * helix.Turns ) + self.assertAlmostEqual(helix.Shape.Volume/ ((10**exponent)**3),expected/ ((10**exponent)**3),places=2) def testCone(self): """ Test helix following a cone """ diff --git a/src/Mod/PartDesign/PartDesignTests/TestTopologicalNamingProblem.py b/src/Mod/PartDesign/PartDesignTests/TestTopologicalNamingProblem.py index 5e96c2359dea..0d7fb5ffa660 100644 --- a/src/Mod/PartDesign/PartDesignTests/TestTopologicalNamingProblem.py +++ b/src/Mod/PartDesign/PartDesignTests/TestTopologicalNamingProblem.py @@ -646,6 +646,46 @@ def testPartDesignElementMapRevolution(self): self.assertEqual( revolution.Shape.ElementReverseMap["Face8"].count("Face8"), 3) self.assertEqual( revolution.Shape.ElementReverseMap["Face8"].count("Face10"), 3) + def testPartDesignBinderRevolution(self): + doc = self.Doc + body = doc.addObject('PartDesign::Body', 'Body') + sketch = body.newObject('Sketcher::SketchObject', 'Sketch') + sketch.AttachmentSupport = (doc.getObject('XY_Plane'), ['']) + sketch.MapMode = 'FlatFace' + doc.recompute() + + geoList = [] + geoList.append(Part.LineSegment(App.Vector(-44.107212, 34.404858, 0.000000), App.Vector(-44.107212, 9.881049, 0.000000))) + geoList.append(Part.LineSegment(App.Vector(-44.107212, 9.881049, 0.0000000), App.Vector(-10.297691, 9.881049, 0.000000))) + geoList.append(Part.LineSegment(App.Vector(-10.297691, 9.881049, 0.0000000), App.Vector(-10.297691, 34.404858, 0.00000))) + geoList.append(Part.LineSegment(App.Vector(-10.297691, 34.404858, 0.000000), App.Vector(-44.107212, 34.404858, 0.00000))) + sketch.addGeometry(geoList, False) + del geoList + + constraintList = [] + constraintList.append(Sketcher.Constraint('Coincident', 0, 2, 1, 1)) + constraintList.append(Sketcher.Constraint('Coincident', 1, 2, 2, 1)) + constraintList.append(Sketcher.Constraint('Coincident', 2, 2, 3, 1)) + constraintList.append(Sketcher.Constraint('Coincident', 3, 2, 0, 1)) + constraintList.append(Sketcher.Constraint('Vertical', 0)) + constraintList.append(Sketcher.Constraint('Vertical', 2)) + constraintList.append(Sketcher.Constraint('Horizontal', 1)) + constraintList.append(Sketcher.Constraint('Horizontal', 3)) + sketch.addConstraint(constraintList) + del constraintList + + doc.recompute() + binder = body.newObject('PartDesign::ShapeBinder','ShapeBinder') + binder.Support = [sketch, (''),] + binder.Visibility = False + doc.recompute() + revolve = body.newObject('PartDesign::Revolution','Revolution') + revolve.Profile = (doc.getObject('ShapeBinder'), ['',]) + revolve.ReferenceAxis = (doc.getObject('Y_Axis'), ['']) + revolve.Angle = 360.0 + doc.recompute() + self.assertTrue(revolve.isValid()) + def testPartDesignElementMapLoft(self): # Arrange body = self.Doc.addObject("PartDesign::Body", "Body") diff --git a/src/Mod/Points/Gui/Resources/translations/Points_zh-TW.ts b/src/Mod/Points/Gui/Resources/translations/Points_zh-TW.ts index 639fa0914280..2428acf54eec 100644 --- a/src/Mod/Points/Gui/Resources/translations/Points_zh-TW.ts +++ b/src/Mod/Points/Gui/Resources/translations/Points_zh-TW.ts @@ -68,13 +68,13 @@ Merge point clouds - Merge point clouds + 合併點雲 Merge several point clouds into one - Merge several point clouds into one + 合併數個點雲為一 @@ -106,13 +106,13 @@ Structured point cloud - Structured point cloud + 結構化點雲 Convert points to structured point cloud - Convert points to structured point cloud + 將點轉換為結構化點雲 @@ -139,12 +139,12 @@ Import points - Import points + 匯入點 Transform points - Transform points + 轉換點 @@ -155,7 +155,7 @@ Cut points - Cut points + 切割點 @@ -294,7 +294,7 @@ Point formats - Point formats + 點格式 diff --git a/src/Mod/ReverseEngineering/Gui/Resources/translations/ReverseEngineering_de.ts b/src/Mod/ReverseEngineering/Gui/Resources/translations/ReverseEngineering_de.ts index e9e16aef6182..5ce7ad5b7b0b 100644 --- a/src/Mod/ReverseEngineering/Gui/Resources/translations/ReverseEngineering_de.ts +++ b/src/Mod/ReverseEngineering/Gui/Resources/translations/ReverseEngineering_de.ts @@ -301,7 +301,7 @@ Create placement - Placement erstellen + Platzierung erstellen diff --git a/src/Mod/ReverseEngineering/Gui/Resources/translations/ReverseEngineering_hr.ts b/src/Mod/ReverseEngineering/Gui/Resources/translations/ReverseEngineering_hr.ts index f4b5f4521c4b..4bdd65af2099 100644 --- a/src/Mod/ReverseEngineering/Gui/Resources/translations/ReverseEngineering_hr.ts +++ b/src/Mod/ReverseEngineering/Gui/Resources/translations/ReverseEngineering_hr.ts @@ -607,17 +607,17 @@ Chord length - Chord length + Dužina tetive Centripetal - Centripetal + Centripetalni Iso-Parametric - Iso-Parametric + Iso-Parametarski @@ -627,7 +627,7 @@ Parametrization type - Parametrization type + Tip parametrizacije @@ -682,7 +682,7 @@ Torsion - Torsion + Uvrtanje @@ -705,12 +705,12 @@ Approximate B-spline curve... - Approximate B-spline curve... + Približno sa krivuljom B-spline... Approximate a B-spline curve - Approximate a B-spline curve + Približno sa jednom krivuljom B-spline diff --git a/src/Mod/ReverseEngineering/Gui/Resources/translations/ReverseEngineering_zh-CN.ts b/src/Mod/ReverseEngineering/Gui/Resources/translations/ReverseEngineering_zh-CN.ts index 119293a44f76..19daad01509f 100644 --- a/src/Mod/ReverseEngineering/Gui/Resources/translations/ReverseEngineering_zh-CN.ts +++ b/src/Mod/ReverseEngineering/Gui/Resources/translations/ReverseEngineering_zh-CN.ts @@ -236,7 +236,7 @@ Fit B-spline - Fit B-spline + 适用于贝塞尔曲线 @@ -393,7 +393,7 @@ Please select a point cloud. - Please select a point cloud. + 请选择一个点云。 @@ -602,22 +602,22 @@ Maximum degree - Maximum degree + 最大角度 Chord length - Chord length + 弦长 Centripetal - Centripetal + 向心 Iso-Parametric - Iso-Parametric + ISO 参数 @@ -627,52 +627,52 @@ Parametrization type - Parametrization type + 参数化类型 C0 - C0 + C0 G1 - G1 + G1 C1 - C1 + C1 G2 - G2 + G2 C2 - C2 + C2 C3 - C3 + C3 CN - CN + CN Minimum degree - Minimum degree + 最小角度 Closed curve - Closed curve + 闭合曲线 @@ -682,12 +682,12 @@ Torsion - Torsion + 挠率 Curve length - Curve length + 曲线长度 @@ -705,12 +705,12 @@ Approximate B-spline curve... - Approximate B-spline curve... + 近似贝塞尔曲线… Approximate a B-spline curve - Approximate a B-spline curve + 近似贝塞尔曲线… diff --git a/src/Mod/ReverseEngineering/Gui/Resources/translations/ReverseEngineering_zh-TW.ts b/src/Mod/ReverseEngineering/Gui/Resources/translations/ReverseEngineering_zh-TW.ts index 956e909b65f5..ffc5d55f293f 100644 --- a/src/Mod/ReverseEngineering/Gui/Resources/translations/ReverseEngineering_zh-TW.ts +++ b/src/Mod/ReverseEngineering/Gui/Resources/translations/ReverseEngineering_zh-TW.ts @@ -83,12 +83,12 @@ Approximate B-spline surface... - Approximate B-spline surface... + 近似 B 雲形線曲面... Approximate a B-spline surface - Approximate a B-spline surface + 近似一 B 雲形線曲面 @@ -230,13 +230,13 @@ Placement - 佈置 + 放置 Fit B-spline - Fit B-spline + 擬合 B 雲形線 @@ -254,18 +254,18 @@ Fit B-spline surface - Fit B-spline surface + 擬合 B 雲形線曲面 u-Direction - u-方向 + u 方向 Degree - 程度 + 角度 @@ -296,12 +296,12 @@ User-defined u/v directions - User-defined u/v directions + 使用者定義 u/v 方向 Create placement - Create placement + 建立放置 @@ -345,7 +345,7 @@ Please select a single placement object to get local orientation. - Please select a single placement object to get local orientation. + 請選擇單一放置物件以獲得本地方向。 @@ -462,7 +462,7 @@ Manual segmentation - Manual segmentation + 手動分段 @@ -514,7 +514,7 @@ Detect - Detect + 偵測 @@ -558,17 +558,17 @@ Segmentation - Segmentation + 段落 Cut segment from mesh - Cut segment from mesh + 從網格中切下一段 Hide segment - Hide segment + 隱藏片段 @@ -592,7 +592,7 @@ Fit B-spline surface - Fit B-spline surface + 擬合 B 雲形線曲面 @@ -602,17 +602,17 @@ Maximum degree - Maximum degree + 最大角度 Chord length - Chord length + 弦長 Centripetal - Centripetal + 向心性 @@ -627,52 +627,52 @@ Parametrization type - Parametrization type + 參數化類型 C0 - C0 + C0 G1 - G1 + G1 C1 - C1 + C1 G2 - G2 + G2 C2 - C2 + C2 C3 - C3 + C3 CN - CN + CN Minimum degree - Minimum degree + 最小角度 Closed curve - Closed curve + 封閉曲線 @@ -682,12 +682,12 @@ Torsion - Torsion + 扭轉 Curve length - Curve length + 曲線長度 @@ -705,12 +705,12 @@ Approximate B-spline curve... - Approximate B-spline curve... + 近似 B 雲形線... Approximate a B-spline curve - Approximate a B-spline curve + 近似一 B 雲形線 diff --git a/src/Mod/Sketcher/App/SketchObject.cpp b/src/Mod/Sketcher/App/SketchObject.cpp index 2518eb21f080..0eaf99b327e3 100644 --- a/src/Mod/Sketcher/App/SketchObject.cpp +++ b/src/Mod/Sketcher/App/SketchObject.cpp @@ -10071,8 +10071,9 @@ void SketchObject::onChanged(const App::Property* prop) } else { Base::Console().Error( - "SketchObject::onChanged(): Unmanaged change of Geometry Property " - "results in invalid constraint indices\n"); + this->getFullLabel() + " SketchObject::onChanged ", + QT_TRANSLATE_NOOP("Notifications", "Unmanaged change of Geometry Property " + "results in invalid constraint indices") "\n"); } Base::StateLocker lock(internaltransaction, true); setUpSketch(); @@ -10101,8 +10102,9 @@ void SketchObject::onChanged(const App::Property* prop) } else { Base::Console().Error( - "SketchObject::onChanged(): Unmanaged change of Constraint " - "Property results in invalid constraint indices\n"); + this->getFullLabel() + " SketchObject::onChanged ", + QT_TRANSLATE_NOOP("Notifications", "Unmanaged change of Constraint " + "Property results in invalid constraint indices") "\n"); } Base::StateLocker lock(internaltransaction, true); setUpSketch(); diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher.ts index 0f748c9c80cb..47faf619b814 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher.ts @@ -128,27 +128,27 @@ CmdSketcherCompConstrainRadDia - + Constrain arc or circle - + Constrain an arc or a circle - + Constrain radius - + Constrain diameter - + Constrain auto radius/diameter @@ -307,12 +307,12 @@ CmdSketcherConstrainAngle - + Constrain angle - + Fix the angle of a line or the angle between two lines @@ -320,12 +320,12 @@ CmdSketcherConstrainBlock - + Constrain block - + Block the selected edge from moving @@ -333,12 +333,12 @@ CmdSketcherConstrainCoincident - + Constrain coincident - + Create a coincident constraint between points, or a concentric constraint between circles, arcs, and ellipses @@ -346,12 +346,12 @@ CmdSketcherConstrainDiameter - + Constrain diameter - + Fix the diameter of a circle or an arc @@ -359,12 +359,12 @@ CmdSketcherConstrainDistance - + Constrain distance - + Fix a length of a line or the distance between a line and a vertex or between two circles @@ -372,12 +372,12 @@ CmdSketcherConstrainDistanceX - + Constrain horizontal distance - + Fix the horizontal distance between two points or line ends @@ -385,12 +385,12 @@ CmdSketcherConstrainDistanceY - + Constrain vertical distance - + Fix the vertical distance between two points or line ends @@ -398,12 +398,12 @@ CmdSketcherConstrainEqual - + Constrain equal - + Create an equality constraint between two lines or between circles and arcs @@ -411,12 +411,12 @@ CmdSketcherConstrainHorizontal - + Constrain horizontal - + Create a horizontal constraint on the selected item @@ -424,12 +424,12 @@ CmdSketcherConstrainLock - + Constrain lock - + Create both a horizontal and a vertical distance constraint on the selected vertex @@ -438,12 +438,12 @@ on the selected vertex CmdSketcherConstrainParallel - + Constrain parallel - + Create a parallel constraint between two lines @@ -451,12 +451,12 @@ on the selected vertex CmdSketcherConstrainPerpendicular - + Constrain perpendicular - + Create a perpendicular constraint between two lines @@ -464,12 +464,12 @@ on the selected vertex CmdSketcherConstrainPointOnObject - + Constrain point on object - + Fix a point onto an object @@ -477,12 +477,12 @@ on the selected vertex CmdSketcherConstrainRadiam - + Constrain auto radius/diameter - + Fix the diameter if a circle is chosen, or the radius if an arc/spline pole is chosen @@ -490,12 +490,12 @@ on the selected vertex CmdSketcherConstrainSnellsLaw - + Constrain refraction (Snell's law) - + Create a refraction law (Snell's law)constraint between two endpoints of rays and an edge as an interface. @@ -504,12 +504,12 @@ and an edge as an interface. CmdSketcherConstrainSymmetric - + Constrain symmetric - + Create a symmetry constraint between two points with respect to a line or a third point @@ -518,12 +518,12 @@ with respect to a line or a third point CmdSketcherConstrainVertical - + Constrain vertical - + Create a vertical constraint on the selected item @@ -1063,7 +1063,7 @@ then call this command, then choose the desired sketch. - + Some of the selected objects depend on the sketch to be mapped. Circular dependencies are not allowed. @@ -1071,22 +1071,22 @@ then call this command, then choose the desired sketch. CmdSketcherMergeSketches - + Merge sketches - + Create a new sketch from merging two or more selected sketches. - + Wrong selection - + Select at least two sketches. @@ -1094,24 +1094,24 @@ then call this command, then choose the desired sketch. CmdSketcherMirrorSketch - + Mirror sketch - + Creates a new mirrored sketch for each selected sketch by using the X or Y axes, or the origin point, as mirroring reference. - + Wrong selection - + Select one or more sketches. @@ -1364,12 +1364,12 @@ This will clear the 'AttachmentSupport' property, if any. CmdSketcherToggleActiveConstraint - + Activate/deactivate constraint - + Activates or deactivates the selected constraints @@ -1390,12 +1390,12 @@ This will clear the 'AttachmentSupport' property, if any. CmdSketcherToggleDrivingConstraint - + Toggle driving/reference constraint - + Set the toolbar, or the selected constraints, into driving or reference mode @@ -1417,23 +1417,23 @@ into driving or reference mode CmdSketcherValidateSketch - + Validate sketch... - + Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. - + Wrong selection - + Select only one sketch. @@ -1441,12 +1441,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSection - + View section - + When in edit mode, switch between section view and full view. @@ -1454,12 +1454,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSketch - + View sketch - + When in edit mode, set the camera orientation perpendicular to the sketch plane. @@ -1467,69 +1467,69 @@ invalid constraints, degenerated geometry, etc. Command - + Add 'Lock' constraint - + Add relative 'Lock' constraint - + Add fixed constraint - + Add 'Block' constraint - + Add block constraint - - + + Add coincident constraint - - + + Add distance from horizontal axis constraint - - + + Add distance from vertical axis constraint - - + + Add point to point distance constraint - - + + Add point to line Distance constraint - - + + Add circle to circle distance constraint - + Add circle to line distance constraint @@ -1538,16 +1538,16 @@ invalid constraints, degenerated geometry, etc. - - - + + + Add length constraint - + Dimension @@ -1564,7 +1564,7 @@ invalid constraints, degenerated geometry, etc. - + Add Distance constraint @@ -1642,7 +1642,7 @@ invalid constraints, degenerated geometry, etc. - + Activate/Deactivate constraints @@ -1658,23 +1658,23 @@ invalid constraints, degenerated geometry, etc. - + Add DistanceX constraint - + Add DistanceY constraint - + Add point to circle Distance constraint - - + + Add point on object constraint @@ -1685,143 +1685,143 @@ invalid constraints, degenerated geometry, etc. - - + + Add point to point horizontal distance constraint - + Add fixed x-coordinate constraint - - + + Add point to point vertical distance constraint - + Add fixed y-coordinate constraint - - + + Add parallel constraint - - - - - - - + + + + + + + Add perpendicular constraint - + Add perpendicularity constraint - + Swap coincident+tangency with ptp tangency - - - - - - - + + + + + + + Add tangent constraint - - - - - - - - - - - - - - + + + + + + + + + + + + + + Add tangent constraint point - - - - + + + + Add radius constraint - - - - + + + + Add diameter constraint - - - - + + + + Add radiam constraint - - - - + + + + Add angle constraint - + Swap point on object and tangency with point to curve tangency - - + + Add equality constraint - - - - - + + + + + Add symmetric constraint - + Add Snell's law constraint - + Toggle constraint to driving/reference @@ -1841,22 +1841,22 @@ invalid constraints, degenerated geometry, etc. - + Attach sketch - + Detach sketch - + Create a mirrored sketch for each selected sketch - + Merge sketches @@ -2030,7 +2030,7 @@ invalid constraints, degenerated geometry, etc. - + Add auto constraints @@ -2138,59 +2138,59 @@ invalid constraints, degenerated geometry, etc. Exceptions - + Unable to guess intersection of curves. Try adding a coincident constraint between the vertices of the curves you are intending to fillet. - + You are requesting no change in knot multiplicity. - - + + B-spline Geometry Index (GeoID) is out of bounds. - - + + The Geometry Index (GeoId) provided is not a B-spline. - + The knot index is out of bounds. Note that in accordance with OCC notation, the first knot has index 1 and not zero. - + The multiplicity cannot be increased beyond the degree of the B-spline. - + The multiplicity cannot be decreased beyond zero. - + OCC is unable to decrease the multiplicity within the maximum tolerance. - + Knot cannot have zero multiplicity. - + Knot multiplicity cannot be higher than the degree of the B-spline. - + Knot cannot be inserted outside the B-spline parameter range. @@ -2300,7 +2300,7 @@ invalid constraints, degenerated geometry, etc. - + Don't attach @@ -2322,123 +2322,123 @@ invalid constraints, degenerated geometry, etc. - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + - - - - - - + + + + + + + + @@ -2504,116 +2504,116 @@ invalid constraints, degenerated geometry, etc. - + Select an edge from the sketch. - - - - - - + + + + + + Impossible constraint - - + + The selected edge is not a line segment. - - - + + + Double constraint - + The selected edge already has a horizontal constraint! - + The selected edge already has a vertical constraint! - - - + + + The selected edge already has a Block constraint! - + There are more than one fixed points selected. Select a maximum of one fixed point! - - - + + + Select vertices from the sketch. - + Select one vertex from the sketch other than the origin. - + Select only vertices from the sketch. The last selected vertex may be the origin. - + Wrong solver status - + A Block constraint cannot be added if the sketch is unsolved or there are redundant and conflicting constraints. - + Select one edge from the sketch. - + Select only edges from the sketch. - + None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. - + Only tangent-via-point is supported with a B-spline. - - + + Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. - + Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. Constraint_SnellsLaw - + Number of selected objects is not 3 @@ -2630,80 +2630,80 @@ invalid constraints, degenerated geometry, etc. - + The selected item(s) can't accept a horizontal or vertical constraint! - + Endpoint to endpoint tangency was applied instead. - + Select two or more vertices from the sketch for a coincident constraint, or two or more circles, ellipses, arcs or arcs of ellipse for a concentric constraint. - + Select two vertices from the sketch for a coincident constraint, or two circles, ellipses, arcs or arcs of ellipse for a concentric constraint. - + Select exactly one line or one point and one line or two points from the sketch. - + Cannot add a length constraint on an axis! - - + + Select exactly one line or one point and one line or two points or two circles from the sketch. - + This constraint does not make sense for non-linear curves. - + Endpoint to edge tangency was applied instead. - - - - - - + + + + + + Select the right things from the sketch. - - - - - - - - - + + + + + + + + - - - - - - - - + + + + + + + + + Select an edge that is not a B-spline weight. @@ -2713,87 +2713,87 @@ invalid constraints, degenerated geometry, etc. - + Select either several points, or several conics for concentricity. - + Select either one point and several curves, or one curve and several points - + Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. - + None of the selected points were constrained onto the respective curves, either because they are parts of the same element, or because they are both external geometry. - + Cannot add a length constraint on this selection! - - - - + + + + Select exactly one line or up to two points from the sketch. - + Cannot add a horizontal length constraint on an axis! - + Cannot add a fixed x-coordinate constraint on the origin point! - - + + This constraint only makes sense on a line segment or a pair of points. - + Cannot add a vertical length constraint on an axis! - + Cannot add a fixed y-coordinate constraint on the origin point! - + Select two or more lines from the sketch. - + One selected edge is not a valid line. - - + + Select at least two lines from the sketch. - + The selected edge is not a valid line. - + There is a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2801,35 +2801,35 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c - + Select some geometry from the sketch. perpendicular constraint - - + + Cannot add a perpendicularity constraint at an unconnected point! - - + + One of the selected edges should be a line. - + Endpoint to endpoint tangency was applied. The coincident constraint was deleted. - + Endpoint to edge tangency was applied. The point on object constraint was deleted. - + There are a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2837,61 +2837,61 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c - + Select some geometry from the sketch. tangent constraint - - - + + + Cannot add a tangency constraint at an unconnected point! - - + + Tangent constraint at B-spline knot is only supported with lines! - + B-spline knot to endpoint tangency was applied instead. - - + + Wrong number of selected objects! - - + + With 3 objects, there must be 2 curves and 1 point. - - - - - - + + + + + + Select one or more arcs or circles from the sketch. - - - + + + Constraint only applies to arcs or circles. - - + + Select one or two lines from the sketch. Or select two edges and a point. @@ -2906,87 +2906,87 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c - + Cannot add an angle constraint on an axis! - + Select two edges from the sketch. - + Select two or more compatible edges. - + Sketch axes cannot be used in equality constraints. - + Equality for B-spline edge currently unsupported. - - - + + + Select two or more edges of similar type. - - - - - + + + + + Select two points and a symmetry line, two points and a symmetry point or a line and a symmetry point from the sketch. - - + + Cannot add a symmetry constraint between a line and its end points. - - - - + + + + Cannot add a symmetry constraint between a line and its end points! - + Selected objects are not just geometry from one sketch. - + Cannot create constraint with external geometry only. - + Incompatible geometry is selected. - + Select one dimensional constraint from the sketch. - - - - - + + + + + Select constraints from the sketch. @@ -3527,12 +3527,12 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c - + Refractive index ratio - + Ratio n2/n1: @@ -5148,8 +5148,8 @@ This is done by analyzing the sketch geometries and constraints. Sketcher_ConstrainDiameter - - + + Fix the diameter of a circle or an arc @@ -5301,63 +5301,73 @@ This is done by analyzing the sketch geometries and constraints. Sketcher_MapSketch - + No sketch found - + + Cannot attach sketch to itself! + + + + The document doesn't have a sketch - + Select sketch - + + Select a sketch (some sketches not shown to prevent a circular dependency) + + + + Select a sketch from the list - + (incompatible with selection) - + (current) - + (suggested) - + Sketch attachment - + Current attachment mode is incompatible with the new selection. Select the method to attach this sketch to selected objects. - + Select the method to attach this sketch to selected objects. - + Map sketch - + Can't map a sketch to support: %1 @@ -5879,22 +5889,22 @@ The grid spacing change if it becomes smaller than this number of pixel. GridSpaceAction - + Grid auto spacing - + Resize grid automatically depending on zoom. - + Spacing - + Distance between two subsequent grid lines. @@ -5902,17 +5912,17 @@ The grid spacing change if it becomes smaller than this number of pixel. Notifications - + The Sketch has malformed constraints! - + The Sketch has partially redundant constraints! - + Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! @@ -5990,8 +6000,8 @@ The grid spacing change if it becomes smaller than this number of pixel. - - + + Invalid Constraint @@ -6198,33 +6208,33 @@ The grid spacing change if it becomes smaller than this number of pixel. SnapSpaceAction - + Snap to objects - + New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. - + Snap to grid - + New points will snap to the nearest grid line. Points must be set closer than a fifth of the grid spacing to a grid line to snap. - + Snap angle - + Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. @@ -6232,23 +6242,23 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna RenderingOrderAction - - - + + + Normal Geometry - - - + + + Construction Geometry - - - + + + External Geometry @@ -6256,12 +6266,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdRenderingOrder - + Configure rendering order - + Reorder the items in the list to configure rendering order. @@ -6269,12 +6279,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherGrid - + Toggle grid - + Toggle the grid in the sketch. In the menu you can change grid settings. @@ -6282,12 +6292,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherSnap - + Toggle snap - + Toggle all snap functionality. In the menu you can toggle 'Snap to grid' and 'Snap to objects' individually, and change further snap settings. @@ -6321,12 +6331,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherDimension - + Dimension - + Constrain contextually based on your selection. Depending on your selection you might have several constraints available. You can cycle through them using M key. Left clicking on empty space will validate the current constraint. Right clicking or pressing Esc will cancel. @@ -6362,12 +6372,12 @@ Left clicking on empty space will validate the current constraint. Right clickin CmdSketcherConstrainRadius - + Constrain radius - + Fix the radius of a circle or an arc @@ -6502,12 +6512,12 @@ Left clicking on empty space will validate the current constraint. Right clickin - + Apply equal constraints - + If this option is selected dimensional constraints are excluded from the operation. Instead equal constraints are applied between the original objects and their copies. @@ -6578,12 +6588,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherCompHorizontalVertical - + Constrain horizontal/vertical - + Constrains a single line to either horizontal or vertical. @@ -6591,12 +6601,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainHorVer - + Constrain horizontal/vertical - + Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. @@ -6643,12 +6653,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainCoincidentUnified - + Constrain coincident - + Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses @@ -6933,7 +6943,7 @@ Instead equal constraints are applied between the original objects and their cop TaskSketcherTool_p4_rotate - + Copies (+'U'/ -'J') @@ -7181,12 +7191,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainTangent - + Constrain tangent or collinear - + Create a tangent or collinear constraint between two entities @@ -7194,12 +7204,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherChangeDimensionConstraint - + Change value - + Change the value of a dimensional constraint @@ -7265,8 +7275,8 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadius - - + + Fix the radius of an arc or a circle @@ -7274,8 +7284,8 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadiam - - + + Fix the radius/diameter of an arc or a circle diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_be.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_be.ts index 4183ebf041b5..ad9a697cb586 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_be.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_be.ts @@ -128,27 +128,27 @@ CmdSketcherCompConstrainRadDia - + Constrain arc or circle Абмежаванне дугі альбо акружнасці - + Constrain an arc or a circle Абмежаванне дугі альбо акружнасці - + Constrain radius Абмежаванне радыуса - + Constrain diameter Абмежаванне дыяметра - + Constrain auto radius/diameter Аўтаматычнае абмежаванне радыуса/дыяметра @@ -307,12 +307,12 @@ CmdSketcherConstrainAngle - + Constrain angle Абмежаванне вугла - + Fix the angle of a line or the angle between two lines Фіксаваць вугал лініі ці вугал паміж дзвюма лініямі @@ -320,12 +320,12 @@ CmdSketcherConstrainBlock - + Constrain block Абмежаванне руху - + Block the selected edge from moving Абмежаваць рух абранага рабра @@ -333,12 +333,12 @@ CmdSketcherConstrainCoincident - + Constrain coincident Абмежаванне накладання кропак - + Create a coincident constraint between points, or a concentric constraint between circles, arcs, and ellipses Стварыць абмежаванне супадзення паміж кропкамі, ці канцэнтрычнае абмежаванне паміж акружнасцямі, дугамі і эліпсамі @@ -346,12 +346,12 @@ CmdSketcherConstrainDiameter - + Constrain diameter Абмежаванне дыяметра - + Fix the diameter of a circle or an arc Задаць дыяметр акружнасці ці дугі @@ -359,12 +359,12 @@ CmdSketcherConstrainDistance - + Constrain distance Абмежаванне адлегласці - + Fix a length of a line or the distance between a line and a vertex or between two circles Задаць даўжыню лініі, альбо адлегласць паміж лініяй і вяршыняй, альбо паміж дзвюма акружнасцямі @@ -372,12 +372,12 @@ CmdSketcherConstrainDistanceX - + Constrain horizontal distance Абмежаванне гарызантальнай адлегласці - + Fix the horizontal distance between two points or line ends Задаць адлегласць па гарызанталі паміж дзвюма кропкамі ці канцамі лініі @@ -385,12 +385,12 @@ CmdSketcherConstrainDistanceY - + Constrain vertical distance Абмежаванне вертыкальнай адлегласці - + Fix the vertical distance between two points or line ends Задаць вертыкальную адлегласць паміж дзвюма кропкамі ці канцамі лініі @@ -398,12 +398,12 @@ CmdSketcherConstrainEqual - + Constrain equal Абмежаванне роўнасцю - + Create an equality constraint between two lines or between circles and arcs Стварыць абмежаванне роўнасці паміж дзвюма лініямі ці паміж акружнасцямі і дугамі @@ -411,12 +411,12 @@ CmdSketcherConstrainHorizontal - + Constrain horizontal Гарызантальнае абмежаванне - + Create a horizontal constraint on the selected item Стварыць абмежаванне гарызантальнасці для абранага элемента @@ -424,12 +424,12 @@ CmdSketcherConstrainLock - + Constrain lock Абмежаванне блакавання - + Create both a horizontal and a vertical distance constraint on the selected vertex Стварыць абмежаванне адлегласці па гарызанталі і вертыкалі для абранай вяршыні @@ -438,12 +438,12 @@ on the selected vertex CmdSketcherConstrainParallel - + Constrain parallel Абмежаванне паралельнасці - + Create a parallel constraint between two lines Стварыць паралельнае абмежаванне паміж дзвюма лініямі @@ -451,12 +451,12 @@ on the selected vertex CmdSketcherConstrainPerpendicular - + Constrain perpendicular Абмежаванне перпендыкулярнасці - + Create a perpendicular constraint between two lines Стварыць перпендыкулярнае абмежаванне паміж дзвюма адрэзкамі @@ -464,12 +464,12 @@ on the selected vertex CmdSketcherConstrainPointOnObject - + Constrain point on object Абмежаваць кропку на аб'екце - + Fix a point onto an object Прывязаць кропку да аб'екта @@ -477,12 +477,12 @@ on the selected vertex CmdSketcherConstrainRadiam - + Constrain auto radius/diameter Аўтаматычнае абмежаванне радыуса/дыяметра - + Fix the diameter if a circle is chosen, or the radius if an arc/spline pole is chosen Задаць дыяметр, калі абрана акружнасць, альбо радыус, калі абраны полюс дугі/сплайну @@ -490,12 +490,12 @@ on the selected vertex CmdSketcherConstrainSnellsLaw - + Constrain refraction (Snell's law) Абмежаванне праламлення (закон Снеліуса) - + Create a refraction law (Snell's law)constraint between two endpoints of rays and an edge as an interface. Стварыць абмежаванне па закону праламлення свету (закон Снеліуса) паміж дзвюма канчатковых кропак прамянёў і рабром у якасці мяжы падзелу асяроддзя. @@ -504,12 +504,12 @@ and an edge as an interface. CmdSketcherConstrainSymmetric - + Constrain symmetric Сіметрычнае абмежаванне - + Create a symmetry constraint between two points with respect to a line or a third point Стварыць абмежаванне сіметрыі паміж дзвюма кропкамі адносна лініі ці трэцяй кропкі @@ -518,12 +518,12 @@ with respect to a line or a third point CmdSketcherConstrainVertical - + Constrain vertical Вертыкальнае абмежаванне - + Create a vertical constraint on the selected item Стварыць абмежаванне вертыкальнасці для абранага элемента @@ -1065,7 +1065,7 @@ then call this command, then choose the desired sketch. выклікайце гэтую каманду, потым абярыце патрэбны эскіз. - + Some of the selected objects depend on the sketch to be mapped. Circular dependencies are not allowed. Некаторыя з абраных аб'ектаў залежаць ад эскізу, якія будзе супастаўленыя. Цыклічныя залежнасці не дазваляюцца. @@ -1073,22 +1073,22 @@ then call this command, then choose the desired sketch. CmdSketcherMergeSketches - + Merge sketches Аб'яднаць эскізы - + Create a new sketch from merging two or more selected sketches. Сварыць новы эскіз з зліцця дзвюх ці болей абраных эскізаў. - + Wrong selection Няправільны выбар - + Select at least two sketches. Абярыце па меншай меры два эскіза. @@ -1096,24 +1096,24 @@ then call this command, then choose the desired sketch. CmdSketcherMirrorSketch - + Mirror sketch Сіметрычна адлюстраваць эскіз - + Creates a new mirrored sketch for each selected sketch by using the X or Y axes, or the origin point, as mirroring reference. Стварае новы сіметрычны эскіз для кожнага абранага эскіза, ужываючы восі X або Y у якасці пачатку каардынат. - + Wrong selection Няправільны выбар - + Select one or more sketches. Абярыце адзін ці некалькі эскізаў. @@ -1368,12 +1368,12 @@ This will clear the 'AttachmentSupport' property, if any. CmdSketcherToggleActiveConstraint - + Activate/deactivate constraint Задзейнічаць/адключыць абмежаванні - + Activates or deactivates the selected constraints Задзейнічае ці адключае абраныя абмежаванні @@ -1394,12 +1394,12 @@ This will clear the 'AttachmentSupport' property, if any. CmdSketcherToggleDrivingConstraint - + Toggle driving/reference constraint Пераключыць кіруючае/апорнае абмежаванне - + Set the toolbar, or the selected constraints, into driving or reference mode Пераключае панэль інструментаў ці пераўтварае абраныя абмежаванні @@ -1422,23 +1422,23 @@ into driving or reference mode CmdSketcherValidateSketch - + Validate sketch... Праверыць эскіз... - + Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. Павярае эскіз, праглядзеўшы супадзенні, якія адсутнічаюць, хібныя абмежаванні, выраджаную геаметрыяю і гэтак далей. - + Wrong selection Няправільны выбар - + Select only one sketch. Абраць толькі адзін эскіз. @@ -1446,12 +1446,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSection - + View section Выгляд перасеку - + When in edit mode, switch between section view and full view. У рэжыме праўкі пераключыць выгляд паміж выглядам перасеку і поўным выглядам. @@ -1459,12 +1459,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSketch - + View sketch Выгляд эскізу - + When in edit mode, set the camera orientation perpendicular to the sketch plane. У рэжыме праўкі пераключыць, ужыць арыентацыю камеры перпендыкулярна плоскасці эскіза. @@ -1472,69 +1472,69 @@ invalid constraints, degenerated geometry, etc. Command - + Add 'Lock' constraint Дадаць абмежаванне 'Блакаванне' - + Add relative 'Lock' constraint Дадаць адноснае абмежаванне 'Блакаванне' - + Add fixed constraint Дадаць фіксаванае абмежаванне - + Add 'Block' constraint Дадаць абмежаванне 'Абмежаванне' - + Add block constraint Дадаць абмежаванае абмежаванне - - + + Add coincident constraint Дадаць абмежаванне супадзення - - + + Add distance from horizontal axis constraint Дадаць абмежаванне адлегласці ад гарызантальнай восі - - + + Add distance from vertical axis constraint Дадаць абмежаванне адлегласці ад вертыкальнай восі - - + + Add point to point distance constraint Дадаць абмежаванне кропкі да адлегласці кропкі - - + + Add point to line Distance constraint Дадаць абмежаванне кропкі да адлегласці лініі - - + + Add circle to circle distance constraint Дадаць абмежаванне акружнасці да адлегласці акружнасці - + Add circle to line distance constraint Дадаць абмежаванне акружнасці да адлегласці акружнасці @@ -1543,16 +1543,16 @@ invalid constraints, degenerated geometry, etc. - - - + + + Add length constraint Дадаць абмежаванне даўжыні - + Dimension Вымярэнне @@ -1569,7 +1569,7 @@ invalid constraints, degenerated geometry, etc. - + Add Distance constraint Дадаць абмежаванне адлегласці @@ -1647,7 +1647,7 @@ invalid constraints, degenerated geometry, etc. Дадаць абмежаванне радыусу - + Activate/Deactivate constraints Задзейнічаць/Адключыць абмежаванні @@ -1663,23 +1663,23 @@ invalid constraints, degenerated geometry, etc. Дадаць абмежаванне канцентрычнасці і даўжыні - + Add DistanceX constraint Дадаць абмежаванне адлегласці X - + Add DistanceY constraint Дадаць абмежаванне адлегласці Y - + Add point to circle Distance constraint Дадаць абмежаванне кропкі да адлегласці акружнасці - - + + Add point on object constraint Дадаць кропку на абмежаванне аб'екта @@ -1690,143 +1690,143 @@ invalid constraints, degenerated geometry, etc. Дадаць абмежаванне даўжыні дугі - - + + Add point to point horizontal distance constraint Дадаць абмежаванне кропкі да адлегласці па гарызанталі - + Add fixed x-coordinate constraint Дадаць фіксаванае абмежаванне x-каардынаты - - + + Add point to point vertical distance constraint Дадаць абмежаванне кропкі да адлегласці па вертыкалі - + Add fixed y-coordinate constraint Дадаць фіксаванае абмежаванне y-каардынаты - - + + Add parallel constraint Дадаць абмежаванні паралельнасці - - - - - - - + + + + + + + Add perpendicular constraint Дадаць абмежаванні перпендыкуляру - + Add perpendicularity constraint Дадаць абмежаванні перпендыкулярнасці - + Swap coincident+tangency with ptp tangency Памяняць супадзенне+дотык з дотыкам кропка-кропка - - - - - - - + + + + + + + Add tangent constraint Дадаць абмежаванне датычнай - - - - - - - - - - - - - - + + + + + + + + + + + + + + Add tangent constraint point Дадаць абмежаванне датычнай да кропкі - - - - + + + + Add radius constraint Дадаць абмежаванне радыусу - - - - + + + + Add diameter constraint Дадаць абмежаванне дыяметру - - - - + + + + Add radiam constraint Дадаць абмежаванне радыусу/дыяметру - - - - + + + + Add angle constraint Дадаць абмежаванне кута - + Swap point on object and tangency with point to curve tangency Памяняць кропку на аб'еце і дотык з кропкай дотыку крывой - - + + Add equality constraint Дадаць абмежаванне роўнасці - - - - - + + + + + Add symmetric constraint Дадаць абмежаванне сіметрычнасці - + Add Snell's law constraint Дадаць абмежаванне па закону Снеліуса - + Toggle constraint to driving/reference Пераключае абмежаванне паміж кіруючым і апорным @@ -1846,22 +1846,22 @@ invalid constraints, degenerated geometry, etc. Пераарыентаваць эскіз - + Attach sketch Прымацаваць эскіз - + Detach sketch Адмацаваць эскіз - + Create a mirrored sketch for each selected sketch Стварыць сіметрычны эскіз для кожнага абранага эскіза - + Merge sketches Аб'яднаць эскізы @@ -2035,7 +2035,7 @@ invalid constraints, degenerated geometry, etc. Абнавіць абмежаванне віртуальнай прасторы - + Add auto constraints Дадаць аўтаматычныя абмежаванні @@ -2143,59 +2143,59 @@ invalid constraints, degenerated geometry, etc. Exceptions - + Unable to guess intersection of curves. Try adding a coincident constraint between the vertices of the curves you are intending to fillet. Немагчыма разлічыць скрыжаванне крывых. Паспрабуйце дадаць абмежаванні супадзенняў паміж вяршынямі крывых, якія вы збіраецеся акругліць. - + You are requesting no change in knot multiplicity. Вы не запытваеце аніякіх зменах у кратнасці вузлоў. - - + + B-spline Geometry Index (GeoID) is out of bounds. Ідэнтыфікатар геаметрыі B-сплайна (GeoID) знаходзіцца за межамі дапушчальных значэнняў. - - + + The Geometry Index (GeoId) provided is not a B-spline. Ідэнтыфікатар геаметрыі (GeoId) не з'яўляецца крывой B-сплайна. - + The knot index is out of bounds. Note that in accordance with OCC notation, the first knot has index 1 and not zero. Індэкс вузла знаходзіцца за межамі дапушчальных значэнняў. Звярніце ўвагу, што ў адпаведнасці з назначэннем OCC першы вузел мае індэкс 1, а не 0. - + The multiplicity cannot be increased beyond the degree of the B-spline. Кратнасць не можа быць павялічана звыш ступені B-сплайна. - + The multiplicity cannot be decreased beyond zero. Кратнасць не можа быць паменшана ніжэй за 0. - + OCC is unable to decrease the multiplicity within the maximum tolerance. OpenCASCADE не можа паменшыць кратнасць у межах найбольшай дакладнасці. - + Knot cannot have zero multiplicity. Вузел не можа мець нулявую кратнасць. - + Knot multiplicity cannot be higher than the degree of the B-spline. Кратнасць вузла не можа быць вышэй ступені B-сплайна. - + Knot cannot be inserted outside the B-spline parameter range. Вузел не можа быць устаўлены за межы дыяпазону наладаў B-сплайна. @@ -2305,7 +2305,7 @@ invalid constraints, degenerated geometry, etc. - + Don't attach Не прымацаваць @@ -2327,123 +2327,123 @@ invalid constraints, degenerated geometry, etc. - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + - - - - - - + + + + + + + + @@ -2509,116 +2509,116 @@ invalid constraints, degenerated geometry, etc. Адзін з абраных павінен быць на эскізе. - + Select an edge from the sketch. Абраць рабро на эскізе. - - - - - - + + + + + + Impossible constraint Немагчымае абмежаванне - - + + The selected edge is not a line segment. Абранае рабро не з'яўляецца адрэзкам лініі. - - - + + + Double constraint Залішняе абмежаванне - + The selected edge already has a horizontal constraint! Абранае рабро ўжо мае гарызантальнае абмежаванне! - + The selected edge already has a vertical constraint! Абранае рабро ўжо мае вертыкальнае абмежаванне! - - - + + + The selected edge already has a Block constraint! Абранае рабро ўжо мае абмежаванне руху! - + There are more than one fixed points selected. Select a maximum of one fixed point! Абрана некалькі фіксаваных кропак. Абярыце найбольш адну фіксаваную кропку! - - - + + + Select vertices from the sketch. Абраць вяршыню на эскізе. - + Select one vertex from the sketch other than the origin. Абраць адну вяршыню з эскіза, акрамя кропкі пачатку каардынат. - + Select only vertices from the sketch. The last selected vertex may be the origin. Абраць толькі вяршыні з эскіза. Апошняя абраная вяршыня можа быць кропкай пачатку каардынат. - + Wrong solver status Няправільны статус сродку рашэння - + A Block constraint cannot be added if the sketch is unsolved or there are redundant and conflicting constraints. Абмежаванае абмежаванне не можа быць дададзена, калі эскіз не вырашаны альбо мае залішнія і абмежаванні, якія канфліктуюць. - + Select one edge from the sketch. Абраць адно рабро на эскізе. - + Select only edges from the sketch. Абраць толькі рэбры на эскізе. - + None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. Ні адна з абраных кропак не была абмежаваная адпаведнымі крывымі, таму што яны з'яўляюцца часткамі аднаго і таго ж элемента, таму што яны абодва з'яўляюцца вонкавай геаметрыяй альбо таму, што рабро не падыходзіць. - + Only tangent-via-point is supported with a B-spline. З дапамогай B-сплайну падтрымліваецца толькі датычная праз кропку. - - + + Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. Абраці альбо толькі адзін ці некалькі палюсоў B-сплайну, альбо толькі адну ці некалькі дуг або акружнасцяў на эскізе, але не змешаных. - + Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. Constraint_SnellsLaw Абраць дзве канчатковыя кропкі ліній, якія будуць дзейнічаць як прамяні, і рабро, якое прадстаўляе мяжу. Першая абраная кропка адпавядае індэксу n1, другая - n2, і значэнне вызначаецца суадносінамі n2/n1. - + Number of selected objects is not 3 Колькасць абраных аб'ектаў не 3 @@ -2635,80 +2635,80 @@ invalid constraints, degenerated geometry, etc. Нечаканая памылка. Больш падрабязная інфармацыя можа быць даступная ў Праглядзе справаздачы. - + The selected item(s) can't accept a horizontal or vertical constraint! Абраныя элементы не можа прымаць гарызантальнае ці вертыкальнае абмежаванне! - + Endpoint to endpoint tangency was applied instead. Замест канчатковай кропкі ўжыты дотык да канчатковай кропкі. - + Select two or more vertices from the sketch for a coincident constraint, or two or more circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Абраць дзве ці болей вяршыні на эскізе для абмежавання супадзення альбо дзве ці болей акружнасцяў, эліпсаў, дуг або дуг эліпса для канцэнтрычнага абмежавання. - + Select two vertices from the sketch for a coincident constraint, or two circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Абраць дзве вяршыні на эскізе для абмежавання супадзення альбо дзве акружнасці, эліпсаў, дуг або дуг эліпса для канцэнтрычнага абмежавання. - + Select exactly one line or one point and one line or two points from the sketch. Абраць на эскізе адну лінію, альбо адну кропку і адну лінію, альбо дзве кропкі. - + Cannot add a length constraint on an axis! Не атрымалася дадаць абмежаванне даўжыні на вось! - - + + Select exactly one line or one point and one line or two points or two circles from the sketch. Абраць на эскізе адну лінію, альбо адну кропку і адну лінію, альбо дзве кропкі, альбо дзве акружнасці. - + This constraint does not make sense for non-linear curves. Абмежаванне не мае сэнсу для нелінейных крывых. - + Endpoint to edge tangency was applied instead. Замест канчатковай кропкі ўжыты дотык да рабра. - - - - - - + + + + + + Select the right things from the sketch. Абраць неабходныя аб'екты на эскізе. - - - - - - - - - + + + + + + + + - - - - - - - - + + + + + + + + + Select an edge that is not a B-spline weight. Абраць рабро, якое не з'яўляецца вагой B-сплайна. @@ -2718,87 +2718,87 @@ invalid constraints, degenerated geometry, etc. Адно або два абмежаванні кропкі на аб'екце былі выдаленыя, паколькі апошняе абмежаванне, якое ўжываецца ўнутры, таксама прымяняецца кропкай на аб'екце. - + Select either several points, or several conics for concentricity. Абраць альбо некалькі кропак, альбо некалькі конусаў для канцэнтрычнасці. - + Select either one point and several curves, or one curve and several points Абраць альбо адну кропку і некалькі крывых, альбо адну крывую і некалькі кропак - + Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. Абраць альбо адну кропку і некалькі крывых, альбо адну крывую і некалькі кропак для pointOnObject, альбо некалькі кропак для супадзення, альбо некалькі конусаў для канцэнтрычнасці. - + None of the selected points were constrained onto the respective curves, either because they are parts of the same element, or because they are both external geometry. Ні адна з абраных кропак не была абмежаваная адпаведнымі крывымі, альбо таму што яны з'яўляюцца часткамі аднаго і таго ж элемента, альбо таму што яны абодва з'яўляюцца вонкавай геаметрыяй. - + Cannot add a length constraint on this selection! Не атрымалася дадаць абмежаванне даўжыні для абранага! - - - - + + + + Select exactly one line or up to two points from the sketch. Абраць на эскізе адну лінію, альбо не болей дзвюх кропак. - + Cannot add a horizontal length constraint on an axis! Не атрымалася дадаць гарызантальнае абмежаванне даўжыні на вось! - + Cannot add a fixed x-coordinate constraint on the origin point! Не атрымалася дадаць фіксаванае абмежаванне каардынаты X да кропкі пачатку каардынат! - - + + This constraint only makes sense on a line segment or a pair of points. Абмежаванне мае сэнс толькі для адрэзка лініі ці пары кропак. - + Cannot add a vertical length constraint on an axis! Не атрымалася дадаць вертыкальнае абмежаванне даўжыні на вось! - + Cannot add a fixed y-coordinate constraint on the origin point! Не атрымалася дадаць фіксаванае абмежаванне каардынаты Y да кропкі пачатку каардынат! - + Select two or more lines from the sketch. Абраць дзве ці болей ліній на эскізе. - + One selected edge is not a valid line. Адно абранае рабро не з'яўляецца дапушчальнай ліняй. - - + + Select at least two lines from the sketch. Абраць па крайняй меры дзве лініі на эскізе. - + The selected edge is not a valid line. Абранае рабро не з'яўляецца дапушчальнай ліняй. - + There is a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2808,35 +2808,35 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Дапушчальныя камбінацыі: дзве крывыя; канчатковая кропка і крывая; дзве канчатковыя кропкі; дзве крывыя і кропка. - + Select some geometry from the sketch. perpendicular constraint Абраць некаторую геаметрыю на эскізе. - - + + Cannot add a perpendicularity constraint at an unconnected point! Не атрымалася дадаць абмежаванне перпендыкулярнасці ў нязлучанай кропцы! - - + + One of the selected edges should be a line. Адно з абраных рэбраў павінна быць лініяй. - + Endpoint to endpoint tangency was applied. The coincident constraint was deleted. Ужыты дотык канчатковай кропкі да канчатковай кропкі. Абмежаванне супадзення было выдалена. - + Endpoint to edge tangency was applied. The point on object constraint was deleted. Ужыты дотык канчатковай кропкі да рабра. Абмежаванне кропкі на аб'екце было выдалена. - + There are a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2846,61 +2846,61 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Дапушчальныя камбінацыі: дзве крывыя; канчатковая кропка і крывая; дзве канчатковыя кропкі; дзве крывыя і кропка. - + Select some geometry from the sketch. tangent constraint Абраць некаторую геаметрыю на эскізе. - - - + + + Cannot add a tangency constraint at an unconnected point! Не атрымалася дадаць абмежаванне дотыку ў нязлучанай кропцы! - - + + Tangent constraint at B-spline knot is only supported with lines! Датычная абмежаванне ў вузле B-сплайна падтрымліваецца толькі лініямі! - + B-spline knot to endpoint tangency was applied instead. Замест вузла B-сплайну ўжыты дотык да канчатковай кропкі. - - + + Wrong number of selected objects! Няправільная колькасць абраных аб'ектаў! - - + + With 3 objects, there must be 2 curves and 1 point. З 3 аб'ектамі павінна быць 2 крывыя і 1 кропка. - - - - - - + + + + + + Select one or more arcs or circles from the sketch. Абраць адну ці болей дуг альбо акружнасцяў на эскізе. - - - + + + Constraint only applies to arcs or circles. Абмежаванне прымяняецца толькі на дугах ці акружнасцях. - - + + Select one or two lines from the sketch. Or select two edges and a point. Абраць адну ці дзве лініі, альбо дзве крывыя і кропку. @@ -2915,87 +2915,87 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Не атрымалася задаць абмежаванне вугла паміж паралельнымі лініямі. - + Cannot add an angle constraint on an axis! Не атрымалася дадаць абмежаванне вугла на вось! - + Select two edges from the sketch. Абраць два рабра на эскізе. - + Select two or more compatible edges. Абраць два ці больш сумяшчальных рабра. - + Sketch axes cannot be used in equality constraints. Восі эскізу нельга ўжываць у абмежаваннях роўнасці. - + Equality for B-spline edge currently unsupported. Абмежаванні роўнасці на рэбры B-сплайна ў бягучым часе не падтрымліваецца. - - - + + + Select two or more edges of similar type. Абярыце два ці больш рэбраў аналагічнага тыпу. - - - - - + + + + + Select two points and a symmetry line, two points and a symmetry point or a line and a symmetry point from the sketch. Абярыце на эскізе дзве кропкі і лінію сіметрыі, альбо дзве кропкі і кропку сіметрыі, альбо лінію і кропку сіметрыі. - - + + Cannot add a symmetry constraint between a line and its end points. Не атрымалася дадаць абмежаванне сіметрыі паміж лініяй і яе канчатковых кропках. - - - - + + + + Cannot add a symmetry constraint between a line and its end points! Не атрымалася дадаць абмежаванне сіметрыі паміж лініяй і яе канчатковых кропак! - + Selected objects are not just geometry from one sketch. Абраныя аб'екты не з'яўляюцца проста геаметрыяй з аднаго эскіза. - + Cannot create constraint with external geometry only. Не атрымалася стварыць абмежаванне з ужываннем толькі вонкавай геаметрыі. - + Incompatible geometry is selected. Абрана несумяшчальная геаметрыя. - + Select one dimensional constraint from the sketch. Абраць адно памернае абмежаванне на эскізе. - - - - - + + + + + Select constraints from the sketch. Абраць абмежаванне на эскізе. @@ -3536,12 +3536,12 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Даўжыня: - + Refractive index ratio Суадносіны каэфіцыента праламлення - + Ratio n2/n1: Суадносіны n2/n1: @@ -5189,8 +5189,8 @@ This is done by analyzing the sketch geometries and constraints. Sketcher_ConstrainDiameter - - + + Fix the diameter of a circle or an arc Задаць дыяметр акружнасці ці дугі @@ -5342,64 +5342,74 @@ This is done by analyzing the sketch geometries and constraints. Sketcher_MapSketch - + No sketch found Эскіз не знойдзены - + + Cannot attach sketch to itself! + Cannot attach sketch to itself! + + + The document doesn't have a sketch У дакуменце адсутнічае эскіз - + Select sketch Абраць эскіз - + + Select a sketch (some sketches not shown to prevent a circular dependency) + Select a sketch (some sketches not shown to prevent a circular dependency) + + + Select a sketch from the list Абраць эскіз з спісу - + (incompatible with selection) (несумяшчальны з выбарам) - + (current) (бягучы) - + (suggested) (прапанаваны) - + Sketch attachment Прымацаваны эскіз - + Current attachment mode is incompatible with the new selection. Select the method to attach this sketch to selected objects. Бягучы рэжым укладання несумяшчальны з новым выбарам. Абярыце спосаб прымацавання эскіза да абраных аб'ектаў. - + Select the method to attach this sketch to selected objects. Абраць спосаб прымацавання эскіза да абраных аб'ектаў. - + Map sketch Супаставіць эскіз - + Can't map a sketch to support: %1 Не атрымалася супаставіць эскіз для падтрымкі: @@ -5930,22 +5940,22 @@ The grid spacing change if it becomes smaller than this number of pixel. GridSpaceAction - + Grid auto spacing Аўтаматычная адлегласць паміж лініямі сеткі - + Resize grid automatically depending on zoom. Аўтаматычная змена памеру сеткі ў залежнасці ад маштабавання. - + Spacing Адлегласць - + Distance between two subsequent grid lines. Адлегласць паміж дзвюма суседнімі лініямі сеткі. @@ -5953,17 +5963,17 @@ The grid spacing change if it becomes smaller than this number of pixel. Notifications - + The Sketch has malformed constraints! Эскіз мае скажоныя абмежаванні! - + The Sketch has partially redundant constraints! Эскіз мае часткова залішнія абмежаванні! - + Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! Парабалы былі перанесены. Перанесеныя файлы не будуць адчыняцца ў папярэдніх версіях FreeCAD!! @@ -6043,8 +6053,8 @@ The grid spacing change if it becomes smaller than this number of pixel. - - + + Invalid Constraint Хібнае абмежаванне @@ -6256,34 +6266,34 @@ The grid spacing change if it becomes smaller than this number of pixel. SnapSpaceAction - + Snap to objects Прывязаць да аб'ектаў - + New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. Новыя кропкі будуць прывязаныя да бягучага папярэдне абранага аб'екту. Яны таксама будзе прывязаныя да сярэдзіны ліній і дуг. - + Snap to grid Прывязаць да сеткі - + New points will snap to the nearest grid line. Points must be set closer than a fifth of the grid spacing to a grid line to snap. Новыя кропкі будуць прывязаныя да бліжэйшай лініі сеткі. Каб прывязаць, кропкі павінны быць зададзены бліжэй, чым на пятую частку адлегласці сеткі да лініі прывязкі. - + Snap angle Прывязаць да вугла - + Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. Вуглавы крок для інструментаў, якія ўжываюць 'Прывязаць да вугла' (напрыклад, лінія). Утрымлівайце клавішу <Ctrl>, каб уключыць 'Прывязаць да вугла'. @@ -6293,23 +6303,23 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna RenderingOrderAction - - - + + + Normal Geometry Звычайная геаметрыя - - - + + + Construction Geometry Будаўнічая геаметрыя - - - + + + External Geometry Вонкавая геаметрыя @@ -6317,12 +6327,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdRenderingOrder - + Configure rendering order Наладзіць парадак візуалізацыі - + Reorder the items in the list to configure rendering order. Зменіць парадак элементаў у спісе, каб наладзіць парадак візуалізацыі. @@ -6330,12 +6340,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherGrid - + Toggle grid Пераключыць сетку - + Toggle the grid in the sketch. In the menu you can change grid settings. Пераключыць сетку ў эскізе. У меню вы можаце змяніць налады сеткі. @@ -6344,12 +6354,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherSnap - + Toggle snap Пераключыць прывязку - + Toggle all snap functionality. In the menu you can toggle 'Snap to grid' and 'Snap to objects' individually, and change further snap settings. Пераключыць усе функцыі прывязкі. У меню вы можаце пераключыць 'Ппрывязку да сеткі' і 'Прывязку да аб'ектаў' паасобку, а таксама змяніць дадатковыя налады прывязкі. @@ -6384,12 +6394,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherDimension - + Dimension Вымярэнне - + Constrain contextually based on your selection. Depending on your selection you might have several constraints available. You can cycle through them using M key. Left clicking on empty space will validate the current constraint. Right clicking or pressing Esc will cancel. @@ -6427,12 +6437,12 @@ Left clicking on empty space will validate the current constraint. Right clickin CmdSketcherConstrainRadius - + Constrain radius Абмежаванне радыуса - + Fix the radius of a circle or an arc Задаць радыус акружнасці ці дугі @@ -6568,12 +6578,12 @@ Left clicking on empty space will validate the current constraint. Right clickin Выдаліць зыходныя геаметрыі (U) - + Apply equal constraints Прымяніць аднолькавыя абмежаванні - + If this option is selected dimensional constraints are excluded from the operation. Instead equal constraints are applied between the original objects and their copies. Калі абрана, памерныя абмежаванні выключаюцца з аперацыі. @@ -6645,12 +6655,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherCompHorizontalVertical - + Constrain horizontal/vertical Газызантальнае/вертыкальнае абмежаванне - + Constrains a single line to either horizontal or vertical. Абмежаванне адной лініі да гарызанталі ці вертыкалі. @@ -6658,12 +6668,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainHorVer - + Constrain horizontal/vertical Газызантальнае/вертыкальнае абмежаванне - + Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. Абмежаванне адной лініі да гарызанталі ці вертыкалі, у залежнасці ад таго, што бліжэй да бягучага выраўноўвання. @@ -6710,12 +6720,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainCoincidentUnified - + Constrain coincident Абмежаванне накладання кропак - + Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses Стварыць абмежаванне супадзення паміж кропкамі, альбо зафіксаваць кропку на рабры, альбо канцэнтрычнае абмежаванне паміж акружнасцямі, дугамі і эліпсамі @@ -7001,7 +7011,7 @@ Instead equal constraints are applied between the original objects and their cop TaskSketcherTool_p4_rotate - + Copies (+'U'/ -'J') Копіі (+'U'/-'J') @@ -7251,12 +7261,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainTangent - + Constrain tangent or collinear Датычнае ці калінеарнае абмежаванне - + Create a tangent or collinear constraint between two entities Стварыць датычнае ці калінеарнае абмежаванне паміж дзвюма сутнасцямі @@ -7264,12 +7274,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherChangeDimensionConstraint - + Change value Змяніць значэнне - + Change the value of a dimensional constraint Змяніць значэнне памернага абмежавання @@ -7335,8 +7345,8 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadius - - + + Fix the radius of an arc or a circle Задаць радыус дугі ці акружнасці @@ -7344,8 +7354,8 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadiam - - + + Fix the radius/diameter of an arc or a circle Задаць радыус/дыяметр дугі ці акружнасці diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ca.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ca.ts index f3ff29c95089..a7b5a6f54fb2 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ca.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ca.ts @@ -128,27 +128,27 @@ CmdSketcherCompConstrainRadDia - + Constrain arc or circle Restringeix l'arc o la circumferència - + Constrain an arc or a circle Restringeix un arc o una circumferència - + Constrain radius Restringeix el radi - + Constrain diameter Restringeix el diàmetre - + Constrain auto radius/diameter Limiteu el radi/diàmetre automàtic @@ -307,12 +307,12 @@ CmdSketcherConstrainAngle - + Constrain angle Restricció de angle - + Fix the angle of a line or the angle between two lines Fixa l'angle d'una línia o l'angle entre dues línies @@ -320,12 +320,12 @@ CmdSketcherConstrainBlock - + Constrain block Restringeix el bloc - + Block the selected edge from moving Impedeix que la vora seleccionada es mogui @@ -333,12 +333,12 @@ CmdSketcherConstrainCoincident - + Constrain coincident Restricció coincident - + Create a coincident constraint between points, or a concentric constraint between circles, arcs, and ellipses Crea una restricció coincident entre punts o una restricció concèntrica entre cercles, arcs i el·lipses @@ -346,12 +346,12 @@ CmdSketcherConstrainDiameter - + Constrain diameter Restringeix el diàmetre - + Fix the diameter of a circle or an arc Fixa el diàmetre d'un cercle o d'un arc @@ -359,12 +359,12 @@ CmdSketcherConstrainDistance - + Constrain distance Restricció de distància - + Fix a length of a line or the distance between a line and a vertex or between two circles Fixa una longitud d'una línia o la distància entre una línia i un vèrtex o d'entre dos cercles @@ -372,12 +372,12 @@ CmdSketcherConstrainDistanceX - + Constrain horizontal distance Restringir la distància horitzontal - + Fix the horizontal distance between two points or line ends Fixa la distància horitzontal entre dos punts o extrems de línia @@ -385,12 +385,12 @@ CmdSketcherConstrainDistanceY - + Constrain vertical distance Restringir la distància vertical - + Fix the vertical distance between two points or line ends Fixa la distància vertical entre dos punts o extrems de línia @@ -398,12 +398,12 @@ CmdSketcherConstrainEqual - + Constrain equal Restricció igual - + Create an equality constraint between two lines or between circles and arcs Crea una restricció d'igualtat entre dues línies o entre cercles i arcs @@ -411,12 +411,12 @@ CmdSketcherConstrainHorizontal - + Constrain horizontal Restricció horitzontal - + Create a horizontal constraint on the selected item Crea una restricció horitzontal en l'element seleccionat @@ -424,12 +424,12 @@ CmdSketcherConstrainLock - + Constrain lock Restricció de bloc - + Create both a horizontal and a vertical distance constraint on the selected vertex Crea una restricció de distància horitzontal i vertical @@ -439,12 +439,12 @@ en el vèrtex seleccionat CmdSketcherConstrainParallel - + Constrain parallel Restricció de parel·lelisme - + Create a parallel constraint between two lines Crea una restricció de paral·lelisme entre dues línies @@ -452,12 +452,12 @@ en el vèrtex seleccionat CmdSketcherConstrainPerpendicular - + Constrain perpendicular Restricció de perpendicularitat - + Create a perpendicular constraint between two lines Crea una restricció de perpendicularitat entre dues línies @@ -465,12 +465,12 @@ en el vèrtex seleccionat CmdSketcherConstrainPointOnObject - + Constrain point on object Restricció d'un punt sobre l'objecte - + Fix a point onto an object Fixa un punt sobre un objecte @@ -478,12 +478,12 @@ en el vèrtex seleccionat CmdSketcherConstrainRadiam - + Constrain auto radius/diameter Limiteu el radi/diàmetre automàtic - + Fix the diameter if a circle is chosen, or the radius if an arc/spline pole is chosen Fixa el diàmetre si se selecciona un cercle, o el radi si se selecciona un arc/B-spline @@ -491,12 +491,12 @@ en el vèrtex seleccionat CmdSketcherConstrainSnellsLaw - + Constrain refraction (Snell's law) Restricció de la refracció (llei d'Snell) - + Create a refraction law (Snell's law)constraint between two endpoints of rays and an edge as an interface. Crea una restricció de llei de refracció (llei d'Snell) entre dos extrems dels raigs @@ -506,12 +506,12 @@ i una aresta com a interfície. CmdSketcherConstrainSymmetric - + Constrain symmetric Restricció de simetria - + Create a symmetry constraint between two points with respect to a line or a third point Crea una restricció de simetria entre dos punts respecte a una línia o a un tercer punt @@ -520,12 +520,12 @@ with respect to a line or a third point CmdSketcherConstrainVertical - + Constrain vertical Restricció vertical - + Create a vertical constraint on the selected item Crea una restricció vertical en l'element seleccionat @@ -1066,7 +1066,7 @@ then call this command, then choose the desired sketch. Primer seleccioneu la geometria de suport, per exemple, una cara, una aresta o un objecte sòlid, després executeu aquesta ordre, i aleshores trieu el croquis que desitgeu. - + Some of the selected objects depend on the sketch to be mapped. Circular dependencies are not allowed. Alguns dels objectes seleccionats depenen del croquis que es vol mapejar. No es permeten dependències circulars. @@ -1074,22 +1074,22 @@ Primer seleccioneu la geometria de suport, per exemple, una cara, una aresta o u CmdSketcherMergeSketches - + Merge sketches Fusionar esbossos - + Create a new sketch from merging two or more selected sketches. Crea un croquis nou fusionant dos o més corquis seleccionats. - + Wrong selection Selecció incorrecta - + Select at least two sketches. Trieu com a mínim dos croquis. @@ -1097,12 +1097,12 @@ Primer seleccioneu la geometria de suport, per exemple, una cara, una aresta o u CmdSketcherMirrorSketch - + Mirror sketch Reflecteix el croquis - + Creates a new mirrored sketch for each selected sketch by using the X or Y axes, or the origin point, as mirroring reference. @@ -1111,12 +1111,12 @@ usant els eixos X o Y, o el punt d'origen com a referència per reflectir. - + Wrong selection Selecció incorrecta - + Select one or more sketches. Trieu un o més croquis. @@ -1370,12 +1370,12 @@ Això esborrarà la propietat 'Suport adjunt', si existeix. CmdSketcherToggleActiveConstraint - + Activate/deactivate constraint Activa/desactiva la restricció - + Activates or deactivates the selected constraints Activa o desactiva les restriccions seleccionades @@ -1396,12 +1396,12 @@ Això esborrarà la propietat 'Suport adjunt', si existeix. CmdSketcherToggleDrivingConstraint - + Toggle driving/reference constraint Canvia la restricció de guia a referència - + Set the toolbar, or the selected constraints, into driving or reference mode Estableix la barra d'eines o les restriccions seleccionades, en mode guia o referència @@ -1423,24 +1423,24 @@ into driving or reference mode CmdSketcherValidateSketch - + Validate sketch... Valida el croquis... - + Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. Valida el croquis cercant coincidències que manquen, restriccions invàlides, geometries degenerades, etc. - + Wrong selection Selecció incorrecta - + Select only one sketch. Trieu només un croquis. @@ -1448,12 +1448,12 @@ restriccions invàlides, geometries degenerades, etc. CmdSketcherViewSection - + View section Visualitzar la secció - + When in edit mode, switch between section view and full view. En mode d'edició, canvia entre vista de secció o vista general. @@ -1461,12 +1461,12 @@ restriccions invàlides, geometries degenerades, etc. CmdSketcherViewSketch - + View sketch Visualitza el croquis - + When in edit mode, set the camera orientation perpendicular to the sketch plane. En el mode edició, ajusta l'orientació de la càmera perpendicular al pla del croquis. @@ -1474,69 +1474,69 @@ restriccions invàlides, geometries degenerades, etc. Command - + Add 'Lock' constraint Afegir restricció 'Bloc' - + Add relative 'Lock' constraint Afegeix una restricció de bloqueig relatiu - + Add fixed constraint Afegir restricció fixa - + Add 'Block' constraint Afegir restricció 'Bloqueig' - + Add block constraint Afegir restricció de Bloqueig - - + + Add coincident constraint Afegir restricció de coincidència - - + + Add distance from horizontal axis constraint Afegir distancia des-de la restricció del eix horitzontal - - + + Add distance from vertical axis constraint Afegir distancia des-de la restricció del eix vertical - - + + Add point to point distance constraint Afegeix una restricció de distància entre dos punts - - + + Add point to line Distance constraint Afegeix una restricció de distància de punt a línia - - + + Add circle to circle distance constraint Afegeix una restricció de distància entre dos cercles - + Add circle to line distance constraint Afegeix una restricció de distància entre un cercle i una línia @@ -1545,16 +1545,16 @@ restriccions invàlides, geometries degenerades, etc. - - - + + + Add length constraint Afegeix una restricció de longitud - + Dimension Cota @@ -1571,7 +1571,7 @@ restriccions invàlides, geometries degenerades, etc. - + Add Distance constraint Afegeix una restricció de distància @@ -1649,7 +1649,7 @@ restriccions invàlides, geometries degenerades, etc. Afegeix una restricció de radi - + Activate/Deactivate constraints Activa o desactiva restriccions @@ -1665,23 +1665,23 @@ restriccions invàlides, geometries degenerades, etc. Afegeix una restricció concèntrica i de longitud - + Add DistanceX constraint Afegeix una restricció de DistànciaX - + Add DistanceY constraint Afegeix una restricció de DistànciaY - + Add point to circle Distance constraint Afegeix una restricció de distància entre un punt i un cercle - - + + Add point on object constraint Afegeix una restricció de punt sobre l'objecte @@ -1692,143 +1692,143 @@ restriccions invàlides, geometries degenerades, etc. Afegeix una restricció de longitud d'un arc - - + + Add point to point horizontal distance constraint Afegeix una restricció punt a punt de distància horitzontal - + Add fixed x-coordinate constraint Afegeix restricció de coordenada x fixa - - + + Add point to point vertical distance constraint Afegeix una restricció de distància vertical punt a punt - + Add fixed y-coordinate constraint Afegeix una restricció de coordenada x fixe - - + + Add parallel constraint Afegeix una restricció paral·lela - - - - - - - + + + + + + + Add perpendicular constraint Afegeix una restricció perpendicular - + Add perpendicularity constraint Afegeix una restricció de perpendicularitat - + Swap coincident+tangency with ptp tangency Canvia tangència+coincident amb tangència punt a punt - - - - - - - + + + + + + + Add tangent constraint Afegeix una restricció tangent - - - - - - - - - - - - - - + + + + + + + + + + + + + + Add tangent constraint point Afegeix un punt de restricció de tangent - - - - + + + + Add radius constraint Afegeix una restricció de radi - - - - + + + + Add diameter constraint Afegeix una restricció de diàmetre - - - - + + + + Add radiam constraint Afegeix una restricció de radi - - - - + + + + Add angle constraint Afegeix una restricció d'angle - + Swap point on object and tangency with point to curve tangency Canvia punt a objecte i tangència amb tangència punt a corba - - + + Add equality constraint Afegeix una restricció d'igualtat - - - - - + + + + + Add symmetric constraint Afegeix una restricció de simetria - + Add Snell's law constraint Afegeix una restricció de Llei de Snell - + Toggle constraint to driving/reference Canvia restricció entre guia i referència @@ -1848,22 +1848,22 @@ restriccions invàlides, geometries degenerades, etc. Reorienta el croquis - + Attach sketch Adjunta el corquis - + Detach sketch Separa el corquis - + Create a mirrored sketch for each selected sketch Crea un croquis reflectit de cada croquis seleccionat - + Merge sketches Fusionar esbossos @@ -2037,7 +2037,7 @@ restriccions invàlides, geometries degenerades, etc. Actualitza l'espai virtual de la restricció - + Add auto constraints Afegeix restriccions automàtiques @@ -2145,59 +2145,59 @@ restriccions invàlides, geometries degenerades, etc. Exceptions - + Unable to guess intersection of curves. Try adding a coincident constraint between the vertices of the curves you are intending to fillet. No es pot esbrinar la intersecció de corbes. Proveu d'afegir una restricció de coincidència entre els vèrtexs de les corbes que intenteu arrodonir. - + You are requesting no change in knot multiplicity. Se us ha demanat que no canvieu la multiplicitat del nus. - - + + B-spline Geometry Index (GeoID) is out of bounds. L'índex de geometria B-spline (GeoID) està fora de límits. - - + + The Geometry Index (GeoId) provided is not a B-spline. L'índex de geometria (GeoId) proporcionada no és una B-spline. - + The knot index is out of bounds. Note that in accordance with OCC notation, the first knot has index 1 and not zero. L'índex del nus és fora dels límits. Tingueu en compte que d'acord amb la notació d'OCC, el primer nus té l'índex 1 i no zero. - + The multiplicity cannot be increased beyond the degree of the B-spline. La multiplicitat no pot augmentar més enllà del grau de la B-spline. - + The multiplicity cannot be decreased beyond zero. La multiplicitat no es pot reduir més enllà de zero. - + OCC is unable to decrease the multiplicity within the maximum tolerance. OCC no pot reduir la multiplicitat dins de la tolerància màxima. - + Knot cannot have zero multiplicity. El node no pot tenir multiplicitat zero. - + Knot multiplicity cannot be higher than the degree of the B-spline. La multiplicitat de nodes no pot ser superior al grau de la B-Spline. - + Knot cannot be inserted outside the B-spline parameter range. El node no es pot inserir fora de l'interval de paràmetres B-spline. @@ -2307,7 +2307,7 @@ restriccions invàlides, geometries degenerades, etc. - + Don't attach No adjuntar @@ -2329,123 +2329,123 @@ restriccions invàlides, geometries degenerades, etc. - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + - - - - - - + + + + + + + + @@ -2511,116 +2511,116 @@ restriccions invàlides, geometries degenerades, etc. Un dels seleccionats ha d'estar a l'esbós. - + Select an edge from the sketch. Seleccioneu una aresta del croquis. - - - - - - + + + + + + Impossible constraint Restricció impossible - - + + The selected edge is not a line segment. L'aresta seleccionada no és un segment de línia. - - - + + + Double constraint Restricció doble - + The selected edge already has a horizontal constraint! La vora seleccionat ja té una restricció horitzontal! - + The selected edge already has a vertical constraint! La vora seleccionat ja té una restricció vertical! - - - + + + The selected edge already has a Block constraint! La vora seleccionat ja té una restricció de bloc! - + There are more than one fixed points selected. Select a maximum of one fixed point! Hi ha més d'un fix punts seleccionats. Seleccioneu un màxim d'un punt fix! - - - + + + Select vertices from the sketch. Seleccioneu vèrtexs del croquis. - + Select one vertex from the sketch other than the origin. Seleccioneu un vèrtex del croquis que no sigui l'origen. - + Select only vertices from the sketch. The last selected vertex may be the origin. Seleccioneu només vèrtexs del croquis. L'últim vèrtex seleccionat pot ser l'origen. - + Wrong solver status Estat del Solver incorrecte - + A Block constraint cannot be added if the sketch is unsolved or there are redundant and conflicting constraints. No es pot afegir una restricció de bloqueig si el croquis no està resolt o hi ha restriccions redundants i en conflicte. - + Select one edge from the sketch. Seleccioneu una aresta del corquis. - + Select only edges from the sketch. Seleccioneu sols arestes del croquis. - + None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. Cap dels punts seleccionats estava restringit sobre les respectives corbes, perquè formen part del mateix element, perquè ambdós són geometries externes, o perquè l'aresta no és elegible. - + Only tangent-via-point is supported with a B-spline. Només la tangent-via-punt està suportat amb B-Spline. - - + + Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. Seleccioneu o bé un o diversos pols de B-spline, o bé un o més arcs o circumferències del croquis, però no els mescleu. - + Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. Constraint_SnellsLaw Seleccioneu dos extrems de línia per actuar com a raigs, i una aresta que representi un límit. El primer punt seleccionat correspon a l'índex n1, el segon a n2, i el valor estableix una ràtio n2/n1. - + Number of selected objects is not 3 Nombre d'objectes seleccionats no és 3 @@ -2637,80 +2637,80 @@ restriccions invàlides, geometries degenerades, etc. Error inesperat: Hi pot haver més informació disponible a la Vista d'Informe. - + The selected item(s) can't accept a horizontal or vertical constraint! El/s element/s seleccionat/s no poden acceptar una restricció horitzontal o vertical! - + Endpoint to endpoint tangency was applied instead. En el seu lloc s'ha aplicat una tangència entre extrems. - + Select two or more vertices from the sketch for a coincident constraint, or two or more circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Seleccioneu dos o més vèrtexs del croquis per a una restricció coincident, o dos o més cercles, el·lipses, arcs o arcs d'una el·lipse per a una restricció coincident. - + Select two vertices from the sketch for a coincident constraint, or two circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Seleccioneu dos vèrtexs del croquis per a una restricció coincident, o dos cercles, el·lipses, arcs o arcs d'una el·lipse per a una restricció coincident. - + Select exactly one line or one point and one line or two points from the sketch. Seleccioneu exactament una línia, o un punt i una línia, o dos punts del croquis. - + Cannot add a length constraint on an axis! No es pot afegir una restricció de longitud sobre un eix! - - + + Select exactly one line or one point and one line or two points or two circles from the sketch. Seleccioneu únicament una línia o un punt i una línia o dos punts o dos cercles de l'esbós. - + This constraint does not make sense for non-linear curves. Aquesta restricció no té sentit per a corbes no lineals. - + Endpoint to edge tangency was applied instead. En el seu lloc, s'ha aplicat la tangència de punt final a vora. - - - - - - + + + + + + Select the right things from the sketch. Seleccioneu els elements correctes del croquis. - - - - - - - - - + + + + + + + + - - - - - - - - + + + + + + + + + Select an edge that is not a B-spline weight. Seleccioneu una vora que no sigui un pes B-spline. @@ -2720,87 +2720,87 @@ restriccions invàlides, geometries degenerades, etc. Un o dos punts de les restriccions de l'objecte han sigut eliminades, ja que l'última restricció que s'aplicava internament, també s'aplica punt sobre objecte. - + Select either several points, or several conics for concentricity. Seleccioni diversos punts, o diverses còniques per a la concentricitat. - + Select either one point and several curves, or one curve and several points Seleccioni un punt i diverses corbes, o una corba i diversos punts - + Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. Seleccioni un punt i diverses corbes, o una corba i diversos punts per punt sobre objecte, o diversos punts per a coincidència, o diverses còniques per a concentricitat. - + None of the selected points were constrained onto the respective curves, either because they are parts of the same element, or because they are both external geometry. Cap dels punts seleccionats estaven limitats a les respectives corbes, perquè són peces del mateix element o perquè són tant geometria externa. - + Cannot add a length constraint on this selection! No es pot afegir una restricció de longitud sobre aquesta selecció! - - - - + + + + Select exactly one line or up to two points from the sketch. Seleccioneu exactament una línia o fins a dos punts del croquis. - + Cannot add a horizontal length constraint on an axis! No es pot afegir una restricció de longitud horitzontal sobre un eix! - + Cannot add a fixed x-coordinate constraint on the origin point! No es pot afegir una limitació coordenada x fixa en el punt d'origen! - - + + This constraint only makes sense on a line segment or a pair of points. Aquesta restricció només té sentit en un segment de línia o un parell de punts. - + Cannot add a vertical length constraint on an axis! No es pot afegir una restricció de longitud vertical sobre un eix! - + Cannot add a fixed y-coordinate constraint on the origin point! No es pot afegir una limitació coordenada x fixa en el punt d'origen! - + Select two or more lines from the sketch. Seleccioneu dues o més línies del croquis. - + One selected edge is not a valid line. Una aresta seleccionada no és una línia vàlida. - - + + Select at least two lines from the sketch. Seleccioneu almenys dues línies del croquis. - + The selected edge is not a valid line. L'aresta seleccionada no és una línia vàlida. - + There is a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2808,35 +2808,35 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Aquesta restricció es pot aplicar de diverses maneres. Les combinacions possibles són: dues corbes; un extrem i una corba; dos extrems; dues corbes i un punt. - + Select some geometry from the sketch. perpendicular constraint Seleccioneu alguna geometria del croquis. - - + + Cannot add a perpendicularity constraint at an unconnected point! No es pot afegir una restricció de perpendicularitat en un punt no connectat! - - + + One of the selected edges should be a line. Una de les arestes seleccionades ha de ser una línia. - + Endpoint to endpoint tangency was applied. The coincident constraint was deleted. S'ha aplicat una tangència entre extrems. S'han suprimit les restriccions coincidents. - + Endpoint to edge tangency was applied. The point on object constraint was deleted. S'ha aplicat la tangència de punt final a vora. S'ha suprimit el punt sobre la restricció d'objectes. - + There are a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2844,61 +2844,61 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Aquesta restricció es pot aplicar de diverses maneres. Les combinacions possibles són: dues corbes; un extrem i una corba; dos extrems; dues corbes i un punt. - + Select some geometry from the sketch. tangent constraint Seleccioneu alguna geometria del croquis. - - - + + + Cannot add a tangency constraint at an unconnected point! No es pot afegir una restricció de tangència en un punt no connectat! - - + + Tangent constraint at B-spline knot is only supported with lines! La restricció tangent en un nus de B-spline, només és suportat amb línies! - + B-spline knot to endpoint tangency was applied instead. En el seu lloc, s'ha aplicat una tangència en un nus B-spline entre extrems. - - + + Wrong number of selected objects! El nombre d'objectes seleccionats és incorrecte! - - + + With 3 objects, there must be 2 curves and 1 point. Amb 3 objectes, hi ha d'haver 2 corbes i 1 punt. - - - - - - + + + + + + Select one or more arcs or circles from the sketch. Seleccioneu un o més arcs o cercles del croquis. - - - + + + Constraint only applies to arcs or circles. La restricció només s'aplica a arcs i cercles. - - + + Select one or two lines from the sketch. Or select two edges and a point. Seleccioneu una o dues línies del croquis. O seleccioneu dues arestes i un punt. @@ -2913,87 +2913,87 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Una restricció d'angle no es pot definir per dues línies paral·leles. - + Cannot add an angle constraint on an axis! No es pot afegir una restricció d'angle sobre un eix! - + Select two edges from the sketch. Seleccioneu dues arestes del croquis. - + Select two or more compatible edges. Seleccioneu dues o més arestes compatibles. - + Sketch axes cannot be used in equality constraints. Els eixos d'esbós no es poden utilitzar en restriccions d'igualtat. - + Equality for B-spline edge currently unsupported. Actualment no s'admet la igualtat per a la vora del B-spline. - - - + + + Select two or more edges of similar type. Seleccioneu dues o més arestes de tipus similar. - - - - - + + + + + Select two points and a symmetry line, two points and a symmetry point or a line and a symmetry point from the sketch. Seleccioneu dos punts i una línia de simetria, dos punts i un punt de simetria, o bé una línia i un punt de simetria del croquis. - - + + Cannot add a symmetry constraint between a line and its end points. No es pot afegir una restricció de simetria entre una línia i els seus extrems. - - - - + + + + Cannot add a symmetry constraint between a line and its end points! No es pot afegir una restricció de simetria entre una línia i els seus extrems! - + Selected objects are not just geometry from one sketch. Els objectes seleccionats no són només geometria d'un corquis. - + Cannot create constraint with external geometry only. No es pot crear una restricció només amb geometria externa. - + Incompatible geometry is selected. S'ha seleccionat geometria incompatible. - + Select one dimensional constraint from the sketch. Seleccioneu una restricció dimensional del croquis. - - - - - + + + + + Select constraints from the sketch. Seleccioneu restriccions del croquis. @@ -3534,12 +3534,12 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Longitud: - + Refractive index ratio Índex de refracció - + Ratio n2/n1: Relació n2/n1: @@ -5176,8 +5176,8 @@ El solucionador no ha pogut convergir Sketcher_ConstrainDiameter - - + + Fix the diameter of a circle or an arc Fixa el diàmetre d'un cercle o d'un arc @@ -5329,64 +5329,74 @@ El solucionador no ha pogut convergir Sketcher_MapSketch - + No sketch found No s'ha trobat cap croquis - + + Cannot attach sketch to itself! + Cannot attach sketch to itself! + + + The document doesn't have a sketch El document no té cap croquis - + Select sketch Seleccioneu un croquis - + + Select a sketch (some sketches not shown to prevent a circular dependency) + Select a sketch (some sketches not shown to prevent a circular dependency) + + + Select a sketch from the list Seleccioneu un croquis de la llista - + (incompatible with selection) (incompatible amb la selecció) - + (current) (actual) - + (suggested) (suggerit) - + Sketch attachment Croquis adjunt - + Current attachment mode is incompatible with the new selection. Select the method to attach this sketch to selected objects. El nou mode d'unió és incompatible amb la nova selecció. Trieu un mètode per unir aquest croquis als objectes seleccionats. - + Select the method to attach this sketch to selected objects. Seleccioneu el mètode per a adjuntar aquest croquis als objectes seleccionats. - + Map sketch Mapa el croquis - + Can't map a sketch to support: %1 No es pot mapar un croquis al suport: @@ -5916,22 +5926,22 @@ L'espaiat de la quadrícula canvia si esdevé menor que aquest número de píxel GridSpaceAction - + Grid auto spacing Autoespaiat de la quadrícula - + Resize grid automatically depending on zoom. Redimensionar automàticament la quadrícula segons el zoom. - + Spacing Espaiat - + Distance between two subsequent grid lines. Distància entre dues línies de graella consecutives. @@ -5939,17 +5949,17 @@ L'espaiat de la quadrícula canvia si esdevé menor que aquest número de píxel Notifications - + The Sketch has malformed constraints! El croquis té restriccions defectuoses! - + The Sketch has partially redundant constraints! El croquis té restriccions parcialment redundants! - + Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! S'han migrat les paràboles. Els arxius migrats no s'obriran en versions prèvies de FreeCAD!! @@ -6028,8 +6038,8 @@ L'espaiat de la quadrícula canvia si esdevé menor que aquest número de píxel - - + + Invalid Constraint Restricció invàlida @@ -6236,34 +6246,34 @@ L'espaiat de la quadrícula canvia si esdevé menor que aquest número de píxel SnapSpaceAction - + Snap to objects Ajustar a objectes - + New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. Els punts nous s'ajustaran als objectes preseleccionats actuals. També s'ajustaran al mig de les línies i arcs. - + Snap to grid Ajusta a la quadrícula - + New points will snap to the nearest grid line. Points must be set closer than a fifth of the grid spacing to a grid line to snap. Els punts nous s’ajustaran a la línia de quadrícula més propera. Els punts s’han d’establir més a prop que una cinquena part de l'espaiat de la quadrícula a una línia de quadrícula perquè s'ajustin. - + Snap angle Angle d'ajustament - + Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. Salt angular per eines que usen 'Ajusta a l'angle' (p. ex. línia). Prem CTRL per activar 'Ajusta a l'angle'. L'angle comença des de l'eix X positiu del croquis. @@ -6271,23 +6281,23 @@ Els punts s’han d’establir més a prop que una cinquena part de l'espaiat de RenderingOrderAction - - - + + + Normal Geometry Geometria normal - - - + + + Construction Geometry Geometria de construcció - - - + + + External Geometry Geometria externa @@ -6295,12 +6305,12 @@ Els punts s’han d’establir més a prop que una cinquena part de l'espaiat de CmdRenderingOrder - + Configure rendering order Configurar ordre de renderització - + Reorder the items in the list to configure rendering order. Reordenar elements de la llista per a configurar l'ordre de renderització. @@ -6308,12 +6318,12 @@ Els punts s’han d’establir més a prop que una cinquena part de l'espaiat de CmdSketcherGrid - + Toggle grid Commuta la graella - + Toggle the grid in the sketch. In the menu you can change grid settings. Commuta la graella del croquis. Pots canviar la configuració de la graella des del menú. @@ -6321,12 +6331,12 @@ Els punts s’han d’establir més a prop que una cinquena part de l'espaiat de CmdSketcherSnap - + Toggle snap Alternar ajustament - + Toggle all snap functionality. In the menu you can toggle 'Snap to grid' and 'Snap to objects' individually, and change further snap settings. Commuta totes les funcions d'ajust. En el menú pots commutar individualment 'Ajusta a la graella' i 'Ajusta a objectes', i canviar altres configuracions d'ajust. @@ -6360,12 +6370,12 @@ Els punts s’han d’establir més a prop que una cinquena part de l'espaiat de CmdSketcherDimension - + Dimension Cota - + Constrain contextually based on your selection. Depending on your selection you might have several constraints available. You can cycle through them using M key. Left clicking on empty space will validate the current constraint. Right clicking or pressing Esc will cancel. @@ -6403,12 +6413,12 @@ En fer clic esquerre en un espai en blanc, validarà la restricció actual. En f CmdSketcherConstrainRadius - + Constrain radius Restringeix el radi - + Fix the radius of a circle or an arc Fixa el radi d'un cercle o arc @@ -6543,12 +6553,12 @@ En fer clic esquerre en un espai en blanc, validarà la restricció actual. En f Eliminar geometries originals (U) - + Apply equal constraints Aplicar restriccions d'igualtat - + If this option is selected dimensional constraints are excluded from the operation. Instead equal constraints are applied between the original objects and their copies. Si aquesta opció està seleccionada, les restriccions de dimensió seran excloses de l'operació. @@ -6620,12 +6630,12 @@ En el seu lloc, s'aplicaran restriccions d'igualtat entre els objectes originals CmdSketcherCompHorizontalVertical - + Constrain horizontal/vertical Restringir horitzontal/vertical - + Constrains a single line to either horizontal or vertical. Restringeix una sola línia tant horitzontal com vertical. @@ -6633,12 +6643,12 @@ En el seu lloc, s'aplicaran restriccions d'igualtat entre els objectes originals CmdSketcherConstrainHorVer - + Constrain horizontal/vertical Restringir horitzontal/vertical - + Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. Restringeix una sola línia tant horitzontal com vertical, la que sigui més propera a l'alineament actual. @@ -6685,12 +6695,12 @@ En el seu lloc, s'aplicaran restriccions d'igualtat entre els objectes originals CmdSketcherConstrainCoincidentUnified - + Constrain coincident Restricció coincident - + Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses Crea una restricció coincident entre punts, o fixa un punt sobre una vora, o una restricció concèntrica entre cercles, arcs i el·lipses @@ -6975,7 +6985,7 @@ En el seu lloc, s'aplicaran restriccions d'igualtat entre els objectes originals TaskSketcherTool_p4_rotate - + Copies (+'U'/ -'J') Copies (+'U'/-'J') @@ -7223,12 +7233,12 @@ En el seu lloc, s'aplicaran restriccions d'igualtat entre els objectes originals CmdSketcherConstrainTangent - + Constrain tangent or collinear Restringir tangent o col·lineal - + Create a tangent or collinear constraint between two entities Crea una restricció tangent o col·lineal entre dues entitats @@ -7236,12 +7246,12 @@ En el seu lloc, s'aplicaran restriccions d'igualtat entre els objectes originals CmdSketcherChangeDimensionConstraint - + Change value Canvia el valor - + Change the value of a dimensional constraint Canvia el valor d'una restricció de dimensió @@ -7307,8 +7317,8 @@ En el seu lloc, s'aplicaran restriccions d'igualtat entre els objectes originals Sketcher_ConstrainRadius - - + + Fix the radius of an arc or a circle Fixa el radi d'un arc o cercle @@ -7316,8 +7326,8 @@ En el seu lloc, s'aplicaran restriccions d'igualtat entre els objectes originals Sketcher_ConstrainRadiam - - + + Fix the radius/diameter of an arc or a circle Fixa el radi/diàmetre d'un arc o cercle diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_cs.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_cs.ts index 183cb27e3706..3541b4224749 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_cs.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_cs.ts @@ -128,27 +128,27 @@ CmdSketcherCompConstrainRadDia - + Constrain arc or circle Vazba oblouku nebo kružnice - + Constrain an arc or a circle Vazba oblouku nebo kružnice - + Constrain radius Vazba poloměru - + Constrain diameter Vazba průměru - + Constrain auto radius/diameter Vazba automaticky poloměr/průměr @@ -307,12 +307,12 @@ CmdSketcherConstrainAngle - + Constrain angle Vazba úhlu - + Fix the angle of a line or the angle between two lines Zadá úhel čáry nebo úhel mezi dvěma čarami @@ -320,12 +320,12 @@ CmdSketcherConstrainBlock - + Constrain block Vazba blokace - + Block the selected edge from moving Blokuje pohyb vybrané hrany @@ -333,12 +333,12 @@ CmdSketcherConstrainCoincident - + Constrain coincident Vazba totožnosti - + Create a coincident constraint between points, or a concentric constraint between circles, arcs, and ellipses Vytvoří souosou vazbu mezi body nebo soustřednou vazbu mezi kružnicemi, oblouky a elipsami @@ -346,12 +346,12 @@ CmdSketcherConstrainDiameter - + Constrain diameter Vazba průměru - + Fix the diameter of a circle or an arc Zadá průměr kružnice nebo oblouku @@ -359,12 +359,12 @@ CmdSketcherConstrainDistance - + Constrain distance Vazba vzdálenosti - + Fix a length of a line or the distance between a line and a vertex or between two circles Zadá délku čáry nebo vzdálenost mezi čárou a vrcholem nebo mezi dvěma kružnicemi @@ -372,12 +372,12 @@ CmdSketcherConstrainDistanceX - + Constrain horizontal distance Vazba vodorovné vzdálenosti - + Fix the horizontal distance between two points or line ends Zadá vodorovnou vzdálenost mezi dvěma body nebo konci čáry @@ -385,12 +385,12 @@ CmdSketcherConstrainDistanceY - + Constrain vertical distance Vazba svislé vzdálenosti - + Fix the vertical distance between two points or line ends Zadá svislou vzdálenost mezi dvěma body nebo konci čáry @@ -398,12 +398,12 @@ CmdSketcherConstrainEqual - + Constrain equal Vazba shodnosti - + Create an equality constraint between two lines or between circles and arcs Vytvoří shodnost mezi dvěma čarami, kruhy nebo oblouky @@ -411,12 +411,12 @@ CmdSketcherConstrainHorizontal - + Constrain horizontal Vazba vodorovně - + Create a horizontal constraint on the selected item Vytvoří vodorovnou vazbu na vybranou položku @@ -424,12 +424,12 @@ CmdSketcherConstrainLock - + Constrain lock Vazba uzamknutí - + Create both a horizontal and a vertical distance constraint on the selected vertex Vytvoří vodorovnou i svislou vazbu vzdálenosti na vybraném vrcholu @@ -438,12 +438,12 @@ on the selected vertex CmdSketcherConstrainParallel - + Constrain parallel Vazba rovnoběžnosti - + Create a parallel constraint between two lines Vytvoří rovnoběžnost mezi dvěma čarami @@ -451,12 +451,12 @@ on the selected vertex CmdSketcherConstrainPerpendicular - + Constrain perpendicular Vazba kolmosti - + Create a perpendicular constraint between two lines Vytvoří kolmost mezi dvěma čarami @@ -464,12 +464,12 @@ on the selected vertex CmdSketcherConstrainPointOnObject - + Constrain point on object Vazba bodu na objekt - + Fix a point onto an object Umístí bod na objekt @@ -477,12 +477,12 @@ on the selected vertex CmdSketcherConstrainRadiam - + Constrain auto radius/diameter Vazba automaticky poloměr/průměr - + Fix the diameter if a circle is chosen, or the radius if an arc/spline pole is chosen Zadá průměr, pokud je vybrána kružnice nebo poloměr, pokud je vybrán oblouk/pól splajnu @@ -490,12 +490,12 @@ on the selected vertex CmdSketcherConstrainSnellsLaw - + Constrain refraction (Snell's law) Vazba lomu (Snellův zákon) - + Create a refraction law (Snell's law)constraint between two endpoints of rays and an edge as an interface. Vytvoří vazbu podle zákona lomu (Snellův zákon) mezi @@ -505,12 +505,12 @@ dvěma koncovými body paprsků a hranou jako rozhraní. CmdSketcherConstrainSymmetric - + Constrain symmetric Vazba symetrie - + Create a symmetry constraint between two points with respect to a line or a third point Vytvoří symetrii mezi dvěma body vzhledem k čáře nebo třetímu bodu @@ -519,12 +519,12 @@ with respect to a line or a third point CmdSketcherConstrainVertical - + Constrain vertical Vazba svisle - + Create a vertical constraint on the selected item Vytvoří svislou vazbu na vybranou položku @@ -1066,7 +1066,7 @@ Nejprve vyberte podpůrnou geometrii, např. plochu nebo hranu tělesa, pak použijte tento příkaz a poté zvolte požadovaný náčrt. - + Some of the selected objects depend on the sketch to be mapped. Circular dependencies are not allowed. Některé z vybraných objektů závisí na mapovaném náčrtu. Cyklické závislosti nejsou povoleny. @@ -1074,22 +1074,22 @@ pak použijte tento příkaz a poté zvolte požadovaný náčrt. CmdSketcherMergeSketches - + Merge sketches Sloučit náčrty - + Create a new sketch from merging two or more selected sketches. Vytvořit nový náčrt sloučením dvou nebo více vybraných náčrtů. - + Wrong selection Neplatný výběr - + Select at least two sketches. Vyberte alespoň dva náčrty. @@ -1097,12 +1097,12 @@ pak použijte tento příkaz a poté zvolte požadovaný náčrt. CmdSketcherMirrorSketch - + Mirror sketch Zrcadlit náčrt - + Creates a new mirrored sketch for each selected sketch by using the X or Y axes, or the origin point, as mirroring reference. @@ -1111,12 +1111,12 @@ použitím os X nebo Y nebo výchozího bodu, jakožto reference. - + Wrong selection Neplatný výběr - + Select one or more sketches. Vyberte jeden nebo více náčrtů. @@ -1370,12 +1370,12 @@ Tímto se vymaže vlastnost "Podpůrné připojení", pokud existuje. CmdSketcherToggleActiveConstraint - + Activate/deactivate constraint Aktivovat/deaktivovat vazbu - + Activates or deactivates the selected constraints Aktivuje nebo deaktivuje vybrané vazby @@ -1396,12 +1396,12 @@ Tímto se vymaže vlastnost "Podpůrné připojení", pokud existuje. CmdSketcherToggleDrivingConstraint - + Toggle driving/reference constraint Přepnout řídící/referenční vazbu - + Set the toolbar, or the selected constraints, into driving or reference mode Nastavit panel nástrojů nebo vybrané vazby @@ -1424,24 +1424,24 @@ do řídícího nebo referenčního režimu CmdSketcherValidateSketch - + Validate sketch... Zkontrolovat náčrt... - + Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. Prověří náčrt zobrazením chybějících shodností, neplatných vazeb, degenerované geometrie atd. - + Wrong selection Neplatný výběr - + Select only one sketch. Vyberte pouze jeden náčrt. @@ -1449,12 +1449,12 @@ neplatných vazeb, degenerované geometrie atd. CmdSketcherViewSection - + View section Zobrazit výběr - + When in edit mode, switch between section view and full view. Přepnout mezi řezem a plným zobrazením, když je aktivní režim úprav. @@ -1462,12 +1462,12 @@ neplatných vazeb, degenerované geometrie atd. CmdSketcherViewSketch - + View sketch Zobrazit náčrt - + When in edit mode, set the camera orientation perpendicular to the sketch plane. Nastavit pohled kolmo na rovinu náčrtu, když je aktivní režim úprav. @@ -1475,69 +1475,69 @@ neplatných vazeb, degenerované geometrie atd. Command - + Add 'Lock' constraint Přidat vazbu 'Uzamčení' - + Add relative 'Lock' constraint Přidat vazbu relativního 'Uzamčení' - + Add fixed constraint Přidat pevnou vazbu - + Add 'Block' constraint Přidat vazbu 'Blokace' - + Add block constraint Přidat vazbu blokace - - + + Add coincident constraint Přidat vazbu totožnosti - - + + Add distance from horizontal axis constraint Přidat vazbu vzdálenosti od vodorovné osy - - + + Add distance from vertical axis constraint Přidat vazbu vzdálenosti od svislé osy - - + + Add point to point distance constraint Přidat vazbu vzdálenosti dvou bodů - - + + Add point to line Distance constraint Přidat vazbu vzdálenosti bodu a čáry - - + + Add circle to circle distance constraint Přidat kruh do kružnice – omezení vzdálenosti - + Add circle to line distance constraint Přidání vazby vzdálenosti kružnice od čáry @@ -1546,16 +1546,16 @@ neplatných vazeb, degenerované geometrie atd. - - - + + + Add length constraint Přidat vazbu délky - + Dimension Rozměr @@ -1572,7 +1572,7 @@ neplatných vazeb, degenerované geometrie atd. - + Add Distance constraint Přidat vazbu vzdálenosti @@ -1650,7 +1650,7 @@ neplatných vazeb, degenerované geometrie atd. Přidat vazbu poloměru - + Activate/Deactivate constraints Aktivovat/Deaktivovat vazby @@ -1666,23 +1666,23 @@ neplatných vazeb, degenerované geometrie atd. Přidat soustřednou a délkovou vazbu - + Add DistanceX constraint Přidat vazbu vodorovné vzdálenosti - + Add DistanceY constraint Přidat vazbu svislé vzdálenosti - + Add point to circle Distance constraint Přidat vazbu vzdálenosti bodu od kružnice - - + + Add point on object constraint Přidat vazbu bodu na objektu @@ -1693,143 +1693,143 @@ neplatných vazeb, degenerované geometrie atd. Přidat vazbu délky oblouku - - + + Add point to point horizontal distance constraint Přidat vazbu vodorovné vzdálenosti dvou bodů - + Add fixed x-coordinate constraint Přidat vazbu pevné souřadnice x - - + + Add point to point vertical distance constraint Přidat vazbu svislé vzdálenosti dvou bodů - + Add fixed y-coordinate constraint Přidat vazbu pevné souřadnice y - - + + Add parallel constraint Přidat paralelní vazbu - - - - - - - + + + + + + + Add perpendicular constraint Přidat kolmou vazbu - + Add perpendicularity constraint Přidat vazbu kolmosti - + Swap coincident+tangency with ptp tangency Prohodit shodnost+tečnost s tečností v bodech - - - - - - - + + + + + + + Add tangent constraint Přidat vazbu tečnosti - - - - - - - - - - - - - - + + + + + + + + + + + + + + Add tangent constraint point Přidat vazbu bodu tečnosti - - - - + + + + Add radius constraint Přidat vazbu poloměru - - - - + + + + Add diameter constraint Přidat vazbu průměru - - - - + + + + Add radiam constraint Přidat vazbu poloměr-průměr - - - - + + + + Add angle constraint Přidat úhlovou vazbu - + Swap point on object and tangency with point to curve tangency Bod na křivce a tečnost prohodit s tečností v bodě křivky - - + + Add equality constraint Přidat vazbu rovnosti - - - - - + + + + + Add symmetric constraint Přidat vazbu symetrie - + Add Snell's law constraint Přidat vazbu Snellova zákona - + Toggle constraint to driving/reference Přepnout vazbu na řídící/referenční @@ -1849,22 +1849,22 @@ neplatných vazeb, degenerované geometrie atd. Přeorientovat náčrt - + Attach sketch Připojit náčrt - + Detach sketch Odpojit náčrt - + Create a mirrored sketch for each selected sketch Vytvořit zrcadlový náčrt pro každý vybraný náčrt - + Merge sketches Sloučit náčrty @@ -2038,7 +2038,7 @@ neplatných vazeb, degenerované geometrie atd. Aktualizovat virtuální prostor vazby - + Add auto constraints Přidat automatické vazby @@ -2146,59 +2146,59 @@ neplatných vazeb, degenerované geometrie atd. Exceptions - + Unable to guess intersection of curves. Try adding a coincident constraint between the vertices of the curves you are intending to fillet. Nelze odhadnout průsečík křivek. Zkuste přidat vazbu totožnosti mezi vrcholy křivek, které chcete zaoblit. - + You are requesting no change in knot multiplicity. Nepožadujete změnu v násobnosti uzlů. - - + + B-spline Geometry Index (GeoID) is out of bounds. Geometrický index (GeoID) B-splajnu je mimo meze. - - + + The Geometry Index (GeoId) provided is not a B-spline. Daný geometrický index (GeoId) není B-splajna. - + The knot index is out of bounds. Note that in accordance with OCC notation, the first knot has index 1 and not zero. Index uzlu je mimo hranice. Všimněte si, že v souladu s OCC zápisem je index prvního uzlu 1 a ne 0. - + The multiplicity cannot be increased beyond the degree of the B-spline. Násobnost nemůže být zvýšena nad stupeň B-splajnu. - + The multiplicity cannot be decreased beyond zero. Násobnost nemůže být snížena pod nulu. - + OCC is unable to decrease the multiplicity within the maximum tolerance. OCC není schopno snížit násobnost na maximální toleranci. - + Knot cannot have zero multiplicity. Uzel nemůže mít nulovou násobnost. - + Knot multiplicity cannot be higher than the degree of the B-spline. Násobnost uzlu nemůže být vyšší než stupeň B-splajnu. - + Knot cannot be inserted outside the B-spline parameter range. Nelze vložit uzel mimo rozsah parametrů B-splajnu. @@ -2308,7 +2308,7 @@ neplatných vazeb, degenerované geometrie atd. - + Don't attach Nelze připojit @@ -2330,123 +2330,123 @@ neplatných vazeb, degenerované geometrie atd. - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + - - - - - - + + + + + + + + @@ -2512,116 +2512,116 @@ neplatných vazeb, degenerované geometrie atd. Jeden z vybraných musí být na náčrt. - + Select an edge from the sketch. Vyber hranu z náčrtu. - - - - - - + + + + + + Impossible constraint Nemožné omezení - - + + The selected edge is not a line segment. Vybraný okraj není segment čáry. - - - + + + Double constraint Dvojité omezení - + The selected edge already has a horizontal constraint! Vybraná hrana již má vodorovnou vazbu! - + The selected edge already has a vertical constraint! Vybraná hrana již má vertikální vazbu! - - - + + + The selected edge already has a Block constraint! Vybraná hrana již má vazbu blokace! - + There are more than one fixed points selected. Select a maximum of one fixed point! Je vybráno více pevných bodů. Vyberte nejvýše jeden pevný bod! - - - + + + Select vertices from the sketch. Vyberte vrcholy z náčrtu. - + Select one vertex from the sketch other than the origin. Vyberte jeden vrchol z náčrtu jiný než počátek. - + Select only vertices from the sketch. The last selected vertex may be the origin. Vyberte jen vrcholy z náčrtu. Poslední vybraný vrchol může být počátek. - + Wrong solver status Špatný status řešiče - + A Block constraint cannot be added if the sketch is unsolved or there are redundant and conflicting constraints. Vazba blokace nemůže být přidána, pokud je náčrt nevyřešený nebo pokud obsahuje nadbytečné či konfliktní vazby. - + Select one edge from the sketch. Vyberte jednu hranu z náčrtu. - + Select only edges from the sketch. Vyberte pouze hrany z náčrtu. - + None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. Žádný z vybraných bodů nebyl napojen vazbou na příslušnou křivku, protože jsou součástí téhož elementu nebo tvoří oba vnější geometrii nebo není hrana vhodná. - + Only tangent-via-point is supported with a B-spline. Pro B-splajn je podporována pouze tangentnost v bodě. - - + + Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. Vyberte buď pouze jeden či více pólů B-splajnu nebo pouze jeden či více oblouků nebo kružnic z náčrtu, ale ne jejich kombinace. - + Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. Constraint_SnellsLaw Vyberte koncové body úseček představující paprsky a hranu reprezentující rozhraní. První vybraný bod odpovídá indexu n1, druhý indexu n2 a zadává se hodnota poměru n2/n1. - + Number of selected objects is not 3 Počet vybraných objektů není 3 @@ -2638,80 +2638,80 @@ neplatných vazeb, degenerované geometrie atd. Neočekávaná chyba. Více informací může být k dispozici v zobrazení zprávy. - + The selected item(s) can't accept a horizontal or vertical constraint! Vybrané položky nemohou přijmout vodorovnou nebo svislou vazbu! - + Endpoint to endpoint tangency was applied instead. Namísto toho byla aplikována tečnost v koncových bodech. - + Select two or more vertices from the sketch for a coincident constraint, or two or more circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Vyberte dva nebo více vrcholů z náčrtu pro vazbu totožnosti nebo dvě nebo více kružnic, elips, oblouků nebo oblouků elips pro soustřednou vazbu. - + Select two vertices from the sketch for a coincident constraint, or two circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Vyberte dva vrcholy z náčrtu pro vazbu totožnosti nebo dvě kružnice, elipsy, oblouky nebo oblouky elipsy pro soustřednou vazbu. - + Select exactly one line or one point and one line or two points from the sketch. Vyberte právě jednu úsečku nebo jeden bod a úsečku nebo dva body z náčrtu. - + Cannot add a length constraint on an axis! Nelze přidat délkovou vazbu osy! - - + + Select exactly one line or one point and one line or two points or two circles from the sketch. Vyberte přesně jednu čáru nebo jeden bod a jednu čáru nebo dva body nebo dvě kružnice z náčrtu. - + This constraint does not make sense for non-linear curves. Tato vazba nedává smysl pro nelineární křivky. - + Endpoint to edge tangency was applied instead. Namísto toho byla použita tečnost hrany v koncovém bodě. - - - - - - + + + + + + Select the right things from the sketch. Výberte správné věci z náčrtu. - - - - - - - - - + + + + + + + + - - - - - - - - + + + + + + + + + Select an edge that is not a B-spline weight. Vyberte hranu, která není váhou B-splajnu. @@ -2721,87 +2721,87 @@ neplatných vazeb, degenerované geometrie atd. Jeden nebo dva body na objektu omezení byly smazány, protože poslední vnitřní vazba také aplikuje bod na objektu. - + Select either several points, or several conics for concentricity. Vyberte buď několik bodů nebo několik kuželů pro soustřednost. - + Select either one point and several curves, or one curve and several points Vyberte buď jeden bod a několik křivek, nebo jednu křivku a několik bodů - + Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. Vyberte buď jeden bod a několik křivek nebo jednu křivku a několik bodů pro bod na objektu, několik bodů pro totožnost nebo několik kuželů pro soustřednost. - + None of the selected points were constrained onto the respective curves, either because they are parts of the same element, or because they are both external geometry. Žádný z vybraných bodů nebyl napojen na příslušnou křivku, protože jsou buď součístí téhož elementu nebo tvoří oba vnější geometrii. - + Cannot add a length constraint on this selection! K tomuto výběru nelze přidat vazbu délky! - - - - + + + + Select exactly one line or up to two points from the sketch. Vyberte právě jednu úsečku nebo až dva body z náčrtu. - + Cannot add a horizontal length constraint on an axis! Nelze přidat vodorovnou délkovou vazbu osy! - + Cannot add a fixed x-coordinate constraint on the origin point! Nelze přidat vazbu souřadnice x na počátek souřadnic! - - + + This constraint only makes sense on a line segment or a pair of points. Tato vazba má smysl pouze na segmentu čáry nebo na dvojici bodů. - + Cannot add a vertical length constraint on an axis! Nelze přidat svislou délkovou vazbu osy! - + Cannot add a fixed y-coordinate constraint on the origin point! Nelze přidat vazbu souřadnice y na počátek souřadnic! - + Select two or more lines from the sketch. Vyberte dvě nebo více úseček z náčrtu. - + One selected edge is not a valid line. Jedna vybraná hrana není platnou úsečkou. - - + + Select at least two lines from the sketch. Vyberte nejméně dvě úsečky z náčrtu. - + The selected edge is not a valid line. Vybraná hrana není platnou úsečkou. - + There is a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2811,35 +2811,35 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Přijatelné kombinace: dvě křivky; koncový bod a křivka; dva koncové body; dvě křivky a bod. - + Select some geometry from the sketch. perpendicular constraint Vyberte geometrii z náčrtu. - - + + Cannot add a perpendicularity constraint at an unconnected point! Nelze přidat kolmou vazbu na volný bod! - - + + One of the selected edges should be a line. Jedna z vybraných hran by měla být úsečka. - + Endpoint to endpoint tangency was applied. The coincident constraint was deleted. Byla aplikována tečnost v koncových bodech. Vazba totožnosti byla smazána. - + Endpoint to edge tangency was applied. The point on object constraint was deleted. Byla použita tečnost hrany v koncovém bodě. Vazba bodu na objektu byla smazána. - + There are a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2849,61 +2849,61 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Přijatelné kombinace: dvě křivky; koncový bod a křivka; dva koncové body; dvě křivky a bod. - + Select some geometry from the sketch. tangent constraint Vyberte geometrii z náčrtu. - - - + + + Cannot add a tangency constraint at an unconnected point! Nelze přidat tangentní vazbu na volný bod! - - + + Tangent constraint at B-spline knot is only supported with lines! Omezení tečny u B-spline uzlu je podporováno pouze čarami! - + B-spline knot to endpoint tangency was applied instead. Místo toho byl použit uzel B-spline k tečnosti koncového bodu. - - + + Wrong number of selected objects! Nesprávný počet vybraných objektů! - - + + With 3 objects, there must be 2 curves and 1 point. Mezi třemi objekty musí být 2 křivky a 1 bod. - - - - - - + + + + + + Select one or more arcs or circles from the sketch. Vyberte jeden nebo více oblouků nebo kružnic z náčrtu. - - - + + + Constraint only applies to arcs or circles. Vazbu lze použít jen na oblouky nebo kružnice. - - + + Select one or two lines from the sketch. Or select two edges and a point. Vyberte jednu nebo dvě úsečky z náčrtu. Nebo vyberte dvě hrany a bod. @@ -2918,87 +2918,87 @@ Přijatelné kombinace: dvě křivky; koncový bod a křivka; dva koncové body; Úhlová vazba nemůže být nastavena pro dvě rovnoběžné úsečky. - + Cannot add an angle constraint on an axis! Nelze přidat úhlovou vazbu na osu! - + Select two edges from the sketch. Vyberte dvě hrany z náčrtu. - + Select two or more compatible edges. Vyberte dvě nebo více kompatibilních hran. - + Sketch axes cannot be used in equality constraints. Osy náčrtu nelze použít pro vazby rovnosti. - + Equality for B-spline edge currently unsupported. Shodnost pro hranu B-splajnu momentálně není podporována. - - - + + + Select two or more edges of similar type. Vyberte dvě nebo více hran podobného typu. - - - - - + + + + + Select two points and a symmetry line, two points and a symmetry point or a line and a symmetry point from the sketch. Vyberte dva body a čáru symetrie, dva body a bod symetrie nebo čáru a bod symetrie z náčrtu. - - + + Cannot add a symmetry constraint between a line and its end points. Nelze přidat vazbu symetrie mezi čárou a jejími koncovými body. - - - - + + + + Cannot add a symmetry constraint between a line and its end points! Nelze přidat symetrickou vazbu mezi úsečku a její koncový bod! - + Selected objects are not just geometry from one sketch. Vybrané objekty nejsou geometrií jednoho náčrtu. - + Cannot create constraint with external geometry only. Nejde vytvořit vazbu jen s vnější geometrií. - + Incompatible geometry is selected. Je vybrána nekompatibilní geometrie. - + Select one dimensional constraint from the sketch. Vyberte jednorozměrnou vazbu z náčrtu. - - - - - + + + + + Select constraints from the sketch. Vybrat vazby z náčrtu. @@ -3539,12 +3539,12 @@ Přijatelné kombinace: dvě křivky; koncový bod a křivka; dva koncové body; Délka: - + Refractive index ratio Index lomu - + Ratio n2/n1: Poměr n2/n1: @@ -5191,8 +5191,8 @@ Toto se provádí analýzou geometrií a vazeb náčrtu. Sketcher_ConstrainDiameter - - + + Fix the diameter of a circle or an arc Zadá průměr kružnice nebo oblouku @@ -5344,63 +5344,73 @@ Toto se provádí analýzou geometrií a vazeb náčrtu. Sketcher_MapSketch - + No sketch found Žádný náčrt nenalezen - + + Cannot attach sketch to itself! + Cannot attach sketch to itself! + + + The document doesn't have a sketch Dokument nemá náčrt - + Select sketch Vybrat náčrt - + + Select a sketch (some sketches not shown to prevent a circular dependency) + Select a sketch (some sketches not shown to prevent a circular dependency) + + + Select a sketch from the list Vyberte náčrt ze seznamu - + (incompatible with selection) (nekompatibilní s výběrem) - + (current) (aktuální) - + (suggested) (doporučeno) - + Sketch attachment Připojení náčrtu - + Current attachment mode is incompatible with the new selection. Select the method to attach this sketch to selected objects. Současný mód připojení není kompatibilní s novým výběrem. Vyberte metodu pro připojení tohoto náčrtu k vybraným objektům. - + Select the method to attach this sketch to selected objects. Vyberte metodu pro připojení tohoto náčrtu k vybraným objektům. - + Map sketch Mapovat náčrt - + Can't map a sketch to support: %1 Není možné mapovat náčrt na podporu: @@ -5931,22 +5941,22 @@ Rozteč mřížky se změní, pokud bude menší než tento počet pixelů. GridSpaceAction - + Grid auto spacing Automatická rozteč mřížky - + Resize grid automatically depending on zoom. Automaticky změnit velikost mřížky v závislosti na přiblížení. - + Spacing Mezera - + Distance between two subsequent grid lines. Vzdálenost mezi dvěma následujícími čarami mřížky. @@ -5954,17 +5964,17 @@ Rozteč mřížky se změní, pokud bude menší než tento počet pixelů. Notifications - + The Sketch has malformed constraints! Náčrt má poškozené vazby! - + The Sketch has partially redundant constraints! Náčrt má částečně nadbytečné vazby! - + Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! Paraboly byly migrovány. Migrované soubory se v předchozích verzích FreeCADu neotevřou!! @@ -6043,8 +6053,8 @@ Rozteč mřížky se změní, pokud bude menší než tento počet pixelů. - - + + Invalid Constraint Neplatná omezení @@ -6251,34 +6261,34 @@ Rozteč mřížky se změní, pokud bude menší než tento počet pixelů. SnapSpaceAction - + Snap to objects Přichytit k objektům - + New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. Nové body se budou přichytávat k aktuálně předvolenému objektu. Budou se přichytávat také do středu čar a oblouků. - + Snap to grid Přichytit k mřížce - + New points will snap to the nearest grid line. Points must be set closer than a fifth of the grid spacing to a grid line to snap. Nové body se budou přichytávat k nejbližší čáře mřížky. Body musí být k lince mřížky blíže než pětina rozteče mřížky, aby se přichytili. - + Snap angle Úhel přichycení - + Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. Úhlový krok pro nástroje, které používají 'Přichytávání v úhlu' (například úsečka). Držením klávesy CTRL povolíte "Přichytávání v úhlu". Úhel začíná od kladné osy X náčrtu. @@ -6286,23 +6296,23 @@ Body musí být k lince mřížky blíže než pětina rozteče mřížky, aby s RenderingOrderAction - - - + + + Normal Geometry Normální geometrie - - - + + + Construction Geometry Konstrukční geometrie - - - + + + External Geometry Vnější geometrie @@ -6310,12 +6320,12 @@ Body musí být k lince mřížky blíže než pětina rozteče mřížky, aby s CmdRenderingOrder - + Configure rendering order Konfigurovat pořadí vykreslování - + Reorder the items in the list to configure rendering order. Změňte pořadí položek v seznamu a nakonfigurujte pořadí vykreslování. @@ -6323,12 +6333,12 @@ Body musí být k lince mřížky blíže než pětina rozteče mřížky, aby s CmdSketcherGrid - + Toggle grid Přepnout mřížku - + Toggle the grid in the sketch. In the menu you can change grid settings. Přepnout mřížku v náčrtu. V nabídce můžete změnit nastavení mřížky. @@ -6336,12 +6346,12 @@ Body musí být k lince mřížky blíže než pětina rozteče mřížky, aby s CmdSketcherSnap - + Toggle snap Přepnout přichytávání - + Toggle all snap functionality. In the menu you can toggle 'Snap to grid' and 'Snap to objects' individually, and change further snap settings. Přepne všechny funkce přichytávání. V nabídce můžete samostatně přepnout 'Přichycení k mřížce' a 'Přichycení k objektům' a změnit další nastavení přichytávání. @@ -6375,12 +6385,12 @@ Body musí být k lince mřížky blíže než pětina rozteče mřížky, aby s CmdSketcherDimension - + Dimension Rozměr - + Constrain contextually based on your selection. Depending on your selection you might have several constraints available. You can cycle through them using M key. Left clicking on empty space will validate the current constraint. Right clicking or pressing Esc will cancel. @@ -6418,12 +6428,12 @@ Levé kliknutí na prázdné místo ověří aktuální vazbu. Pravým kliknutí CmdSketcherConstrainRadius - + Constrain radius Vazba poloměru - + Fix the radius of a circle or an arc Zadá poloměr kružnice nebo oblouku @@ -6558,12 +6568,12 @@ Levé kliknutí na prázdné místo ověří aktuální vazbu. Pravým kliknutí Odstranit původní geometrii (U) - + Apply equal constraints Použít vazby rovnosti - + If this option is selected dimensional constraints are excluded from the operation. Instead equal constraints are applied between the original objects and their copies. Pokud je vybrána tato možnost, rozměrové vazby jsou z operace vyloučeny. @@ -6635,12 +6645,12 @@ Místo toho jsou mezi původními objekty a jejich kopiemi aplikovány vazby sho CmdSketcherCompHorizontalVertical - + Constrain horizontal/vertical Vazba vodorovně/svisle - + Constrains a single line to either horizontal or vertical. Sváže jednu čáru buď vodorovně nebo svisle. @@ -6648,12 +6658,12 @@ Místo toho jsou mezi původními objekty a jejich kopiemi aplikovány vazby sho CmdSketcherConstrainHorVer - + Constrain horizontal/vertical Vazba vodorovně/svisle - + Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. Sváže jednu čáru buď vodorovně nebo svisle, podle toho, co je blíže k aktuálnímu zarovnání. @@ -6700,12 +6710,12 @@ Místo toho jsou mezi původními objekty a jejich kopiemi aplikovány vazby sho CmdSketcherConstrainCoincidentUnified - + Constrain coincident Vazba totožnosti - + Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses Vytvoří vazbu totožnosti mezi body, vazbu bodu na hraně nebo soustřednou vazbu mezi kružnicemi, oblouky a elipsami @@ -6991,7 +7001,7 @@ Místo toho jsou mezi původními objekty a jejich kopiemi aplikovány vazby sho TaskSketcherTool_p4_rotate - + Copies (+'U'/ -'J') Kopie (+'U'/ -'J') @@ -7239,12 +7249,12 @@ Místo toho jsou mezi původními objekty a jejich kopiemi aplikovány vazby sho CmdSketcherConstrainTangent - + Constrain tangent or collinear Vazba tečnosti nebo kolinearity - + Create a tangent or collinear constraint between two entities Vytvoří tečnu nebo kolineární vazbu mezi dvěma entitami @@ -7252,12 +7262,12 @@ Místo toho jsou mezi původními objekty a jejich kopiemi aplikovány vazby sho CmdSketcherChangeDimensionConstraint - + Change value Změnit hodnotu - + Change the value of a dimensional constraint Změnit hodnotu rozměrové vazby @@ -7323,8 +7333,8 @@ Místo toho jsou mezi původními objekty a jejich kopiemi aplikovány vazby sho Sketcher_ConstrainRadius - - + + Fix the radius of an arc or a circle Zadat poloměr oblouku nebo kružnice @@ -7332,8 +7342,8 @@ Místo toho jsou mezi původními objekty a jejich kopiemi aplikovány vazby sho Sketcher_ConstrainRadiam - - + + Fix the radius/diameter of an arc or a circle Zadat poloměr/průměr oblouku nebo kružnice diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_da.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_da.ts index 134142b25309..ab13fd5ba6eb 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_da.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_da.ts @@ -128,27 +128,27 @@ CmdSketcherCompConstrainRadDia - + Constrain arc or circle Hold cirkelbue eller cirkel - + Constrain an arc or a circle Hold en cirkelbue eller en cirkel fast - + Constrain radius Hold radius - + Constrain diameter Hold diameter - + Constrain auto radius/diameter Hold radius/diameter automatisk @@ -307,12 +307,12 @@ CmdSketcherConstrainAngle - + Constrain angle Hold vinkel - + Fix the angle of a line or the angle between two lines Fasthold hældningen for en linje eller for vinklen mellem to linjer @@ -320,12 +320,12 @@ CmdSketcherConstrainBlock - + Constrain block Hold gruppe - + Block the selected edge from moving Blokér den markerede linje fra at flytte sig @@ -333,12 +333,12 @@ CmdSketcherConstrainCoincident - + Constrain coincident Fastsæt sammenfaldende - + Create a coincident constraint between points, or a concentric constraint between circles, arcs, and ellipses Gør punkter sammenfaldende, eller gør cirkler, cirkelbuer og ellipser koncentriske @@ -346,12 +346,12 @@ CmdSketcherConstrainDiameter - + Constrain diameter Hold diameter - + Fix the diameter of a circle or an arc Fasthold diameteren for en cirkel eller cirkelbue @@ -359,12 +359,12 @@ CmdSketcherConstrainDistance - + Constrain distance Hold afstand - + Fix a length of a line or the distance between a line and a vertex or between two circles Fastlås længden af en linje, afstanden mellem en linje og et punkt, eller afstanden mellem to cirkler @@ -372,12 +372,12 @@ CmdSketcherConstrainDistanceX - + Constrain horizontal distance Hold vandret afstand - + Fix the horizontal distance between two points or line ends Fasthold den vandrette afstand mellem to punkter eller linjeender @@ -385,12 +385,12 @@ CmdSketcherConstrainDistanceY - + Constrain vertical distance Hold lodret afstand - + Fix the vertical distance between two points or line ends Fasthold den vandrette afstand mellem to punkter eller linjeender @@ -398,12 +398,12 @@ CmdSketcherConstrainEqual - + Constrain equal Hold ens - + Create an equality constraint between two lines or between circles and arcs Gør to linjer, cirkler, eller cirkelbuer ens @@ -411,12 +411,12 @@ CmdSketcherConstrainHorizontal - + Constrain horizontal Hold vandret - + Create a horizontal constraint on the selected item Gør den valgte linje/geometri vandret @@ -424,12 +424,12 @@ CmdSketcherConstrainLock - + Constrain lock Hold fastlåst - + Create both a horizontal and a vertical distance constraint on the selected vertex Opret både en vandret og en lodret afstandsrelation @@ -439,12 +439,12 @@ for det valgte knudepunkt CmdSketcherConstrainParallel - + Constrain parallel Hold parallelle - + Create a parallel constraint between two lines Gør to linjer parallelle @@ -452,12 +452,12 @@ for det valgte knudepunkt CmdSketcherConstrainPerpendicular - + Constrain perpendicular Hold vinkelret - + Create a perpendicular constraint between two lines Gør to linjer vinkelrette @@ -465,12 +465,12 @@ for det valgte knudepunkt CmdSketcherConstrainPointOnObject - + Constrain point on object Hold punkt på objekt - + Fix a point onto an object Fasthold et punkt til et objekt @@ -478,12 +478,12 @@ for det valgte knudepunkt CmdSketcherConstrainRadiam - + Constrain auto radius/diameter Hold radius/diameter automatisk - + Fix the diameter if a circle is chosen, or the radius if an arc/spline pole is chosen Fasthold diameteren hvis en cirkel er valgt, eller radius hvis en cirkelbue/spline er valgt @@ -491,12 +491,12 @@ for det valgte knudepunkt CmdSketcherConstrainSnellsLaw - + Constrain refraction (Snell's law) Lysbrydning (Snells lov) - + Create a refraction law (Snell's law)constraint between two endpoints of rays and an edge as an interface. Gør at to linjer følger brydningsloven (Snell's lov) ved at endepunkterne @@ -506,12 +506,12 @@ mødes som stråler der brydes med en linje som en brydningsflade. CmdSketcherConstrainSymmetric - + Constrain symmetric Hold symmetrisk - + Create a symmetry constraint between two points with respect to a line or a third point Gør to punkter symmetriske omkring @@ -521,12 +521,12 @@ en linje eller i forhold til et tredje punkt CmdSketcherConstrainVertical - + Constrain vertical Hold lodret - + Create a vertical constraint on the selected item Gør den valgte linje/geometri lodret @@ -1068,7 +1068,7 @@ Vælg først den understøttende geometri, for eksempel en flade eller en kant. Start derefter denne funktion, og vælg den ønskede skitse. - + Some of the selected objects depend on the sketch to be mapped. Circular dependencies are not allowed. Some of the selected objects depend on the sketch to be mapped. Circular dependencies are not allowed. @@ -1076,22 +1076,22 @@ Start derefter denne funktion, og vælg den ønskede skitse. CmdSketcherMergeSketches - + Merge sketches Sammenføj skitser - + Create a new sketch from merging two or more selected sketches. Opret en ny skitse ved at sammenføje to eller flere skitser. - + Wrong selection Forkert valg - + Select at least two sketches. Vælg mindst to skitser. @@ -1099,12 +1099,12 @@ Start derefter denne funktion, og vælg den ønskede skitse. CmdSketcherMirrorSketch - + Mirror sketch Spejl skitse - + Creates a new mirrored sketch for each selected sketch by using the X or Y axes, or the origin point, as mirroring reference. @@ -1113,12 +1113,12 @@ by using the X or Y axes, or the origin point, as mirroring reference. - + Wrong selection Forkert valg - + Select one or more sketches. Vælg en eller flere skitser. @@ -1372,12 +1372,12 @@ Dette vil rydde 'AttachmentSupport' egenskaben, hvis den findes. CmdSketcherToggleActiveConstraint - + Activate/deactivate constraint Aktiver/deaktiver relation - + Activates or deactivates the selected constraints Aktiverer eller deaktiverer de valgte relationer @@ -1398,12 +1398,12 @@ Dette vil rydde 'AttachmentSupport' egenskaben, hvis den findes. CmdSketcherToggleDrivingConstraint - + Toggle driving/reference constraint Toggle driving/reference constraint - + Set the toolbar, or the selected constraints, into driving or reference mode Set the toolbar, or the selected constraints, @@ -1426,24 +1426,24 @@ into driving or reference mode CmdSketcherValidateSketch - + Validate sketch... Validate sketch... - + Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. - + Wrong selection Forkert valg - + Select only one sketch. Vælg kun én skitse. @@ -1451,12 +1451,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSection - + View section Vis tværsnit - + When in edit mode, switch between section view and full view. When in edit mode, switch between section view and full view. @@ -1464,12 +1464,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSketch - + View sketch Vis skitse - + When in edit mode, set the camera orientation perpendicular to the sketch plane. When in edit mode, set the camera orientation perpendicular to the sketch plane. @@ -1477,69 +1477,69 @@ invalid constraints, degenerated geometry, etc. Command - + Add 'Lock' constraint Tilføj en 'Låst' relation - + Add relative 'Lock' constraint Tilføj en 'Låst i forhold til' relation - + Add fixed constraint Tilføj en fastholdelsesrelation - + Add 'Block' constraint Tilføj en 'Blokeret' relation - + Add block constraint Tilføj en blokeringsrelation - - + + Add coincident constraint Tilføj sammenfaldende relation - - + + Add distance from horizontal axis constraint Tilføj en afstandsrelation til den vandrette akse - - + + Add distance from vertical axis constraint Tilføj en afstandsrelation til den lodrette akse - - + + Add point to point distance constraint Tilføj punkt til punkt afstandsrelation - - + + Add point to line Distance constraint Tilføj punkt til linje afstandsrelation - - + + Add circle to circle distance constraint Tilføj cirkel til cirkel afstandsrelation - + Add circle to line distance constraint Tilføj cirkel til linje afstandsrelation @@ -1548,16 +1548,16 @@ invalid constraints, degenerated geometry, etc. - - - + + + Add length constraint Tilføj længderelation - + Dimension Dimension @@ -1574,7 +1574,7 @@ invalid constraints, degenerated geometry, etc. - + Add Distance constraint Tilføj afstandsrelation @@ -1652,7 +1652,7 @@ invalid constraints, degenerated geometry, etc. Tilføj radius-relation - + Activate/Deactivate constraints Activate/Deactivate constraints @@ -1668,23 +1668,23 @@ invalid constraints, degenerated geometry, etc. Tilføj koncentrisk- og længderelation - + Add DistanceX constraint Tilføj X-akse afstandsrelation - + Add DistanceY constraint Tilføj Y-akse afstandsrelation - + Add point to circle Distance constraint Tilføj cirkel til punkt afstandsrelation - - + + Add point on object constraint Tilføj 'punkt på objekt' relation @@ -1695,143 +1695,143 @@ invalid constraints, degenerated geometry, etc. Tilføj længderelation for cirkelbue - - + + Add point to point horizontal distance constraint Tilføj vandret afstandsrelation fra punkt til punkt - + Add fixed x-coordinate constraint Tilføj fastholdt x-koordinat relation - - + + Add point to point vertical distance constraint Tilføj lodret afstandsrelation fra punkt til punkt - + Add fixed y-coordinate constraint Tilføj fastholdt y-koordinat relation - - + + Add parallel constraint Tilføj parallel relation - - - - - - - + + + + + + + Add perpendicular constraint Tilføj vinkelret relation - + Add perpendicularity constraint Tilføj vinkelret relation - + Swap coincident+tangency with ptp tangency Swap coincident+tangency with ptp tangency - - - - - - - + + + + + + + Add tangent constraint Tilføj tangential relation - - - - - - - - - - - - - - + + + + + + + + + + + + + + Add tangent constraint point Add tangent constraint point - - - - + + + + Add radius constraint Tilføj radiusrelation - - - - + + + + Add diameter constraint Tilføj diameterrelation - - - - + + + + Add radiam constraint Tilføj radiusrelation - - - - + + + + Add angle constraint Tilføj vinkelrelation - + Swap point on object and tangency with point to curve tangency Swap point on object and tangency with point to curve tangency - - + + Add equality constraint Tilføj ens-med relation - - - - - + + + + + Add symmetric constraint Tilføj symmetrisk relation - + Add Snell's law constraint Tilføj en relation der følger Snells lov - + Toggle constraint to driving/reference Toggle constraint to driving/reference @@ -1851,22 +1851,22 @@ invalid constraints, degenerated geometry, etc. Reorient sketch - + Attach sketch Fastgør skitse - + Detach sketch Frigør skitse - + Create a mirrored sketch for each selected sketch Opret en spejlet skitse for hver valgt skitse - + Merge sketches Sammenføj skitser @@ -2040,7 +2040,7 @@ invalid constraints, degenerated geometry, etc. Update constraint's virtual space - + Add auto constraints Tilføj automatiske relationer @@ -2148,59 +2148,59 @@ invalid constraints, degenerated geometry, etc. Exceptions - + Unable to guess intersection of curves. Try adding a coincident constraint between the vertices of the curves you are intending to fillet. Kan ikke beregne skæringspunktet mellem kurverne. Prøv at tilføje en sammenfaldende relation mellem knudepunkterne for de kanter, du har til hensigt at afrunde. - + You are requesting no change in knot multiplicity. You are requesting no change in knot multiplicity. - - + + B-spline Geometry Index (GeoID) is out of bounds. B-spline Geometry Index (GeoID) is out of bounds. - - + + The Geometry Index (GeoId) provided is not a B-spline. The Geometry Index (GeoId) provided is not a B-spline. - + The knot index is out of bounds. Note that in accordance with OCC notation, the first knot has index 1 and not zero. The knot index is out of bounds. Note that in accordance with OCC notation, the first knot has index 1 and not zero. - + The multiplicity cannot be increased beyond the degree of the B-spline. The multiplicity cannot be increased beyond the degree of the B-spline. - + The multiplicity cannot be decreased beyond zero. The multiplicity cannot be decreased beyond zero. - + OCC is unable to decrease the multiplicity within the maximum tolerance. OCC is unable to decrease the multiplicity within the maximum tolerance. - + Knot cannot have zero multiplicity. Knot cannot have zero multiplicity. - + Knot multiplicity cannot be higher than the degree of the B-spline. Knot multiplicity cannot be higher than the degree of the B-spline. - + Knot cannot be inserted outside the B-spline parameter range. Knot cannot be inserted outside the B-spline parameter range. @@ -2310,7 +2310,7 @@ invalid constraints, degenerated geometry, etc. - + Don't attach Fastgør ikke @@ -2332,123 +2332,123 @@ invalid constraints, degenerated geometry, etc. - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + - - - - - - + + + + + + + + @@ -2514,116 +2514,116 @@ invalid constraints, degenerated geometry, etc. One of the selected has to be on the sketch. - + Select an edge from the sketch. Vælg en kant fra skitsen. - - - - - - + + + + + + Impossible constraint Impossible constraint - - + + The selected edge is not a line segment. The selected edge is not a line segment. - - - + + + Double constraint Dobbeltrelation - + The selected edge already has a horizontal constraint! Den valgte kant har allerede en vandret relation! - + The selected edge already has a vertical constraint! The selected edge already has a vertical constraint! - - - + + + The selected edge already has a Block constraint! The selected edge already has a Block constraint! - + There are more than one fixed points selected. Select a maximum of one fixed point! Der er valgt mere end et fastholdt punkt. Vælg højest et fastholdt punkt! - - - + + + Select vertices from the sketch. Vælg knudepunkter fra skitsen. - + Select one vertex from the sketch other than the origin. Select one vertex from the sketch other than the origin. - + Select only vertices from the sketch. The last selected vertex may be the origin. Vælg kun knudepunkter fra skitsen. Det sidst valgte knudepunkt kan være origo. - + Wrong solver status Wrong solver status - + A Block constraint cannot be added if the sketch is unsolved or there are redundant and conflicting constraints. A Block constraint cannot be added if the sketch is unsolved or there are redundant and conflicting constraints. - + Select one edge from the sketch. Vælg en kant fra skitsen. - + Select only edges from the sketch. Vælg kun kanter fra skitsen. - + None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. - + Only tangent-via-point is supported with a B-spline. Only tangent-via-point is supported with a B-spline. - - + + Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. - + Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. Constraint_SnellsLaw Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. - + Number of selected objects is not 3 Number of selected objects is not 3 @@ -2640,80 +2640,80 @@ invalid constraints, degenerated geometry, etc. Ubeskrevet fejl. Mere information kan være tilgængelig i Rapportvisningen. - + The selected item(s) can't accept a horizontal or vertical constraint! The selected item(s) can't accept a horizontal or vertical constraint! - + Endpoint to endpoint tangency was applied instead. Endpoint to endpoint tangency was applied instead. - + Select two or more vertices from the sketch for a coincident constraint, or two or more circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Vælg to eller flere knudepunkter fra skitsen som skal være sammenfaldende, eller to eller flere cirkler, ellipser, cirkelbuer eller ellipsebuer som skal være koncentriske. - + Select two vertices from the sketch for a coincident constraint, or two circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Vælg to knudepunkter fra skitsen som skal være sammenfaldende, eller to cirkler, ellipser, cirkelbuer eller ellipsebuer som skal være koncentriske. - + Select exactly one line or one point and one line or two points from the sketch. Select exactly one line or one point and one line or two points from the sketch. - + Cannot add a length constraint on an axis! Kan ikke tilføje en længderelation til en akse! - - + + Select exactly one line or one point and one line or two points or two circles from the sketch. Vælg præcis en linje eller et punkt, og en linje eller to punkter eller cirkler fra skitsen. - + This constraint does not make sense for non-linear curves. This constraint does not make sense for non-linear curves. - + Endpoint to edge tangency was applied instead. Endpoint to edge tangency was applied instead. - - - - - - + + + + + + Select the right things from the sketch. Select the right things from the sketch. - - - - - - - - - + + + + + + + + - - - - - - - - + + + + + + + + + Select an edge that is not a B-spline weight. Select an edge that is not a B-spline weight. @@ -2723,87 +2723,87 @@ invalid constraints, degenerated geometry, etc. One or two point on object constraint(s) was/were deleted, since the latest constraint being applied internally applies point-on-object as well. - + Select either several points, or several conics for concentricity. Select either several points, or several conics for concentricity. - + Select either one point and several curves, or one curve and several points Select either one point and several curves, or one curve and several points - + Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. - + None of the selected points were constrained onto the respective curves, either because they are parts of the same element, or because they are both external geometry. None of the selected points were constrained onto the respective curves, either because they are parts of the same element, or because they are both external geometry. - + Cannot add a length constraint on this selection! Kan ikke tilføje en længderelation for dette valg! - - - - + + + + Select exactly one line or up to two points from the sketch. Vælg præcis en linje eller op til to punkter fra skitsen. - + Cannot add a horizontal length constraint on an axis! Kan ikke tilføje en vandret længderelation til en akse! - + Cannot add a fixed x-coordinate constraint on the origin point! Kan ikke fastholde en x-koordinat til origo! - - + + This constraint only makes sense on a line segment or a pair of points. This constraint only makes sense on a line segment or a pair of points. - + Cannot add a vertical length constraint on an axis! Kan ikke tilføje en lodret længderelation til en akse! - + Cannot add a fixed y-coordinate constraint on the origin point! Kan ikke fastholde en y-koordinat til origo! - + Select two or more lines from the sketch. Vælg to eller flere linjer fra skitsen. - + One selected edge is not a valid line. Den valgte kant er ikke en gyldig linje. - - + + Select at least two lines from the sketch. Vælg mindst to linjer fra skitsen. - + The selected edge is not a valid line. Den valgte kant er ikke en gyldig linje. - + There is a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2813,35 +2813,35 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. - + Select some geometry from the sketch. perpendicular constraint Vælg en geometri fra skitsen. - - + + Cannot add a perpendicularity constraint at an unconnected point! Cannot add a perpendicularity constraint at an unconnected point! - - + + One of the selected edges should be a line. En af de valgte kanter skal være en linje. - + Endpoint to endpoint tangency was applied. The coincident constraint was deleted. Endpoint to endpoint tangency was applied. The coincident constraint was deleted. - + Endpoint to edge tangency was applied. The point on object constraint was deleted. Endpoint to edge tangency was applied. The point on object constraint was deleted. - + There are a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2851,61 +2851,61 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. - + Select some geometry from the sketch. tangent constraint Vælg en geometri fra skitsen. - - - + + + Cannot add a tangency constraint at an unconnected point! Cannot add a tangency constraint at an unconnected point! - - + + Tangent constraint at B-spline knot is only supported with lines! Tangent constraint at B-spline knot is only supported with lines! - + B-spline knot to endpoint tangency was applied instead. B-spline knot to endpoint tangency was applied instead. - - + + Wrong number of selected objects! Forkert antal valgte objekter! - - + + With 3 objects, there must be 2 curves and 1 point. Med 3 objekter, skal der være 2 kurver og 1 point. - - - - - - + + + + + + Select one or more arcs or circles from the sketch. Vælg en eller flere cirkelbuer eller cirkler fra skitsen. - - - + + + Constraint only applies to arcs or circles. Relationen gælder kun for cirkelbuer eller cirkler. - - + + Select one or two lines from the sketch. Or select two edges and a point. Vælg en eller to linjer fra skitsen. Eller vælg to kanter og et punkt. @@ -2920,87 +2920,87 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c An angle constraint cannot be set for two parallel lines. - + Cannot add an angle constraint on an axis! Kan ikke tilføje en vinkelrelation til en akse! - + Select two edges from the sketch. Vælg to kanter fra skitsen. - + Select two or more compatible edges. Vælg to eller flere kompatible kanter. - + Sketch axes cannot be used in equality constraints. Sketch axes cannot be used in equality constraints. - + Equality for B-spline edge currently unsupported. Equality for B-spline edge currently unsupported. - - - + + + Select two or more edges of similar type. Vælg to eller flere kanter af samme type. - - - - - + + + + + Select two points and a symmetry line, two points and a symmetry point or a line and a symmetry point from the sketch. Select two points and a symmetry line, two points and a symmetry point or a line and a symmetry point from the sketch. - - + + Cannot add a symmetry constraint between a line and its end points. Kan ikke tilføje en symmetrirelation mellem en linje og dens endepunkter. - - - - + + + + Cannot add a symmetry constraint between a line and its end points! Kan ikke tilføje en symmetrirelation mellem en linje og dens endepunkter! - + Selected objects are not just geometry from one sketch. Selected objects are not just geometry from one sketch. - + Cannot create constraint with external geometry only. Cannot create constraint with external geometry only. - + Incompatible geometry is selected. Incompatible geometry is selected. - + Select one dimensional constraint from the sketch. Select one dimensional constraint from the sketch. - - - - - + + + + + Select constraints from the sketch. Select constraints from the sketch. @@ -3541,12 +3541,12 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Længde: - + Refractive index ratio Refraktivt indeksforhold - + Ratio n2/n1: Forhold n2/n1: @@ -5193,8 +5193,8 @@ This is done by analyzing the sketch geometries and constraints. Sketcher_ConstrainDiameter - - + + Fix the diameter of a circle or an arc Fasthold diameteren for en cirkel eller cirkelbue @@ -5346,64 +5346,74 @@ This is done by analyzing the sketch geometries and constraints. Sketcher_MapSketch - + No sketch found Ingen skitse fundet - + + Cannot attach sketch to itself! + Cannot attach sketch to itself! + + + The document doesn't have a sketch Dokumentet indeholder ikke en skitse - + Select sketch Vælg skitse - + + Select a sketch (some sketches not shown to prevent a circular dependency) + Select a sketch (some sketches not shown to prevent a circular dependency) + + + Select a sketch from the list Vælg en skitse fra listen - + (incompatible with selection) (incompatible with selection) - + (current) (nuværende) - + (suggested) (foreslåede) - + Sketch attachment Fastgørelse af skitse - + Current attachment mode is incompatible with the new selection. Select the method to attach this sketch to selected objects. Den nuværende fastgørelsesmetode er inkompatibel med det nye valg. Vælg metoden for fastgørelse af denne skitse til de valgte objekter. - + Select the method to attach this sketch to selected objects. Vælg metoden til at fastgøre denne skitse til de valgte objekter. - + Map sketch Map sketch - + Can't map a sketch to support: %1 Can't map a sketch to support: @@ -5934,22 +5944,22 @@ The grid spacing change if it becomes smaller than this number of pixel. GridSpaceAction - + Grid auto spacing Grid auto spacing - + Resize grid automatically depending on zoom. Resize grid automatically depending on zoom. - + Spacing Spacing - + Distance between two subsequent grid lines. Distance between two subsequent grid lines. @@ -5957,17 +5967,17 @@ The grid spacing change if it becomes smaller than this number of pixel. Notifications - + The Sketch has malformed constraints! Skitsen indeholder fejlbehæftede relationer! - + The Sketch has partially redundant constraints! Skitsen indeholder delvist overflødige relationer! - + Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! @@ -6046,8 +6056,8 @@ The grid spacing change if it becomes smaller than this number of pixel. - - + + Invalid Constraint Ugyldig relation @@ -6254,34 +6264,34 @@ The grid spacing change if it becomes smaller than this number of pixel. SnapSpaceAction - + Snap to objects Snap to objects - + New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. - + Snap to grid Snap to grid - + New points will snap to the nearest grid line. Points must be set closer than a fifth of the grid spacing to a grid line to snap. New points will snap to the nearest grid line. Points must be set closer than a fifth of the grid spacing to a grid line to snap. - + Snap angle Snap angle - + Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. @@ -6289,23 +6299,23 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna RenderingOrderAction - - - + + + Normal Geometry Normal Geometry - - - + + + Construction Geometry Construction Geometry - - - + + + External Geometry External Geometry @@ -6313,12 +6323,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdRenderingOrder - + Configure rendering order Configure rendering order - + Reorder the items in the list to configure rendering order. Reorder the items in the list to configure rendering order. @@ -6326,12 +6336,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherGrid - + Toggle grid Toggle grid - + Toggle the grid in the sketch. In the menu you can change grid settings. Toggle the grid in the sketch. In the menu you can change grid settings. @@ -6339,12 +6349,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherSnap - + Toggle snap Toggle snap - + Toggle all snap functionality. In the menu you can toggle 'Snap to grid' and 'Snap to objects' individually, and change further snap settings. Toggle all snap functionality. In the menu you can toggle 'Snap to grid' and 'Snap to objects' individually, and change further snap settings. @@ -6378,12 +6388,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherDimension - + Dimension Hold dimension - + Constrain contextually based on your selection. Depending on your selection you might have several constraints available. You can cycle through them using M key. Left clicking on empty space will validate the current constraint. Right clicking or pressing Esc will cancel. @@ -6421,12 +6431,12 @@ Left clicking on empty space will validate the current constraint. Right clickin CmdSketcherConstrainRadius - + Constrain radius Hold radius - + Fix the radius of a circle or an arc Fasthold radius for en cirkel eller cirkelbue @@ -6561,12 +6571,12 @@ Left clicking on empty space will validate the current constraint. Right clickin Slet originale geometrier (U) - + Apply equal constraints Apply equal constraints - + If this option is selected dimensional constraints are excluded from the operation. Instead equal constraints are applied between the original objects and their copies. If this option is selected dimensional constraints are excluded from the operation. @@ -6638,12 +6648,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherCompHorizontalVertical - + Constrain horizontal/vertical Hold vandret/lodret - + Constrains a single line to either horizontal or vertical. Gør at en enkelt linje holdes vandret eller lodret. @@ -6651,12 +6661,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainHorVer - + Constrain horizontal/vertical Hold vandret/lodret - + Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. Gør en enkelt linje vandret eller lodret, alt efter hvad der er tættest på linjens nuværende placering. @@ -6703,12 +6713,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainCoincidentUnified - + Constrain coincident Fastsæt sammenfaldende - + Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses Gør punkter sammenfaldende, fasthold et punkt på en linje, eller gør cirkler, cirkelbuer eller ellipser koncentriske @@ -6994,7 +7004,7 @@ Instead equal constraints are applied between the original objects and their cop TaskSketcherTool_p4_rotate - + Copies (+'U'/ -'J') Copies (+'U'/ -'J') @@ -7242,12 +7252,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainTangent - + Constrain tangent or collinear Hold tangentel eller co-lineær - + Create a tangent or collinear constraint between two entities Create a tangent or collinear constraint between two entities @@ -7255,12 +7265,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherChangeDimensionConstraint - + Change value Skift værdien - + Change the value of a dimensional constraint Change the value of a dimensional constraint @@ -7326,8 +7336,8 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadius - - + + Fix the radius of an arc or a circle Fix the radius of an arc or a circle @@ -7335,8 +7345,8 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadiam - - + + Fix the radius/diameter of an arc or a circle Fix the radius/diameter of an arc or a circle diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_de.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_de.ts index 34241ed18186..d635b17e8a93 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_de.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_de.ts @@ -128,27 +128,27 @@ CmdSketcherCompConstrainRadDia - + Constrain arc or circle Bogen oder Kreis festlegen - + Constrain an arc or a circle Krümmung eines Kreisbogens oder Kreises festlegen - + Constrain radius Radius festlegen - + Constrain diameter Durchmesser festlegen - + Constrain auto radius/diameter Automatisch Radius oder Durchmesser festlegen @@ -307,12 +307,12 @@ CmdSketcherConstrainAngle - + Constrain angle Winkel festlegen - + Fix the angle of a line or the angle between two lines Legt den Winkel einer Linie (zur horizontalen Skizzenachse) oder den Winkel zwischen zwei Linien fest @@ -320,12 +320,12 @@ CmdSketcherConstrainBlock - + Constrain block Fixieren - + Block the selected edge from moving Sperrt die ausgewählte Kante gegen Verschieben @@ -333,12 +333,12 @@ CmdSketcherConstrainCoincident - + Constrain coincident Koinzidenz festlegen - + Create a coincident constraint between points, or a concentric constraint between circles, arcs, and ellipses Erstellt eine Randbedingung Koinzidenz festlegen zwischen Punkten oder eine Randbedingung Konzentrisch festlegen zwischen Kreisen, Bögen und Ellipsen @@ -346,12 +346,12 @@ CmdSketcherConstrainDiameter - + Constrain diameter Durchmesser festlegen - + Fix the diameter of a circle or an arc Legt den Durchmesser eines Kreises oder Kreisbogens fest @@ -359,12 +359,12 @@ CmdSketcherConstrainDistance - + Constrain distance Abstand festlegen - + Fix a length of a line or the distance between a line and a vertex or between two circles Legt die Länge einer Linie, den Abstand zwischen einer Linie und einem Knotenpunkt oder zwischen zwei Kreisen fest @@ -372,12 +372,12 @@ CmdSketcherConstrainDistanceX - + Constrain horizontal distance Horizontalen Abstand festlegen - + Fix the horizontal distance between two points or line ends Legt den horizontalen Abstand zwischen zwei Punkten oder Linienenden fest @@ -385,12 +385,12 @@ CmdSketcherConstrainDistanceY - + Constrain vertical distance Vertikalen Abstand festlegen - + Fix the vertical distance between two points or line ends Den vertikalen Abstand zwischen zwei Punkten oder Streckenenden festlegen @@ -398,12 +398,12 @@ CmdSketcherConstrainEqual - + Constrain equal Gleichheit festlegen - + Create an equality constraint between two lines or between circles and arcs Eine Gleichheitsbeschränkung zwischen zwei Linien oder zwischen Kreisen und Bögen festlegen @@ -411,12 +411,12 @@ CmdSketcherConstrainHorizontal - + Constrain horizontal Horizontal festlegen - + Create a horizontal constraint on the selected item Eine horizontale Beschränkung für das gewählte Element setzen @@ -424,12 +424,12 @@ CmdSketcherConstrainLock - + Constrain lock Sperren - + Create both a horizontal and a vertical distance constraint on the selected vertex Erstellt gleichzeitig Randbedingungen für den horizontalen und @@ -439,12 +439,12 @@ den vertikalen Abstand eines ausgewählten Knotens zum Ursprung CmdSketcherConstrainParallel - + Constrain parallel Parallel festlegen - + Create a parallel constraint between two lines Legt die Parallelität zweier Geraden fest @@ -452,12 +452,12 @@ den vertikalen Abstand eines ausgewählten Knotens zum Ursprung CmdSketcherConstrainPerpendicular - + Constrain perpendicular Rechtwinklig festlegen - + Create a perpendicular constraint between two lines Erstellt eine Randbedingung, die zwei Linien rechtwinklig zueinander festlegt @@ -465,12 +465,12 @@ den vertikalen Abstand eines ausgewählten Knotens zum Ursprung CmdSketcherConstrainPointOnObject - + Constrain point on object Punkt auf Objekt festlegen - + Fix a point onto an object Punkt auf ein Objekt festlegen @@ -478,12 +478,12 @@ den vertikalen Abstand eines ausgewählten Knotens zum Ursprung CmdSketcherConstrainRadiam - + Constrain auto radius/diameter Automatisch Radius oder Durchmesser festlegen - + Fix the diameter if a circle is chosen, or the radius if an arc/spline pole is chosen Legt den Durchmesser fest, wenn ein Kreis ausgewählt wird, oder den Radius, wenn ein Kreisbogen oder Spline-Kontrollpunkt ausgewählt wird @@ -491,12 +491,12 @@ den vertikalen Abstand eines ausgewählten Knotens zum Ursprung CmdSketcherConstrainSnellsLaw - + Constrain refraction (Snell's law) Lichtbrechung (nach Snellius-Gesetz) festlegen - + Create a refraction law (Snell's law)constraint between two endpoints of rays and an edge as an interface. Eine Lichtbrechung (Snellius-Gesetz) als Einschränkung zwischen zwei Endpunkten der Strahlen und einer Kante als Schnittstelle erstellen. @@ -505,12 +505,12 @@ and an edge as an interface. CmdSketcherConstrainSymmetric - + Constrain symmetric Symmetrisch festlegen - + Create a symmetry constraint between two points with respect to a line or a third point Erstellt eine Randbedingung, die zwei Punkte symmetrisch zu einer Linie @@ -520,12 +520,12 @@ oder einem dritten Punkt festlegt CmdSketcherConstrainVertical - + Constrain vertical Vertikal festlegen - + Create a vertical constraint on the selected item Eine vertikale Beschränkung für das gewählte Element setzen @@ -1068,7 +1068,7 @@ eine Kante eines Festkörpers (Solid), danach diesen Befehl aufrufen und abschließend die gewünschte Skizze auswählen. - + Some of the selected objects depend on the sketch to be mapped. Circular dependencies are not allowed. Einige der ausgewählten Objekte hängen von der Skizze ab. Zirkuläre Abhängigkeiten sind nicht erlaubt. @@ -1076,22 +1076,22 @@ und abschließend die gewünschte Skizze auswählen. CmdSketcherMergeSketches - + Merge sketches Skizzen zusammenführen - + Create a new sketch from merging two or more selected sketches. Eine neue Skizze durch das Zusammenfassen von zwei oder mehr ausgewählten Skizzen erstellen. - + Wrong selection Falsche Auswahl - + Select at least two sketches. Mindestens zwei Skizzen auswählen. @@ -1099,12 +1099,12 @@ und abschließend die gewünschte Skizze auswählen. CmdSketcherMirrorSketch - + Mirror sketch Skizze spiegeln - + Creates a new mirrored sketch for each selected sketch by using the X or Y axes, or the origin point, as mirroring reference. @@ -1112,12 +1112,12 @@ as mirroring reference. indem die X- oder Y-Achse als Spiegelachse oder der Ursprungspunkt als Symmetriepunkt verwendet wird. - + Wrong selection Falsche Auswahl - + Select one or more sketches. Eine oder mehrere Skizzen auswählen. @@ -1371,12 +1371,12 @@ Dies löscht den Inhalt der Eigenschaft 'AttachmentSupport', falls vorhanden. CmdSketcherToggleActiveConstraint - + Activate/deactivate constraint Randbedingungen aktivieren/deaktivieren - + Activates or deactivates the selected constraints Aktiviert oder deaktiviert die ausgewählten Randbedingungen @@ -1397,12 +1397,12 @@ Dies löscht den Inhalt der Eigenschaft 'AttachmentSupport', falls vorhanden. CmdSketcherToggleDrivingConstraint - + Toggle driving/reference constraint Randbedingung zwischen festlegend und anzeigend umschalten - + Set the toolbar, or the selected constraints, into driving or reference mode Wechselt den Modus für die Symbolleiste oder die ausgewählten Randbedingungen @@ -1425,24 +1425,24 @@ auf festlegend bzw. anzeigend CmdSketcherValidateSketch - + Validate sketch... Skizze überprüfen... - + Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. Überprüft eine Skizze durch Betrachtung fehlender Übereinstimmungen, ungültiger Randbedingungen, degenerierter Geometrien usw. - + Wrong selection Falsche Auswahl - + Select only one sketch. Nur eine Skizze auswählen. @@ -1450,12 +1450,12 @@ ungültiger Randbedingungen, degenerierter Geometrien usw. CmdSketcherViewSection - + View section Schnitt anzeigen - + When in edit mode, switch between section view and full view. Wechselt im Bearbeitungsmodus zwischen der Schnittansicht und der Vollansicht. @@ -1463,12 +1463,12 @@ ungültiger Randbedingungen, degenerierter Geometrien usw. CmdSketcherViewSketch - + View sketch Skizze anzeigen - + When in edit mode, set the camera orientation perpendicular to the sketch plane. Stellt im Bearbeitungsmodus die Kameraorientierung senkrecht auf die Skizzenebene ein. @@ -1476,69 +1476,69 @@ ungültiger Randbedingungen, degenerierter Geometrien usw. Command - + Add 'Lock' constraint Sperreinschränkung hinzufügen - + Add relative 'Lock' constraint Relative Sperreinschränkung hinzufügen - + Add fixed constraint Randbedingung Sperren hinzufügen - + Add 'Block' constraint Randbedingung 'Fixieren' hinzugefügt - + Add block constraint Fixier-Einschränkung hinzufügen - - + + Add coincident constraint Randbedingung Koinzidenz festlegen hinzufügen - - + + Add distance from horizontal axis constraint Randbedingung Abstand von der horizontalen Achse hinzufügen - - + + Add distance from vertical axis constraint Randbedingung Abstand von der vertikalen Achse hinzufügen - - + + Add point to point distance constraint Randbedingung Punk-zu-Punkt-Abstand hinzufügen - - + + Add point to line Distance constraint Randbedingung Punkt-zu-Line-Abstand hinzufügen - - + + Add circle to circle distance constraint Randbedingung Kreis-zu-Kreis-Abstand hinzufügen - + Add circle to line distance constraint Randbedingung Kreis-zu-Line-Abstand hinzufügen @@ -1547,16 +1547,16 @@ ungültiger Randbedingungen, degenerierter Geometrien usw. - - - + + + Add length constraint Randbedingung Abstand hinzufügen - + Dimension Abmessung @@ -1573,7 +1573,7 @@ ungültiger Randbedingungen, degenerierter Geometrien usw. - + Add Distance constraint Abstand festgelegt @@ -1651,7 +1651,7 @@ ungültiger Randbedingungen, degenerierter Geometrien usw. Radius festgelegt - + Activate/Deactivate constraints Randbedingung aktivieren / deaktivieren @@ -1667,23 +1667,23 @@ ungültiger Randbedingungen, degenerierter Geometrien usw. Randbedingung Konzentrisch und Länge festlegen hinzufügen - + Add DistanceX constraint X-Abstand festgelegt - + Add DistanceY constraint Y-Abstand festgelegt - + Add point to circle Distance constraint Randbedingung Punkt-zu-Kreis-Abstand hinzufügen - - + + Add point on object constraint Randbedingung Punkt-auf-Objekt hinzufügen @@ -1694,143 +1694,143 @@ ungültiger Randbedingungen, degenerierter Geometrien usw. Randbedingung Bogenlänge festlegen hinzufügen - - + + Add point to point horizontal distance constraint Randbedingung Horizontaler Punkt-zu-Punkt-Abstand hinzufügen - + Add fixed x-coordinate constraint Randbedingung X-Koordinate festlegen hinzufügen - - + + Add point to point vertical distance constraint Randbedingung Vertikaler Punkt-zu-Punkt-Abstand hinzufügen - + Add fixed y-coordinate constraint Randbedingung Y-Koordinate festlegen hinzufügen - - + + Add parallel constraint Randbedingung Parallel festlegen hinzufügen - - - - - - - + + + + + + + Add perpendicular constraint Randbedingung Rechtwinklig festlegen hinzufügen - + Add perpendicularity constraint Randbedingung Rechtwinkligkeit festlegen hinzufügen - + Swap coincident+tangency with ptp tangency Deckungsgleichheit + Berührung gegen tangentenstetigen Übergang in einem Punkt tauschen - - - - - - - + + + + + + + Add tangent constraint Randbedingung Tangential festlegen hinzufügen - - - - - - - - - - - - - - + + + + + + + + + + + + + + Add tangent constraint point Randbedingung Tangente im Punkt festlegen hinzufügen - - - - + + + + Add radius constraint Randbedingung Radius festlegen hinzufügen - - - - + + + + Add diameter constraint Randbedingung Durchmesser festlegen hinzufügen - - - - + + + + Add radiam constraint Radius/Durchmesser festgelegt - - - - + + + + Add angle constraint Randbedingung Winkel festlegen hinzufügen - + Swap point on object and tangency with point to curve tangency Tausche Punkt auf Objekt + Tangentialität gegen Punkt zu Kurve Tangentialität - - + + Add equality constraint Randbedingung Gleichheit festlegen hinzufügen - - - - - + + + + + Add symmetric constraint Randbedingung Symmetrisch festlegen hinzugefügt - + Add Snell's law constraint Randbedingung nach Snellius-Gesetz hinzufügen - + Toggle constraint to driving/reference Randbedingung zwischen festlegend/anzeigend umschalten @@ -1850,22 +1850,22 @@ ungültiger Randbedingungen, degenerierter Geometrien usw. Skizze neu ausrichten - + Attach sketch Skizze befestigen - + Detach sketch Skizze abtrennen - + Create a mirrored sketch for each selected sketch Eine gespiegelte Skizze für jede ausgewählte Skizze erstellen - + Merge sketches Skizzen zusammenführen @@ -2039,7 +2039,7 @@ ungültiger Randbedingungen, degenerierter Geometrien usw. Virtuellen Raum der Randbedingungen aktualisieren - + Add auto constraints Automatische Randbedingungen hinzufügen @@ -2147,59 +2147,59 @@ ungültiger Randbedingungen, degenerierter Geometrien usw. Exceptions - + Unable to guess intersection of curves. Try adding a coincident constraint between the vertices of the curves you are intending to fillet. Der Schnittpunkt der Kurven kann nicht ermittelt werden. Die Randbedingung Koinzidenz festlegen, angewendet auf die Endpunkte der Kurven, die verrundet werden sollen, kann hier helfen. - + You are requesting no change in knot multiplicity. Es wird keine Änderung in der Vielfachheit der Knoten gefordert. - - + + B-spline Geometry Index (GeoID) is out of bounds. B-Spline Geometrie Index (GeoID) ist außerhalb des gültigen Bereichs. - - + + The Geometry Index (GeoId) provided is not a B-spline. Der bereitgestellte Geometrieindex (GeoId) ist keine B-Spline-Kurve. - + The knot index is out of bounds. Note that in accordance with OCC notation, the first knot has index 1 and not zero. Der Knotenindex ist außerhalb der Grenzen. Beachten, dass der erste Knoten gemäß der OCC-Notation den Index 1 und nicht Null hat. - + The multiplicity cannot be increased beyond the degree of the B-spline. Die Vielfachheit kann nicht über den Grad des B-Splines hinaus erhöht werden. - + The multiplicity cannot be decreased beyond zero. Die Vielfachheit kann nicht über Null hinaus verringert werden. - + OCC is unable to decrease the multiplicity within the maximum tolerance. OCC kann die Multiplizität innerhalb der maximalen Toleranz nicht verringern. - + Knot cannot have zero multiplicity. Ein Knoten kann nicht die Vielfachheit Null haben. - + Knot multiplicity cannot be higher than the degree of the B-spline. Die Vielfachheit kann nicht höher als der Grad des B-Splines sein. - + Knot cannot be inserted outside the B-spline parameter range. Knoten kann nicht außerhalb des B-Spline-Parameterbereichs eingefügt werden. @@ -2309,7 +2309,7 @@ ungültiger Randbedingungen, degenerierter Geometrien usw. - + Don't attach Nicht befestigen @@ -2331,123 +2331,123 @@ ungültiger Randbedingungen, degenerierter Geometrien usw. - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + - - - - - - + + + + + + + + @@ -2513,116 +2513,116 @@ ungültiger Randbedingungen, degenerierter Geometrien usw. Eins der ausgewählten muss auf der Skizze liegen. - + Select an edge from the sketch. Wählen Sie eine Kante aus der Skizze. - - - - - - + + + + + + Impossible constraint Nicht erfüllbare Bedingung - - + + The selected edge is not a line segment. Die ausgewählte Kante ist kein Liniensegment. - - - + + + Double constraint Doppelbedingung - + The selected edge already has a horizontal constraint! Die ausgewählte Kante hat bereits eine Horizontal-Einschränkung! - + The selected edge already has a vertical constraint! Die ausgewählte Kante hat bereits eine Vertikal-Randbedingung! - - - + + + The selected edge already has a Block constraint! Die ausgewählte Kante hat bereits eine Fixier-Einschränkung! - + There are more than one fixed points selected. Select a maximum of one fixed point! Es ist mehr als ein Fixpunkt ausgewählt. Wähle maximal einen Fixpunkt! - - - + + + Select vertices from the sketch. Knoten aus der Skizze auswählen. - + Select one vertex from the sketch other than the origin. Einen Knoten aus der Skizze auswählen, nur nicht den Ursprung. - + Select only vertices from the sketch. The last selected vertex may be the origin. Nur Knoten aus der Skizze auswählen. Der letzte gewählte Knoten darf der Ursprung sein. - + Wrong solver status Falscher Solver Status - + A Block constraint cannot be added if the sketch is unsolved or there are redundant and conflicting constraints. Eine Randbedingung Fixieren kann nicht hinzugefügt werden, solange die Skizze nicht gelöst ist oder überflüssige und widersprüchliche Randbedingungen enthält. - + Select one edge from the sketch. Wähle eine Kante aus der Skizze aus. - + Select only edges from the sketch. Wähle nur Kanten aus der Skizze aus. - + None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. Keiner der ausgewählten Punkte wurde auf die jeweiligen Kurven beschränkt, da sie Teile desselben Elements sind, weil beide externe Geometrien sind oder weil die Kante nicht geeignet ist. - + Only tangent-via-point is supported with a B-spline. Nur Tangente-Über-Punkt wird von einem B-Spline unterstützt. - - + + Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. Entweder nur einen oder mehrere B-Spline-Kontrollpunkte auswählen oder nur einen oder mehrere Bögen oder Kreise aus der Skizze auswählen, aber nicht gemischt. - + Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. Constraint_SnellsLaw Endpunkte zweier Linien, die als Strahlen dienen sollen, und eine Kante, die eine Grenze darstellt, auswählen. Der erste gewählte Punkt entspricht dem Index n1, der zweite dem Index n2 und der Eingabewert legt das Verhältnis n2/n1 fest. - + Number of selected objects is not 3 Die Anzahl der ausgewählten Objekte ist nicht 3 @@ -2639,80 +2639,80 @@ ungültiger Randbedingungen, degenerierter Geometrien usw. Unerwarteter Fehler. Das Ausgabefenster könnte weitere Informationen enthalten. - + The selected item(s) can't accept a horizontal or vertical constraint! Die ausgewählten Elemente können nicht horizontal oder vertikal eingeschränkt werden! - + Endpoint to endpoint tangency was applied instead. Die Endpunkt zu Endpunkt Tangente wurde stattdessen angewendet. - + Select two or more vertices from the sketch for a coincident constraint, or two or more circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Wähle zwei oder mehr Knotenpunkte aus der Skizze für eine Übereinstimmungseinschränkung, oder zwei oder mehr Kreise, Ellipsen, Bögen oder Ellipsenbögen für einen konzentrischen Zwang. - + Select two vertices from the sketch for a coincident constraint, or two circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Wähle zwei Knotenpunkte aus der Skizze für eine Übereinstimmunseinschränkung aus, oder zwei Kreise, Ellipsen, Bögen oder Ellipsenbögen für einen konzentrischen Zwang. - + Select exactly one line or one point and one line or two points from the sketch. Genau eine Linie, einen Punkt und eine Linie oder zwei Punkte aus der Skizze auswählen. - + Cannot add a length constraint on an axis! Keine Längenbeschränkung einer Achse möglich! - - + + Select exactly one line or one point and one line or two points or two circles from the sketch. Genau eine Linie, einen Punkt und eine Linie oder zwei Punkte oder zwei Kreise aus der Skizze auswählen. - + This constraint does not make sense for non-linear curves. Diese Randbedingung ist für nichtlineare Kurven nicht sinnvoll. - + Endpoint to edge tangency was applied instead. Die Endpunkt zu Kante Tangente wurde stattdessen angewendet. - - - - - - + + + + + + Select the right things from the sketch. Wähle die richtigen Dinge aus der Skizze. - - - - - - - - - + + + + + + + + - - - - - - - - + + + + + + + + + Select an edge that is not a B-spline weight. Eine Kante auswählen, die kein B-Spline-Gewicht darstellt. @@ -2722,87 +2722,87 @@ ungültiger Randbedingungen, degenerierter Geometrien usw. Ein oder zwei Punkt-auf-Objekt Randbedingungen wurden gelöscht, da die neueste Einschränkung, die intern angewendet wird, auch Punkt-auf-Objekt anwendet. - + Select either several points, or several conics for concentricity. Entweder mehrere Punkte auswählen oder mehrere Kegelschnittkurven für Konzentrizität. - + Select either one point and several curves, or one curve and several points Entweder einen Punkt und mehrere Kurven oder eine Kurve und mehrere Punkte auswählen - + Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. Entweder einen Punkt und mehrere Kurven oder eine Kurve und mehrere Punkte auswählen für PunktAufObjekt, mehrere Punkte für Koinzidenz, oder mehrere Kegelschnittkurven für Konzentrizität. - + None of the selected points were constrained onto the respective curves, either because they are parts of the same element, or because they are both external geometry. Keiner der gewählten Punkte wurde beschränkt auf die zugehörigen Kurven. Sie sind entweder Bestandteil des gleichen Elements oder Sie sind beide Externe Geometrie. - + Cannot add a length constraint on this selection! Kann keine Randbedingung Abstand festlegen auf dieser Auswahl basierend hinzufügen! - - - - + + + + Select exactly one line or up to two points from the sketch. Genau eine Linie oder bis zu zwei Punkte aus der Skizze auswählen. - + Cannot add a horizontal length constraint on an axis! Keine horizontale Längenbeschränkung einer Achse möglich! - + Cannot add a fixed x-coordinate constraint on the origin point! Eine feste x-Einschränkung auf den Ursprung kann nicht hinzugefügt werden! - - + + This constraint only makes sense on a line segment or a pair of points. Diese Randbedingung ist nur für ein Liniensegment oder ein Punktepaar sinnvoll. - + Cannot add a vertical length constraint on an axis! Keine vertikale Längenbeschränkung einer Achse möglich! - + Cannot add a fixed y-coordinate constraint on the origin point! Eine feste y-Einschränkung auf den Ursprung kann nicht hinzugefügt werden! - + Select two or more lines from the sketch. Zwei oder mehr Linien aus der Skizze auswählen. - + One selected edge is not a valid line. Eine ausgewählte Kante ist keine gültige Linie. - - + + Select at least two lines from the sketch. Mindestens zwei Linien aus der Skizze auswählen. - + The selected edge is not a valid line. Die ausgewählte Kante ist keine gültige Linie. - + There is a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2812,35 +2812,35 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Erlaubte Kombinationen: zwei Kurven; einen Endpunkt und eine Kurve; zwei Endpunkte; zwei Kurven und einen Punkt. - + Select some geometry from the sketch. perpendicular constraint Geometrie aus der Skizze auswählen. - - + + Cannot add a perpendicularity constraint at an unconnected point! Eine Rechtwinkligkeitsbedingung kann nicht zu einem unverbundenen Punkt hinzugefügt werden! - - + + One of the selected edges should be a line. Eine der ausgewählten Kanten sollte eine Gerade sein. - + Endpoint to endpoint tangency was applied. The coincident constraint was deleted. Eine Endpunkt-zu-Endpunkt-Tangente wurde angelegt. Die Koinzidenz-Einschränkung wurde gelöscht. - + Endpoint to edge tangency was applied. The point on object constraint was deleted. Die Endpunkt zu Kante Tangente wurde stattdessen angewendet. Die Punkt auf Objekt Beschränkung wurde gelöscht. - + There are a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2850,61 +2850,61 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Akzeptierte Kombinationen: zwei Kurven; Ein Endpunkt und eine Kurve; Zwei Endpunkte; Zwei Kurven und ein Punkt. - + Select some geometry from the sketch. tangent constraint Geometrie aus der Skizze auswählen. - - - + + + Cannot add a tangency constraint at an unconnected point! Eine Tangentialrandbedingung kann nicht zu einem unverbundenen Punkt hinzugefügt werden! - - + + Tangent constraint at B-spline knot is only supported with lines! Randbedingung Tangential festlegen wird am B-Spline-Knoten wird nur mit Linien unterstützt! - + B-spline knot to endpoint tangency was applied instead. Eine B-Spline-Knoten zu Endpunkt Tangente wurde stattdessen festgelegt. - - + + Wrong number of selected objects! Falsche Anzahl von ausgewählten Objekten! - - + + With 3 objects, there must be 2 curves and 1 point. Bei 3 Objekten müssen diese aus 2 Kurven und 1 Punkt bestehen. - - - - - - + + + + + + Select one or more arcs or circles from the sketch. Eine oder mehrere Bögen oder Kreise aus der Skizze auswählen. - - - + + + Constraint only applies to arcs or circles. Einschränkung gilt nur für Bögen oder Kreise. - - + + Select one or two lines from the sketch. Or select two edges and a point. Eine oder zwei Linien aus der Skizze auswählen. Oder zwei Kanten und einen Punkt auswählen. @@ -2919,87 +2919,87 @@ Akzeptierte Kombinationen: zwei Kurven; Ein Endpunkt und eine Kurve; Zwei Endpun Es ist nicht möglich eine Winkel-Einschränkung für zwei parallele Linien festzulegen. - + Cannot add an angle constraint on an axis! Winkelbeschränkung einer Achse nicht möglich! - + Select two edges from the sketch. Zwei Kanten aus der Skizze auswählen. - + Select two or more compatible edges. Zwei oder mehr kompatible Kanten auswählen. - + Sketch axes cannot be used in equality constraints. Skizzenachsen können nicht mit der Randbedingung Gleichheit festlegen eingesetzt werden. - + Equality for B-spline edge currently unsupported. Gleichheit für B-Spline Rand wird derzeit nicht unterstützt. - - - + + + Select two or more edges of similar type. Zwei oder mehr gleichartige Kanten auswählen. - - - - - + + + + + Select two points and a symmetry line, two points and a symmetry point or a line and a symmetry point from the sketch. Zwei Punkte und eine Symmetrielinie, zwei Punkte und einen Symmetriepunkt oder eine Linie und einen Symmetriepunkt aus der Skizze auswählen. - - + + Cannot add a symmetry constraint between a line and its end points. Es ist nicht möglich eine Symmetrieeinschränkung zwischen einer Linie und ihren Endpunkten hinzuzufügen. - - - - + + + + Cannot add a symmetry constraint between a line and its end points! Es ist nicht möglich eine Symmetrieeinschränkung zwischen einer Linie und ihren Endpunkten hinzuzufügen! - + Selected objects are not just geometry from one sketch. Ausgewählte Objekte sind nicht nur Geometrie aus einer einzigen Skizze. - + Cannot create constraint with external geometry only. Es ist nicht möglich eine Einschränkung zu erstellen, die nur auf externen Geometrien basiert. - + Incompatible geometry is selected. Es wurde unpassende Geometrie ausgewählt. - + Select one dimensional constraint from the sketch. Eine maßliche Randbedingung aus der Skizze auswählen. - - - - - + + + + + Select constraints from the sketch. Randbedingungen in der Skizze auswählen. @@ -3540,12 +3540,12 @@ Akzeptierte Kombinationen: zwei Kurven; Ein Endpunkt und eine Kurve; Zwei Endpun Länge: - + Refractive index ratio Brechungsindex-Verhältnis - + Ratio n2/n1: Verhältnis n2/n1: @@ -5189,8 +5189,8 @@ Dies erfolgt durch Analyse der Skizzengeometrien und Randbedingungen. Sketcher_ConstrainDiameter - - + + Fix the diameter of a circle or an arc Legt den Durchmesser eines Kreises oder Kreisbogens fest @@ -5342,64 +5342,74 @@ Dies erfolgt durch Analyse der Skizzengeometrien und Randbedingungen. Sketcher_MapSketch - + No sketch found Keine Skizze gefunden - + + Cannot attach sketch to itself! + Cannot attach sketch to itself! + + + The document doesn't have a sketch Das Dokument hat keine Skizze - + Select sketch Skizze auswählen - + + Select a sketch (some sketches not shown to prevent a circular dependency) + Select a sketch (some sketches not shown to prevent a circular dependency) + + + Select a sketch from the list Wähle eine Skizze aus der Liste - + (incompatible with selection) (Nicht kompatibel mit Auswahl) - + (current) (aktuell) - + (suggested) (empfohlen) - + Sketch attachment Befestigungsmodus der Skizze - + Current attachment mode is incompatible with the new selection. Select the method to attach this sketch to selected objects. Der aktuelle Befestigungsmodus ist nicht kompatibel mit der neuen Auswahl. Die Methode zum Befestigen der Skizze an ausgewählte Objekte auswählen. - + Select the method to attach this sketch to selected objects. Die Methode zum Befestigen der Skizze an ausgewählte Objekte auswählen. - + Map sketch Kartenskizze - + Can't map a sketch to support: %1 Kann keine Skizze zur Unterstützung abbilden: @@ -5929,22 +5939,22 @@ Die Rasterweite ändert sich, wenn er kleiner als diese Anzahl von Pixeln wird.< GridSpaceAction - + Grid auto spacing Automatische Rasterweite - + Resize grid automatically depending on zoom. Raster abhängig vom Zoom-Faktor automatisch skalieren. - + Spacing Weite - + Distance between two subsequent grid lines. Abstand zwischen zwei aufeinanderfolgenden Rasterlinien. @@ -5952,17 +5962,17 @@ Die Rasterweite ändert sich, wenn er kleiner als diese Anzahl von Pixeln wird.< Notifications - + The Sketch has malformed constraints! Die Skizze enthält fehlerhafte Randbedingungen! - + The Sketch has partially redundant constraints! Die Skizze enthält teilweise redundante Randbedingungen! - + Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! Parabeln wurden intern umstrukturiert. Solche Dateien lassen sich mit früheren Versionen von FreeCAD nicht mehr öffnen!! @@ -6041,8 +6051,8 @@ Die Rasterweite ändert sich, wenn er kleiner als diese Anzahl von Pixeln wird.< - - + + Invalid Constraint Ungültige Randbedingung @@ -6249,34 +6259,34 @@ Die Rasterweite ändert sich, wenn er kleiner als diese Anzahl von Pixeln wird.< SnapSpaceAction - + Snap to objects Auf Objekte einrasten - + New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. Neue Punkte rasten auf dem aktuell vorausgewählten Objekt ein. Sie rasten auch auf den Mitten von Linien und Bögen ein. - + Snap to grid Auf Raster einrasten - + New points will snap to the nearest grid line. Points must be set closer than a fifth of the grid spacing to a grid line to snap. Neue Punkte rasten an der nächsten Rasterlinie ein. Punkte müssen näher als ein Fünftel der Rasterweite an eine Rasterlinie gesetzt werden, damit sie einrasten. - + Snap angle Einrastwinkel - + Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. Winkelschrittweite für Werkzeuge, die 'Einrasten auf Winkel' verwenden (Linie zum Beispiel). STRG gedrückt halten, um 'Einrasten auf Winkel' zu aktivieren. Der Winkel beginnt an der positiven X-Achse der Skizze. @@ -6284,23 +6294,23 @@ Punkte müssen näher als ein Fünftel der Rasterweite an eine Rasterlinie geset RenderingOrderAction - - - + + + Normal Geometry Normale Geometrie - - - + + + Construction Geometry Hilfsgeometrie - - - + + + External Geometry Externe Geometrie @@ -6308,12 +6318,12 @@ Punkte müssen näher als ein Fünftel der Rasterweite an eine Rasterlinie geset CmdRenderingOrder - + Configure rendering order Rendering-Reihenfolge konfigurieren - + Reorder the items in the list to configure rendering order. Elemente in der Liste verschieben, um die Rendering-Reihenfolge zu konfigurieren. @@ -6321,12 +6331,12 @@ Punkte müssen näher als ein Fünftel der Rasterweite an eine Rasterlinie geset CmdSketcherGrid - + Toggle grid Raster ein-/ausblenden - + Toggle the grid in the sketch. In the menu you can change grid settings. Das Raster in der Skizze ein- bzw. ausblenden. Im Menü können die Rastereinstellungen geändert werden. @@ -6334,12 +6344,12 @@ Punkte müssen näher als ein Fünftel der Rasterweite an eine Rasterlinie geset CmdSketcherSnap - + Toggle snap Einrasten umschalten - + Toggle all snap functionality. In the menu you can toggle 'Snap to grid' and 'Snap to objects' individually, and change further snap settings. Alle Einrastfunktionen ein- bzw. ausschalten. Im Menü können 'Auf Raster einrasten' und 'Auf Objekte einrasten' einzeln umgeschaltet und weitere Einrasteinstellungen geändert werden. @@ -6373,12 +6383,12 @@ Punkte müssen näher als ein Fünftel der Rasterweite an eine Rasterlinie geset CmdSketcherDimension - + Dimension Bemaßung - + Constrain contextually based on your selection. Depending on your selection you might have several constraints available. You can cycle through them using M key. Left clicking on empty space will validate the current constraint. Right clicking or pressing Esc will cancel. @@ -6416,12 +6426,12 @@ Ein Linksklick auf einen leeren Bereich, bestätigt die aktuell vorausgewählte CmdSketcherConstrainRadius - + Constrain radius Radius festlegen - + Fix the radius of a circle or an arc Legt den Radius eines Kreises oder Kreisbogens fest @@ -6556,12 +6566,12 @@ Ein Linksklick auf einen leeren Bereich, bestätigt die aktuell vorausgewählte Originalgeometrien löschen (U) - + Apply equal constraints Gleichheit(en) übernehmen - + If this option is selected dimensional constraints are excluded from the operation. Instead equal constraints are applied between the original objects and their copies. Wenn diese Option ausgewählt ist, werden maßliche Randbedingungen vom Vorgang ausgenommen. @@ -6633,12 +6643,12 @@ Stattdessen werden Gleichheits-Randbedingungen zwischen den Originalobjekten und CmdSketcherCompHorizontalVertical - + Constrain horizontal/vertical Horizontal / vertikal festlegen - + Constrains a single line to either horizontal or vertical. Schränkt die Auswahl entweder horizontal oder vertikal ein. @@ -6646,12 +6656,12 @@ Stattdessen werden Gleichheits-Randbedingungen zwischen den Originalobjekten und CmdSketcherConstrainHorVer - + Constrain horizontal/vertical Horizontal / vertikal festlegen - + Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. Schränkt die Auswahl entweder horizontal oder vertikal ein, je nachdem, was näher an der aktuellen Ausrichtung liegt. @@ -6698,12 +6708,12 @@ Stattdessen werden Gleichheits-Randbedingungen zwischen den Originalobjekten und CmdSketcherConstrainCoincidentUnified - + Constrain coincident Koinzidenz festlegen - + Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses Erstellt eine Randbedingung Koinzidenz festlegen zwischen Punkten, eine Randbedingung Punkt auf Objekt festlegen zwischen einem Punkt und einer Kante oder eine Randbedingung Konzentrisch festlegen zwischen Kreisen, Bögen und Ellipsen @@ -6989,7 +6999,7 @@ Stattdessen werden Gleichheits-Randbedingungen zwischen den Originalobjekten und TaskSketcherTool_p4_rotate - + Copies (+'U'/ -'J') Anzahl der Kopien (+'U' /- 'J') @@ -7237,12 +7247,12 @@ Stattdessen werden Gleichheits-Randbedingungen zwischen den Originalobjekten und CmdSketcherConstrainTangent - + Constrain tangent or collinear Tangential oder kollinear festlegen - + Create a tangent or collinear constraint between two entities Legt zwei Elementen tangential oder kollinear zueinander fest @@ -7250,12 +7260,12 @@ Stattdessen werden Gleichheits-Randbedingungen zwischen den Originalobjekten und CmdSketcherChangeDimensionConstraint - + Change value Wert ändern - + Change the value of a dimensional constraint Den Wert der maßlichen Randbedingung ändern @@ -7321,8 +7331,8 @@ Stattdessen werden Gleichheits-Randbedingungen zwischen den Originalobjekten und Sketcher_ConstrainRadius - - + + Fix the radius of an arc or a circle Legt den Radius eines Kreisbogens oder eines Kreises fest @@ -7330,8 +7340,8 @@ Stattdessen werden Gleichheits-Randbedingungen zwischen den Originalobjekten und Sketcher_ConstrainRadiam - - + + Fix the radius/diameter of an arc or a circle Legt den Radius/Durchmesser eines Kreisbogens oder eines Kreises fest diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_el.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_el.ts index d1d72af3eaa4..bd9bacb5465a 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_el.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_el.ts @@ -128,27 +128,27 @@ CmdSketcherCompConstrainRadDia - + Constrain arc or circle Περιορισμός τόξου ή κύκλου - + Constrain an arc or a circle Περιόρισε ένα τόξο ή έναν κύκλο - + Constrain radius Περιορισμός ακτίνας - + Constrain diameter Περιορισμός διαμέτρου - + Constrain auto radius/diameter Περιορισμός αυτόματης ακτίνας/διαμέτρου @@ -307,12 +307,12 @@ CmdSketcherConstrainAngle - + Constrain angle Περιορισμός γωνίας - + Fix the angle of a line or the angle between two lines Καθορισμός της γωνίας μιας γραμμής ή της γωνίας μεταξύ δύο γραμμών @@ -320,12 +320,12 @@ CmdSketcherConstrainBlock - + Constrain block Περιορισμός Κλειδώματος - + Block the selected edge from moving Αποκλεισμός της επιλεγμένης ακμής από την κίνηση @@ -333,12 +333,12 @@ CmdSketcherConstrainCoincident - + Constrain coincident Περιορισμός ταύτισης - + Create a coincident constraint between points, or a concentric constraint between circles, arcs, and ellipses Δημιουργία ενός περιορισμού σύμπτωσης μεταξύ σημείων ή ενός ομόκεντρου περιορισμού μεταξύ κύκλων, τόξων και ελλείψεων @@ -346,12 +346,12 @@ CmdSketcherConstrainDiameter - + Constrain diameter Περιορισμός διαμέτρου - + Fix the diameter of a circle or an arc Όρισε τη σταθερή διάμετρο ενός κύκλου, ή ενός τόξου @@ -359,12 +359,12 @@ CmdSketcherConstrainDistance - + Constrain distance Περιορισμός απόστασης - + Fix a length of a line or the distance between a line and a vertex or between two circles Καθορίστε ένα μήκος μιας γραμμής ή την απόσταση μεταξύ μιας γραμμής και μιας κορυφής ή μεταξύ δύο κύκλων @@ -372,12 +372,12 @@ CmdSketcherConstrainDistanceX - + Constrain horizontal distance Constrain horizontal distance - + Fix the horizontal distance between two points or line ends Καθορισμός της οριζόντιας απόστασης μεταξύ δύο σημείων ή μεταξύ τελικών σημείων γραμμών @@ -385,12 +385,12 @@ CmdSketcherConstrainDistanceY - + Constrain vertical distance Constrain vertical distance - + Fix the vertical distance between two points or line ends Καθορισμός της κατακόρυφης απόστασης μεταξύ δύο σημείων ή μεταξύ τελικών σημείων γραμμών @@ -398,12 +398,12 @@ CmdSketcherConstrainEqual - + Constrain equal Περιορισμός ισότητας - + Create an equality constraint between two lines or between circles and arcs Δημιουργία ενός περιορισμού ισότητας μεταξύ δύο γραμμών ή μεταξύ κύκλων και τόξων @@ -411,12 +411,12 @@ CmdSketcherConstrainHorizontal - + Constrain horizontal Constrain horizontal - + Create a horizontal constraint on the selected item Δημιουργία ενός οριζόντιου περιορισμού για το επιλεγμένο αντικείμενο @@ -424,12 +424,12 @@ CmdSketcherConstrainLock - + Constrain lock Περιορισμός κλειδώματος - + Create both a horizontal and a vertical distance constraint on the selected vertex Δημιουργήστε τόσο οριζόντιο όσο και κατακόρυφο περιορισμό απόστασης @@ -439,12 +439,12 @@ on the selected vertex CmdSketcherConstrainParallel - + Constrain parallel Περιορισμός παραλληλίας - + Create a parallel constraint between two lines Δημιουργήστε έναν περιορισμό παραλληλίας μεταξύ δύο γραμμών @@ -452,12 +452,12 @@ on the selected vertex CmdSketcherConstrainPerpendicular - + Constrain perpendicular Περιορισμός καθετότητας - + Create a perpendicular constraint between two lines Δημιουργία ενός περιορισμού καθετότητας μεταξύ δύο γραμμών @@ -465,12 +465,12 @@ on the selected vertex CmdSketcherConstrainPointOnObject - + Constrain point on object Constrain point on object - + Fix a point onto an object Καθορισμός της θέσης ενός σημείου σε ένα αντικείμενο @@ -478,12 +478,12 @@ on the selected vertex CmdSketcherConstrainRadiam - + Constrain auto radius/diameter Περιορισμός αυτόματης ακτίνας/διαμέτρου - + Fix the diameter if a circle is chosen, or the radius if an arc/spline pole is chosen Διορθώστε τη διάμετρο, εάν επιλέξεται κύκλο, ή την ακτίνα ενός τόξου/σπιράλ @@ -492,12 +492,12 @@ on the selected vertex CmdSketcherConstrainSnellsLaw - + Constrain refraction (Snell's law) Constrain refraction (Snell's law) - + Create a refraction law (Snell's law)constraint between two endpoints of rays and an edge as an interface. Create a refraction law (Snell's law)constraint between two endpoints of rays @@ -507,12 +507,12 @@ and an edge as an interface. CmdSketcherConstrainSymmetric - + Constrain symmetric Constrain symmetric - + Create a symmetry constraint between two points with respect to a line or a third point Δημιουργία περιορισμού συμμετρίας μεταξύ δύο σημείων ως προς μια γραμμή ή ένα τρίτο σημείο @@ -521,12 +521,12 @@ with respect to a line or a third point CmdSketcherConstrainVertical - + Constrain vertical Constrain vertical - + Create a vertical constraint on the selected item Δημιουργία ενός κατακόρυφου περιορισμού στο επιλεγμένο αντικείμενο @@ -1068,7 +1068,7 @@ First select the supporting geometry, for example, a face or an edge of a solid then call this command, then choose the desired sketch. - + Some of the selected objects depend on the sketch to be mapped. Circular dependencies are not allowed. Ορισμένα από τα επιλεγμένα αντικείμενα εξαρτώνται από το σχέδιο που θα αντιστοιχιστεί. Δεν επιτρέπονται κυκλικές εξαρτήσεις. @@ -1076,22 +1076,22 @@ then call this command, then choose the desired sketch. CmdSketcherMergeSketches - + Merge sketches Συγχώνευση σχεδίων - + Create a new sketch from merging two or more selected sketches. Δημιουργήστε ένα νέο σχέδιο με τη συγχώνευση δύο ή περισσότερων επιλεγμένων σχεδίων. - + Wrong selection Λάθος επιλογή - + Select at least two sketches. Επιλέξτε τουλάχιστον δύο σχέδια. @@ -1099,12 +1099,12 @@ then call this command, then choose the desired sketch. CmdSketcherMirrorSketch - + Mirror sketch Κατοπτρισμός (είδωλο) σχεδίου - + Creates a new mirrored sketch for each selected sketch by using the X or Y axes, or the origin point, as mirroring reference. @@ -1113,12 +1113,12 @@ by using the X or Y axes, or the origin point, as mirroring reference. - + Wrong selection Λάθος επιλογή - + Select one or more sketches. Επιλέξτε ένα ή περισσότερα σχέδια. @@ -1372,12 +1372,12 @@ This will clear the 'AttachmentSupport' property, if any. CmdSketcherToggleActiveConstraint - + Activate/deactivate constraint Activate/deactivate constraint - + Activates or deactivates the selected constraints Ενεργοποιεί ή Απενεργοποιεί την κατάσταση λειτουργίας επεξεργασίας του επιλεγμένου αντικείμενου @@ -1398,12 +1398,12 @@ This will clear the 'AttachmentSupport' property, if any. CmdSketcherToggleDrivingConstraint - + Toggle driving/reference constraint Toggle driving/reference constraint - + Set the toolbar, or the selected constraints, into driving or reference mode Set the toolbar, or the selected constraints, @@ -1426,24 +1426,24 @@ into driving or reference mode CmdSketcherValidateSketch - + Validate sketch... Επικύρωση σχεδίου... - + Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. - + Wrong selection Λάθος επιλογή - + Select only one sketch. Επιλέξτε μόνο ένα σχέδιο. @@ -1451,12 +1451,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSection - + View section Προβολή τομής - + When in edit mode, switch between section view and full view. Όταν βρίσκεστε σε λειτουργία επεξεργασίας, κάντε εναλλαγή μεταξύ προβολής ενότητας και πλήρους προβολής. @@ -1464,12 +1464,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSketch - + View sketch Προβολή σχεδίου - + When in edit mode, set the camera orientation perpendicular to the sketch plane. Όταν βρίσκεστε σε λειτουργία επεξεργασίας, ρυθμίστε τον προσανατολισμό της κάμερας κάθετα στο επίπεδο σχεδίασης. @@ -1477,69 +1477,69 @@ invalid constraints, degenerated geometry, etc. Command - + Add 'Lock' constraint Προσθήκη περιορισμού "Κλειδώματος" - + Add relative 'Lock' constraint Προσθήκη σχετικού περιορισμού "Κλειδώματος" - + Add fixed constraint Add fixed constraint - + Add 'Block' constraint Προσθήκη περιορισμού 'Κλειδώματος' - + Add block constraint Προσθήκη περιορισμού kλειδώματος - - + + Add coincident constraint Add coincident constraint - - + + Add distance from horizontal axis constraint Add distance from vertical axis constraint - - + + Add distance from vertical axis constraint Add distance from vertical axis constraint - - + + Add point to point distance constraint Add point to point distance constraint - - + + Add point to line Distance constraint Add point to line Distance constraint - - + + Add circle to circle distance constraint Add circle to circle distance constraint - + Add circle to line distance constraint Add circle to line distance constraint @@ -1548,16 +1548,16 @@ invalid constraints, degenerated geometry, etc. - - - + + + Add length constraint Add length constraint - + Dimension Διάσταση @@ -1574,7 +1574,7 @@ invalid constraints, degenerated geometry, etc. - + Add Distance constraint Add Distance constraint @@ -1652,7 +1652,7 @@ invalid constraints, degenerated geometry, etc. Add Radius constraint - + Activate/Deactivate constraints Activate/Deactivate constraints @@ -1668,23 +1668,23 @@ invalid constraints, degenerated geometry, etc. Add concentric and length constraint - + Add DistanceX constraint Add DistanceX constraint - + Add DistanceY constraint Add DistanceY constraint - + Add point to circle Distance constraint Add point to circle Distance constraint - - + + Add point on object constraint Add point on object constraint @@ -1695,143 +1695,143 @@ invalid constraints, degenerated geometry, etc. Add arc length constraint - - + + Add point to point horizontal distance constraint Add point to point horizontal distance constraint - + Add fixed x-coordinate constraint Add fixed x-coordinate constraint - - + + Add point to point vertical distance constraint Add point to point vertical distance constraint - + Add fixed y-coordinate constraint Add fixed y-coordinate constraint - - + + Add parallel constraint Add parallel constraint - - - - - - - + + + + + + + Add perpendicular constraint Προσθήκη κάθετου περιορισμού - + Add perpendicularity constraint Προσθήκη περιορισμού καθετότητας - + Swap coincident+tangency with ptp tangency Swap coincident+tangency with ptp tangency - - - - - - - + + + + + + + Add tangent constraint Add tangent constraint - - - - - - - - - - - - - - + + + + + + + + + + + + + + Add tangent constraint point Add tangent constraint point - - - - + + + + Add radius constraint Add radius constraint - - - - + + + + Add diameter constraint Προσθήκη περιορισμού διαμέτρου - - - - + + + + Add radiam constraint Add radiam constraint - - - - + + + + Add angle constraint Add angle constraint - + Swap point on object and tangency with point to curve tangency Swap point on object and tangency with point to curve tangency - - + + Add equality constraint Add equality constraint - - - - - + + + + + Add symmetric constraint Add symmetric constraint - + Add Snell's law constraint Προσθήκη περιορισμού νόμου Snell - + Toggle constraint to driving/reference Toggle constraint to driving/reference @@ -1851,22 +1851,22 @@ invalid constraints, degenerated geometry, etc. Επαναπροσανατολισμό σχεδίου - + Attach sketch Επισύναψη σχεδίου - + Detach sketch Αποκοπή σχεδίου - + Create a mirrored sketch for each selected sketch Δημιουργήστε ένα είδωλο σχεδίου για κάθε επιλεγμένο σχέδιο - + Merge sketches Συγχώνευση σχεδίων @@ -2040,7 +2040,7 @@ invalid constraints, degenerated geometry, etc. Update constraint's virtual space - + Add auto constraints Προσθήκη αυτόματων περιορισμών @@ -2148,60 +2148,60 @@ invalid constraints, degenerated geometry, etc. Exceptions - + Unable to guess intersection of curves. Try adding a coincident constraint between the vertices of the curves you are intending to fillet. Δεν είναι δυνατή η εύρεση τομής καμπυλών. Προσπαθήστε να προσθέσετε τον περιορισμό ταύτισης μεταξύ κορυφών των καμπυλών που σκοπεύετε να συμπληρώσετε. - + You are requesting no change in knot multiplicity. Δεν απαιτείτε καμία αλλαγή της πολλαπλότητας κόμβου. - - + + B-spline Geometry Index (GeoID) is out of bounds. B-spline Geometry Index (GeoID) is out of bounds. - - + + The Geometry Index (GeoId) provided is not a B-spline. The Geometry Index (GeoId) provided is not a B-spline. - + The knot index is out of bounds. Note that in accordance with OCC notation, the first knot has index 1 and not zero. Ο δείκτης κόμβου είναι εκτός ορίων. Σημειώστε πως σύμφωνα με το σύστημα σημειογραφίας του OCC, ο πρώτος κόμβος έχει δείκτη 1 και όχι μηδέν. - + The multiplicity cannot be increased beyond the degree of the B-spline. The multiplicity cannot be increased beyond the degree of the B-spline. - + The multiplicity cannot be decreased beyond zero. Η πολλαπλότητα δεν δύναται να είναι χαμηλότερη από το μηδέν. - + OCC is unable to decrease the multiplicity within the maximum tolerance. To ΟCC αδυνατεί να μειώσει την πολλαπλότητα εντός των ορίων μέγιστης ανοχής. - + Knot cannot have zero multiplicity. Knot cannot have zero multiplicity. - + Knot multiplicity cannot be higher than the degree of the B-spline. Knot multiplicity cannot be higher than the degree of the B-spline. - + Knot cannot be inserted outside the B-spline parameter range. Knot cannot be inserted outside the B-spline parameter range. @@ -2311,7 +2311,7 @@ invalid constraints, degenerated geometry, etc. - + Don't attach Να μην πραγματοποιηθεί επισύναψη @@ -2333,123 +2333,123 @@ invalid constraints, degenerated geometry, etc. - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + - - - - - - + + + + + + + + @@ -2515,116 +2515,116 @@ invalid constraints, degenerated geometry, etc. Ένα από τα επιλεγμένα πρέπει να βρίσκεται στο σχέδιο. - + Select an edge from the sketch. Επιλέξτε μια ακμή από το σχέδιο. - - - - - - + + + + + + Impossible constraint Αδύνατος περιορισμός - - + + The selected edge is not a line segment. The selected edge is not a line segment. - - - + + + Double constraint Διπλός περιορισμός - + The selected edge already has a horizontal constraint! The selected edge already has a horizontal constraint! - + The selected edge already has a vertical constraint! The selected edge already has a vertical constraint! - - - + + + The selected edge already has a Block constraint! Η επιλεγμένη ακμή έχει ήδη έναν περιορισμό! - + There are more than one fixed points selected. Select a maximum of one fixed point! Υπάρχουν περισσότερα από ένα σταθερά σημεία επιλεγμένα. Επιλέξτε το πολύ ένα σταθερό σημείο! - - - + + + Select vertices from the sketch. Επιλέξτε κορυφές από το σχέδιο. - + Select one vertex from the sketch other than the origin. Επιλέξτε μια κορυφή από το σκαρίφημα εκτός από το σημείο τομής των αξόνων. - + Select only vertices from the sketch. The last selected vertex may be the origin. Επιλέξτε μόνο τις κορυφές από το σχέδιο. Η τελευταία επιλεγμένη κορυφή δύναται να είναι το σημείο τομής των αξόνων. - + Wrong solver status Λάθος κατάσταση επιλυτή - + A Block constraint cannot be added if the sketch is unsolved or there are redundant and conflicting constraints. Δεν μπορεί να προστεθεί περιορισμός εάν το σχέδιο δεν έχει επιλυθεί ή υπάρχουν περιττοί και αντικρουόμενοι περιορισμοί. - + Select one edge from the sketch. Επιλέξτε μια ακμή από το σχέδιο. - + Select only edges from the sketch. Επιλέξτε μόνο ακμές από το σχέδιο. - + None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. - + Only tangent-via-point is supported with a B-spline. Only tangent-via-point is supported with a B-spline. - - + + Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. - + Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. Constraint_SnellsLaw Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. - + Number of selected objects is not 3 Number of selected objects is not 3 @@ -2641,80 +2641,80 @@ invalid constraints, degenerated geometry, etc. Unexpected error. More information may be available in the Report View. - + The selected item(s) can't accept a horizontal or vertical constraint! The selected item(s) can't accept a horizontal or vertical constraint! - + Endpoint to endpoint tangency was applied instead. Εφαρμόστηκε περιορισμός επαφής μεταξύ άκρων εναλλακτικά. - + Select two or more vertices from the sketch for a coincident constraint, or two or more circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Select two or more vertices from the sketch for a coincident constraint, or two or more circles, ellipses, arcs or arcs of ellipse for a concentric constraint. - + Select two vertices from the sketch for a coincident constraint, or two circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Select two vertices from the sketch for a coincident constraint, or two circles, ellipses, arcs or arcs of ellipse for a concentric constraint. - + Select exactly one line or one point and one line or two points from the sketch. Επιλέξτε ακριβώς μια γραμμή ή ένα σημείο και μια γραμμή ή δύο σημεία από το σχέδιο. - + Cannot add a length constraint on an axis! Αδύνατη η προσθήκη περιορισμού μήκους σε άξονα! - - + + Select exactly one line or one point and one line or two points or two circles from the sketch. Select exactly one line or one point and one line or two points or two circles from the sketch. - + This constraint does not make sense for non-linear curves. This constraint does not make sense for non-linear curves. - + Endpoint to edge tangency was applied instead. Endpoint to edge tangency was applied instead. - - - - - - + + + + + + Select the right things from the sketch. Επιλέξτε τα κατάλληλα στοιχεία από το σχέδιο. - - - - - - - - - + + + + + + + + - - - - - - - - + + + + + + + + + Select an edge that is not a B-spline weight. Select an edge that is not a B-spline weight. @@ -2724,87 +2724,87 @@ invalid constraints, degenerated geometry, etc. One or two point on object constraint(s) was/were deleted, since the latest constraint being applied internally applies point-on-object as well. - + Select either several points, or several conics for concentricity. Select either several points, or several conics for concentricity. - + Select either one point and several curves, or one curve and several points Select either one point and several curves, or one curve and several points - + Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. - + None of the selected points were constrained onto the respective curves, either because they are parts of the same element, or because they are both external geometry. Κανένα από τα επιλεγμένα σημεία δεν ήταν περιορισμένο πάνω στις αντίστοιχες καμπύλες, είτε επειδή είναι τμήματα του ίδιου στοιχείου, είτε επειδή ανήκουν και τα δύο στο ίδιο στοιχείο εξωτερικής γεωμετρίας. - + Cannot add a length constraint on this selection! Cannot add a length constraint on this selection! - - - - + + + + Select exactly one line or up to two points from the sketch. Επιλέξτε ακριβώς μια γραμμή ή έως και δύο σημεία από το σχέδιο. - + Cannot add a horizontal length constraint on an axis! Αδύνατη η προσθήκη περιορισμού οριζόντιου μήκους σε άξονα! - + Cannot add a fixed x-coordinate constraint on the origin point! Αδυναμία προσθήκης σταθερού περιορισμού συντεταγμένων x στο σημείο αρχής! - - + + This constraint only makes sense on a line segment or a pair of points. This constraint only makes sense on a line segment or a pair of points. - + Cannot add a vertical length constraint on an axis! Αδύνατη η προσθήκη κατακόρυφου μήκους σε άξονα! - + Cannot add a fixed y-coordinate constraint on the origin point! Δεν είναι δυνατή η προσθήκη ενός σταθερού περιορισμού συντεταγμένων y στο σημείο αρχής! - + Select two or more lines from the sketch. Επιλέξτε δύο ή περισσότερες γραμμές από το σχέδιο. - + One selected edge is not a valid line. One selected edge is not a valid line. - - + + Select at least two lines from the sketch. Επιλέξτε τουλάχιστον δύο γραμμές από το σχέδιο. - + The selected edge is not a valid line. The selected edge is not a valid line. - + There is a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2814,35 +2814,35 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Αποδεκτοί συνδυασμοί: δύο καμπύλες· ένα αρχικό σημείο και μια καμπύλη· ένα αρχικό και ένα τελικό σημείο· δύο καμπύλες και ένα σημείο. - + Select some geometry from the sketch. perpendicular constraint Επιλέξτε γεωμετρικά στοιχεία από το σχέδιο. - - + + Cannot add a perpendicularity constraint at an unconnected point! Αδύνατη η προσθήκη περιορισμού καθετότητας σε ένα ασύνδετο σημείο! - - + + One of the selected edges should be a line. Μια από τις επιλεγμένες ακμές θα πρέπει να είναι γραμμή. - + Endpoint to endpoint tangency was applied. The coincident constraint was deleted. Εφαρμόστηκε περιορισμός επαφής μεταξύ άκρων. Ο περιορισμός ταύτισης διαγράφηκε. - + Endpoint to edge tangency was applied. The point on object constraint was deleted. Endpoint to edge tangency was applied. The point on object constraint was deleted. - + There are a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2852,61 +2852,61 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Αποδεκτοί συνδυασμοί: δύο καμπύλες· ένα αρχικό σημείο και μια καμπύλη· ένα αρχικό και ένα τελικό σημείο· δύο καμπύλες και ένα σημείο. - + Select some geometry from the sketch. tangent constraint Επιλέξτε γεωμετρικά στοιχεία από το σχέδιο. - - - + + + Cannot add a tangency constraint at an unconnected point! Αδύνατη η προσθήκη περιορισμού επαφής σε ένα ασύνδετο σημείο! - - + + Tangent constraint at B-spline knot is only supported with lines! Tangent constraint at B-spline knot is only supported with lines! - + B-spline knot to endpoint tangency was applied instead. B-spline knot to endpoint tangency was applied instead. - - + + Wrong number of selected objects! Λάθος αριθμός επιλεγμένων αντικειμένων! - - + + With 3 objects, there must be 2 curves and 1 point. Με 3 αντικείμενα, πρέπει να υπάρχουν 2 καμπύλες και 1 σημείο. - - - - - - + + + + + + Select one or more arcs or circles from the sketch. Επιλέξτε ένα ή περισσότερα τόξα ή κύκλους από το σχέδιο. - - - + + + Constraint only applies to arcs or circles. Ο περιορισμός εφαρμόζεται μόνο σε τόξα ή κύκλους. - - + + Select one or two lines from the sketch. Or select two edges and a point. Επιλέξτε μια ή δύο γραμμές από το σχέδιο. Ή επιλέξτε δύο ακμές και ένα σημείο. @@ -2921,87 +2921,87 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Δεν δύναται να οριστεί γωνιακός περιορισμός για δύο παράλληλες γραμμές. - + Cannot add an angle constraint on an axis! Αδύνατη η προσθήκη γωνιακού περιορισμού σε άξονα! - + Select two edges from the sketch. Επιλέξτε δύο ακμές από το σχέδιο. - + Select two or more compatible edges. Select two or more compatible edges. - + Sketch axes cannot be used in equality constraints. Οι άξονες σχεδίου δεν μπορούν να χρησιμοποιηθούν για περιορισμούς ισότητας. - + Equality for B-spline edge currently unsupported. Δεν υποστηρίζονται περιορισμοί ισότητας σε ακμές καμπύλης B-spline επί του παρόντος. - - - + + + Select two or more edges of similar type. Select two or more edges of similar type. - - - - - + + + + + Select two points and a symmetry line, two points and a symmetry point or a line and a symmetry point from the sketch. Επιλέξτε δύο σημεία και μια γραμμή συμμετρίας, δύο σημεία και ένα σημείο συμμετρίας ή μια γραμμή και ένα σημείο συμμετρίας από το σχέδιο. - - + + Cannot add a symmetry constraint between a line and its end points. Cannot add a symmetry constraint between a line and its end points. - - - - + + + + Cannot add a symmetry constraint between a line and its end points! Αδύνατη η προσθήκη περιορισμού μεταξύ μιας γραμμής και του αρχικού ή του τελικού της σημείου! - + Selected objects are not just geometry from one sketch. Τα επιλεγμένα στοιχεία δεν είναι μόνο γεωμετρικά στοιχεία από το ίδιο σκαρίφημα. - + Cannot create constraint with external geometry only. Cannot create constraint with external geometry only. - + Incompatible geometry is selected. Incompatible geometry is selected. - + Select one dimensional constraint from the sketch. Select one dimensional constraint from the sketch. - - - - - + + + + + Select constraints from the sketch. Επιλέξτε τους περιορισμούς από το σχέδιο. @@ -3542,12 +3542,12 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Μήκος: - + Refractive index ratio Δείκτης διάθλασης - + Ratio n2/n1: Λόγος n2/n1: @@ -5191,8 +5191,8 @@ This is done by analyzing the sketch geometries and constraints. Sketcher_ConstrainDiameter - - + + Fix the diameter of a circle or an arc Όρισε τη σταθερή διάμετρο ενός κύκλου, ή ενός τόξου @@ -5344,64 +5344,74 @@ This is done by analyzing the sketch geometries and constraints. Sketcher_MapSketch - + No sketch found Δε βρέθηκε σχέδιο - + + Cannot attach sketch to itself! + Cannot attach sketch to itself! + + + The document doesn't have a sketch Το έγγραφο δεν έχει κανένα σχέδιο - + Select sketch Επιλέξτε σχέδιο - + + Select a sketch (some sketches not shown to prevent a circular dependency) + Select a sketch (some sketches not shown to prevent a circular dependency) + + + Select a sketch from the list Επιλέξτε ένα σχέδιο από τη λίστα - + (incompatible with selection) (μη συμβατή με την επιλογή) - + (current) (τρέχουσα) - + (suggested) (προτεινόμενη) - + Sketch attachment Επισύναψη σχεδίου - + Current attachment mode is incompatible with the new selection. Select the method to attach this sketch to selected objects. Η τρέχουσα λειτουργία επισύναψης δεν είναι συμβατή με τη νέα επιλογή. Επιλέξτε τη μέθοδο επισύναψης αυτού του σχεδίου σε επιλεγμένα αντικείμενα. - + Select the method to attach this sketch to selected objects. Επιλέξτε τη μέθοδο επισύναψης αυτού του σχεδίου στα επιλεγμένα αντικείμενα. - + Map sketch Αποτύπωση σχεδίου - + Can't map a sketch to support: %1 Αδύνατη η αποτύπωση σχεδίου στο στοιχείο υποστήριξης: @@ -5932,22 +5942,22 @@ The grid spacing change if it becomes smaller than this number of pixel. GridSpaceAction - + Grid auto spacing Grid auto spacing - + Resize grid automatically depending on zoom. Αυτόματη αλλαγή μεγέθους πλέγματος ανάλογα με τη μεγέθυνση. - + Spacing Spacing - + Distance between two subsequent grid lines. Distance between two subsequent grid lines. @@ -5955,17 +5965,17 @@ The grid spacing change if it becomes smaller than this number of pixel. Notifications - + The Sketch has malformed constraints! The Sketch has malformed constraints! - + The Sketch has partially redundant constraints! The Sketch has partially redundant constraints! - + Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! @@ -6044,8 +6054,8 @@ The grid spacing change if it becomes smaller than this number of pixel. - - + + Invalid Constraint Invalid Constraint @@ -6252,34 +6262,34 @@ The grid spacing change if it becomes smaller than this number of pixel. SnapSpaceAction - + Snap to objects Snap to objects - + New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. - + Snap to grid Snap to grid - + New points will snap to the nearest grid line. Points must be set closer than a fifth of the grid spacing to a grid line to snap. New points will snap to the nearest grid line. Points must be set closer than a fifth of the grid spacing to a grid line to snap. - + Snap angle Snap angle - + Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. @@ -6287,23 +6297,23 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna RenderingOrderAction - - - + + + Normal Geometry Normal Geometry - - - + + + Construction Geometry Κατασκευαστική Γεωμετρία - - - + + + External Geometry External Geometry @@ -6311,12 +6321,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdRenderingOrder - + Configure rendering order Configure rendering order - + Reorder the items in the list to configure rendering order. Reorder the items in the list to configure rendering order. @@ -6324,12 +6334,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherGrid - + Toggle grid Toggle grid - + Toggle the grid in the sketch. In the menu you can change grid settings. Toggle the grid in the sketch. In the menu you can change grid settings. @@ -6337,12 +6347,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherSnap - + Toggle snap Toggle snap - + Toggle all snap functionality. In the menu you can toggle 'Snap to grid' and 'Snap to objects' individually, and change further snap settings. Toggle all snap functionality. In the menu you can toggle 'Snap to grid' and 'Snap to objects' individually, and change further snap settings. @@ -6376,12 +6386,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherDimension - + Dimension Διάσταση - + Constrain contextually based on your selection. Depending on your selection you might have several constraints available. You can cycle through them using M key. Left clicking on empty space will validate the current constraint. Right clicking or pressing Esc will cancel. @@ -6419,12 +6429,12 @@ Left clicking on empty space will validate the current constraint. Right clickin CmdSketcherConstrainRadius - + Constrain radius Περιορισμός ακτίνας - + Fix the radius of a circle or an arc Καθορισμός της ακτίνας ενός κύκλου ή ενός τόξου @@ -6559,12 +6569,12 @@ Left clicking on empty space will validate the current constraint. Right clickin Delete original geometries (U) - + Apply equal constraints Apply equal constraints - + If this option is selected dimensional constraints are excluded from the operation. Instead equal constraints are applied between the original objects and their copies. If this option is selected dimensional constraints are excluded from the operation. @@ -6636,12 +6646,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherCompHorizontalVertical - + Constrain horizontal/vertical Constrain horizontal/vertical - + Constrains a single line to either horizontal or vertical. Constrains a single line to either horizontal or vertical. @@ -6649,12 +6659,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainHorVer - + Constrain horizontal/vertical Constrain horizontal/vertical - + Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. @@ -6701,12 +6711,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainCoincidentUnified - + Constrain coincident Περιορισμός ταύτισης - + Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses @@ -6992,7 +7002,7 @@ Instead equal constraints are applied between the original objects and their cop TaskSketcherTool_p4_rotate - + Copies (+'U'/ -'J') Copies (+'U'/ -'J') @@ -7240,12 +7250,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainTangent - + Constrain tangent or collinear Constrain tangent or collinear - + Create a tangent or collinear constraint between two entities Create a tangent or collinear constraint between two entities @@ -7253,12 +7263,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherChangeDimensionConstraint - + Change value Αλλαγή τιμής - + Change the value of a dimensional constraint Change the value of a dimensional constraint @@ -7324,8 +7334,8 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadius - - + + Fix the radius of an arc or a circle Fix the radius of an arc or a circle @@ -7333,8 +7343,8 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadiam - - + + Fix the radius/diameter of an arc or a circle Fix the radius/diameter of an arc or a circle 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 acb73e14315b..075d8fc1d20d 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_es-AR.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_es-AR.ts @@ -128,27 +128,27 @@ CmdSketcherCompConstrainRadDia - + Constrain arc or circle Restringir arco o circunferencia - + Constrain an arc or a circle Restringe un arco o una circunferencia - + Constrain radius Restringir radio - + Constrain diameter Restringir diámetro - + Constrain auto radius/diameter Restricción automática de radio/diámetro @@ -307,12 +307,12 @@ CmdSketcherConstrainAngle - + Constrain angle Restringir ángulo - + Fix the angle of a line or the angle between two lines Fija el ángulo de una línea o el ángulo entre dos líneas @@ -320,12 +320,12 @@ CmdSketcherConstrainBlock - + Constrain block Restricción en bloque - + Block the selected edge from moving Bloquea el movimiento del borde seleccionado @@ -333,12 +333,12 @@ CmdSketcherConstrainCoincident - + Constrain coincident Restringir coincidencia - + Create a coincident constraint between points, or a concentric constraint between circles, arcs, and ellipses Crea una restricción coincidente entre puntos, o una restricción concéntrica entre círculos, arcos y elipses @@ -346,12 +346,12 @@ CmdSketcherConstrainDiameter - + Constrain diameter Restringir diámetro - + Fix the diameter of a circle or an arc Fija el diámetro de una circunferencia o un arco @@ -359,12 +359,12 @@ CmdSketcherConstrainDistance - + Constrain distance Restringir distancia - + Fix a length of a line or the distance between a line and a vertex or between two circles Fija una longitud de una línea o la distancia entre una línea y un vértice o entre dos círculos @@ -372,12 +372,12 @@ CmdSketcherConstrainDistanceX - + Constrain horizontal distance Restricción de distancia horizontal - + Fix the horizontal distance between two points or line ends Fija la distancia horizontal entre dos puntos o extremos de línea @@ -385,12 +385,12 @@ CmdSketcherConstrainDistanceY - + Constrain vertical distance Restricción de distancia vertical - + Fix the vertical distance between two points or line ends Fija la distancia vertical entre dos puntos o extremos de línea @@ -398,12 +398,12 @@ CmdSketcherConstrainEqual - + Constrain equal Restringir igualdad - + Create an equality constraint between two lines or between circles and arcs Crea una restricción de igualdad entre dos líneas o entre circunferencias y arcos @@ -411,12 +411,12 @@ CmdSketcherConstrainHorizontal - + Constrain horizontal Restricción horizontal - + Create a horizontal constraint on the selected item Crea una restricción horizontal en el elemento seleccionado @@ -424,12 +424,12 @@ CmdSketcherConstrainLock - + Constrain lock Restringir bloqueo - + Create both a horizontal and a vertical distance constraint on the selected vertex Crea una restricción de distancia horizontal y vertical @@ -439,12 +439,12 @@ en el vértice seleccionado CmdSketcherConstrainParallel - + Constrain parallel Restringir paralela - + Create a parallel constraint between two lines Crea una restricción paralela entre dos líneas @@ -452,12 +452,12 @@ en el vértice seleccionado CmdSketcherConstrainPerpendicular - + Constrain perpendicular Restringir perpendicular - + Create a perpendicular constraint between two lines Crea una restricción perpendicular entre dos líneas @@ -465,12 +465,12 @@ en el vértice seleccionado CmdSketcherConstrainPointOnObject - + Constrain point on object Restricción de punto en el objeto - + Fix a point onto an object Fija un punto en un objeto @@ -478,12 +478,12 @@ en el vértice seleccionado CmdSketcherConstrainRadiam - + Constrain auto radius/diameter Restricción automática de radio/diámetro - + Fix the diameter if a circle is chosen, or the radius if an arc/spline pole is chosen Corrija el diámetro si se elige un círculo, o el radio si se elige un polo arco/curva @@ -491,12 +491,12 @@ en el vértice seleccionado CmdSketcherConstrainSnellsLaw - + Constrain refraction (Snell's law) Restricción de refracción (Ley de Snell) - + Create a refraction law (Snell's law)constraint between two endpoints of rays and an edge as an interface. Crea una restricción de ley de refracción (ley de Snell) entre dos extremos de los rayos @@ -506,12 +506,12 @@ y un borde como interfaz. CmdSketcherConstrainSymmetric - + Constrain symmetric Restricción simétrica - + Create a symmetry constraint between two points with respect to a line or a third point Crea una restricción de simetría entre dos puntos @@ -521,12 +521,12 @@ con respecto a una línea o un tercer punto CmdSketcherConstrainVertical - + Constrain vertical Restricción vertical - + Create a vertical constraint on the selected item Crea una restricción vertical en el elemento seleccionado @@ -606,7 +606,7 @@ con respecto a una línea o un tercer punto Create an arc of ellipse in the sketch - Crear un arco de elipse en el croquis + Crea un arco de elipse en el croquis @@ -619,7 +619,7 @@ con respecto a una línea o un tercer punto Create an arc of hyperbola in the sketch - Crear un arco de hipérbola en el croquis + Crea un arco de hipérbola en el croquis @@ -632,7 +632,7 @@ con respecto a una línea o un tercer punto Create an arc of parabola in the sketch - Crear un arco de parábola en el croquis + Crea un arco de parábola en el croquis @@ -645,7 +645,7 @@ con respecto a una línea o un tercer punto Create a B-spline by control points in the sketch. - Crear una B-spline por puntos de control en el croquis. + Crea una B-spline por puntos de control en el croquis. @@ -671,7 +671,7 @@ con respecto a una línea o un tercer punto Create an ellipse by 3 points in the sketch - Crear elipse mediante 3 puntos en el Croquizador + Crea una elipse mediante 3 puntos en el croquis @@ -684,7 +684,7 @@ con respecto a una línea o un tercer punto Create an ellipse by center in the sketch - Crear una elipse mediante centro en el Croquizador + Crea una elipse mediante centro en el croquis @@ -710,7 +710,7 @@ con respecto a una línea o un tercer punto Create a heptagon in the sketch - Crear un heptágono en el Croquizador + Crea un heptágono en el croquis @@ -723,7 +723,7 @@ con respecto a una línea o un tercer punto Create a hexagon in the sketch - Crear un hexágono en el Croquizador + Crea un hexágono en el croquis @@ -762,7 +762,7 @@ con respecto a una línea o un tercer punto Create an octagon in the sketch - Crear un octágono en el Croquizador + Crea un octágono en el croquis @@ -775,7 +775,7 @@ con respecto a una línea o un tercer punto Create a pentagon in the sketch - Crear un pentágono en el Croquizador + Crea un pentágono en el croquis @@ -788,7 +788,7 @@ con respecto a una línea o un tercer punto Create a periodic B-spline by control points in the sketch. - Crear una B-spline periódica por puntos de control en el croquis. + Crea una B-spline periódica por puntos de control en el croquis. @@ -827,7 +827,7 @@ con respecto a una línea o un tercer punto Create a rectangle in the sketch - Crear un rectángulo en el Croquizador + Crea un rectángulo en el croquis @@ -835,12 +835,12 @@ con respecto a una línea o un tercer punto Create centered rectangle - Crear rectángulo centrado + Crea un rectángulo centrado Create a centered rectangle in the sketch - Crear un rectángulo redondeado en el boceto + Crea un rectángulo centrado en el croquis @@ -879,7 +879,7 @@ con respecto a una línea o un tercer punto Create a square in the sketch - Crear un cuadrado en el Croquizador + Crea un cuadrado en el croquis @@ -892,7 +892,7 @@ con respecto a una línea o un tercer punto Create an equilateral triangle in the sketch - Crear un triángulo equilátero en el Croquizador + Crea un triángulo equilátero en el croquis @@ -1068,7 +1068,7 @@ Primero seleccione la geometría de soporte, por ejemplo, una cara o una arista después llame a este comando y entonces elija el croquis deseado. - + Some of the selected objects depend on the sketch to be mapped. Circular dependencies are not allowed. Algunos de los objetos seleccionados dependen de que el croquis sea mapeado. Las dependencias circulares no están permitidas. @@ -1076,22 +1076,22 @@ después llame a este comando y entonces elija el croquis deseado. CmdSketcherMergeSketches - + Merge sketches Fusionar croquis - + Create a new sketch from merging two or more selected sketches. Crea un nuevo croquis a partir de la fusión de dos o más croquis seleccionados. - + Wrong selection Selección Incorrecta - + Select at least two sketches. Seleccione al menos dos croquis. @@ -1099,12 +1099,12 @@ después llame a este comando y entonces elija el croquis deseado. CmdSketcherMirrorSketch - + Mirror sketch Simetrizar croquis - + Creates a new mirrored sketch for each selected sketch by using the X or Y axes, or the origin point, as mirroring reference. @@ -1113,12 +1113,12 @@ usando los ejes X o Y, o el punto de origen, como referencia replicadora. - + Wrong selection Selección Incorrecta - + Select one or more sketches. Seleccione uno o más croquis. @@ -1372,12 +1372,12 @@ Esto borrará la propiedad 'AttachmentSupport', si la hubiera. CmdSketcherToggleActiveConstraint - + Activate/deactivate constraint Activar/desactivar restricción - + Activates or deactivates the selected constraints Activa o desactiva las restricciones seleccionadas @@ -1398,12 +1398,12 @@ Esto borrará la propiedad 'AttachmentSupport', si la hubiera. CmdSketcherToggleDrivingConstraint - + Toggle driving/reference constraint Alterna las restricciones entre operativas o de referencia - + Set the toolbar, or the selected constraints, into driving or reference mode Fija la barra de herramientas, o las restricciones seleccionadas, @@ -1426,24 +1426,24 @@ en modo operativo o de referencia CmdSketcherValidateSketch - + Validate sketch... Validar croquis... - + Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. Valida un croquis mirando las coincidencias que faltan, restricciones inválidas, geometrías degeneradas, etc. - + Wrong selection Selección Incorrecta - + Select only one sketch. Seleccione sólo un croquis. @@ -1451,12 +1451,12 @@ restricciones inválidas, geometrías degeneradas, etc. CmdSketcherViewSection - + View section Vista de corte - + When in edit mode, switch between section view and full view. Cuando está en modo edición, cambia entre la vista de sección y la vista completa. @@ -1464,12 +1464,12 @@ restricciones inválidas, geometrías degeneradas, etc. CmdSketcherViewSketch - + View sketch Ver croquis - + When in edit mode, set the camera orientation perpendicular to the sketch plane. Cuando está en modo edición, ajusta la orientación de la cámara perpendicular al plano de croquis. @@ -1477,69 +1477,69 @@ restricciones inválidas, geometrías degeneradas, etc. Command - + Add 'Lock' constraint Añadir restricción 'Bloquear' - + Add relative 'Lock' constraint Añadir restricción relativa 'Bloquear' - + Add fixed constraint Añadir restricción fija - + Add 'Block' constraint Añadir restricción 'Bloqueo' - + Add block constraint Añadir restricción de bloqueo - - + + Add coincident constraint Añadir restricción coincidente - - + + Add distance from horizontal axis constraint Añadir distancia desde la restricción del eje horizontal - - + + Add distance from vertical axis constraint Añadir distancia desde la restricción del eje vertical - - + + Add point to point distance constraint Añadir punto a restricción de distancia de punto - - + + Add point to line Distance constraint Añadir punto a restricción de Distancia de Línea - - + + Add circle to circle distance constraint Agrega un círculo a la restricción de distancia circular - + Add circle to line distance constraint Agrega un círculo a la restricción de distancia de línea @@ -1548,16 +1548,16 @@ restricciones inválidas, geometrías degeneradas, etc. - - - + + + Add length constraint Añadir restricción de longitud - + Dimension Cota @@ -1574,7 +1574,7 @@ restricciones inválidas, geometrías degeneradas, etc. - + Add Distance constraint Añadir restricción de distancia @@ -1652,7 +1652,7 @@ restricciones inválidas, geometrías degeneradas, etc. Añadir restricción de radio - + Activate/Deactivate constraints Activar/Desactivar restricciones @@ -1668,23 +1668,23 @@ restricciones inválidas, geometrías degeneradas, etc. Añadir restricción de concentricidad y longitud - + Add DistanceX constraint Añadir restricción de distancia X - + Add DistanceY constraint Añadir restricción de distancia Y - + Add point to circle Distance constraint Añadir restricción distancia de punto a círculo - - + + Add point on object constraint Añadir punto a la restricción del objeto @@ -1695,143 +1695,143 @@ restricciones inválidas, geometrías degeneradas, etc. Añadir restricción de longitud de arco - - + + Add point to point horizontal distance constraint Añadir punto a la restricción de distancia horizontal del punto - + Add fixed x-coordinate constraint Añadir restricción de coordenada-x fija - - + + Add point to point vertical distance constraint Añadir punto a la restricción de distancia vertical del punto - + Add fixed y-coordinate constraint Añadir restricción de coordenada-y fija - - + + Add parallel constraint Añadir restricción paralela - - - - - - - + + + + + + + Add perpendicular constraint Añadir restricción perpendicular - + Add perpendicularity constraint Añadir restricción de perpendicularidad - + Swap coincident+tangency with ptp tangency Intercambia coincidencia + tangencia con la tangencia ptp - - - - - - - + + + + + + + Add tangent constraint Añadir restricción tangente - - - - - - - - - - - - - - + + + + + + + + + + + + + + Add tangent constraint point Añadir punto de restricción tangente - - - - + + + + Add radius constraint Añadir restricción de radio - - - - + + + + Add diameter constraint Añadir restricción de diámetro - - - - + + + + Add radiam constraint Añadir restricción de radio - - - - + + + + Add angle constraint Añadir restricción de ángulo - + Swap point on object and tangency with point to curve tangency Intercambia punto en objeto y tangencia con tangencia de punto a curva - - + + Add equality constraint Añadir restricción de igualdad - - - - - + + + + + Add symmetric constraint Añadir restricción de simetría - + Add Snell's law constraint Añadir restricción de ley de Snell - + Toggle constraint to driving/reference Cambiar la restricción a la conducción/referencia @@ -1851,22 +1851,22 @@ restricciones inválidas, geometrías degeneradas, etc. Reorientar croquis - + Attach sketch Adjuntar croquis - + Detach sketch Separar croquis - + Create a mirrored sketch for each selected sketch Crea un croquis reflejado para cada croquis seleccionado - + Merge sketches Fusionar croquis @@ -2040,7 +2040,7 @@ restricciones inválidas, geometrías degeneradas, etc. Actualizar el espacio virtual de la restricción - + Add auto constraints Añadir restricciones automáticas @@ -2148,59 +2148,59 @@ restricciones inválidas, geometrías degeneradas, etc. Exceptions - + Unable to guess intersection of curves. Try adding a coincident constraint between the vertices of the curves you are intending to fillet. No se puede adivinar la intersección de las curvas. Intente agregar una restricción coincidente entre los vértices de las curvas que pretende redondear. - + You are requesting no change in knot multiplicity. No está solicitando ningún cambio en la multiplicidad de nudos. - - + + B-spline Geometry Index (GeoID) is out of bounds. Índice de geometría B-spline (GeoID) está fuera de los límites. - - + + The Geometry Index (GeoId) provided is not a B-spline. El índice de geometría (GeoID) proporcionado no es una B-spline. - + The knot index is out of bounds. Note that in accordance with OCC notation, the first knot has index 1 and not zero. El índice de nudos está fuera de los límites. Tenga en cuenta que de acuerdo con la notación OCC, el primer nudo tiene índice 1 y no 0. - + The multiplicity cannot be increased beyond the degree of the B-spline. La multiplicidad no puede incrementarse más allá del grado de la B-spline. - + The multiplicity cannot be decreased beyond zero. La multiplicidad no puede ser disminuida más allá de cero. - + OCC is unable to decrease the multiplicity within the maximum tolerance. OCC es incapaz de disminuir la multiplicidad dentro de la tolerancia máxima. - + Knot cannot have zero multiplicity. El nodo no puede tener una multiplicidad cero. - + Knot multiplicity cannot be higher than the degree of the B-spline. La multiplicidad del nodo no puede ser mayor que el grado de la B-spline. - + Knot cannot be inserted outside the B-spline parameter range. El nodo no puede ser insertado fuera del rango de parámetros de la B-spline. @@ -2310,7 +2310,7 @@ restricciones inválidas, geometrías degeneradas, etc. - + Don't attach No adjuntar @@ -2332,123 +2332,123 @@ restricciones inválidas, geometrías degeneradas, etc. - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + - - - - - - + + + + + + + + @@ -2514,116 +2514,116 @@ restricciones inválidas, geometrías degeneradas, etc. Uno de los seleccionados tiene que estar en el croquis. - + Select an edge from the sketch. Seleccione un borde del Croquizador. - - - - - - + + + + + + Impossible constraint Restricción imposible - - + + The selected edge is not a line segment. El borde seleccionado no es un segmento de línea. - - - + + + Double constraint Restricción doble - + The selected edge already has a horizontal constraint! ¡El borde seleccionado ya tiene una restricción horizontal! - + The selected edge already has a vertical constraint! ¡El borde seleccionado ya tiene una restricción vertical! - - - + + + The selected edge already has a Block constraint! ¡El borde seleccionado ya tiene una restricción de Bloque! - + There are more than one fixed points selected. Select a maximum of one fixed point! Hay más de un punto fijo seleccionado. ¡Seleccione solamente un punto fijo! - - - + + + Select vertices from the sketch. Selecciona vértices del croquis. - + Select one vertex from the sketch other than the origin. Seleccione un vértice del croquis que no sea el origen. - + Select only vertices from the sketch. The last selected vertex may be the origin. Selecciona sólo vértices del croquis. El último vértice seleccionado puede ser el origen. - + Wrong solver status Estado de Solver incorrecto - + A Block constraint cannot be added if the sketch is unsolved or there are redundant and conflicting constraints. Una restricción de Bloqueo no puede ser añadida si el croquis está sin resolver o hay restricciones redundantes y en conflicto. - + Select one edge from the sketch. Seleccione un borde del croquis. - + Select only edges from the sketch. Seleccione solo bordes a partir del croquis. - + None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. Ninguno de los puntos seleccionados fueron restringidos en sus respectivas curvas, porque son parte del mismo elemento, ambos son geometría externa, o la arista no es elegible. - + Only tangent-via-point is supported with a B-spline. Sólo tangente-vía-punto está soportado con una B-spline. - - + + Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. Seleccione sólo uno o más polos de B-spline o sólo uno o más arcos o circunferencias del croquis, pero no mezclado. - + Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. Constraint_SnellsLaw Seleccione dos extremos de líneas para actuar como rayos, y una arista que representa un límite. El primer punto seleccionado corresponde al índice n1, el segundo a n2, y el valor establece la relación n2/n1. - + Number of selected objects is not 3 El número de objetos seleccionados no es 3 @@ -2640,80 +2640,80 @@ restricciones inválidas, geometrías degeneradas, etc. Error inesperado. Puede haber más información disponible en la vista de reporte. - + The selected item(s) can't accept a horizontal or vertical constraint! ¡El(los) elemento(s) seleccionado(s) no pueden aceptar una restricción horizontal o vertical! - + Endpoint to endpoint tangency was applied instead. En su lugar, se aplicó la tangencia de punto final a punto final. - + Select two or more vertices from the sketch for a coincident constraint, or two or more circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Seleccione dos o más vértices del croquis para una restricción coincidente, o dos o más círculos, elipses, arcos o arcos de elípse para una restricción concéntrica. - + Select two vertices from the sketch for a coincident constraint, or two circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Seleccione dos vértices del croquis para una restricción coincidente, o dos círculos, elipses, arcos o arcos de elipse para una restricción concéntrica. - + Select exactly one line or one point and one line or two points from the sketch. Seleccione exactamente una línea o un punto y una línea o dos puntos del croquis. - + Cannot add a length constraint on an axis! ¡No se puede agregar una restricción de longitud en un eje! - - + + Select exactly one line or one point and one line or two points or two circles from the sketch. Seleccione exactamente una línea o un punto y una línea o dos puntos o dos círculos del croquis. - + This constraint does not make sense for non-linear curves. Esta restricción no tiene sentido para curvas no lineales. - + Endpoint to edge tangency was applied instead. El punto final a la tangencia del borde se aplicó en su lugar. - - - - - - + + + + + + Select the right things from the sketch. Seleccione las cosas correctas desde el croquis. - - - - - - - - - + + + + + + + + - - - - - - - - + + + + + + + + + Select an edge that is not a B-spline weight. Seleccione un borde que no sea un peso de B-spline. @@ -2723,87 +2723,87 @@ restricciones inválidas, geometrías degeneradas, etc. Uno o dos puntos sobre las restricciones del objeto fueron eliminadas, ya que la última restricción que se aplicaba internamente también aplica de punto a objeto. - + Select either several points, or several conics for concentricity. Seleccione varios puntos o varios cónicas para concentricidad. - + Select either one point and several curves, or one curve and several points Seleccione un punto y varias curvas, o una curva y varios puntos - + Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. Seleccione un punto y varias curvas o una curva y varios puntos para punto en objeto, o varios puntos para coincidencia, o varias cónicas para concentricidad. - + None of the selected points were constrained onto the respective curves, either because they are parts of the same element, or because they are both external geometry. Ninguno de los puntos seleccionados se restringió a las curvas respectivas, ya sea porque son partes del mismo elemento o porque ambos son geometría externa. - + Cannot add a length constraint on this selection! ¡No se puede agregar una restricción de longitud a esta selección! - - - - + + + + Select exactly one line or up to two points from the sketch. Seleccione exactamente una línea o hasta dos puntos del croquis. - + Cannot add a horizontal length constraint on an axis! ¡No se puede agregar una restricción de longitud horizontal en un eje! - + Cannot add a fixed x-coordinate constraint on the origin point! ¡No se puede agregar una restricción fija de coordenadas X en el punto de origen! - - + + This constraint only makes sense on a line segment or a pair of points. Esta restricción sólo tiene sentido en un segmento de línea o un par de puntos. - + Cannot add a vertical length constraint on an axis! ¡No se puede agregar una restricción de longitud vertical sobre un eje! - + Cannot add a fixed y-coordinate constraint on the origin point! ¡No se puede agregar una restricción fija de coordenadas Y en el punto de origen! - + Select two or more lines from the sketch. Seleccione dos o más líneas del croquis. - + One selected edge is not a valid line. La arista seleccionada no es una línea válida. - - + + Select at least two lines from the sketch. Seleccione al menos dos líneas del croquis. - + The selected edge is not a valid line. El borde seleccionado no es una línea válida. - + There is a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2813,35 +2813,35 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Combinaciones aceptadas: dos curvas; un punto final y una curva; dos puntos finales; dos curvas y un punto. - + Select some geometry from the sketch. perpendicular constraint Seleccione alguna geometría del croquis. - - + + Cannot add a perpendicularity constraint at an unconnected point! ¡No se puede agregar una restricción de perpendicularidad en un punto desconectado! - - + + One of the selected edges should be a line. Uno de los bordes seleccionados debe ser una línea. - + Endpoint to endpoint tangency was applied. The coincident constraint was deleted. Se aplicó la tangencia de punto final a punto final. La restricción coincidente fue eliminada. - + Endpoint to edge tangency was applied. The point on object constraint was deleted. Se aplicó la restricción del punto final a la tangencia. Se eliminó la restricción del punto sobre el objeto. - + There are a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2851,61 +2851,61 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Combinaciones aceptadas: dos curvas; un punto final y una curva; dos puntos finales; dos curvas y un punto. - + Select some geometry from the sketch. tangent constraint Seleccione alguna geometría del croquis. - - - + + + Cannot add a tangency constraint at an unconnected point! ¡No se puede agregar una restricción de tangencia en un punto desconectado! - - + + Tangent constraint at B-spline knot is only supported with lines! La restricción tangente en nudo de B-spline sólo es compatible con líneas! - + B-spline knot to endpoint tangency was applied instead. En su lugar, se aplicó el punto de la B-spline al extremo de la tangencia. - - + + Wrong number of selected objects! ¡Número incorrecto de objetos seleccionados! - - + + With 3 objects, there must be 2 curves and 1 point. Con 3 objetos, debe haber 2 curvas y 1 punto. - - - - - - + + + + + + Select one or more arcs or circles from the sketch. Seleccione uno o más arcos o circunferencias del croquis. - - - + + + Constraint only applies to arcs or circles. La restricción sólo se aplica a los arcos o circunferencias. - - + + Select one or two lines from the sketch. Or select two edges and a point. Seleccione una o dos líneas del croquis. O seleccione dos bordes y un punto. @@ -2920,87 +2920,87 @@ Combinaciones aceptadas: dos curvas; un punto final y una curva; dos puntos fina No se puede establecer una restricción de ángulo para dos líneas paralelas. - + Cannot add an angle constraint on an axis! ¡No se puede agregar una restricción de ángulo en un eje! - + Select two edges from the sketch. Seleccione dos bordes del croquis. - + Select two or more compatible edges. Seleccione dos o más bordes compatibles. - + Sketch axes cannot be used in equality constraints. Los ejes de dibujo no pueden utilizarse en restricciones de igualdad. - + Equality for B-spline edge currently unsupported. La igualdad para el borde de B-spline no está soportada actualmente. - - - + + + Select two or more edges of similar type. Seleccione dos o más bordes de tipo similar. - - - - - + + + + + Select two points and a symmetry line, two points and a symmetry point or a line and a symmetry point from the sketch. Seleccione dos puntos y una línea de simetría, dos puntos y un punto de simetría o una línea y un punto de simetría del croquis. - - + + Cannot add a symmetry constraint between a line and its end points. No se puede añadir una restricción de simetría entre una línea y sus extremos. - - - - + + + + Cannot add a symmetry constraint between a line and its end points! ¡No se puede agregar una restricción de simetría entre una línea y sus puntos finales! - + Selected objects are not just geometry from one sketch. Los objetos seleccionados no son solo geometría de un croquis. - + Cannot create constraint with external geometry only. No se puede crear restricción sólo con geometría externa. - + Incompatible geometry is selected. Se ha seleccionado geometría incompatible. - + Select one dimensional constraint from the sketch. Seleccione una restricción dimensional del croquis. - - - - - + + + + + Select constraints from the sketch. Seleccione restricciones del croquis. @@ -3541,12 +3541,12 @@ Combinaciones aceptadas: dos curvas; un punto final y una curva; dos puntos fina Longitud: - + Refractive index ratio Índice de refracción - + Ratio n2/n1: Relación n2/n1: @@ -5192,8 +5192,8 @@ Esto se hace al analizar las geometrías y restricciones del croquis. Sketcher_ConstrainDiameter - - + + Fix the diameter of a circle or an arc Fija el diámetro de una circunferencia o un arco @@ -5345,64 +5345,74 @@ Esto se hace al analizar las geometrías y restricciones del croquis. Sketcher_MapSketch - + No sketch found Croquis no encontrado - + + Cannot attach sketch to itself! + Cannot attach sketch to itself! + + + The document doesn't have a sketch El documento no tiene un croquis - + Select sketch Seleccionar croquis - + + Select a sketch (some sketches not shown to prevent a circular dependency) + Select a sketch (some sketches not shown to prevent a circular dependency) + + + Select a sketch from the list Selecciona un croquis de la lista - + (incompatible with selection) (incompatible con la selección) - + (current) (actual) - + (suggested) (sugerido) - + Sketch attachment Croquis adjunto - + Current attachment mode is incompatible with the new selection. Select the method to attach this sketch to selected objects. El modo adjunto actual es incompatible con la nueva selección. Seleccione el método para adjuntar este croquis a los objetos seleccionados. - + Select the method to attach this sketch to selected objects. Seleccione el método para adjuntar este croquis a los objetos seleccionados. - + Map sketch Trazar croquis - + Can't map a sketch to support: %1 No se puede trazar un croquis para soporte:%1 @@ -5932,22 +5942,22 @@ El espaciado de la cuadrícula cambia si es menor que este número de píxeles.< GridSpaceAction - + Grid auto spacing Autoespaciado de cuadrícula - + Resize grid automatically depending on zoom. Redimensionar la cuadrícula automáticamente dependiendo del zoom. - + Spacing Espaciado - + Distance between two subsequent grid lines. Distancia entre dos líneas consecutivas de cuadrícula. @@ -5955,17 +5965,17 @@ El espaciado de la cuadrícula cambia si es menor que este número de píxeles.< Notifications - + The Sketch has malformed constraints! ¡El croquis tiene restricciones mal formadas! - + The Sketch has partially redundant constraints! ¡El croquis tiene restricciones parcialmente redundantes! - + Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! Parabolas ha sido migrado. Los archivos migrados no se abrirán en versiones anteriores de FreeCAD!! @@ -6044,8 +6054,8 @@ El espaciado de la cuadrícula cambia si es menor que este número de píxeles.< - - + + Invalid Constraint Restricción inválida @@ -6252,34 +6262,34 @@ El espaciado de la cuadrícula cambia si es menor que este número de píxeles.< SnapSpaceAction - + Snap to objects Adherir a objetos - + New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. Los nuevos puntos se adherirán al objeto preseleccionado actualmente. También serán adheridos en el centro de líneas y arcos. - + Snap to grid Adherir a la cuadrícula - + New points will snap to the nearest grid line. Points must be set closer than a fifth of the grid spacing to a grid line to snap. Los nuevos puntos se ajustarán a la línea de cuadrícula más cercana. Los puntos deben estar más cerca de una quinta parte del espacio de la cuadrícula a una línea de cuadrícula para saltarse. - + Snap angle Adherir ángulo - + Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. Paso angular para las herramientas que usan 'Adherir en ángulo' (línea por instancia). Mantener presionado CTRL para activar 'Adherir en ángulo'. El ángulo inicia desde el eje X positivo del croquis. @@ -6287,23 +6297,23 @@ Los puntos deben estar más cerca de una quinta parte del espacio de la cuadríc RenderingOrderAction - - - + + + Normal Geometry Geometría normal - - - + + + Construction Geometry Geometría de Construcción - - - + + + External Geometry Geometría externa @@ -6311,12 +6321,12 @@ Los puntos deben estar más cerca de una quinta parte del espacio de la cuadríc CmdRenderingOrder - + Configure rendering order Configurar el orden del renderizado - + Reorder the items in the list to configure rendering order. Reordena los elementos de la lista para configurar el orden de renderizado. @@ -6324,12 +6334,12 @@ Los puntos deben estar más cerca de una quinta parte del espacio de la cuadríc CmdSketcherGrid - + Toggle grid Activa/desactiva cuadrícula - + Toggle the grid in the sketch. In the menu you can change grid settings. Alterna la cuadrícula en el croquis. En el menú puedes cambiar la configuración de la cuadrícula. @@ -6337,12 +6347,12 @@ Los puntos deben estar más cerca de una quinta parte del espacio de la cuadríc CmdSketcherSnap - + Toggle snap Activar adherir - + Toggle all snap functionality. In the menu you can toggle 'Snap to grid' and 'Snap to objects' individually, and change further snap settings. Alterna todas las funcionalidades de adhesión. En el menú puedes cambiar 'Adherir a la cuadrícula' y 'Adherir a objetos' individualmente, y cambiar más ajustes de adhesión. @@ -6376,12 +6386,12 @@ Los puntos deben estar más cerca de una quinta parte del espacio de la cuadríc CmdSketcherDimension - + Dimension Cota - + Constrain contextually based on your selection. Depending on your selection you might have several constraints available. You can cycle through them using M key. Left clicking on empty space will validate the current constraint. Right clicking or pressing Esc will cancel. @@ -6419,12 +6429,12 @@ Al hacer clic izquierdo en el espacio vacío validará la restricción actual. A CmdSketcherConstrainRadius - + Constrain radius Restringir radio - + Fix the radius of a circle or an arc Fija el radio de una circunferencia o arco @@ -6559,12 +6569,12 @@ Al hacer clic izquierdo en el espacio vacío validará la restricción actual. A Eliminar geometrías originales (U) - + Apply equal constraints Aplicar restricciones de igualdad - + If this option is selected dimensional constraints are excluded from the operation. Instead equal constraints are applied between the original objects and their copies. Si esta opción es seleccionada las restricciones dimensionales se excluyen de la operación. @@ -6636,12 +6646,12 @@ En su lugar, se aplican restricciones de igualdad entre los objetos originales y CmdSketcherCompHorizontalVertical - + Constrain horizontal/vertical Restricción horizontal/vertical - + Constrains a single line to either horizontal or vertical. Restringe una sola línea tanto horizontal como vertical. @@ -6649,12 +6659,12 @@ En su lugar, se aplican restricciones de igualdad entre los objetos originales y CmdSketcherConstrainHorVer - + Constrain horizontal/vertical Restricción horizontal/vertical - + Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. Restringe una sola línea tanto horizontal como vertical, cualquiera que esté más cerca del alineamiento actual. @@ -6701,12 +6711,12 @@ En su lugar, se aplican restricciones de igualdad entre los objetos originales y CmdSketcherConstrainCoincidentUnified - + Constrain coincident Restringir coincidencia - + Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses Crea una restricción coincidente entre puntos, o fija un punto en un borde, o una restricción concéntrica entre círculos, arcos y elipses @@ -6992,7 +7002,7 @@ En su lugar, se aplican restricciones de igualdad entre los objetos originales y TaskSketcherTool_p4_rotate - + Copies (+'U'/ -'J') Copias (+'U'/-'J') @@ -7240,12 +7250,12 @@ En su lugar, se aplican restricciones de igualdad entre los objetos originales y CmdSketcherConstrainTangent - + Constrain tangent or collinear Restringir tangente o colineal - + Create a tangent or collinear constraint between two entities Crea una restricción tangente o colineal entre dos entidades @@ -7253,12 +7263,12 @@ En su lugar, se aplican restricciones de igualdad entre los objetos originales y CmdSketcherChangeDimensionConstraint - + Change value Cambiar valor - + Change the value of a dimensional constraint Cambiar el valor de una restricción dimensional @@ -7324,8 +7334,8 @@ En su lugar, se aplican restricciones de igualdad entre los objetos originales y Sketcher_ConstrainRadius - - + + Fix the radius of an arc or a circle Fijar el radio de un arco o un círculo @@ -7333,8 +7343,8 @@ En su lugar, se aplican restricciones de igualdad entre los objetos originales y Sketcher_ConstrainRadiam - - + + Fix the radius/diameter of an arc or a circle Fijar el radio/diámetro de un arco o un círculo 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 11b5589b6cb8..0ce7f73b9e15 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_es-ES.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_es-ES.ts @@ -128,27 +128,27 @@ CmdSketcherCompConstrainRadDia - + Constrain arc or circle Restringir arco o circunferencia - + Constrain an arc or a circle Restringir un arco o una circunferencia - + Constrain radius Restringir radio - + Constrain diameter Restringir diámetro - + Constrain auto radius/diameter Restricción automática de radio/diámetro @@ -307,12 +307,12 @@ CmdSketcherConstrainAngle - + Constrain angle Restringir ángulo - + Fix the angle of a line or the angle between two lines Fijar el ángulo de una línea o el ángulo entre dos líneas @@ -320,12 +320,12 @@ CmdSketcherConstrainBlock - + Constrain block Restricción de bloqueo - + Block the selected edge from moving Bloquear al borde seleccionado de moverse @@ -333,12 +333,12 @@ CmdSketcherConstrainCoincident - + Constrain coincident Restricción de coincidencia - + Create a coincident constraint between points, or a concentric constraint between circles, arcs, and ellipses Crea una restricción coincidente entre puntos, o una restricción concéntrica entre círculos, arcos y elipses @@ -346,12 +346,12 @@ CmdSketcherConstrainDiameter - + Constrain diameter Restringir diámetro - + Fix the diameter of a circle or an arc Fijar el diámetro de una circunferencia o un arco @@ -359,12 +359,12 @@ CmdSketcherConstrainDistance - + Constrain distance Restricción de distancia - + Fix a length of a line or the distance between a line and a vertex or between two circles Fija una longitud de una línea o la distancia entre una línea y un vértice o entre dos círculos @@ -372,12 +372,12 @@ CmdSketcherConstrainDistanceX - + Constrain horizontal distance Restricción de distancia horizontal - + Fix the horizontal distance between two points or line ends Fijar la distancia horizontal entre dos puntos o extremos de línea @@ -385,12 +385,12 @@ CmdSketcherConstrainDistanceY - + Constrain vertical distance Restricción de distancia vertical - + Fix the vertical distance between two points or line ends Fijar la distancia vertical entre dos puntos o extremos de línea @@ -398,12 +398,12 @@ CmdSketcherConstrainEqual - + Constrain equal Restringir igualdad - + Create an equality constraint between two lines or between circles and arcs Crear una restricción de igualdad entre dos líneas o entre circunferencias y arcos @@ -411,12 +411,12 @@ CmdSketcherConstrainHorizontal - + Constrain horizontal Restricción horizontal - + Create a horizontal constraint on the selected item Crear una restricción horizontal en el elemento seleccionado @@ -424,12 +424,12 @@ CmdSketcherConstrainLock - + Constrain lock Restricción de bloqueo - + Create both a horizontal and a vertical distance constraint on the selected vertex Crea una restricción de distancia horizontal y vertical @@ -439,12 +439,12 @@ en el vértice seleccionado CmdSketcherConstrainParallel - + Constrain parallel Restricción de paralelismo - + Create a parallel constraint between two lines Crear una restricción entre dos líneas paralelas @@ -452,12 +452,12 @@ en el vértice seleccionado CmdSketcherConstrainPerpendicular - + Constrain perpendicular Restricción perpendicular - + Create a perpendicular constraint between two lines Crear una restricción perpendicular entre dos líneas @@ -465,12 +465,12 @@ en el vértice seleccionado CmdSketcherConstrainPointOnObject - + Constrain point on object Restricción de punto en objeto - + Fix a point onto an object Fijar un punto sobre un objeto @@ -478,12 +478,12 @@ en el vértice seleccionado CmdSketcherConstrainRadiam - + Constrain auto radius/diameter Restricción automática de radio/diámetro - + Fix the diameter if a circle is chosen, or the radius if an arc/spline pole is chosen Corrija el diámetro si se elige un círculo, o el radio si se elige un polo arco/curva @@ -491,12 +491,12 @@ en el vértice seleccionado CmdSketcherConstrainSnellsLaw - + Constrain refraction (Snell's law) Restricción de refracción (Ley de Snell) - + Create a refraction law (Snell's law)constraint between two endpoints of rays and an edge as an interface. Crea una restricción de ley de refracción (ley de Snell) entre dos extremos de los rayos y una arista como interfaz. @@ -505,12 +505,12 @@ and an edge as an interface. CmdSketcherConstrainSymmetric - + Constrain symmetric Restricción simétrica - + Create a symmetry constraint between two points with respect to a line or a third point Crear una restricción de simetría entre dos puntos @@ -520,12 +520,12 @@ con respecto a una línea o un tercer punto CmdSketcherConstrainVertical - + Constrain vertical Restricción vertical - + Create a vertical constraint on the selected item Crear una restricción vertical en el elemento seleccionado @@ -1067,7 +1067,7 @@ Primero seleccione la geometría de soporte, por ejemplo, una cara o una arista después llame a este comando y entonces elija el croquis deseado. - + Some of the selected objects depend on the sketch to be mapped. Circular dependencies are not allowed. Algunos de los objetos seleccionados dependen de que el croquis sea mapeado. Las dependencias circulares no están permitidas. @@ -1075,22 +1075,22 @@ después llame a este comando y entonces elija el croquis deseado. CmdSketcherMergeSketches - + Merge sketches Combinar croquis - + Create a new sketch from merging two or more selected sketches. Crear un nuevo croquis a partir de la fusión de dos o más croquis seleccionados. - + Wrong selection Selección incorrecta - + Select at least two sketches. Seleccione al menos dos croquis. @@ -1098,12 +1098,12 @@ después llame a este comando y entonces elija el croquis deseado. CmdSketcherMirrorSketch - + Mirror sketch Reflejar croquis - + Creates a new mirrored sketch for each selected sketch by using the X or Y axes, or the origin point, as mirroring reference. @@ -1112,12 +1112,12 @@ usando los ejes X o Y, o el punto de origen, como referencia replicadora. - + Wrong selection Selección incorrecta - + Select one or more sketches. Seleccione uno o más croquis. @@ -1371,12 +1371,12 @@ Esto borrará la propiedad 'AttachmentSupport', si la hubiera. CmdSketcherToggleActiveConstraint - + Activate/deactivate constraint Activar/desactivar restricción - + Activates or deactivates the selected constraints Activa o desactiva las restricciones seleccionadas @@ -1397,12 +1397,12 @@ Esto borrará la propiedad 'AttachmentSupport', si la hubiera. CmdSketcherToggleDrivingConstraint - + Toggle driving/reference constraint Alternar restricción/referencia - + Set the toolbar, or the selected constraints, into driving or reference mode Establece la barra de herramientas, o las restricciones seleccionadas, @@ -1425,24 +1425,24 @@ en modo de conducción o referencia CmdSketcherValidateSketch - + Validate sketch... Validar croquis... - + Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. Valida un croquis mirando las coincidencias que faltan, restricciones inválidas, geometrías degeneradas, etc. - + Wrong selection Selección incorrecta - + Select only one sketch. Seleccione sólo un croquis. @@ -1450,12 +1450,12 @@ restricciones inválidas, geometrías degeneradas, etc. CmdSketcherViewSection - + View section Vista de sección - + When in edit mode, switch between section view and full view. Cuando esté en modo edición, cambie entre la vista de sección y la vista completa. @@ -1463,12 +1463,12 @@ restricciones inválidas, geometrías degeneradas, etc. CmdSketcherViewSketch - + View sketch Ver croquis - + When in edit mode, set the camera orientation perpendicular to the sketch plane. Cuando esté en modo edición, ajuste la orientación de la cámara perpendicular al plano de croquis. @@ -1476,69 +1476,69 @@ restricciones inválidas, geometrías degeneradas, etc. Command - + Add 'Lock' constraint Añadir restricción 'Bloquear' - + Add relative 'Lock' constraint Añadir restricción relativa 'Bloquear' - + Add fixed constraint Añadir restricción fija - + Add 'Block' constraint Añadir restricción 'Bloqueo' - + Add block constraint Añadir restricción de bloqueo - - + + Add coincident constraint Añadir restricción de coincidencia - - + + Add distance from horizontal axis constraint Añadir distancia desde la restricción del eje horizontal - - + + Add distance from vertical axis constraint Añadir distancia desde la restricción del eje vertical - - + + Add point to point distance constraint Añadir punto a restricción de distancia de punto - - + + Add point to line Distance constraint Añadir punto a restricción de Distancia de Línea - - + + Add circle to circle distance constraint Agrega un círculo a la restricción de distancia circular - + Add circle to line distance constraint Agrega un círculo a la restricción de distancia de línea @@ -1547,16 +1547,16 @@ restricciones inválidas, geometrías degeneradas, etc. - - - + + + Add length constraint Añadir restricción de longitud - + Dimension Cota @@ -1573,7 +1573,7 @@ restricciones inválidas, geometrías degeneradas, etc. - + Add Distance constraint Añadir restricción de distancia @@ -1651,7 +1651,7 @@ restricciones inválidas, geometrías degeneradas, etc. Añadir restricción de radio - + Activate/Deactivate constraints Activar/Desactivar restricciones @@ -1667,23 +1667,23 @@ restricciones inválidas, geometrías degeneradas, etc. Añadir restricción de concentricidad y longitud - + Add DistanceX constraint Añadir restricción de distancia X - + Add DistanceY constraint Añadir restricción de distancia Y - + Add point to circle Distance constraint Añadir restricción distancia de punto a círculo - - + + Add point on object constraint Añadir punto a la restricción del objeto @@ -1694,143 +1694,143 @@ restricciones inválidas, geometrías degeneradas, etc. Añadir restricción de longitud de arco - - + + Add point to point horizontal distance constraint Añadir punto a la restricción de distancia horizontal del punto - + Add fixed x-coordinate constraint Añadir restricción de coordenada-x fija - - + + Add point to point vertical distance constraint Añadir punto a la restricción de distancia vertical del punto - + Add fixed y-coordinate constraint Añadir restricción de coordenada-y fija - - + + Add parallel constraint Añadir restricción paralela - - - - - - - + + + + + + + Add perpendicular constraint Añadir restricción perpendicular - + Add perpendicularity constraint Añadir restricción de perpendicularidad - + Swap coincident+tangency with ptp tangency Intercambia coincidencia + tangencia con la tangencia ptp - - - - - - - + + + + + + + Add tangent constraint Añadir restricción tangente - - - - - - - - - - - - - - + + + + + + + + + + + + + + Add tangent constraint point Añadir punto de restricción tangente - - - - + + + + Add radius constraint Añadir restricción de radio - - - - + + + + Add diameter constraint Añadir restricción de diámetro - - - - + + + + Add radiam constraint Añadir restricción radiam - - - - + + + + Add angle constraint Añadir restricción de ángulo - + Swap point on object and tangency with point to curve tangency Intercambia punto en objeto y tangencia con tangencia de punto a curva - - + + Add equality constraint Añadir restricción de igualdad - - - - - + + + + + Add symmetric constraint Añadir restricción de simetría - + Add Snell's law constraint Añadir restricción de ley de Snell - + Toggle constraint to driving/reference Cambiar la restricción a la conducción/referencia @@ -1850,22 +1850,22 @@ restricciones inválidas, geometrías degeneradas, etc. Reorientar croquis - + Attach sketch Adjuntar croquis - + Detach sketch Separar croquis - + Create a mirrored sketch for each selected sketch Crear un croquis espejo para cada croquis seleccionado - + Merge sketches Combinar croquis @@ -2039,7 +2039,7 @@ restricciones inválidas, geometrías degeneradas, etc. Actualizar el espacio virtual de la restricción - + Add auto constraints Añadir restricciones automáticas @@ -2147,59 +2147,59 @@ restricciones inválidas, geometrías degeneradas, etc. Exceptions - + Unable to guess intersection of curves. Try adding a coincident constraint between the vertices of the curves you are intending to fillet. No se puede calcular la intersección de curvas. Intente añadir una restricción coincidente entre los vértices de las curvas que pretende redondear. - + You are requesting no change in knot multiplicity. Usted esta solicitando no cambio en multiplicidad de nudo. - - + + B-spline Geometry Index (GeoID) is out of bounds. Índice de geometría B-spline (GeoID) está fuera de los límites. - - + + The Geometry Index (GeoId) provided is not a B-spline. El índice de geometría (GeoID) proporcionado no es una B-spline. - + The knot index is out of bounds. Note that in accordance with OCC notation, the first knot has index 1 and not zero. El índice de nudo es fuera de los limites. Note que según en concordancia con notación de la OCC, el primer nudo tiene índice 1 y no 0. - + The multiplicity cannot be increased beyond the degree of the B-spline. La multiplicidad no puede incrementarse más allá del grado de la B-spline. - + The multiplicity cannot be decreased beyond zero. La multiplicidad no puede ser disminuida más allá de cero. - + OCC is unable to decrease the multiplicity within the maximum tolerance. OCC es incapaz de disminuir la multiplicidad dentro de la tolerancia máxima. - + Knot cannot have zero multiplicity. El nodo no puede tener una multiplicidad cero. - + Knot multiplicity cannot be higher than the degree of the B-spline. La multiplicidad del nodo no puede ser mayor que el grado de la B-spline. - + Knot cannot be inserted outside the B-spline parameter range. El nodo no puede ser insertado fuera del rango de parámetros de la B-spline. @@ -2309,7 +2309,7 @@ restricciones inválidas, geometrías degeneradas, etc. - + Don't attach No adjuntar @@ -2331,123 +2331,123 @@ restricciones inválidas, geometrías degeneradas, etc. - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + - - - - - - + + + + + + + + @@ -2513,116 +2513,116 @@ restricciones inválidas, geometrías degeneradas, etc. Uno de los seleccionados tiene que estar en el croquis. - + Select an edge from the sketch. Seleccione una arista del croquis. - - - - - - + + + + + + Impossible constraint Restricción imposible - - + + The selected edge is not a line segment. El borde seleccionado no es un segmento de línea. - - - + + + Double constraint Restricción doble - + The selected edge already has a horizontal constraint! ¡La arista seleccionada ya tiene una restricción horizontal! - + The selected edge already has a vertical constraint! ¡El borde seleccionado ya tiene una restricción vertical! - - - + + + The selected edge already has a Block constraint! ¡La arista seleccionada ya tiene una restricción de Bloque! - + There are more than one fixed points selected. Select a maximum of one fixed point! Hay mas de un punto fijo seleccionado. Debe seleccionar solamente un punto Fijo! - - - + + + Select vertices from the sketch. Selecciona vértices del croquis. - + Select one vertex from the sketch other than the origin. Seleccione un vértice del croquis que no sea el origen. - + Select only vertices from the sketch. The last selected vertex may be the origin. Selecciona sólo vértices del croquis. El último vértice seleccionado puede ser el origen. - + Wrong solver status Estado de Solver Incorrecto - + A Block constraint cannot be added if the sketch is unsolved or there are redundant and conflicting constraints. Una restricción de Bloqueo no puede ser añadida si el croquis está sin resolver o hay restricciones redundantes y en conflicto. - + Select one edge from the sketch. Seleccione una arista del croquis. - + Select only edges from the sketch. Seleccione únicamente aristas de el Croquis. - + None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. Ninguno de los puntos seleccionados fueron restringidos en sus respectivas curvas, porque son parte del mismo elemento, ambos son geometría externa, o la arista no es elegible. - + Only tangent-via-point is supported with a B-spline. Sólo tangente-vía-punto está soportado con una B-spline. - - + + Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. Seleccione sólo uno o más polos de B-spline o sólo uno o más arcos o circunferencias del croquis, pero no mezclado. - + Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. Constraint_SnellsLaw Seleccione dos extremos de líneas para actuar como rayos, y una arista que representa un límite. El primer punto seleccionado corresponde al índice n1, el segundo a n2, y el valor establece la relación n2/n1. - + Number of selected objects is not 3 El número de objetos seleccionados no es 3 @@ -2639,80 +2639,80 @@ restricciones inválidas, geometrías degeneradas, etc. Error inesperado. Puede haber más información disponible en la vista de reporte. - + The selected item(s) can't accept a horizontal or vertical constraint! ¡El(los) elemento(s) seleccionado(s) no pueden aceptar una restricción horizontal o vertical! - + Endpoint to endpoint tangency was applied instead. Una Tangente de Puntos de Extremo se aplicó en su lugar. - + Select two or more vertices from the sketch for a coincident constraint, or two or more circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Seleccione dos o más vértices del croquis para una restricción coincidente, o dos o más círculos, elipses, arcos o arcos de elípse para una restricción concéntrica. - + Select two vertices from the sketch for a coincident constraint, or two circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Seleccione dos vértices del croquis para una restricción coincidente, o dos círculos, elipses, arcos o arcos de elipse para una restricción concéntrica. - + Select exactly one line or one point and one line or two points from the sketch. Seleccione exactamente una línea o un punto y una línea o dos puntos del croquis. - + Cannot add a length constraint on an axis! ¡No se puede añadir una restricción de longitud en un eje! - - + + Select exactly one line or one point and one line or two points or two circles from the sketch. Seleccione exactamente una línea o un punto y una línea o dos puntos o dos círculos del croquis. - + This constraint does not make sense for non-linear curves. Esta restricción no tiene sentido para curvas no lineales. - + Endpoint to edge tangency was applied instead. El punto final a la tangencia del borde se aplicó en su lugar. - - - - - - + + + + + + Select the right things from the sketch. Seleccione las cosas correctas desde el croquis. - - - - - - - - - + + + + + + + + - - - - - - - - + + + + + + + + + Select an edge that is not a B-spline weight. Seleccione un borde que no sea un peso de B-spline. @@ -2722,87 +2722,87 @@ restricciones inválidas, geometrías degeneradas, etc. Uno o dos puntos sobre las restricciones del objeto fueron eliminadas, ya que la última restricción que se aplicaba internamente también aplica de punto a objeto. - + Select either several points, or several conics for concentricity. Seleccione varios puntos o varios cónicas para concentricidad. - + Select either one point and several curves, or one curve and several points Seleccione un punto y varias curvas, o una curva y varios puntos - + Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. Seleccione un punto y varias curvas o una curva y varios puntos para punto en objeto, o varios puntos para coincidencia, o varias cónicas para concentricidad. - + None of the selected points were constrained onto the respective curves, either because they are parts of the same element, or because they are both external geometry. Ninguno de los puntos seleccionados fueron limitados en las curvas respectivas, porque son partes de un mismo elemento, o porque son ambos de geometría externa. - + Cannot add a length constraint on this selection! ¡No se puede añadir una restricción de longitud en esta selección! - - - - + + + + Select exactly one line or up to two points from the sketch. Seleccione exactamente una línea o hasta dos puntos del croquis. - + Cannot add a horizontal length constraint on an axis! ¡No se puede añadir una restricción de longitud horizontal en un eje! - + Cannot add a fixed x-coordinate constraint on the origin point! ¡No se puede añadir una restricción de coordenada x fija en el punto de origen! - - + + This constraint only makes sense on a line segment or a pair of points. Esta restricción sólo tiene sentido en un segmento de línea o un par de puntos. - + Cannot add a vertical length constraint on an axis! ¡No se puede añadir una restricción de longitud vertical sobre un eje! - + Cannot add a fixed y-coordinate constraint on the origin point! ¡No se puede añadir una restricción de coordenada y fija en el punto de origen! - + Select two or more lines from the sketch. Seleccione dos o más líneas del croquis. - + One selected edge is not a valid line. La arista seleccionada no es una línea válida. - - + + Select at least two lines from the sketch. Seleccione al menos dos líneas del croquis. - + The selected edge is not a valid line. El borde seleccionado no es una línea válida. - + There is a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2811,35 +2811,35 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Las combinaciones posibles son: dos curvas; extremo y curva; dos extremos; dos curvas y un punto. - + Select some geometry from the sketch. perpendicular constraint Seleccione alguna geometría del croquis. - - + + Cannot add a perpendicularity constraint at an unconnected point! ¡No se puede añadir una restricción de perpendicularidad en un punto no conectado! - - + + One of the selected edges should be a line. ¡Una de las aristas seleccionadas debe ser una línea. - + Endpoint to endpoint tangency was applied. The coincident constraint was deleted. Una Tangente de Puntos de Estremo fue aplicada, La restricción coincidente fue eliminada. - + Endpoint to edge tangency was applied. The point on object constraint was deleted. Se aplicó un punto final al borde tangencial. Se eliminó el punto sobre la restricción del objeto. - + There are a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2849,61 +2849,61 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Combinaciones aceptadas: dos curvas; un extremo y una curva; dos extremos; dos curvas y un punto. - + Select some geometry from the sketch. tangent constraint Seleccione alguna geometría del croquis. - - - + + + Cannot add a tangency constraint at an unconnected point! ¡No se puede añadir una restricción de tangencia en un punto no conectado! - - + + Tangent constraint at B-spline knot is only supported with lines! La restricción tangente en nudo de B-spline sólo es compatible con líneas! - + B-spline knot to endpoint tangency was applied instead. En su lugar, se aplicó tangecia entre el nudo de B-spline y el punto final. - - + + Wrong number of selected objects! ¡Número incorrecto de objetos seleccionados! - - + + With 3 objects, there must be 2 curves and 1 point. Con 3 objetos, debe haber 2 curvas y 1 punto. - - - - - - + + + + + + Select one or more arcs or circles from the sketch. Seleccione uno o más arcos o circunferencias del croquis. - - - + + + Constraint only applies to arcs or circles. La restricción sólo se aplica a los arcos o circunferencias. - - + + Select one or two lines from the sketch. Or select two edges and a point. Seleccione una o dos líneas del croquis. O seleccione un punto y dos aristas. @@ -2918,87 +2918,87 @@ Combinaciones aceptadas: dos curvas; un extremo y una curva; dos extremos; dos c Una restricción de ángulo no puede ser establecida por dos lineas paralelas. - + Cannot add an angle constraint on an axis! ¡No se puede añadir una restricción angular en un eje! - + Select two edges from the sketch. Seleccione dos aristas del croquis. - + Select two or more compatible edges. Seleccione dos o más bordes compatibles. - + Sketch axes cannot be used in equality constraints. Los ejes de dibujo no pueden utilizarse en restricciones de igualdad. - + Equality for B-spline edge currently unsupported. Igualdad para arista de B-Spline no compatible por el momento. - - - + + + Select two or more edges of similar type. Seleccione dos o más bordes de tipo similar. - - - - - + + + + + Select two points and a symmetry line, two points and a symmetry point or a line and a symmetry point from the sketch. Seleccione dos puntos y una línea de simetría, dos puntos y un punto de simetría o una línea y un punto de simetría del croquis. - - + + Cannot add a symmetry constraint between a line and its end points. No se puede añadir una restricción de simetría entre una línea y sus extremos. - - - - + + + + Cannot add a symmetry constraint between a line and its end points! ¡No se puede añadir una restricción de simetría entre una línea y sus extremos! - + Selected objects are not just geometry from one sketch. Los objetos seleccionados no son sólo la geometría de un croquis. - + Cannot create constraint with external geometry only. No se puede crear restricción sólo con geometría externa. - + Incompatible geometry is selected. Se ha seleccionado geometría incompatible. - + Select one dimensional constraint from the sketch. Seleccione una restricción dimensional del croquis. - - - - - + + + + + Select constraints from the sketch. Seleccione restricciones del croquis. @@ -3539,12 +3539,12 @@ Combinaciones aceptadas: dos curvas; un extremo y una curva; dos extremos; dos c Longitud: - + Refractive index ratio Índice refracción - + Ratio n2/n1: Razón n2/n1: @@ -5188,8 +5188,8 @@ Esto se hace al analizar las geometrías y restricciones del croquis. Sketcher_ConstrainDiameter - - + + Fix the diameter of a circle or an arc Fijar el diámetro de una circunferencia o un arco @@ -5341,64 +5341,74 @@ Esto se hace al analizar las geometrías y restricciones del croquis. Sketcher_MapSketch - + No sketch found Croquis no encontrado - + + Cannot attach sketch to itself! + Cannot attach sketch to itself! + + + The document doesn't have a sketch El documento no tiene un croquis - + Select sketch Seleccionar croquis - + + Select a sketch (some sketches not shown to prevent a circular dependency) + Select a sketch (some sketches not shown to prevent a circular dependency) + + + Select a sketch from the list Selecciona un croquis de la lista - + (incompatible with selection) (incompatible con la selección) - + (current) (actual) - + (suggested) (sugerido) - + Sketch attachment Croquis adjunto - + Current attachment mode is incompatible with the new selection. Select the method to attach this sketch to selected objects. El modo adjunto actual es incompatible con la nueva selección. Seleccione el método para adjuntar este croquis a los objetos seleccionados. - + Select the method to attach this sketch to selected objects. Seleccione el método para adjuntar este croquis a los objetos seleccionados. - + Map sketch Trazar croquis - + Can't map a sketch to support: %1 No se puede trazar un croquis para soporte:%1 @@ -5928,22 +5938,22 @@ El espaciado de la cuadrícula cambia si es menor que este número de píxeles.< GridSpaceAction - + Grid auto spacing Espaciado automático de cuadrícula - + Resize grid automatically depending on zoom. Redimensionar la cuadrícula automáticamente dependiendo del zoom. - + Spacing Espaciado - + Distance between two subsequent grid lines. Distancia entre dos líneas consecutivas de cuadrícula. @@ -5951,17 +5961,17 @@ El espaciado de la cuadrícula cambia si es menor que este número de píxeles.< Notifications - + The Sketch has malformed constraints! El croquis contiene restricciones mal formadas! - + The Sketch has partially redundant constraints! El croquis contiene restricciones parcialmente redundantes! - + Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! Parabolas ha sido migrado. Los archivos migrados no se abrirán en versiones anteriores de FreeCAD!! @@ -6040,8 +6050,8 @@ El espaciado de la cuadrícula cambia si es menor que este número de píxeles.< - - + + Invalid Constraint Restricción inválida @@ -6248,34 +6258,34 @@ El espaciado de la cuadrícula cambia si es menor que este número de píxeles.< SnapSpaceAction - + Snap to objects Adherir a objetos - + New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. Los nuevos puntos se adherirán al objeto preseleccionado actualmente. También serán adheridos en el centro de líneas y arcos. - + Snap to grid Adherir a la cuadrícula - + New points will snap to the nearest grid line. Points must be set closer than a fifth of the grid spacing to a grid line to snap. Los nuevos puntos se ajustarán a la línea de cuadrícula más cercana. Los puntos deben estar más cerca de una quinta parte del tamaño de la cuadrícula a una línea de cuadrícula para ajustarlos. - + Snap angle Adherir ángulo - + Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. Paso angular para las herramientas que usan 'Adherir en ángulo' (línea por instancia). Mantener presionado CTRL para activar 'Adherir en ángulo'. El ángulo inicia desde el eje X positivo del croquis. @@ -6283,23 +6293,23 @@ Los puntos deben estar más cerca de una quinta parte del tamaño de la cuadríc RenderingOrderAction - - - + + + Normal Geometry Geometría normal - - - + + + Construction Geometry Geometría de Construcción - - - + + + External Geometry Geometría externa @@ -6307,12 +6317,12 @@ Los puntos deben estar más cerca de una quinta parte del tamaño de la cuadríc CmdRenderingOrder - + Configure rendering order Configurar orden de renderizado - + Reorder the items in the list to configure rendering order. Reordenar los elementos de la lista para configurar el orden de renderizado. @@ -6320,12 +6330,12 @@ Los puntos deben estar más cerca de una quinta parte del tamaño de la cuadríc CmdSketcherGrid - + Toggle grid Activa/desactiva cuadrícula - + Toggle the grid in the sketch. In the menu you can change grid settings. Alterna la cuadrícula en el croquis. En el menú puedes cambiar la configuración de la cuadrícula. @@ -6333,12 +6343,12 @@ Los puntos deben estar más cerca de una quinta parte del tamaño de la cuadríc CmdSketcherSnap - + Toggle snap Activar adherir - + Toggle all snap functionality. In the menu you can toggle 'Snap to grid' and 'Snap to objects' individually, and change further snap settings. Alterna todas las funcionalidades de adhesión. En el menú puedes cambiar 'Adherir a la cuadrícula' y 'Adherir a objetos' individualmente, y cambiar más ajustes de adhesión. @@ -6372,12 +6382,12 @@ Los puntos deben estar más cerca de una quinta parte del tamaño de la cuadríc CmdSketcherDimension - + Dimension Cota - + Constrain contextually based on your selection. Depending on your selection you might have several constraints available. You can cycle through them using M key. Left clicking on empty space will validate the current constraint. Right clicking or pressing Esc will cancel. @@ -6415,12 +6425,12 @@ Al hacer clic izquierdo en el espacio vacío validará la restricción actual. A CmdSketcherConstrainRadius - + Constrain radius Restringir radio - + Fix the radius of a circle or an arc Fijar el radio de una circunferencia o arco @@ -6555,12 +6565,12 @@ Al hacer clic izquierdo en el espacio vacío validará la restricción actual. A Eliminar geometrías originales (U) - + Apply equal constraints Aplicar restricciones de igualdad - + If this option is selected dimensional constraints are excluded from the operation. Instead equal constraints are applied between the original objects and their copies. Si esta opción es seleccionada las restricciones dimensionales se excluyen de la operación. @@ -6632,12 +6642,12 @@ En su lugar, se aplican restricciones de igualdad entre los objetos originales y CmdSketcherCompHorizontalVertical - + Constrain horizontal/vertical Restringir horizontal/vertical - + Constrains a single line to either horizontal or vertical. Restringe una sola línea ya sea horizontal o vertical. @@ -6645,12 +6655,12 @@ En su lugar, se aplican restricciones de igualdad entre los objetos originales y CmdSketcherConstrainHorVer - + Constrain horizontal/vertical Restringir horizontal/vertical - + Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. Restringe una sola línea ya sea horizontal o vertical, cualquiera que esté más cerca del alineamiento actual. @@ -6697,12 +6707,12 @@ En su lugar, se aplican restricciones de igualdad entre los objetos originales y CmdSketcherConstrainCoincidentUnified - + Constrain coincident Restricción de coincidencia - + Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses Crear una restricción de coincidencia entre puntos, o fijar un punto en un borde, o una restricción de concentricidad entre círculos, arcos y elipses @@ -6988,7 +6998,7 @@ En su lugar, se aplican restricciones de igualdad entre los objetos originales y TaskSketcherTool_p4_rotate - + Copies (+'U'/ -'J') Copias (+'U'/-'J') @@ -7236,12 +7246,12 @@ En su lugar, se aplican restricciones de igualdad entre los objetos originales y CmdSketcherConstrainTangent - + Constrain tangent or collinear Restringir tangente o colineal - + Create a tangent or collinear constraint between two entities Crear una restricción tangente o colineal entre dos entidades @@ -7249,12 +7259,12 @@ En su lugar, se aplican restricciones de igualdad entre los objetos originales y CmdSketcherChangeDimensionConstraint - + Change value Cambiar valor - + Change the value of a dimensional constraint Cambiar el valor de una restricción dimensional @@ -7320,8 +7330,8 @@ En su lugar, se aplican restricciones de igualdad entre los objetos originales y Sketcher_ConstrainRadius - - + + Fix the radius of an arc or a circle Fijar el radio de un arco o un círculo @@ -7329,8 +7339,8 @@ En su lugar, se aplican restricciones de igualdad entre los objetos originales y Sketcher_ConstrainRadiam - - + + Fix the radius/diameter of an arc or a circle Fijar el radio/diámetro de un arco o un círculo diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_eu.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_eu.ts index fe4773cb088a..f4548d1bd1b4 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_eu.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_eu.ts @@ -128,27 +128,27 @@ CmdSketcherCompConstrainRadDia - + Constrain arc or circle Murriztu arkua edo zirkulua - + Constrain an arc or a circle Murriztu arku bat edo zirkulu bat - + Constrain radius Murriztu erradioa - + Constrain diameter Murriztu diametroa - + Constrain auto radius/diameter Murriztu erradio/diametro automatikoa @@ -307,12 +307,12 @@ CmdSketcherConstrainAngle - + Constrain angle Murriztu angelua - + Fix the angle of a line or the angle between two lines Finkatu lerro baten angelua edo bi lerroren arteko angelua @@ -320,12 +320,12 @@ CmdSketcherConstrainBlock - + Constrain block Murriztu blokea - + Block the selected edge from moving Blokeatu hautatutako ertza, lekuz aldatu ez dadin @@ -333,12 +333,12 @@ CmdSketcherConstrainCoincident - + Constrain coincident Murriztu bat datozenak - + Create a coincident constraint between points, or a concentric constraint between circles, arcs, and ellipses Sortu bat datorren murrizketa bat puntuen artean, edo murrizketa kontzentriko bat zirkuluen, arkuen eta elipseen artean @@ -346,12 +346,12 @@ CmdSketcherConstrainDiameter - + Constrain diameter Murriztu diametroa - + Fix the diameter of a circle or an arc Finkatu zirkulu baten edo arku baten diametroa @@ -359,12 +359,12 @@ CmdSketcherConstrainDistance - + Constrain distance Murriztu distantzia - + Fix a length of a line or the distance between a line and a vertex or between two circles Finkatu lerro baten luzera edo lerro baten eta erpin baten arteko edo bi zirkuluren arteko distantzia @@ -372,12 +372,12 @@ CmdSketcherConstrainDistanceX - + Constrain horizontal distance Murriztu distantzia horizontala - + Fix the horizontal distance between two points or line ends Finkatu bi punturen edo bi lerro-amaieren arteko distantzia horizontala @@ -385,12 +385,12 @@ CmdSketcherConstrainDistanceY - + Constrain vertical distance Murriztu distantzia bertikala - + Fix the vertical distance between two points or line ends Finkatu bi punturen edo bi lerro-amaieren arteko distantzia bertikala @@ -398,12 +398,12 @@ CmdSketcherConstrainEqual - + Constrain equal Murriztu berdin - + Create an equality constraint between two lines or between circles and arcs Sortu berdintasun-murrizketa bat bi lerroren artean edo zirkuluen eta arkuen artean @@ -411,12 +411,12 @@ CmdSketcherConstrainHorizontal - + Constrain horizontal Constrain horizontal - + Create a horizontal constraint on the selected item Sortu murrizketa horizontala hautatutako elementuan @@ -424,12 +424,12 @@ CmdSketcherConstrainLock - + Constrain lock Blokeo-murrizketa - + Create both a horizontal and a vertical distance constraint on the selected vertex Sortu distantzia-murrizketa horizontala eta bertikala @@ -439,12 +439,12 @@ hautatutako erpinean CmdSketcherConstrainParallel - + Constrain parallel Murriztu paraleloa - + Create a parallel constraint between two lines Sortu murrizketa paraleloa bi lerroren artean @@ -452,12 +452,12 @@ hautatutako erpinean CmdSketcherConstrainPerpendicular - + Constrain perpendicular Murriztu perpendikularra - + Create a perpendicular constraint between two lines Sortu murrizketa perpendikularra bi lerroren artean @@ -465,12 +465,12 @@ hautatutako erpinean CmdSketcherConstrainPointOnObject - + Constrain point on object Constrain point on object - + Fix a point onto an object Finkatu puntu bat objektu batean @@ -478,12 +478,12 @@ hautatutako erpinean CmdSketcherConstrainRadiam - + Constrain auto radius/diameter Murriztu erradio/diametro automatikoa - + Fix the diameter if a circle is chosen, or the radius if an arc/spline pole is chosen Finkatu diamteroa zirkulu bat hautatu bada, edo erradioa arku/spline polo bat hautatu bada @@ -491,12 +491,12 @@ hautatutako erpinean CmdSketcherConstrainSnellsLaw - + Constrain refraction (Snell's law) Murriztu errefrakzioa (Snell-en legea) - + Create a refraction law (Snell's law)constraint between two endpoints of rays and an edge as an interface. Sortu Snell-en errefrakzio-legearen murrizketa bat, izpien bi amaiera-punturen @@ -506,12 +506,12 @@ artean eta ertz bat interfaze modura erabilita. CmdSketcherConstrainSymmetric - + Constrain symmetric Constrain symmetric - + Create a symmetry constraint between two points with respect to a line or a third point Sortu simetria-murrizketa bat bi punturen artean, @@ -521,12 +521,12 @@ lerro batekiko edo hirugarren puntu batekiko CmdSketcherConstrainVertical - + Constrain vertical Constrain vertical - + Create a vertical constraint on the selected item Sortu murrizketa bertikala hautatutako elementuan @@ -1068,7 +1068,7 @@ First select the supporting geometry, for example, a face or an edge of a solid then call this command, then choose the desired sketch. - + Some of the selected objects depend on the sketch to be mapped. Circular dependencies are not allowed. Hautatutako zenbait objektuk krokisa mapeatua izan dadin behar dute. Mendekotasun zirkularrak ez dira onartzen. @@ -1076,22 +1076,22 @@ then call this command, then choose the desired sketch. CmdSketcherMergeSketches - + Merge sketches Fusionatu krokisak - + Create a new sketch from merging two or more selected sketches. Sortu krokis berria hautatutako krokis bi edo gehiago fusionatuta. - + Wrong selection Hautapen okerra - + Select at least two sketches. Hautatu gutxienez bi krokis. @@ -1099,12 +1099,12 @@ then call this command, then choose the desired sketch. CmdSketcherMirrorSketch - + Mirror sketch Ispilatu krokisa - + Creates a new mirrored sketch for each selected sketch by using the X or Y axes, or the origin point, as mirroring reference. @@ -1113,12 +1113,12 @@ by using the X or Y axes, or the origin point, as mirroring reference. - + Wrong selection Hautapen okerra - + Select one or more sketches. Hautatu krokis bat edo gehiago. @@ -1372,12 +1372,12 @@ This will clear the 'AttachmentSupport' property, if any. CmdSketcherToggleActiveConstraint - + Activate/deactivate constraint Aktibatu/desaktibatu murrizketa - + Activates or deactivates the selected constraints Hautatutako murrizketak aktibatzen edo desaktibatzen ditu @@ -1398,12 +1398,12 @@ This will clear the 'AttachmentSupport' property, if any. CmdSketcherToggleDrivingConstraint - + Toggle driving/reference constraint Aktibatu/desaktibatu gidatze/erreferentziako murrizketa - + Set the toolbar, or the selected constraints, into driving or reference mode Ezarri tresna-barra, edo hautatutako murrizketak, @@ -1426,24 +1426,24 @@ gidatze edo erreferentziako moduan CmdSketcherValidateSketch - + Validate sketch... Balidatu krokisa... - + Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. - + Wrong selection Hautapen okerra - + Select only one sketch. Hautatu krokis bakar bat. @@ -1451,12 +1451,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSection - + View section Bistaratu sekzioa - + When in edit mode, switch between section view and full view. Edizio moduan, txandakatu sekzio-bista eta bista osoa. @@ -1464,12 +1464,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSketch - + View sketch Bistaratu krokisa - + When in edit mode, set the camera orientation perpendicular to the sketch plane. Edizio moduan, ezarri kameraren orientazioa krokis-planoarekiko perpendikularrean. @@ -1477,69 +1477,69 @@ invalid constraints, degenerated geometry, etc. Command - + Add 'Lock' constraint Gehitu 'Blokeo' murrizketa - + Add relative 'Lock' constraint Gehitu 'Blokeo' erlatiboko murrizketa - + Add fixed constraint Gehitu murrizketa finkoa - + Add 'Block' constraint Gehitu 'Bloke' murrizketa - + Add block constraint Gehitu bloke-murrizketa - - + + Add coincident constraint Gehitu bat datorren murrizketa - - + + Add distance from horizontal axis constraint Gehitu distantzia ardatz horizontaleko murrizketatik - - + + Add distance from vertical axis constraint Gehitu distantzia ardatz bertikaleko murrizketatik - - + + Add point to point distance constraint Gehitu puntutik punturako distantzia-murrizketa - - + + Add point to line Distance constraint Gehitu puntutik lerrorako distantzia-murrizketa - - + + Add circle to circle distance constraint Gehitu zirkulutik zirkulurako distantzia-murrizketa - + Add circle to line distance constraint Gehitu zirkulutik lerrorako distantzia-murrizketa @@ -1548,16 +1548,16 @@ invalid constraints, degenerated geometry, etc. - - - + + + Add length constraint Gehitu luzera-murrizketa - + Dimension Kota @@ -1574,7 +1574,7 @@ invalid constraints, degenerated geometry, etc. - + Add Distance constraint Gehitu distantzia-murrizketa @@ -1652,7 +1652,7 @@ invalid constraints, degenerated geometry, etc. Gehitu erradio-murrizketa - + Activate/Deactivate constraints Activate/Deactivate constraints @@ -1668,23 +1668,23 @@ invalid constraints, degenerated geometry, etc. Gehitu luzeraren eta zentrokidetasunaren murrizketa - + Add DistanceX constraint Gehitu X distantziaren murrizketa - + Add DistanceY constraint Gehitu Y distantziaren murrizketa - + Add point to circle Distance constraint Gehitu puntutik zirkulurako distantzia-murrizketa - - + + Add point on object constraint Gehitu objektu gaineko puntuaren murrizketa @@ -1695,143 +1695,143 @@ invalid constraints, degenerated geometry, etc. Add arc length constraint - - + + Add point to point horizontal distance constraint Gehitu puntutik punturako distantzia horizontaleko murrizketa - + Add fixed x-coordinate constraint Gehitu X koordenatu finkoko murrizketa - - + + Add point to point vertical distance constraint Gehitu puntutik punturako distantzia bertikaleko murrizketa - + Add fixed y-coordinate constraint Gehitu Y koordenatu finkoko murrizketa - - + + Add parallel constraint Gehitu murrizketa paraleloa - - - - - - - + + + + + + + Add perpendicular constraint Gehitu murrizketa perpendikularra - + Add perpendicularity constraint Gehitu perpendikulartasun-murrizketa - + Swap coincident+tangency with ptp tangency Trukatu bat etortzea+tangentzia ptp tangentziarekin - - - - - - - + + + + + + + Add tangent constraint Gehitu tangente-murrizketa - - - - - - - - - - - - - - + + + + + + + + + + + + + + Add tangent constraint point Gehitu tangentzia-murrizketako puntua - - - - + + + + Add radius constraint Gehitu erradio-murrizketa - - - - + + + + Add diameter constraint Gehitu diametro-murrizketa - - - - + + + + Add radiam constraint Gehitu erradio/diametro-murrizketa - - - - + + + + Add angle constraint Gehitu angelu-murrizketa - + Swap point on object and tangency with point to curve tangency Swap point on object and tangency with point to curve tangency - - + + Add equality constraint Gehitu berdintasun-murrizketa - - - - - + + + + + Add symmetric constraint Gehitu simetria-murrizketa - + Add Snell's law constraint Gehitu Snell-en legearen murrizketa - + Toggle constraint to driving/reference Txandakatu murrizketa gidatze/erreferentziara @@ -1851,22 +1851,22 @@ invalid constraints, degenerated geometry, etc. Aldatu krokisaren orientazioa - + Attach sketch Erantsi krokisa - + Detach sketch Askatu krokisa - + Create a mirrored sketch for each selected sketch Sortu hautatutako krokis bakoitzaren krokis ispilatu bat - + Merge sketches Fusionatu krokisak @@ -2040,7 +2040,7 @@ invalid constraints, degenerated geometry, etc. Eguneratu murrizketen espazio birtuala - + Add auto constraints Gehitu murrizketa automatikoak @@ -2148,59 +2148,59 @@ invalid constraints, degenerated geometry, etc. Exceptions - + Unable to guess intersection of curves. Try adding a coincident constraint between the vertices of the curves you are intending to fillet. Ezin izan da kurben ebakidura antzeman. Saiatu bat datorren murrizketa bat gehitzen biribildu nahi dituzun kurben erpinen artean. - + You are requesting no change in knot multiplicity. Adabegi-aniztasunean aldaketarik ez egitea eskatzen ari zara. - - + + B-spline Geometry Index (GeoID) is out of bounds. B-spline Geometry Index (GeoID) is out of bounds. - - + + The Geometry Index (GeoId) provided is not a B-spline. The Geometry Index (GeoId) provided is not a B-spline. - + The knot index is out of bounds. Note that in accordance with OCC notation, the first knot has index 1 and not zero. Adabegi-indizea mugetatik kanpo dago. Kontuan izan, OCC notazioaren arabera, lehen adabegiaren indize-zenbakiak 1 izan behar duela, ez 0. - + The multiplicity cannot be increased beyond the degree of the B-spline. Aniztasuna ezin da handitu Bspline-aren gradutik gora. - + The multiplicity cannot be decreased beyond zero. Aniztasuna ezin da txikitu zerotik behera. - + OCC is unable to decrease the multiplicity within the maximum tolerance. OCC-k ezin du aniztasuna txikitu tolerantzia maximoaren barruan. - + Knot cannot have zero multiplicity. Adabegiak ezin du zero aniztasuna izan. - + Knot multiplicity cannot be higher than the degree of the B-spline. Knot multiplicity cannot be higher than the degree of the B-spline. - + Knot cannot be inserted outside the B-spline parameter range. Knot cannot be inserted outside the B-spline parameter range. @@ -2310,7 +2310,7 @@ invalid constraints, degenerated geometry, etc. - + Don't attach Ez erantsi @@ -2332,123 +2332,123 @@ invalid constraints, degenerated geometry, etc. - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + - - - - - - + + + + + + + + @@ -2514,116 +2514,116 @@ invalid constraints, degenerated geometry, etc. Hautatuetako batek krokisean egon behar du. - + Select an edge from the sketch. Hautatu krokiseko ertz bat. - - - - - - + + + + + + Impossible constraint Ezinezko murrizketa - - + + The selected edge is not a line segment. Hautatutako ertza ez da lerro segmentu bat. - - - + + + Double constraint Murrizketa bikoitza - + The selected edge already has a horizontal constraint! Hautatutako ertzak badauka murrizketa horizontal bat! - + The selected edge already has a vertical constraint! Hautatutako ertzak badauka murrizketa bertikal bat! - - - + + + The selected edge already has a Block constraint! Hautatutako ertzak badauka bloke-murrizketa bat! - + There are more than one fixed points selected. Select a maximum of one fixed point! Puntu finko bat baino gehiago dago hautatuta. Gehienez puntu finko bakarra hautatu behar duzu! - - - + + + Select vertices from the sketch. Hautatu krokiseko erpinak. - + Select one vertex from the sketch other than the origin. Hautatu krokiseko erpin bat, jatorria ez dena. - + Select only vertices from the sketch. The last selected vertex may be the origin. Hautatu krokiseko erpinak soilik. Hautatutako azken erpina jatorria izan daiteke. - + Wrong solver status Ebazle-egoera okerra - + A Block constraint cannot be added if the sketch is unsolved or there are redundant and conflicting constraints. Ezin da bloke-murrizketarik gehitu krokisa ebatzi gabe badago edo murrizketa errepikatuak eta gatazkan daudenak badaude. - + Select one edge from the sketch. Hautatu krokiseko ertz bat. - + Select only edges from the sketch. Hautatu krokiseko ertzak soilik. - + None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. - + Only tangent-via-point is supported with a B-spline. Only tangent-via-point is supported with a B-spline. - - + + Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. - + Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. Constraint_SnellsLaw Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. - + Number of selected objects is not 3 Hautatutako objektuen kopurua ez da 3 @@ -2640,80 +2640,80 @@ invalid constraints, degenerated geometry, etc. Ustekabeko errorea. Txosten-bistan informazio gehiago aurkitu daiteke. - + The selected item(s) can't accept a horizontal or vertical constraint! The selected item(s) can't accept a horizontal or vertical constraint! - + Endpoint to endpoint tangency was applied instead. Amaiera-puntutik amaiera-punturako tangentzia aplikatu da horren ordez. - + Select two or more vertices from the sketch for a coincident constraint, or two or more circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Hautatu krokisaren bi erpin edo gehiago bat datorren murrizketa baterako, edo bi edo gehiago zirkulu, elipse, arku edo arkuen elipse, murrizketa kontzentriko baterako. - + Select two vertices from the sketch for a coincident constraint, or two circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Hautatu krokisaren bi erpin bat datorren murrizketa baterako, edo bi zirkulu, elipse, arku edo arkuen elipse, murrizketa kontzentriko baterako. - + Select exactly one line or one point and one line or two points from the sketch. Hautatu krokiseko lerro bat edo puntu bat edo lerro bat eta bi puntu. - + Cannot add a length constraint on an axis! Ezin zaio luzera-murrizketa bat gehitu ardatz bati! - - + + Select exactly one line or one point and one line or two points or two circles from the sketch. Hautatu krokiseko lerro bat edo puntu bat eta lerro bat edo bi puntu edo bi zirkulu. - + This constraint does not make sense for non-linear curves. Murrizketa honek ez du zentzurik linealak ez diren kurbekin. - + Endpoint to edge tangency was applied instead. Amaiera-puntutik ertzerako tangentzia aplikatu da horren ordez. - - - - - - + + + + + + Select the right things from the sketch. Hautatu krokiseko elementu egokiak. - - - - - - - - - + + + + + + + + - - - - - - - - + + + + + + + + + Select an edge that is not a B-spline weight. Hautatu B-spline pisua ez den ertz bat. @@ -2723,87 +2723,87 @@ invalid constraints, degenerated geometry, etc. One or two point on object constraint(s) was/were deleted, since the latest constraint being applied internally applies point-on-object as well. - + Select either several points, or several conics for concentricity. Select either several points, or several conics for concentricity. - + Select either one point and several curves, or one curve and several points Select either one point and several curves, or one curve and several points - + Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. - + None of the selected points were constrained onto the respective curves, either because they are parts of the same element, or because they are both external geometry. Hautatutako puntuetako bat ere ez dago murriztuta bakoitzari dagokion kurban, bai elementu bereko osagai direlako bai kanpo-geometria direlako. - + Cannot add a length constraint on this selection! Cannot add a length constraint on this selection! - - - - + + + + Select exactly one line or up to two points from the sketch. Hautatu krokiseko lerro bat, puntu bat edo bi puntu. - + Cannot add a horizontal length constraint on an axis! Ezin zaio luzera horizontaleko murrizketa bat gehitu ardatz bati! - + Cannot add a fixed x-coordinate constraint on the origin point! Ezin zaio X koordenatu finkoko murrizketa bat gehitu jatorri-puntuari! - - + + This constraint only makes sense on a line segment or a pair of points. Murriztapen honek lerro segmentuetan edo puntu-bikoteetan soilik du zentzua. - + Cannot add a vertical length constraint on an axis! Ezin zaio luzera bertikaleko murrizketa bat gehitu ardatz bati! - + Cannot add a fixed y-coordinate constraint on the origin point! Ezin zaio Y koordenatu finkoko murrizketa bat gehitu jatorri-puntuari! - + Select two or more lines from the sketch. Hautatu krokiseko bi lerro edo gehiago. - + One selected edge is not a valid line. One selected edge is not a valid line. - - + + Select at least two lines from the sketch. Hautatu krokiseko bi lerro, gutxienez. - + The selected edge is not a valid line. Hautatutako ertza ez da baliozko lerro bat. - + There is a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2813,35 +2813,35 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Onartutako konbinazioak: bi kurba; amaiera-puntu bat eta kurba bat; bi amaiera-puntu; bi kurba eta puntu bat. - + Select some geometry from the sketch. perpendicular constraint Hautatu krokiseko geometriaren bat. - - + + Cannot add a perpendicularity constraint at an unconnected point! Ezin zaio perpendikulartasun-murrizketa bat gehitu konektatu gabeko puntu bati! - - + + One of the selected edges should be a line. Hautatutako ertzetako batek lerroa izan behar du. - + Endpoint to endpoint tangency was applied. The coincident constraint was deleted. Amaiera-puntutik amaiera-punturako tangentzia aplikatu da. Bat datorren murrizketa ezabatu egin da. - + Endpoint to edge tangency was applied. The point on object constraint was deleted. Amaiera-puntutik ertzerako tangentzia aplikatu da. Objektuaren gaineko puntuaren murrizketa ezabatu egin da. - + There are a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2851,61 +2851,61 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Onartutako konbinazioak: bi kurba; amaiera-puntu bat eta kurba bat; bi amaiera-puntu; bi kurba eta puntu bat. - + Select some geometry from the sketch. tangent constraint Hautatu krokiseko geometriaren bat. - - - + + + Cannot add a tangency constraint at an unconnected point! Ezin zaio tangentzia-murrizketa gehitu konektatu gabeko puntu bati! - - + + Tangent constraint at B-spline knot is only supported with lines! B-spline adabegiko tangente-murrizketa lerroekin soilik onartzen da. - + B-spline knot to endpoint tangency was applied instead. B-splinearen adabegitik amaiera-punturako tangentzia aplikatu da horren ordez. - - + + Wrong number of selected objects! Hautatutako objektu kopuru okerra! - - + + With 3 objects, there must be 2 curves and 1 point. 3 objektu badira, 2 kurba eta puntu1 egon behar dute. - - - - - - + + + + + + Select one or more arcs or circles from the sketch. Hautatu krokiseko arku edo zirkulu bat edo gehiago. - - - + + + Constraint only applies to arcs or circles. Murrizketa arkuei edo zirkuluei soilik aplikatzen zaie. - - + + Select one or two lines from the sketch. Or select two edges and a point. Hautatu krokisaren lerro bat edo bi. Edo hautatu bi ertz eta puntu bat. @@ -2920,87 +2920,87 @@ Onartutako konbinazioak: bi kurba; amaiera-puntu bat eta kurba bat; bi amaiera-p Ezin da angelu-murrizketa bat ezarri bi lerro paralelotarako. - + Cannot add an angle constraint on an axis! Ezin zaio angelu-murrizketa bat gehitu ardatz bati! - + Select two edges from the sketch. Hautatu krokiseko bi ertz. - + Select two or more compatible edges. Hautatu bateragarriak diren bi ertz edo gehiago. - + Sketch axes cannot be used in equality constraints. Krokis-ardatzak ezin dira erabili berdintasun-murrizketetan. - + Equality for B-spline edge currently unsupported. Momentuz ez dago onartuta B-spline ertzen berdintasuna. - - - + + + Select two or more edges of similar type. Hautatu antzekoak diren bi ertz edo gehiago. - - - - - + + + + + Select two points and a symmetry line, two points and a symmetry point or a line and a symmetry point from the sketch. Hautatu krokiseko bi puntu eta simetria-lerro bat, bi puntu eta simetria-puntu bat edo lerro bat eta simetria-puntu bat. - - + + Cannot add a symmetry constraint between a line and its end points. Ezin da simetria-murrizketarik gehitu lerro baten eta haren amaiera-puntuen artean. - - - - + + + + Cannot add a symmetry constraint between a line and its end points! Ezin da simetria-murrizketarik gehitu lerro baten eta haren amaiera-puntuen artean! - + Selected objects are not just geometry from one sketch. Hautatutako elementuak ez dira soilik krokis bateko geometria. - + Cannot create constraint with external geometry only. Ezin da murrizketa sortu kanpo-geometria soilik erabiliz. - + Incompatible geometry is selected. Bateragarria ez den geometria hautatu da. - + Select one dimensional constraint from the sketch. Select one dimensional constraint from the sketch. - - - - - + + + + + Select constraints from the sketch. Hautatu krokiseko murrizketak. @@ -3541,12 +3541,12 @@ Onartutako konbinazioak: bi kurba; amaiera-puntu bat eta kurba bat; bi amaiera-p Luzera: - + Refractive index ratio Errefrakzio-indizea - + Ratio n2/n1: n2/n1 erlazioa: @@ -5192,8 +5192,8 @@ Krokisaren geometriak eta murrizketak analizatzen dira horretarako. Sketcher_ConstrainDiameter - - + + Fix the diameter of a circle or an arc Finkatu zirkulu baten edo arku baten diametroa @@ -5345,64 +5345,74 @@ Krokisaren geometriak eta murrizketak analizatzen dira horretarako. Sketcher_MapSketch - + No sketch found Ez da krokisik aurkitu - + + Cannot attach sketch to itself! + Cannot attach sketch to itself! + + + The document doesn't have a sketch Dokumentuak ez dauka krokis bat - + Select sketch Hautatu krokisa - + + Select a sketch (some sketches not shown to prevent a circular dependency) + Select a sketch (some sketches not shown to prevent a circular dependency) + + + Select a sketch from the list Hautatu zerrendako krokis bat - + (incompatible with selection) (bateraezina hautapenarekin) - + (current) (unekoa) - + (suggested) (iradokia) - + Sketch attachment Krokis-eranskina - + Current attachment mode is incompatible with the new selection. Select the method to attach this sketch to selected objects. Uneko eranste modua ez da bateragarria hautapen berriarekin. Hautatu krokis hau hautatutako objektuei eransteko erabiliko den metodoa. - + Select the method to attach this sketch to selected objects. Hautatu zein metodo erabiliko den krokis hau hautatutako objektuei eransteko. - + Map sketch Mapatu krokisa - + Can't map a sketch to support: %1 Ezin da mapatu euskarrirako krokis bat: @@ -5933,22 +5943,22 @@ Sareta-tartea aldatuko da pixel-zenbaki hau baino txikiagoa bihurtzen bada. GridSpaceAction - + Grid auto spacing Sareta-tarte automatikoa - + Resize grid automatically depending on zoom. Aldatu saretaren tamaina automatikoki, zoomaren arabera. - + Spacing Tartea - + Distance between two subsequent grid lines. Bi sareta-lerro jarraien arteko distantzia. @@ -5956,17 +5966,17 @@ Sareta-tartea aldatuko da pixel-zenbaki hau baino txikiagoa bihurtzen bada. Notifications - + The Sketch has malformed constraints! Krokisak gaizki eratutako murrizketak ditu! - + The Sketch has partially redundant constraints! Krokisak partzialki erredundanteak diren murrizketak ditu! - + Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! Parabolak migratu dira. Migratutako fitxategiak ezin dira ireki FreeCADen aurreko bertsioetan. @@ -6044,8 +6054,8 @@ Sareta-tartea aldatuko da pixel-zenbaki hau baino txikiagoa bihurtzen bada. - - + + Invalid Constraint Baliogabeko murrizketa @@ -6252,34 +6262,34 @@ Sareta-tartea aldatuko da pixel-zenbaki hau baino txikiagoa bihurtzen bada. SnapSpaceAction - + Snap to objects Atxiki objektuei - + New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. Puntu berriak aurretik hautatutako objektuari atxikiko zaizkio. Lerroen eta arkuen erdiguneari ere atxikiko zaizkie. - + Snap to grid Atxiki saretari - + New points will snap to the nearest grid line. Points must be set closer than a fifth of the grid spacing to a grid line to snap. Puntu berriak sareta-lerro hurbilenari atxikiko zaizkio. Puntuak sareta-tartearen bosten bat baino hurbilago ezarri behar dira lerro batetik, atxikitzea gertatzeko. - + Snap angle Atxiki angeluari - + Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. 'Atxiki angeluari' (lerroa distantziarako) erabiltzen duten tresnetarako urrats angeluarra. Eutsi Ctrl sakatuta 'Atxiki angeluari'' gaitzeko. Angelua krokisaren X ardatz positiboan hasten da. @@ -6287,23 +6297,23 @@ Puntuak sareta-tartearen bosten bat baino hurbilago ezarri behar dira lerro bate RenderingOrderAction - - - + + + Normal Geometry Geometria normala - - - + + + Construction Geometry Eraikuntza-geometria - - - + + + External Geometry Kanpo-geometria @@ -6311,12 +6321,12 @@ Puntuak sareta-tartearen bosten bat baino hurbilago ezarri behar dira lerro bate CmdRenderingOrder - + Configure rendering order Konfiguratu errendatze-ordena - + Reorder the items in the list to configure rendering order. Zerrendako elementuak birantolatu errenderizazio ordena konfiguratzeko. @@ -6324,12 +6334,12 @@ Puntuak sareta-tartearen bosten bat baino hurbilago ezarri behar dira lerro bate CmdSketcherGrid - + Toggle grid Txandakatu sareta - + Toggle the grid in the sketch. In the menu you can change grid settings. Aktibatu/desaktibatu krokiseko sareta. Menuan sareta-ezarpenak aldatu daitezke. @@ -6337,12 +6347,12 @@ Puntuak sareta-tartearen bosten bat baino hurbilago ezarri behar dira lerro bate CmdSketcherSnap - + Toggle snap Txandakatu atxikitzea - + Toggle all snap functionality. In the menu you can toggle 'Snap to grid' and 'Snap to objects' individually, and change further snap settings. Txandakatu atxikitze-funtzionaltasun guztiak. Menuan 'Atxiki saretari' eta 'Atxiki ojektuei' banaka txandakatu daitezke, eta beste atxikitze-ezarpen batzuk ere aldatu daitezke. @@ -6376,12 +6386,12 @@ Puntuak sareta-tartearen bosten bat baino hurbilago ezarri behar dira lerro bate CmdSketcherDimension - + Dimension Kota - + Constrain contextually based on your selection. Depending on your selection you might have several constraints available. You can cycle through them using M key. Left clicking on empty space will validate the current constraint. Right clicking or pressing Esc will cancel. @@ -6419,12 +6429,12 @@ Hutsi dagoen espazioan klik eginda, uneko murriztapena baliozkotuko da. Eskuinek CmdSketcherConstrainRadius - + Constrain radius Murriztu erradioa - + Fix the radius of a circle or an arc Finkatu zirkulu baten edo arku baten erradioa @@ -6559,12 +6569,12 @@ Hutsi dagoen espazioan klik eginda, uneko murriztapena baliozkotuko da. Eskuinek Delete original geometries (U) - + Apply equal constraints Apply equal constraints - + If this option is selected dimensional constraints are excluded from the operation. Instead equal constraints are applied between the original objects and their copies. If this option is selected dimensional constraints are excluded from the operation. @@ -6636,12 +6646,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherCompHorizontalVertical - + Constrain horizontal/vertical Constrain horizontal/vertical - + Constrains a single line to either horizontal or vertical. Constrains a single line to either horizontal or vertical. @@ -6649,12 +6659,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainHorVer - + Constrain horizontal/vertical Constrain horizontal/vertical - + Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. @@ -6701,12 +6711,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainCoincidentUnified - + Constrain coincident Murriztu bat datozenak - + Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses @@ -6992,7 +7002,7 @@ Instead equal constraints are applied between the original objects and their cop TaskSketcherTool_p4_rotate - + Copies (+'U'/ -'J') Copies (+'U'/ -'J') @@ -7240,12 +7250,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainTangent - + Constrain tangent or collinear Constrain tangent or collinear - + Create a tangent or collinear constraint between two entities Create a tangent or collinear constraint between two entities @@ -7253,12 +7263,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherChangeDimensionConstraint - + Change value Aldatu balioa - + Change the value of a dimensional constraint Change the value of a dimensional constraint @@ -7324,8 +7334,8 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadius - - + + Fix the radius of an arc or a circle Fix the radius of an arc or a circle @@ -7333,8 +7343,8 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadiam - - + + Fix the radius/diameter of an arc or a circle Fix the radius/diameter of an arc or a circle diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_fi.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_fi.ts index e2de187215c4..272d951bf699 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_fi.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_fi.ts @@ -128,27 +128,27 @@ CmdSketcherCompConstrainRadDia - + Constrain arc or circle Rajoita ympyrän kaari - + Constrain an arc or a circle Rajoita ympyrän kaari - + Constrain radius Rajoita säde - + Constrain diameter Rajoita halkaisija - + Constrain auto radius/diameter Rajoita automaattinen säde/halkaisija @@ -307,12 +307,12 @@ CmdSketcherConstrainAngle - + Constrain angle Rajoita kulma - + Fix the angle of a line or the angle between two lines Korjaa viivan kulmaa tai kahden viivan välistä kulma @@ -320,12 +320,12 @@ CmdSketcherConstrainBlock - + Constrain block Rajoita esteellä - + Block the selected edge from moving Estää valitun reunan liikkumisen @@ -333,12 +333,12 @@ CmdSketcherConstrainCoincident - + Constrain coincident Samanlaisuus rajoite - + Create a coincident constraint between points, or a concentric constraint between circles, arcs, and ellipses Luo pisteiden välinen yhteneväisyysrajoitus tai ympyröiden, kaarien ja ellipsien välinen konsentrinen rajoitus @@ -346,12 +346,12 @@ CmdSketcherConstrainDiameter - + Constrain diameter Rajoita halkaisija - + Fix the diameter of a circle or an arc Kiinnitä ympyrän tai kaaren halkaisija @@ -359,12 +359,12 @@ CmdSketcherConstrainDistance - + Constrain distance Etäisyys rajoitus - + Fix a length of a line or the distance between a line and a vertex or between two circles Määritä suoran pituus tai suoran ja kärkipisteen välinen etäisyys tai kahden ympyrän välinen etäisyys @@ -372,12 +372,12 @@ CmdSketcherConstrainDistanceX - + Constrain horizontal distance Vaakasuoran etäisyyden rajoite - + Fix the horizontal distance between two points or line ends Korjaa kahden pisteen tai viivanpään vaakasuoraa etäisyyttä @@ -385,12 +385,12 @@ CmdSketcherConstrainDistanceY - + Constrain vertical distance Pystysuuntaisen etäisyyden rajoittaminen - + Fix the vertical distance between two points or line ends Korjaa kahden pisteen tai viivanpään pystysuoraa etäisyyttä @@ -398,12 +398,12 @@ CmdSketcherConstrainEqual - + Constrain equal Yhtäsuuruus rajoite - + Create an equality constraint between two lines or between circles and arcs Luo yhtäsuuruus rajoite kahdelle viivan tai ympyröiden ja kaarien väliin @@ -411,12 +411,12 @@ CmdSketcherConstrainHorizontal - + Constrain horizontal Vaakasuora rajoite - + Create a horizontal constraint on the selected item Luo vaakasuora rajoite valittujen osien välille @@ -424,12 +424,12 @@ CmdSketcherConstrainLock - + Constrain lock Rajoite lukko - + Create both a horizontal and a vertical distance constraint on the selected vertex Luo sekä vaaka- että pystysuora etäisyysrajoitus @@ -439,12 +439,12 @@ valitulle pisteelle CmdSketcherConstrainParallel - + Constrain parallel Rajoita yhdensuuntaiseksi - + Create a parallel constraint between two lines Luo rinnakkaisuus rajoite kahden viivan välille @@ -452,12 +452,12 @@ valitulle pisteelle CmdSketcherConstrainPerpendicular - + Constrain perpendicular Rajoita kohtisuorasti - + Create a perpendicular constraint between two lines Luo kohtisuora rajoitus kahden viivan väliin @@ -465,12 +465,12 @@ valitulle pisteelle CmdSketcherConstrainPointOnObject - + Constrain point on object Rajoita piste objektiin - + Fix a point onto an object Korjaa piste objektin paalle @@ -478,12 +478,12 @@ valitulle pisteelle CmdSketcherConstrainRadiam - + Constrain auto radius/diameter Rajoita automaattinen säde/halkaisija - + Fix the diameter if a circle is chosen, or the radius if an arc/spline pole is chosen Fix the diameter if a circle is chosen, or the radius if an arc/spline pole is chosen @@ -491,12 +491,12 @@ valitulle pisteelle CmdSketcherConstrainSnellsLaw - + Constrain refraction (Snell's law) Rajoita taittuminen (Snellin laki) - + Create a refraction law (Snell's law)constraint between two endpoints of rays and an edge as an interface. Create a refraction law (Snell's law)constraint between two endpoints of rays @@ -506,12 +506,12 @@ and an edge as an interface. CmdSketcherConstrainSymmetric - + Constrain symmetric Symmetrinen rajoite - + Create a symmetry constraint between two points with respect to a line or a third point Luo symmetriarajoite kahden pisteen välille, @@ -521,12 +521,12 @@ käyttäen jakajana viivaa tai kolmatta pistettä CmdSketcherConstrainVertical - + Constrain vertical Pystysuora rajoite - + Create a vertical constraint on the selected item Luo pystysuora rajoite valitulle kohteelle @@ -1068,7 +1068,7 @@ First select the supporting geometry, for example, a face or an edge of a solid then call this command, then choose the desired sketch. - + Some of the selected objects depend on the sketch to be mapped. Circular dependencies are not allowed. Jotkut valituista objekteista ovat riippuvaisia luonnoksesta jota liitetään. Riippuvuussilmukkoja ei voida sallia. @@ -1076,22 +1076,22 @@ then call this command, then choose the desired sketch. CmdSketcherMergeSketches - + Merge sketches Yhdistä luonnokset - + Create a new sketch from merging two or more selected sketches. Luo uusi luonnos yhdistämällä valittuna olevat kaksi tai useampaa luonnosta. - + Wrong selection Väärä valinta - + Select at least two sketches. Valitse vähintään kaksi luonnosta. @@ -1099,12 +1099,12 @@ then call this command, then choose the desired sketch. CmdSketcherMirrorSketch - + Mirror sketch Peilaa luonnos - + Creates a new mirrored sketch for each selected sketch by using the X or Y axes, or the origin point, as mirroring reference. @@ -1113,12 +1113,12 @@ by using the X or Y axes, or the origin point, as mirroring reference. - + Wrong selection Virheellinen valinta - + Select one or more sketches. Valitse yksi tai useampi luonnos. @@ -1372,12 +1372,12 @@ This will clear the 'AttachmentSupport' property, if any. CmdSketcherToggleActiveConstraint - + Activate/deactivate constraint Aktivoi/deaktivoi rajoite - + Activates or deactivates the selected constraints Aktivoi tai deaktivoi valitut rajoitteet @@ -1399,12 +1399,12 @@ rakennetilan ja tavallisen geometrian välillä edestakaisin CmdSketcherToggleDrivingConstraint - + Toggle driving/reference constraint Vaihda rajoite määräävän/referenssin välillä - + Set the toolbar, or the selected constraints, into driving or reference mode Vaihtaa työkalupalkin kuvakkeen, tai valitut rajoitteet, @@ -1427,24 +1427,24 @@ määräävän ja referenssimoodin välillä edestakaisin CmdSketcherValidateSketch - + Validate sketch... Vahvista luonnos... - + Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. - + Wrong selection Virheellinen valinta - + Select only one sketch. Valitse vain yksi luonnos. @@ -1452,12 +1452,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSection - + View section Näytä osio - + When in edit mode, switch between section view and full view. Kun on muokkaus tilassa, vaihda osionäkymän ja koko näkymän välillä. @@ -1465,12 +1465,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSketch - + View sketch Näytä luonnos - + When in edit mode, set the camera orientation perpendicular to the sketch plane. Kun on muokkaus tilassa, aseta kameran suunta kohtisuoraan luonnoksen tasoon nähden. @@ -1478,69 +1478,69 @@ invalid constraints, degenerated geometry, etc. Command - + Add 'Lock' constraint Lisää 'Block' rajoitus - + Add relative 'Lock' constraint Lisää suhteellinen 'Lock' rajoite - + Add fixed constraint Lisää kiinteä rajoite - + Add 'Block' constraint Lisää 'Block' rajoitus - + Add block constraint Lisää lohkon rajoitus - - + + Add coincident constraint Lisää yhtenevyys-rajoite - - + + Add distance from horizontal axis constraint Lisää etäisyys vaaka-akselin rajoituksesta - - + + Add distance from vertical axis constraint Lisää etäisyys pystyakselin rajoituksesta - - + + Add point to point distance constraint Lisää pisteestä pisteeseen etäisyyden rajoite - - + + Add point to line Distance constraint Lisää piste viivalle etäisyysrajoite - - + + Add circle to circle distance constraint Add circle to circle distance constraint - + Add circle to line distance constraint Add circle to line distance constraint @@ -1549,16 +1549,16 @@ invalid constraints, degenerated geometry, etc. - - - + + + Add length constraint Lisää pituusrajoite - + Dimension Mitta @@ -1575,7 +1575,7 @@ invalid constraints, degenerated geometry, etc. - + Add Distance constraint Add Distance constraint @@ -1653,7 +1653,7 @@ invalid constraints, degenerated geometry, etc. Add Radius constraint - + Activate/Deactivate constraints Activate/Deactivate constraints @@ -1669,23 +1669,23 @@ invalid constraints, degenerated geometry, etc. Add concentric and length constraint - + Add DistanceX constraint Add DistanceX constraint - + Add DistanceY constraint Add DistanceY constraint - + Add point to circle Distance constraint Add point to circle Distance constraint - - + + Add point on object constraint Lisää piste-on-objektilla rajoite @@ -1696,143 +1696,143 @@ invalid constraints, degenerated geometry, etc. Add arc length constraint - - + + Add point to point horizontal distance constraint Lisää pisteestä pisteeseen vaakasuuntaisen etäisyyden rajoite - + Add fixed x-coordinate constraint Lisää kiinnitetyn x-koordinaatin rajoite - - + + Add point to point vertical distance constraint Lisää pisteestä pisteeseen pystysuuntaisen etäisyyden rajoite - + Add fixed y-coordinate constraint Lisää kiinnitetyn y-koordinaatin rajoite - - + + Add parallel constraint Lisää yhdensuuntaisuuden rajoite - - - - - - - + + + + + + + Add perpendicular constraint Lisää kohtisuora rajoite - + Add perpendicularity constraint Lisää kohtisuoruuden rajoite - + Swap coincident+tangency with ptp tangency Vaihda yhtenevyyden+tangentiaalisuuden ja pisteestä-pisteeseen tangentiaalisuuden välillä - - - - - - - + + + + + + + Add tangent constraint Lisää tangentiaalisuus-rajoite - - - - - - - - - - - - - - + + + + + + + + + + + + + + Add tangent constraint point Lisää tangenttirajoitepiste - - - - + + + + Add radius constraint Lisää säteen rajoite - - - - + + + + Add diameter constraint Lisää halkaisijan rajoite - - - - + + + + Add radiam constraint Add radiam constraint - - - - + + + + Add angle constraint Lisää kulman rajoite - + Swap point on object and tangency with point to curve tangency Swap point on object and tangency with point to curve tangency - - + + Add equality constraint Lisää yhtäsuuruuden rajoite - - - - - + + + + + Add symmetric constraint Lisää symmetrisyyden rajoite - + Add Snell's law constraint Lisää Snellin lain rajoite - + Toggle constraint to driving/reference Vaihda rajoite määräävän/referenssin välillä @@ -1852,22 +1852,22 @@ invalid constraints, degenerated geometry, etc. Uudelleensuuntaa luonnos - + Attach sketch Liitä luonnos - + Detach sketch Irrota luonnos - + Create a mirrored sketch for each selected sketch Luo peilattu luonnos jokaiselle valitulle luonnokselle - + Merge sketches Yhdistä luonnokset @@ -2041,7 +2041,7 @@ invalid constraints, degenerated geometry, etc. Päivitä rajoituksen virtuaalinen tila - + Add auto constraints Lisää automaattisesti rajoitteita @@ -2149,59 +2149,59 @@ invalid constraints, degenerated geometry, etc. Exceptions - + Unable to guess intersection of curves. Try adding a coincident constraint between the vertices of the curves you are intending to fillet. Ei kyetty arvaamaan reunojen risteämispistettä. Kokeile lisätä yhtenevyysrajoite pyöristettävien reunojen kärkipisteiden välille. - + You are requesting no change in knot multiplicity. Solmun moninkertaisuusarvoon ei pyydetty muutosta. - - + + B-spline Geometry Index (GeoID) is out of bounds. B-spline Geometry Index (GeoID) is out of bounds. - - + + The Geometry Index (GeoId) provided is not a B-spline. The Geometry Index (GeoId) provided is not a B-spline. - + The knot index is out of bounds. Note that in accordance with OCC notation, the first knot has index 1 and not zero. Solmun indeksi on rajojen ulkopuolella. Huomaa, että OCC: n notaation mukaisesti ensimmäisellä solmulla on indeksi 1 eikä nolla. - + The multiplicity cannot be increased beyond the degree of the B-spline. Monimuotoisuusarvoa ei voi kasvattaa B-splinin astetta suuremmaksi. - + The multiplicity cannot be decreased beyond zero. Moninkertaisuusarvoa ei voi pienentää negatiiviseksi. - + OCC is unable to decrease the multiplicity within the maximum tolerance. OCC ei pysty pienentämään moninkertaisuusarvoa pysyäkseen suurimmassa sallitussa toleranssissa. - + Knot cannot have zero multiplicity. Knot cannot have zero multiplicity. - + Knot multiplicity cannot be higher than the degree of the B-spline. Knot multiplicity cannot be higher than the degree of the B-spline. - + Knot cannot be inserted outside the B-spline parameter range. Knot cannot be inserted outside the B-spline parameter range. @@ -2311,7 +2311,7 @@ invalid constraints, degenerated geometry, etc. - + Don't attach Älä liitä @@ -2333,123 +2333,123 @@ invalid constraints, degenerated geometry, etc. - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + - - - - - - + + + + + + + + @@ -2515,116 +2515,116 @@ invalid constraints, degenerated geometry, etc. One of the selected has to be on the sketch. - + Select an edge from the sketch. Valitse luonnoksen reuna. - - - - - - + + + + + + Impossible constraint Mahdoton rajoite - - + + The selected edge is not a line segment. The selected edge is not a line segment. - - - + + + Double constraint Kaksinkertainen rajoite - + The selected edge already has a horizontal constraint! Valitulla reunalla on jo vaakasuuntainen rajoite! - + The selected edge already has a vertical constraint! Valitulla reunalla on jo pystysuuntainen rajoite! - - - + + + The selected edge already has a Block constraint! Valitulla reunalla on jo lohkon rajoitus! - + There are more than one fixed points selected. Select a maximum of one fixed point! Valittuja pisteitä on enemmän kuin yksi. Valitse enintään yksi kiinteä piste! - - - + + + Select vertices from the sketch. Valitse kärkipisteet luonnoksesta. - + Select one vertex from the sketch other than the origin. Valitse luonnoksesta yksi muu piste kuin origo. - + Select only vertices from the sketch. The last selected vertex may be the origin. Valitse kärkipisteitä vain luonnoksesta. Viimeksi valittu piste saattaa olla origo. - + Wrong solver status Väärä ratkaisualgoritmin tila - + A Block constraint cannot be added if the sketch is unsolved or there are redundant and conflicting constraints. Lohkon rajoitusta ei voida lisätä, jos luonnos on ratkaisematon tai on olemassa tarpeettomia ja ristiriitaisia rajoituksia. - + Select one edge from the sketch. Valitse yksi reuna luonnoksesta. - + Select only edges from the sketch. Valitse vain reunoja luonnoksesta. - + None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. - + Only tangent-via-point is supported with a B-spline. Only tangent-via-point is supported with a B-spline. - - + + Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. - + Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. Constraint_SnellsLaw Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. - + Number of selected objects is not 3 Number of selected objects is not 3 @@ -2641,80 +2641,80 @@ invalid constraints, degenerated geometry, etc. Unexpected error. More information may be available in the Report View. - + The selected item(s) can't accept a horizontal or vertical constraint! The selected item(s) can't accept a horizontal or vertical constraint! - + Endpoint to endpoint tangency was applied instead. Valitun sijasta käytettiin tangentiaalisuutta päätepisteestä päätepisteeseen. - + Select two or more vertices from the sketch for a coincident constraint, or two or more circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Select two or more vertices from the sketch for a coincident constraint, or two or more circles, ellipses, arcs or arcs of ellipse for a concentric constraint. - + Select two vertices from the sketch for a coincident constraint, or two circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Select two vertices from the sketch for a coincident constraint, or two circles, ellipses, arcs or arcs of ellipse for a concentric constraint. - + Select exactly one line or one point and one line or two points from the sketch. Valitse täsmälleen yksi viiva tai yksi piste ja yksi viiva tai kaksi pistettä sketsistä. - + Cannot add a length constraint on an axis! Akselille ei voida lisätä pituusrajoitetta! - - + + Select exactly one line or one point and one line or two points or two circles from the sketch. Select exactly one line or one point and one line or two points or two circles from the sketch. - + This constraint does not make sense for non-linear curves. This constraint does not make sense for non-linear curves. - + Endpoint to edge tangency was applied instead. Endpoint to edge tangency was applied instead. - - - - - - + + + + + + Select the right things from the sketch. Valitse oikeat asiat luonnoksesta. - - - - - - - - - + + + + + + + + - - - - - - - - + + + + + + + + + Select an edge that is not a B-spline weight. Select an edge that is not a B-spline weight. @@ -2724,87 +2724,87 @@ invalid constraints, degenerated geometry, etc. One or two point on object constraint(s) was/were deleted, since the latest constraint being applied internally applies point-on-object as well. - + Select either several points, or several conics for concentricity. Select either several points, or several conics for concentricity. - + Select either one point and several curves, or one curve and several points Select either one point and several curves, or one curve and several points - + Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. - + None of the selected points were constrained onto the respective curves, either because they are parts of the same element, or because they are both external geometry. Yksikään valituista pisteistä ei rajoittunut vastaaviin käyriin, joko koska ne ovat saman elementin osia, tai koska ne ovat molemmat ulkoisia geometrioita. - + Cannot add a length constraint on this selection! Cannot add a length constraint on this selection! - - - - + + + + Select exactly one line or up to two points from the sketch. Valitse täsmälleen yksi viiva tai enintään kaksi pistettä sketsistä. - + Cannot add a horizontal length constraint on an axis! Akselille ei voida lisätä vaakasuoraa pituusrajoitetta! - + Cannot add a fixed x-coordinate constraint on the origin point! Alkupisteeseen ei voi lisätä kiinteää x-koordinaattirajoitetta! - - + + This constraint only makes sense on a line segment or a pair of points. This constraint only makes sense on a line segment or a pair of points. - + Cannot add a vertical length constraint on an axis! Akselille ei voida lisätä vaakapituusrajoitetta! - + Cannot add a fixed y-coordinate constraint on the origin point! Alkupisteeseen ei voi lisätä kiinteää y-koordinaattirajoitetta! - + Select two or more lines from the sketch. Valitse kaksi tai useampi viiva sketsistä. - + One selected edge is not a valid line. One selected edge is not a valid line. - - + + Select at least two lines from the sketch. Valitse vähintään kaksi viivaa sketsistä. - + The selected edge is not a valid line. The selected edge is not a valid line. - + There is a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2814,35 +2814,35 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Hyväksytyt yhdistelmät: kaksi käyrää; päätepiste ja käyrä; kaksi päätepistettä; kaksi käyrää ja piste. - + Select some geometry from the sketch. perpendicular constraint Valitse jokin geometria luonnoksesta. - - + + Cannot add a perpendicularity constraint at an unconnected point! Yhdistämättömille pisteille ei voida lisätä samansuuntausuusrajoitetta! - - + + One of the selected edges should be a line. Yhden valituista reunoista pitäisi olla viiva. - + Endpoint to endpoint tangency was applied. The coincident constraint was deleted. Luotu päästä päähän -tangentti. Sattumarajoitus on poistettu. - + Endpoint to edge tangency was applied. The point on object constraint was deleted. Endpoint to edge tangency was applied. The point on object constraint was deleted. - + There are a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2852,61 +2852,61 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Hyväksytyt yhdistelmät: kaksi käyrää; päätepiste ja käyrä; kaksi päätepistettä; kaksi käyrää ja piste. - + Select some geometry from the sketch. tangent constraint Valitse jokin geometria luonnoksesta. - - - + + + Cannot add a tangency constraint at an unconnected point! Yhdistämättömään pisteeseen ei voi lisätä samansuuntaisuusrajoitetta! - - + + Tangent constraint at B-spline knot is only supported with lines! Tangent constraint at B-spline knot is only supported with lines! - + B-spline knot to endpoint tangency was applied instead. B-spline knot to endpoint tangency was applied instead. - - + + Wrong number of selected objects! Väärä lukumäärä valittuja kohteita! - - + + With 3 objects, there must be 2 curves and 1 point. 3 kohteella on oltava 2 käyrää ja 1 piste. - - - - - - + + + + + + Select one or more arcs or circles from the sketch. Valitse yksi tai userampia kaaria tai ympyröitä luonnoksesta. - - - + + + Constraint only applies to arcs or circles. Rajoite sopii vain kaarille tai ympyröille. - - + + Select one or two lines from the sketch. Or select two edges and a point. Valitse yksi tai useampi viiva luonnoksesta. Tai valitse kaksi reunaa ja piste. @@ -2921,87 +2921,87 @@ Hyväksytyt yhdistelmät: kaksi käyrää; päätepiste ja käyrä; kaksi päät Kulma-rajoitusta ei voi määrittää kahdelle samansuuntaiselle viivalle. - + Cannot add an angle constraint on an axis! Akseliin ei voi lisätä kulmarajoitetta! - + Select two edges from the sketch. Valitse kaksi reunaa sketsistä. - + Select two or more compatible edges. Select two or more compatible edges. - + Sketch axes cannot be used in equality constraints. Sketch axes cannot be used in equality constraints. - + Equality for B-spline edge currently unsupported. Ohjelma ei tällä hetkellä vielä tue yhtäsuuruutta B-splinin reunan kanssa. - - - + + + Select two or more edges of similar type. Select two or more edges of similar type. - - - - - + + + + + Select two points and a symmetry line, two points and a symmetry point or a line and a symmetry point from the sketch. Valitse kaksi pistettä ja symmetria linja, kaksi pistettä ja symmetria kohta, tai linja ja symmetriakohta luonnoksesta. - - + + Cannot add a symmetry constraint between a line and its end points. Ei voida lisätä symmetristä rajoitusta viivan ja sen päätepisteiden väliin. - - - - + + + + Cannot add a symmetry constraint between a line and its end points! Viivan ja sen päätepisteiden välille ei voi lisätä symmetriarajoitetta! - + Selected objects are not just geometry from one sketch. Valitut kohteet eivät ole vain yhden luonnoksen geometriaa. - + Cannot create constraint with external geometry only. Rajoitetta ei voi luoda vain ulkoista geometriaa käyttämällä. - + Incompatible geometry is selected. Valittuna on epäyhteensopivaa geometriaa. - + Select one dimensional constraint from the sketch. Select one dimensional constraint from the sketch. - - - - - + + + + + Select constraints from the sketch. Valitse rajoitteet luonnoksesta. @@ -3542,12 +3542,12 @@ Hyväksytyt yhdistelmät: kaksi käyrää; päätepiste ja käyrä; kaksi päät Pituus: - + Refractive index ratio Taitekerroin suhdeluku - + Ratio n2/n1: Suhde n2/n1: @@ -5194,8 +5194,8 @@ This is done by analyzing the sketch geometries and constraints. Sketcher_ConstrainDiameter - - + + Fix the diameter of a circle or an arc Kiinnitä ympyrän tai kaaren halkaisija @@ -5347,64 +5347,74 @@ This is done by analyzing the sketch geometries and constraints. Sketcher_MapSketch - + No sketch found Luonnoksia ei löytynyt - + + Cannot attach sketch to itself! + Cannot attach sketch to itself! + + + The document doesn't have a sketch Asiakirjassa ei ole luonnosta - + Select sketch Valitse luonnos - + + Select a sketch (some sketches not shown to prevent a circular dependency) + Select a sketch (some sketches not shown to prevent a circular dependency) + + + Select a sketch from the list Valitse luonnos luettelosta - + (incompatible with selection) (epäyhteensopiva valinnan kanssa) - + (current) (nykyinen) - + (suggested) (ehdotettu) - + Sketch attachment Luonnoksen liitos - + Current attachment mode is incompatible with the new selection. Select the method to attach this sketch to selected objects. Luonnoksen liitosmoodi ei ole yhteensopiva uuden valinnan kanssa. Valitse uusi tapa liittää tämä luonnos valittuihin objekteihin. - + Select the method to attach this sketch to selected objects. Valitse menetelmä, jolla tämä luonnos liitetään valittuihin objekteihin. - + Map sketch Kartan luonnos - + Can't map a sketch to support: %1 Tuettavaa luonnosta ei voida kuvata: @@ -5935,22 +5945,22 @@ The grid spacing change if it becomes smaller than this number of pixel. GridSpaceAction - + Grid auto spacing Grid auto spacing - + Resize grid automatically depending on zoom. Resize grid automatically depending on zoom. - + Spacing Spacing - + Distance between two subsequent grid lines. Distance between two subsequent grid lines. @@ -5958,17 +5968,17 @@ The grid spacing change if it becomes smaller than this number of pixel. Notifications - + The Sketch has malformed constraints! The Sketch has malformed constraints! - + The Sketch has partially redundant constraints! The Sketch has partially redundant constraints! - + Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! @@ -6047,8 +6057,8 @@ The grid spacing change if it becomes smaller than this number of pixel. - - + + Invalid Constraint Invalid Constraint @@ -6255,34 +6265,34 @@ The grid spacing change if it becomes smaller than this number of pixel. SnapSpaceAction - + Snap to objects Snap to objects - + New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. - + Snap to grid Kiinnitä ruudukkoon - + New points will snap to the nearest grid line. Points must be set closer than a fifth of the grid spacing to a grid line to snap. New points will snap to the nearest grid line. Points must be set closer than a fifth of the grid spacing to a grid line to snap. - + Snap angle Snap angle - + Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. @@ -6290,23 +6300,23 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna RenderingOrderAction - - - + + + Normal Geometry Normal Geometry - - - + + + Construction Geometry Rakennegeometria - - - + + + External Geometry External Geometry @@ -6314,12 +6324,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdRenderingOrder - + Configure rendering order Configure rendering order - + Reorder the items in the list to configure rendering order. Reorder the items in the list to configure rendering order. @@ -6327,12 +6337,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherGrid - + Toggle grid Toggle grid - + Toggle the grid in the sketch. In the menu you can change grid settings. Toggle the grid in the sketch. In the menu you can change grid settings. @@ -6340,12 +6350,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherSnap - + Toggle snap Toggle snap - + Toggle all snap functionality. In the menu you can toggle 'Snap to grid' and 'Snap to objects' individually, and change further snap settings. Toggle all snap functionality. In the menu you can toggle 'Snap to grid' and 'Snap to objects' individually, and change further snap settings. @@ -6379,12 +6389,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherDimension - + Dimension Mitta - + Constrain contextually based on your selection. Depending on your selection you might have several constraints available. You can cycle through them using M key. Left clicking on empty space will validate the current constraint. Right clicking or pressing Esc will cancel. @@ -6422,12 +6432,12 @@ Left clicking on empty space will validate the current constraint. Right clickin CmdSketcherConstrainRadius - + Constrain radius Rajoita säde - + Fix the radius of a circle or an arc Korjaa ympyrän tai kaaren sädettä @@ -6562,12 +6572,12 @@ Left clicking on empty space will validate the current constraint. Right clickin Delete original geometries (U) - + Apply equal constraints Apply equal constraints - + If this option is selected dimensional constraints are excluded from the operation. Instead equal constraints are applied between the original objects and their copies. If this option is selected dimensional constraints are excluded from the operation. @@ -6639,12 +6649,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherCompHorizontalVertical - + Constrain horizontal/vertical Constrain horizontal/vertical - + Constrains a single line to either horizontal or vertical. Constrains a single line to either horizontal or vertical. @@ -6652,12 +6662,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainHorVer - + Constrain horizontal/vertical Constrain horizontal/vertical - + Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. @@ -6704,12 +6714,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainCoincidentUnified - + Constrain coincident Samanlaisuus rajoite - + Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses @@ -6995,7 +7005,7 @@ Instead equal constraints are applied between the original objects and their cop TaskSketcherTool_p4_rotate - + Copies (+'U'/ -'J') Copies (+'U'/ -'J') @@ -7243,12 +7253,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainTangent - + Constrain tangent or collinear Constrain tangent or collinear - + Create a tangent or collinear constraint between two entities Create a tangent or collinear constraint between two entities @@ -7256,12 +7266,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherChangeDimensionConstraint - + Change value Muuta arvoa - + Change the value of a dimensional constraint Change the value of a dimensional constraint @@ -7327,8 +7337,8 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadius - - + + Fix the radius of an arc or a circle Fix the radius of an arc or a circle @@ -7336,8 +7346,8 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadiam - - + + Fix the radius/diameter of an arc or a circle Fix the radius/diameter of an arc or a circle diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_fr.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_fr.ts index 606e30471fc5..1d9f639433b2 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_fr.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_fr.ts @@ -128,27 +128,27 @@ CmdSketcherCompConstrainRadDia - + Constrain arc or circle Contrainte d'arc ou de cercle - + Constrain an arc or a circle Contraindre un arc ou un cercle - + Constrain radius Contrainte de rayon - + Constrain diameter Contrainte de diamètre - + Constrain auto radius/diameter Contrainte automatique du rayon/diamètre @@ -307,12 +307,12 @@ CmdSketcherConstrainAngle - + Constrain angle Contrainte angulaire - + Fix the angle of a line or the angle between two lines Fixer l'angle d'une ligne ou l'angle entre deux lignes @@ -320,12 +320,12 @@ CmdSketcherConstrainBlock - + Constrain block Contrainte de blocage - + Block the selected edge from moving Bloquer le déplacement de l'arête sélectionnée @@ -333,12 +333,12 @@ CmdSketcherConstrainCoincident - + Constrain coincident Contrainte de coïncidence - + Create a coincident constraint between points, or a concentric constraint between circles, arcs, and ellipses Créer une contrainte de coïncidence entre des points, ou une contrainte concentrique entre des cercles, des arcs et des ellipses @@ -346,12 +346,12 @@ CmdSketcherConstrainDiameter - + Constrain diameter Contrainte de diamètre - + Fix the diameter of a circle or an arc Fixer le diamètre d'un cercle ou d'un arc @@ -359,12 +359,12 @@ CmdSketcherConstrainDistance - + Constrain distance Contrainte de distance - + Fix a length of a line or the distance between a line and a vertex or between two circles Fixer la longueur d'une ligne ou la distance entre une ligne et un sommet ou entre deux cercles @@ -372,12 +372,12 @@ CmdSketcherConstrainDistanceX - + Constrain horizontal distance Contrainte de distance horizontale - + Fix the horizontal distance between two points or line ends Fixer la distance horizontale entre deux points ou extrémités de ligne @@ -385,12 +385,12 @@ CmdSketcherConstrainDistanceY - + Constrain vertical distance Contrainte de distance verticale - + Fix the vertical distance between two points or line ends Fixer la distance verticale entre deux points ou extrémités de ligne @@ -398,12 +398,12 @@ CmdSketcherConstrainEqual - + Constrain equal Contrainte d'égalité - + Create an equality constraint between two lines or between circles and arcs Créer une contrainte d'égalité entre deux lignes ou entre des cercles et/ou des arcs @@ -411,12 +411,12 @@ CmdSketcherConstrainHorizontal - + Constrain horizontal Contrainte horizontale - + Create a horizontal constraint on the selected item Créer une contrainte horizontale sur l'élément sélectionné @@ -424,12 +424,12 @@ CmdSketcherConstrainLock - + Constrain lock Contrainte fixe - + Create both a horizontal and a vertical distance constraint on the selected vertex Créer deux contraintes de distance (horizontale et verticale) sur le sommet sélectionné @@ -438,12 +438,12 @@ on the selected vertex CmdSketcherConstrainParallel - + Constrain parallel Contrainte parallèle - + Create a parallel constraint between two lines Créer une contrainte parallèle entre deux lignes @@ -451,12 +451,12 @@ on the selected vertex CmdSketcherConstrainPerpendicular - + Constrain perpendicular Contrainte perpendiculaire - + Create a perpendicular constraint between two lines Créer une contrainte de perpendicularité entre deux lignes @@ -464,12 +464,12 @@ on the selected vertex CmdSketcherConstrainPointOnObject - + Constrain point on object Contrainte point sur objet - + Fix a point onto an object Contraindre un/des point(s) sur une/des ligne(s) @@ -477,12 +477,12 @@ on the selected vertex CmdSketcherConstrainRadiam - + Constrain auto radius/diameter Contrainte automatique du rayon/diamètre - + Fix the diameter if a circle is chosen, or the radius if an arc/spline pole is chosen Fixer le diamètre si l'on choisit un cercle ou le rayon si l'on choisit un arc ou une B-spline @@ -490,12 +490,12 @@ on the selected vertex CmdSketcherConstrainSnellsLaw - + Constrain refraction (Snell's law) Contrainte de réfraction (loi de Snell) - + Create a refraction law (Snell's law)constraint between two endpoints of rays and an edge as an interface. Créer une contrainte de réfraction (loi de Snell) entre deux extrémités de lignes et une arête en tant qu'interface. @@ -504,12 +504,12 @@ and an edge as an interface. CmdSketcherConstrainSymmetric - + Constrain symmetric Contrainte de symétrie - + Create a symmetry constraint between two points with respect to a line or a third point Créer une contrainte de symétrie entre deux points par rapport à une ligne ou un point @@ -518,12 +518,12 @@ with respect to a line or a third point CmdSketcherConstrainVertical - + Constrain vertical Contrainte verticale - + Create a vertical constraint on the selected item Créer une contrainte verticale sur l'élément sélectionné @@ -1065,7 +1065,7 @@ Sélectionner d'abord la géométrie de support, par exemple une face ou une ar d'un objet solide, puis lancer cette commande et enfin choisir l'esquisse souhaitée. - + Some of the selected objects depend on the sketch to be mapped. Circular dependencies are not allowed. Certains des objets sélectionnés dépendent de l’esquisse à plaquer. Les dépendances circulaires ne sont pas autorisées . @@ -1073,22 +1073,22 @@ d'un objet solide, puis lancer cette commande et enfin choisir l'esquisse souhai CmdSketcherMergeSketches - + Merge sketches Fusionner des esquisses - + Create a new sketch from merging two or more selected sketches. Créer une nouvelle esquisse en fusionnant deux ou plusieurs esquisses sélectionnées. - + Wrong selection Mauvaise sélection - + Select at least two sketches. Sélectionner au moins deux esquisses. @@ -1096,24 +1096,24 @@ d'un objet solide, puis lancer cette commande et enfin choisir l'esquisse souhai CmdSketcherMirrorSketch - + Mirror sketch Créer une esquisse miroir - + Creates a new mirrored sketch for each selected sketch by using the X or Y axes, or the origin point, as mirroring reference. Créer une nouvelle esquisse en miroir pour chaque esquisse sélectionnée en utilisant les axes X ou Y, ou le point d'origine, comme référence de symétrie. - + Wrong selection Sélection incorrecte - + Select one or more sketches. Sélectionner une ou plusieurs esquisses. @@ -1367,12 +1367,12 @@ Cette opération efface la propriété "AttachmentSupport", le cas échéant. CmdSketcherToggleActiveConstraint - + Activate/deactivate constraint Activer/désactiver les contraintes - + Activates or deactivates the selected constraints Activer/désactiver les contraintes sélectionnées @@ -1393,12 +1393,12 @@ Cette opération efface la propriété "AttachmentSupport", le cas échéant. CmdSketcherToggleDrivingConstraint - + Toggle driving/reference constraint Activer/désactiver les contraintes pilotantes/pilotées - + Set the toolbar, or the selected constraints, into driving or reference mode Activer/désactiver la barre d'outils, ou les contraintes sélectionnées, @@ -1421,23 +1421,23 @@ en mode pilotant ou piloté CmdSketcherValidateSketch - + Validate sketch... Valider une esquisse... - + Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. Valider une esquisse en analysant les coïncidences manquantes, les contraintes invalides, les géométries dégénérées, etc. - + Wrong selection Sélection incorrecte - + Select only one sketch. Sélectionner une seule esquisse. @@ -1445,12 +1445,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSection - + View section Vue de la section - + When in edit mode, switch between section view and full view. En mode édition, basculer entre la vue de section et la vue complète. @@ -1458,12 +1458,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSketch - + View sketch Vue de l'esquisse - + When in edit mode, set the camera orientation perpendicular to the sketch plane. En mode édition, définir l'orientation de la caméra perpendiculaire au plan d'esquisse. @@ -1471,69 +1471,69 @@ invalid constraints, degenerated geometry, etc. Command - + Add 'Lock' constraint Ajouter la contrainte 'Verrouiller' - + Add relative 'Lock' constraint Ajouter une contrainte "fixe" relative - + Add fixed constraint Ajouter une contrainte fixe - + Add 'Block' constraint Ajouter une contrainte de blocage - + Add block constraint Ajouter une contrainte de blocage - - + + Add coincident constraint Ajouter une contrainte de coïncidence - - + + Add distance from horizontal axis constraint Ajouter une contrainte de distance par rapport à l'axe horizontal - - + + Add distance from vertical axis constraint Ajouter une contrainte de distance par rapport à l'axe vertical - - + + Add point to point distance constraint Ajouter une contrainte de distance entre points - - + + Add point to line Distance constraint Ajouter une contrainte de distance point à ligne - - + + Add circle to circle distance constraint Ajouter une contrainte de distance d'un cercle à un cercle - + Add circle to line distance constraint Ajouter une contrainte de distance d'un cercle à une ligne @@ -1542,16 +1542,16 @@ invalid constraints, degenerated geometry, etc. - - - + + + Add length constraint Ajouter une contrainte de longueur - + Dimension Dimension @@ -1568,7 +1568,7 @@ invalid constraints, degenerated geometry, etc. - + Add Distance constraint Ajouter une contrainte de distance @@ -1646,7 +1646,7 @@ invalid constraints, degenerated geometry, etc. Ajouter une contrainte de rayon - + Activate/Deactivate constraints Activer/désactiver les contraintes @@ -1662,23 +1662,23 @@ invalid constraints, degenerated geometry, etc. Ajouter une contrainte concentrique et de longueur - + Add DistanceX constraint Ajouter une contrainte de distance en X - + Add DistanceY constraint Ajouter une contrainte de distance en Y - + Add point to circle Distance constraint Ajouter une contrainte de distance d'un point à un cercle - - + + Add point on object constraint Ajouter une contrainte point sur objet @@ -1689,143 +1689,143 @@ invalid constraints, degenerated geometry, etc. Ajouter une contrainte de longueur d'arc - - + + Add point to point horizontal distance constraint Ajouter une contrainte de distance horizontale point à point - + Add fixed x-coordinate constraint Ajouter une contrainte fixe de coordonnée X - - + + Add point to point vertical distance constraint Ajouter une contrainte de distance verticale point à point - + Add fixed y-coordinate constraint Ajouter une contrainte fixe de coordonnée Y - - + + Add parallel constraint Ajouter une contrainte parallèle - - - - - - - + + + + + + + Add perpendicular constraint Ajouter une contrainte perpendiculaire - + Add perpendicularity constraint Ajouter une contrainte de perpendicularité - + Swap coincident+tangency with ptp tangency Permuter coincidence+tangence avec une tangente sommet/sommet - - - - - - - + + + + + + + Add tangent constraint Ajouter une contrainte de tangence - - - - - - - - - - - - - - + + + + + + + + + + + + + + Add tangent constraint point Ajouter un point de contrainte de tangence - - - - + + + + Add radius constraint Contraindre le rayon - - - - + + + + Add diameter constraint Contraindre le diamètre - - - - + + + + Add radiam constraint Ajouter une contrainte de rayon/diamètre - - - - + + + + Add angle constraint Ajouter une contrainte d'angle - + Swap point on object and tangency with point to curve tangency Convertir point-sur-objet et point-tangence en tangence de courbe. - - + + Add equality constraint Ajouter une contrainte d'égalité - - - - - + + + + + Add symmetric constraint Ajouter une contrainte de symétrie - + Add Snell's law constraint Ajouter une contrainte de loi de Snell - + Toggle constraint to driving/reference Activer/désactiver les contraintes pilotantes/pilotées @@ -1845,22 +1845,22 @@ invalid constraints, degenerated geometry, etc. Réorienter une esquisse - + Attach sketch Ancrer une esquisse - + Detach sketch Détacher l'esquisse - + Create a mirrored sketch for each selected sketch Créer une esquisse en miroir pour chaque esquisse sélectionnée - + Merge sketches Fusionner des esquisses @@ -2034,7 +2034,7 @@ invalid constraints, degenerated geometry, etc. Mettre à jour l'espace virtuel de la contrainte - + Add auto constraints Ajouter des contraintes automatiques @@ -2142,59 +2142,59 @@ invalid constraints, degenerated geometry, etc. Exceptions - + Unable to guess intersection of curves. Try adding a coincident constraint between the vertices of the curves you are intending to fillet. L'intersection des courbes n'a pas pu être trouvée. Essayez d’ajouter une contrainte de coïncidence entre les sommets des courbes sur lesquels vous souhaitez appliquer un congé. - + You are requesting no change in knot multiplicity. Vous ne demandez aucun changement dans la multiplicité du nœud. - - + + B-spline Geometry Index (GeoID) is out of bounds. L'index de la géométrie de la B-spline (GeoID) est en dehors des limites. - - + + The Geometry Index (GeoId) provided is not a B-spline. L’Index de la géométrie (GeoID) fourni n’est pas une B-spline. - + The knot index is out of bounds. Note that in accordance with OCC notation, the first knot has index 1 and not zero. L’index du nœud est hors limites. Notez que, conformément à la notation OCC, le premier nœud a un indice de 1 et non pas de zéro. - + The multiplicity cannot be increased beyond the degree of the B-spline. La multiplicité ne peut pas être augmentée au-delà du degré de la B-spline. - + The multiplicity cannot be decreased beyond zero. La multiplicité ne peut pas être diminuée au-delà de zéro. - + OCC is unable to decrease the multiplicity within the maximum tolerance. OCC ne parvient pas à diminuer la multiplicité selon la tolérance maximale. - + Knot cannot have zero multiplicity. Le nœud ne peut pas avoir une multiplicité nulle. - + Knot multiplicity cannot be higher than the degree of the B-spline. La multiplicité des nœuds ne peut pas être supérieure au degré de la B-spline. - + Knot cannot be inserted outside the B-spline parameter range. Le nœud de la B-spline ne peut pas être inséré en dehors de la plage de paramètres de la B-spline. @@ -2304,7 +2304,7 @@ invalid constraints, degenerated geometry, etc. - + Don't attach Ne pas ancrer @@ -2326,123 +2326,123 @@ invalid constraints, degenerated geometry, etc. - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + - - - - - - + + + + + + + + @@ -2508,116 +2508,116 @@ invalid constraints, degenerated geometry, etc. Une des sélections doit être sur l'esquisse. - + Select an edge from the sketch. Sélectionnez une arête de l'esquisse. - - - - - - + + + + + + Impossible constraint Contrainte impossible - - + + The selected edge is not a line segment. L'arête sélectionnée n'est pas un segment de ligne. - - - + + + Double constraint Double contrainte - + The selected edge already has a horizontal constraint! L’arête sélectionnée possède déjà une contrainte horizontale ! - + The selected edge already has a vertical constraint! L’arête sélectionnée possède déjà une contrainte verticale ! - - - + + + The selected edge already has a Block constraint! L’arête sélectionnée possède déjà une contrainte de blocage ! - + There are more than one fixed points selected. Select a maximum of one fixed point! Plus d'un point fixe est sélectionné. Sélectionner au maximum un point fixe ! - - - + + + Select vertices from the sketch. Sélectionner des sommets de l’esquisse. - + Select one vertex from the sketch other than the origin. Sélectionner un sommet de l'esquisse autre que l'origine. - + Select only vertices from the sketch. The last selected vertex may be the origin. Sélectionner uniquement des sommets de l’esquisse. Le dernier sommet sélectionné peut être l’origine. - + Wrong solver status Erreur de statut du solveur - + A Block constraint cannot be added if the sketch is unsolved or there are redundant and conflicting constraints. Une contrainte de blocage ne peut pas être ajoutée si l'esquisse n'est pas résolue ou s'il y a des contraintes redondantes ou conflictuelles. - + Select one edge from the sketch. Sélectionnez une arête de l’esquisse. - + Select only edges from the sketch. Sélectionnez uniquement des arêtes de l'esquisse. - + None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. Aucun des points sélectionnés n'a été contraint sur les courbes respectives, soit parce qu'ils font partie du même élément, soit qu'il s'agit d'une géométrie externe ou que l'arête n'est pas éligible. - + Only tangent-via-point is supported with a B-spline. Seul le mode tangent-via-point est supporté avec une B-spline. - - + + Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. Sélectionner soit un ou plusieurs pôles de la B-Spline soit un ou plusieurs arcs ou cercles de l'esquisse, mais pas les deux en même temps. - + Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. Constraint_SnellsLaw Sélectionner deux extrémités d'une ligne pour agir comme des rayons, et une arête qui représente une limite. Le premier point sélectionné correspond à l'indice n1, le deuxième à n2 et la valeur de référence définit le rapport n2/n1. - + Number of selected objects is not 3 Le nombre d'objets sélectionnés n'est pas 3 @@ -2634,80 +2634,80 @@ invalid constraints, degenerated geometry, etc. Erreur inattendue. Plus d'informations peuvent être disponibles dans la Vue rapport. - + The selected item(s) can't accept a horizontal or vertical constraint! Le(s) élément(s) sélectionné(s) n'accepte(nt) pas de contrainte horizontale ou verticale ! - + Endpoint to endpoint tangency was applied instead. Une contrainte de tangence entre points d'extrémité a été créée à la place. - + Select two or more vertices from the sketch for a coincident constraint, or two or more circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Sélectionner deux sommets ou plus de l’esquisse pour une contrainte de coïncidence, ou deux ou plusieurs cercles, ellipses, arcs ou arcs d’ellipse pour une contrainte concentrique. - + Select two vertices from the sketch for a coincident constraint, or two circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Sélectionner deux sommets de l'esquisse pour une contrainte de coïncidence, ou deux cercles, ellipses, arcs ou arcs d'ellipse pour une contrainte concentrique. - + Select exactly one line or one point and one line or two points from the sketch. Sélectionnez soit une seule ligne, ou un point et une ligne, ou deux points de l'esquisse. - + Cannot add a length constraint on an axis! Impossible d'ajouter une contrainte de longueur sur un axe ! - - + + Select exactly one line or one point and one line or two points or two circles from the sketch. Sélectionner exactement une ligne ou un point et une ligne ou deux points ou deux cercles de l'esquisse. - + This constraint does not make sense for non-linear curves. Cette contrainte n'a pas de sens pour les courbes non linéaires. - + Endpoint to edge tangency was applied instead. Une tangence entre le point d'extrémité et l'arête a été appliquée à la place. - - - - - - + + + + + + Select the right things from the sketch. Sélectionner les bons éléments de l'esquisse. - - - - - - - - - + + + + + + + + - - - - - - - - + + + + + + + + + Select an edge that is not a B-spline weight. Sélectionner une arête qui ne représente pas un poids d'une B-Spline. @@ -2717,87 +2717,87 @@ invalid constraints, degenerated geometry, etc. Un ou deux points sur le(s) contrainte(s) des objets ont été supprimés, la dernière contrainte appliquée en interne s'applique également point sur objet. - + Select either several points, or several conics for concentricity. Sélectionner plusieurs points ou plusieurs coniques pour la concentricité. - + Select either one point and several curves, or one curve and several points Sélectionner soit un point et plusieurs courbes, soit une courbe et plusieurs points. - + Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. Sélectionner soit un point et plusieurs courbes, soit une courbe et plusieurs points pour une contrainte de point sur objet, soit plusieurs points pour la contrainte de coïncidence, soit plusieurs coniques pour la concentricité. - + None of the selected points were constrained onto the respective curves, either because they are parts of the same element, or because they are both external geometry. Aucun des points sélectionnés n'ont été contraints aux courbes respectives, soit parce qu'ils font partie du même élément, soit parce qu'ils font tous partie de géométries externes. - + Cannot add a length constraint on this selection! Impossible d'ajouter une contrainte de longueur à cette sélection ! - - - - + + + + Select exactly one line or up to two points from the sketch. Sélectionner soit une seule ligne soit jusqu'à deux points de l'esquisse. - + Cannot add a horizontal length constraint on an axis! Impossible d'ajouter une contrainte de longueur horizontale sur un axe ! - + Cannot add a fixed x-coordinate constraint on the origin point! Impossible d'ajouter une contrainte fixe de coordonnée x sur le point d'origine ! - - + + This constraint only makes sense on a line segment or a pair of points. Cette contrainte n’a de sens que sur un segment de ligne ou une paire de points. - + Cannot add a vertical length constraint on an axis! Impossible d'ajouter une contrainte de longueur verticale sur un axe ! - + Cannot add a fixed y-coordinate constraint on the origin point! Impossible d'ajouter une contrainte fixe de coordonnée y sur le point d'origine ! - + Select two or more lines from the sketch. Sélectionnez au moins deux lignes de l'esquisse. - + One selected edge is not a valid line. Une des arêtes sélectionnées n'est pas une ligne valide. - - + + Select at least two lines from the sketch. Sélectionner au moins deux lignes de l'esquisse. - + The selected edge is not a valid line. L'arête sélectionnée n'est pas une ligne valide. - + There is a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2807,35 +2807,35 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Combinaisons acceptés : deux courbes ; un point d'extrémité et une courbe ; deux points d'extrémités ; deux courbes et un point. - + Select some geometry from the sketch. perpendicular constraint Sélectionner une géométrie de l'esquisse. - - + + Cannot add a perpendicularity constraint at an unconnected point! Impossible d'ajouter une contrainte de perpendicularité sur un point non connecté ! - - + + One of the selected edges should be a line. Une des arêtes sélectionnées doit être une ligne. - + Endpoint to endpoint tangency was applied. The coincident constraint was deleted. Une contrainte de tangence entre points d'extrémité a été créée. La contrainte de coïncidence a été supprimée. - + Endpoint to edge tangency was applied. The point on object constraint was deleted. Une contrainte de tangence entre point d'extrémité et arête a été créée. La contrainte point sur objet a été supprimée. - + There are a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2845,61 +2845,61 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Combinaisons acceptés : deux courbes ; un point d'extrémité et une courbe ; deux points d'extrémités ; deux courbes et un point. - + Select some geometry from the sketch. tangent constraint Sélectionner une géométrie de l'esquisse. - - - + + + Cannot add a tangency constraint at an unconnected point! Impossible d'ajouter une contrainte de tangence à un point non connecté ! - - + + Tangent constraint at B-spline knot is only supported with lines! La contrainte de tangente au nœud de la B-spline n'est pris en charge que par des lignes ! - + B-spline knot to endpoint tangency was applied instead. Une tangence entre le noeud de la B-spline et le dernier point a été appliquée à la place. - - + + Wrong number of selected objects! Nombre d'objets sélectionnés erroné ! - - + + With 3 objects, there must be 2 curves and 1 point. Pour une sélection de 3 objets, il doit y avoir 2 courbes et 1 point. - - - - - - + + + + + + Select one or more arcs or circles from the sketch. Sélectionnez un ou plusieurs arcs ou cercles dans l'esquisse. - - - + + + Constraint only applies to arcs or circles. Contrainte applicable qu’aux arcs ou cercles. - - + + Select one or two lines from the sketch. Or select two edges and a point. Sélectionnez une ou deux lignes dans l'esquisse. Ou sélectionnez deux arêtes et un point. @@ -2914,87 +2914,87 @@ Combinaisons acceptés : deux courbes ; un point d'extrémité et une courbe ; d Une contrainte angulaire ne peut pas être appliquée à deux lignes parallèles. - + Cannot add an angle constraint on an axis! Impossible d'ajouter une contrainte angulaire sur un axe ! - + Select two edges from the sketch. Sélectionnez deux arêtes de l'esquisse. - + Select two or more compatible edges. Sélectionner deux arêtes compatibles ou plus. - + Sketch axes cannot be used in equality constraints. Les axes d'esquisse ne peuvent pas être utilisés dans des contraintes d'égalité. - + Equality for B-spline edge currently unsupported. L'égalité pour l'arête de la B-spline n'est pas prise en charge pour l'instant. - - - + + + Select two or more edges of similar type. Sélectionner deux arêtes ou plus de même type. - - - - - + + + + + Select two points and a symmetry line, two points and a symmetry point or a line and a symmetry point from the sketch. Sélectionnez deux points et une ligne de symétrie, deux points et un point de symétrie, ou une ligne et un point de symétrie dans l'esquisse. - - + + Cannot add a symmetry constraint between a line and its end points. Impossible d'ajouter une contrainte de symétrie entre une ligne et ses extrémités. - - - - + + + + Cannot add a symmetry constraint between a line and its end points! Impossible d'ajouter une contrainte de symétrie entre une ligne et ses points d'extrémité ! - + Selected objects are not just geometry from one sketch. Les objets sélectionnés ne sont pas seulement des géométries de l'esquisse. - + Cannot create constraint with external geometry only. Impossible de créer une contrainte avec uniquement une géométrie externe. - + Incompatible geometry is selected. La géométrie sélectionnée est incompatible. - + Select one dimensional constraint from the sketch. Sélectionner une contrainte dimensionnelle de l'esquisse. - - - - - + + + + + Select constraints from the sketch. Sélectionner les contraintes de l'esquisse. @@ -3535,12 +3535,12 @@ Combinaisons acceptés : deux courbes ; un point d'extrémité et une courbe ; d Longueur : - + Refractive index ratio Ratio de l'indice de réfraction - + Ratio n2/n1: Rapport n2/n1 : @@ -5187,8 +5187,8 @@ Cela est fait en analysant les géométries et les contraintes de l'esquisse. Sketcher_ConstrainDiameter - - + + Fix the diameter of a circle or an arc Fixer le diamètre d'un cercle ou d'un arc @@ -5340,63 +5340,73 @@ Cela est fait en analysant les géométries et les contraintes de l'esquisse. Sketcher_MapSketch - + No sketch found Aucune esquisse trouvée - + + Cannot attach sketch to itself! + Cannot attach sketch to itself! + + + The document doesn't have a sketch Le document ne contient pas d'esquisse - + Select sketch Sélectionner une esquisse - + + Select a sketch (some sketches not shown to prevent a circular dependency) + Select a sketch (some sketches not shown to prevent a circular dependency) + + + Select a sketch from the list Sélectionnez une esquisse dans la liste - + (incompatible with selection) (incompatible avec la sélection) - + (current) (courant) - + (suggested) (suggéré) - + Sketch attachment Ancrage de l'esquisse - + Current attachment mode is incompatible with the new selection. Select the method to attach this sketch to selected objects. L'actuel mode d'ancrage n’est pas compatible avec la nouvelle sélection. Sélectionner la méthode pour ancrer cette esquisse aux objets sélectionnés. - + Select the method to attach this sketch to selected objects. Sélectionner la méthode pour ancrer cette esquisse aux objets sélectionnés. - + Map sketch Appliquer esquisse - + Can't map a sketch to support: %1 Impossible d'appliquer l'esquisse au support : @@ -5926,22 +5936,22 @@ L'espacement de la grille est modifié s'il devient inférieur à ce nombre de p GridSpaceAction - + Grid auto spacing Espacement automatique de la grille - + Resize grid automatically depending on zoom. Redimensionner la grille automatiquement en fonction du zoom. - + Spacing Espacement - + Distance between two subsequent grid lines. Distance entre deux lignes consécutives de la grille. @@ -5949,17 +5959,17 @@ L'espacement de la grille est modifié s'il devient inférieur à ce nombre de p Notifications - + The Sketch has malformed constraints! L'esquisse a des contraintes défectueuses ! - + The Sketch has partially redundant constraints! L'esquisse a des contraintes partiellement redondantes ! - + Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! Les paraboles ont été migrées. Les fichiers migrés ne pourront pas être ouverts par les versions précédentes de FreeCAD !! @@ -6038,8 +6048,8 @@ L'espacement de la grille est modifié s'il devient inférieur à ce nombre de p - - + + Invalid Constraint Contrainte invalide @@ -6246,34 +6256,34 @@ L'espacement de la grille est modifié s'il devient inférieur à ce nombre de p SnapSpaceAction - + Snap to objects Aimanter aux objets - + New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. Les nouveaux points s'aimanteront à l'objet présélectionné. Ils s'aimanteront également au milieu des lignes et des arcs. - + Snap to grid Aimanter à la grille - + New points will snap to the nearest grid line. Points must be set closer than a fifth of the grid spacing to a grid line to snap. Les nouveaux points s'aimanteront à la ligne de la grille la plus proche. Les points doivent être placés à moins d'un cinquième de l'espacement de la grille par rapport à une ligne de la grille pour s'aimanter. - + Snap angle Angle d'aimantation - + Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. Pas angulaire pour les outils qui utilisent la fonction "Angle d'aimantation" (ligne par exemple). Maintenez la touche CTRL enfoncée pour activer la fonction "Angle d'aimantation". L'angle commence à partir de l'axe X positif de l'esquisse. @@ -6281,23 +6291,23 @@ Les points doivent être placés à moins d'un cinquième de l'espacement de la RenderingOrderAction - - - + + + Normal Geometry Géométrie normale - - - + + + Construction Geometry Géométrie de construction - - - + + + External Geometry Géométrie externe @@ -6305,12 +6315,12 @@ Les points doivent être placés à moins d'un cinquième de l'espacement de la CmdRenderingOrder - + Configure rendering order Configurer l'ordre de rendu - + Reorder the items in the list to configure rendering order. Réorganiser les éléments de la liste pour configurer l'ordre de rendu. @@ -6318,12 +6328,12 @@ Les points doivent être placés à moins d'un cinquième de l'espacement de la CmdSketcherGrid - + Toggle grid Activer/désactiver la grille - + Toggle the grid in the sketch. In the menu you can change grid settings. Activer/désactiver la grille dans l'esquisse. Dans le menu, vous pouvez modifier les paramètres de la grille. @@ -6331,12 +6341,12 @@ Les points doivent être placés à moins d'un cinquième de l'espacement de la CmdSketcherSnap - + Toggle snap Activer/désactiver l'aimantation - + Toggle all snap functionality. In the menu you can toggle 'Snap to grid' and 'Snap to objects' individually, and change further snap settings. Activer/désactiver toutes les fonctionnalités d'aimantation. Dans le menu, vous pouvez activer/désactiver individuellement "Aimanter à la grille" et "Aimanter aux objets" et modifier les paramètres d'aimantation ultérieurs. @@ -6370,12 +6380,12 @@ Les points doivent être placés à moins d'un cinquième de l'espacement de la CmdSketcherDimension - + Dimension Contrainte de dimension - + Constrain contextually based on your selection. Depending on your selection you might have several constraints available. You can cycle through them using M key. Left clicking on empty space will validate the current constraint. Right clicking or pressing Esc will cancel. @@ -6415,12 +6425,12 @@ Cliquez avec le bouton droit ou appuyez sur Échap pour annuler. CmdSketcherConstrainRadius - + Constrain radius Contrainte de rayon - + Fix the radius of a circle or an arc Fixer le rayon d'un cercle ou d'un arc @@ -6555,12 +6565,12 @@ Cliquez avec le bouton droit ou appuyez sur Échap pour annuler. Supprimer les géométries d'origine (U) - + Apply equal constraints Appliquer des contraintes d'égalité - + If this option is selected dimensional constraints are excluded from the operation. Instead equal constraints are applied between the original objects and their copies. Si cette option est sélectionnée, les contraintes dimensionnelles sont exclues de l'opération. @@ -6632,12 +6642,12 @@ Au lieu de cela, des contraintes d'égalité sont appliquées entre les objets o CmdSketcherCompHorizontalVertical - + Constrain horizontal/vertical Contrainte horizontale/verticale - + Constrains a single line to either horizontal or vertical. Contraindre une seule ligne à être horizontale ou verticale. @@ -6645,12 +6655,12 @@ Au lieu de cela, des contraintes d'égalité sont appliquées entre les objets o CmdSketcherConstrainHorVer - + Constrain horizontal/vertical Contrainte horizontale/verticale - + Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. Contraindre une seule ligne à être horizontale ou verticale, selon ce qui est le plus proche de l'alignement en cours. @@ -6697,12 +6707,12 @@ Au lieu de cela, des contraintes d'égalité sont appliquées entre les objets o CmdSketcherConstrainCoincidentUnified - + Constrain coincident Contrainte de coïncidence - + Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses Créer une contrainte de coïncidence entre des points, ou fixe un point sur une arête, ou créer une contrainte concentrique entre des cercles, des arcs et des ellipses. @@ -6988,7 +6998,7 @@ Au lieu de cela, des contraintes d'égalité sont appliquées entre les objets o TaskSketcherTool_p4_rotate - + Copies (+'U'/ -'J') Nombre de copies (+ U / - J) @@ -7238,12 +7248,12 @@ Au lieu de cela, des contraintes d'égalité sont appliquées entre les objets o CmdSketcherConstrainTangent - + Constrain tangent or collinear Contrainte tangente ou colinéaire - + Create a tangent or collinear constraint between two entities Créer une contrainte tangente ou colinéaire entre deux entités @@ -7251,12 +7261,12 @@ Au lieu de cela, des contraintes d'égalité sont appliquées entre les objets o CmdSketcherChangeDimensionConstraint - + Change value Changer la valeur - + Change the value of a dimensional constraint Changer la valeur d'une contrainte de dimension @@ -7322,8 +7332,8 @@ Au lieu de cela, des contraintes d'égalité sont appliquées entre les objets o Sketcher_ConstrainRadius - - + + Fix the radius of an arc or a circle Corriger le rayon d'un arc de cercle ou d'un cercle @@ -7331,8 +7341,8 @@ Au lieu de cela, des contraintes d'égalité sont appliquées entre les objets o Sketcher_ConstrainRadiam - - + + Fix the radius/diameter of an arc or a circle Corriger le rayon/diamètre d'un arc de cercle ou d'un cercle diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_hr.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_hr.ts index 2017f8495a85..6052a8e93ba0 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_hr.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_hr.ts @@ -130,27 +130,27 @@ CmdSketcherCompConstrainRadDia - + Constrain arc or circle Ograničiti luk ili krug - + Constrain an arc or a circle Ograniči luk ili krug - + Constrain radius Ograniči radijus - + Constrain diameter Ograniči promjer - + Constrain auto radius/diameter Ograničiti automatski polumjer/promjer @@ -309,12 +309,12 @@ CmdSketcherConstrainAngle - + Constrain angle Ograniči kut - + Fix the angle of a line or the angle between two lines Fiksiraj kut linije ili kut između dvije linije @@ -322,12 +322,12 @@ CmdSketcherConstrainBlock - + Constrain block Blok ograničenja - + Block the selected edge from moving Blokira pomjeranje izabranog ruba @@ -335,12 +335,12 @@ CmdSketcherConstrainCoincident - + Constrain coincident Ograničiti zajedničko - + Create a coincident constraint between points, or a concentric constraint between circles, arcs, and ellipses Stvorite koincidentno ograničenje između točaka ili koncentrično ograničenje između krugova, lukova i elipsa @@ -348,12 +348,12 @@ CmdSketcherConstrainDiameter - + Constrain diameter Ograniči promjer - + Fix the diameter of a circle or an arc Popravi promjer kruga ili luka @@ -361,12 +361,12 @@ CmdSketcherConstrainDistance - + Constrain distance Ograniči udaljenost - + Fix a length of a line or the distance between a line and a vertex or between two circles Namjestiti duljinu linije ili rastojanje između linije i tjemene točke ili rastojanje između dva kruga @@ -374,12 +374,12 @@ CmdSketcherConstrainDistanceX - + Constrain horizontal distance Ograniči horizontalnu udaljenost - + Fix the horizontal distance between two points or line ends Ograniči horizontalnu udaljenost između dvije točke ili krajeva linije @@ -387,12 +387,12 @@ CmdSketcherConstrainDistanceY - + Constrain vertical distance Ograničenje okomite udaljenosti - + Fix the vertical distance between two points or line ends Ograniči vertikalnu udaljenost između dvije točke ili krajeva linije @@ -400,12 +400,12 @@ CmdSketcherConstrainEqual - + Constrain equal Ograniči jednaku duljinu - + Create an equality constraint between two lines or between circles and arcs Napravite ograničenje jednakosti između dvije linije ili između kružnica i lukova @@ -413,12 +413,12 @@ CmdSketcherConstrainHorizontal - + Constrain horizontal Ograniči vodoravno - + Create a horizontal constraint on the selected item Napravi vodoravno ograničenje na odabranoj stavci @@ -426,12 +426,12 @@ CmdSketcherConstrainLock - + Constrain lock Ograniči pomicanje - + Create both a horizontal and a vertical distance constraint on the selected vertex Napravi ograničenje vodoravno i okomito ograničenje udaljenosti @@ -441,12 +441,12 @@ na odabranoj tjemenoj točki CmdSketcherConstrainParallel - + Constrain parallel Ograniči paralelno - + Create a parallel constraint between two lines Napravi paralelno ograničenje između dvije linije @@ -454,12 +454,12 @@ na odabranoj tjemenoj točki CmdSketcherConstrainPerpendicular - + Constrain perpendicular Ograniči okomito - + Create a perpendicular constraint between two lines Stvara okomito ograničenje između dvije linije @@ -467,12 +467,12 @@ na odabranoj tjemenoj točki CmdSketcherConstrainPointOnObject - + Constrain point on object Ograniči točku na objektu - + Fix a point onto an object Fiksiraj točku na objekt @@ -480,12 +480,12 @@ na odabranoj tjemenoj točki CmdSketcherConstrainRadiam - + Constrain auto radius/diameter Ograničiti automatski polumjer/promjer - + Fix the diameter if a circle is chosen, or the radius if an arc/spline pole is chosen Fiksirajte promjer ako je odabrana kružnica ili radijus ako je odabran luk/spline pol @@ -493,12 +493,12 @@ na odabranoj tjemenoj točki CmdSketcherConstrainSnellsLaw - + Constrain refraction (Snell's law) Ograniči lom (Snell's zakon ') - + Create a refraction law (Snell's law)constraint between two endpoints of rays and an edge as an interface. Stvaranje zakona loma svijetla (Snell's law) ograničenje između dvije krajnje točke zrake i ruba kao sučelja. @@ -507,12 +507,12 @@ and an edge as an interface. CmdSketcherConstrainSymmetric - + Constrain symmetric Ograniči simetrično - + Create a symmetry constraint between two points with respect to a line or a third point Stvoriti simetrično ograničenje između dvije točke u odnosu na liniju ili treću točku @@ -521,12 +521,12 @@ with respect to a line or a third point CmdSketcherConstrainVertical - + Constrain vertical Ograniči okomito - + Create a vertical constraint on the selected item Napravi okomito ograničenje na odabranoj stavci @@ -1056,7 +1056,7 @@ with respect to a line or a third point Attach sketch... - Attach sketch... + Priloži skicu... @@ -1068,7 +1068,7 @@ Prvo odaberite potpornu geometriju, na primjer, lice ili rub čvrstog predmeta, zatim pokrenite ovu naredbu, a zatim odaberite željenu skicu. - + Some of the selected objects depend on the sketch to be mapped. Circular dependencies are not allowed. Neke od odabranih objekata ovise o skici koja treba biti mapirana. Kružne zavisnosti nisu dopuštene. @@ -1076,24 +1076,24 @@ zatim pokrenite ovu naredbu, a zatim odaberite željenu skicu. CmdSketcherMergeSketches - + Merge sketches Spajanje skica - + Create a new sketch from merging two or more selected sketches. Stvorite novu skicu spajanjem dviju ili više odabranih skica. - + Wrong selection Pogrešan odabir - + Select at least two sketches. Odaberite najmanje dvije skice. @@ -1101,26 +1101,26 @@ zatim pokrenite ovu naredbu, a zatim odaberite željenu skicu. CmdSketcherMirrorSketch - + Mirror sketch Zrcaljenje skice - + Creates a new mirrored sketch for each selected sketch by using the X or Y axes, or the origin point, as mirroring reference. - Creates a new mirrored sketch for each selected sketch -by using the X or Y axes, or the origin point, -as mirroring reference. + Izradite novu zrcalnu skicu za svaku odabranu skicu +pomoću osi X ili Y ili točke ishodišta, +kao zrcalnu referencu. - + Wrong selection Pogrešan odabir - + Select one or more sketches. Odaberite jednu ili više skica. @@ -1245,7 +1245,7 @@ Ovo će očistiti svojstvo "Podrške postavljanja", ako postoji. Select under-constrained elements - Select under-constrained elements + Odabir suvišno ograničenih elemenata @@ -1378,14 +1378,14 @@ Ovo će očistiti svojstvo "Podrške postavljanja", ako postoji. CmdSketcherToggleActiveConstraint - + Activate/deactivate constraint Prebaci aktivirati / isključiti ograničenje - + Activates or deactivates the selected constraints Uključuje ili isključuje odabrana ograničenja @@ -1406,14 +1406,14 @@ Ovo će očistiti svojstvo "Podrške postavljanja", ako postoji. CmdSketcherToggleDrivingConstraint - + Toggle driving/reference constraint Prebacuj vožnje / reference ograničenje - + Set the toolbar, or the selected constraints, into driving or reference mode Postavite alatnu traku ili odabrana ograničenja, @@ -1438,24 +1438,24 @@ u režim vožnje ili referentni CmdSketcherValidateSketch - + Validate sketch... Provjera skice... - + Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. - Validates a sketch by looking at missing coincidences, -invalid constraints, degenerated geometry, etc. + Potvrdite skicu gledajući nedostajuće slučajnosti, +nevaljana ograničenja, degenerirana geometrija itd. - + Wrong selection Pogrešan odabir - + Select only one sketch. Odaberite samo jednu skicu. @@ -1463,12 +1463,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSection - + View section Prikaz projekcije - + When in edit mode, switch between section view and full view. Kada ste u načinu uređivanja, prebacujte se između prikaza odjeljka i punog prikaza. @@ -1478,12 +1478,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSketch - + View sketch Pregledaj skicu - + When in edit mode, set the camera orientation perpendicular to the sketch plane. U načinu uređivanja postavite orijentaciju kamere okomito na ravninu skice. @@ -1493,60 +1493,60 @@ invalid constraints, degenerated geometry, etc. Command - + Add 'Lock' constraint Dodajte 'Zaključaj' ograničenje - + Add relative 'Lock' constraint Dodajte relativno 'Zaključaj' ograničenje - + Add fixed constraint Dodajte fiksno ograničenje - + Add 'Block' constraint Dodajte 'Blok' ograničenje - + Add block constraint Dodaje blok ograničenje - - + + Add coincident constraint Dodajte podudarno ograničenje - - + + Add distance from horizontal axis constraint Dodajte udaljenost od ograničenja vodoravne osi - - + + Add distance from vertical axis constraint Dodajte udaljenost od ograničenja okomite osi - - + + Add point to point distance constraint Dodajte ograničenje udaljenosti od točke do točke @@ -1554,20 +1554,20 @@ invalid constraints, degenerated geometry, etc. - - + + Add point to line Distance constraint Dodaj ograničenje udaljenosti od točke do linije - - + + Add circle to circle distance constraint Dodaj ograničenje između dva kruga - + Add circle to line distance constraint Dodaj ograničenje između kruga i linije @@ -1576,9 +1576,9 @@ invalid constraints, degenerated geometry, etc. - - - + + + Add length constraint Dodajte ograničenje duljine @@ -1587,7 +1587,7 @@ invalid constraints, degenerated geometry, etc. - + Dimension Dimenzija @@ -1604,7 +1604,7 @@ invalid constraints, degenerated geometry, etc. - + Add Distance constraint Dodajte ograničenje udaljenosti @@ -1682,9 +1682,11 @@ invalid constraints, degenerated geometry, etc. Dodajte ograničenje polumjera - + Activate/Deactivate constraints - Activate/Deactivate constraints + Aktiviranje / deaktiviranje ograničenja + + @@ -1698,23 +1700,23 @@ invalid constraints, degenerated geometry, etc. Dodaj dužinu i koncentrično ograničenje - + Add DistanceX constraint Dodajte ograničenje udaljenosti X - + Add DistanceY constraint Dodajte ograničenje udaljenosti Y - + Add point to circle Distance constraint Dodaj ograničenje udaljenosti od točke do kružnice - - + + Add point on object constraint Dodajte ograničenje udaljenosti točka na objektu @@ -1722,148 +1724,150 @@ invalid constraints, degenerated geometry, etc. Add arc length constraint - Add arc length constraint + Dodajte ograničenje duljine luka + + - - + + Add point to point horizontal distance constraint Dodajte ograničenje vodoravne udaljenosti od točke do točke - + Add fixed x-coordinate constraint Dodajte fiksno x-koordinata ograničenje - - + + Add point to point vertical distance constraint Dodajte ograničenje okomite udaljenosti od točke do točke - + Add fixed y-coordinate constraint Dodajte fiksno y-koordinata ograničenje - - + + Add parallel constraint Dodajte paralelno ograničenje - - - - - - - + + + + + + + Add perpendicular constraint Dodajte vertikalno ograničenje - + Add perpendicularity constraint Dodajte vertikalno ograničenje - + Swap coincident+tangency with ptp tangency Zamijeni slučajnost + tangencija s ptp tangencijom - - - - - - - + + + + + + + Add tangent constraint Dodajte tangencijalno ograničenje - - - - - - - - - - - - - - + + + + + + + + + + + + + + Add tangent constraint point Dodajte točku tangencijalno ograničenje - - - - + + + + Add radius constraint Dodajte ograničenje polumjera - - - - + + + + Add diameter constraint Dodajte ograničenje promjera - - - - + + + + Add radiam constraint Dodaj polumjer-promjer ograničenje - - - - + + + + Add angle constraint Dodajte ograničenje kuta - + Swap point on object and tangency with point to curve tangency - Swap point on object and tangency with point to curve tangency + Zamijenite točka na objektu i dodiruje sa točka na tangentnosti krivulje - - + + Add equality constraint Dodajte ograničenje jednakosti - - - - - + + + + + Add symmetric constraint Dodajte ograničenje simetrije - + Add Snell's law constraint Dodajte ograničenje Snell's law - + Toggle constraint to driving/reference Uključivanje ograničenja na pogon / referencu @@ -1885,22 +1889,22 @@ invalid constraints, degenerated geometry, etc. Preusmjeravanje skice - + Attach sketch Priloži skicu - + Detach sketch Skini skicu - + Create a mirrored sketch for each selected sketch Stvorite zrcalnu skicu za svaku odabranu skicu - + Merge sketches Spajanje skica @@ -2088,7 +2092,7 @@ invalid constraints, degenerated geometry, etc. - + Add auto constraints Dodajte automatska ograničenja @@ -2168,23 +2172,23 @@ invalid constraints, degenerated geometry, etc. Add sketch bSpline - Add sketch bSpline + Dodaj B-spline skici Add sketch B-spline - Add sketch B-spline + Dodaj B-spline skici Add line to sketch polyline - Add line to sketch polyline + Dodaj liniju na žicu skice Add arc to sketch polyline - Add arc to sketch polyline + Dodaj luk na žicu skice @@ -2198,61 +2202,63 @@ invalid constraints, degenerated geometry, etc. Exceptions - + Unable to guess intersection of curves. Try adding a coincident constraint between the vertices of the curves you are intending to fillet. Nije moguće odrediti sjecište krivulje. Pokušajte dodati podudarno ograničenje između vrhova krivulje koju namjeravate zaobliti. - + You are requesting no change in knot multiplicity. Vi zahtijevate: bez promjena u mnoštvu čvorova. - - + + B-spline Geometry Index (GeoID) is out of bounds. - B-spline Geometry Index (GeoID) is out of bounds. + B-spline Indeks Geometrije (GeoID) je izvan graničnih okvira. - - + + The Geometry Index (GeoId) provided is not a B-spline. - The Geometry Index (GeoId) provided is not a B-spline. + Indeks Geometrija (GeoId) pod uvjetom da nije B-spline krivulja. - + The knot index is out of bounds. Note that in accordance with OCC notation, the first knot has index 1 and not zero. Čvor indeks je izvan granica. Imajte na umu da u skladu s OCC notacijom, prvi čvor ima indeks 1 a ne nula. - + The multiplicity cannot be increased beyond the degree of the B-spline. Mnoštvo se ne može povećavati iznad stupanja mnoštva b-spline krive. - + The multiplicity cannot be decreased beyond zero. Mnoštvo se ne može smanjiti ispod nule. - + OCC is unable to decrease the multiplicity within the maximum tolerance. OCC je uspio smanjiti mnoštvo unutar maksimalne tolerancije. - + Knot cannot have zero multiplicity. Čvor ne može sa nulom multiplicirati. - + Knot multiplicity cannot be higher than the degree of the B-spline. - Knot multiplicity cannot be higher than the degree of the B-spline. + Mnoštvo čvorova ne može biti veće od stupnja B-spline krivulje . + + - + Knot cannot be inserted outside the B-spline parameter range. - Knot cannot be inserted outside the B-spline parameter range. + Čvor se ne može umetnuti izvan raspona parametara B-spline krivulje. @@ -2271,37 +2277,37 @@ invalid constraints, degenerated geometry, etc. Autoconstraint error: Unsolvable sketch while applying coincident constraints. - Autoconstraint error: Unsolvable sketch while applying coincident constraints. + Automatsko ograničenje, pogreška: nerješiva skica prilikom primjene podudarnih ograničenja. Autoconstraint error: Unsolvable sketch while applying vertical/horizontal constraints. - Autoconstraint error: Unsolvable sketch while applying vertical/horizontal constraints. + Automatsko ograničenje, pogreška: nerješiva skica prilikom primjene okomitih/vodoravnih ograničenja. Autoconstraint error: Unsolvable sketch while applying equality constraints. - Autoconstraint error: Unsolvable sketch while applying equality constraints. + Automatsko ograničenje, pogreška: nerješiva skica prilikom primjene izjednačavajućih ograničenja. Autoconstraint error: Unsolvable sketch without constraints. - Autoconstraint error: Unsolvable sketch without constraints. + Automatsko ograničenje, pogreška: nerješiva skica bez ograničenja. Autoconstraint error: Unsolvable sketch after applying horizontal and vertical constraints. - Autoconstraint error: Unsolvable sketch after applying horizontal and vertical constraints. + Automatsko ograničenje, pogreška: nerješiva skica nakon primjene vodoravnih i okomitih ograničenja. Autoconstraint error: Unsolvable sketch after applying point-on-point constraints. - Autoconstraint error: Unsolvable sketch after applying point-on-point constraints. + Automatsko ograničenje, pogreška: nerješiva skica nakon primjene točka na točku ograničenja. Autoconstraint error: Unsolvable sketch after applying equality constraints. - Autoconstraint error: Unsolvable sketch after applying equality constraints. + Automatsko ograničenje, pogreška: nerješiva skica nakon primjene izjednačavajućih ograničenja. @@ -2360,7 +2366,7 @@ invalid constraints, degenerated geometry, etc. - + Don't attach Nemoj pridodati @@ -2382,123 +2388,123 @@ invalid constraints, degenerated geometry, etc. - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + - - - - - - + + + + + + + + @@ -2564,116 +2570,118 @@ invalid constraints, degenerated geometry, etc. Jedan od odabranih mora biti na skici. - + Select an edge from the sketch. Odaberite rub skice. - - - - - - + + + + + + Impossible constraint Nemoguće ograničenje - - + + The selected edge is not a line segment. Odabrani rub nije segment linije. - - - + + + Double constraint Ograničenje dvaput - + The selected edge already has a horizontal constraint! Odabrani rub već ima vodoravno ograničenje! - + The selected edge already has a vertical constraint! Odabrani rub već ima okomito ograničenje! - - - + + + The selected edge already has a Block constraint! Odabrani rub već ima blok ograničenje! - + There are more than one fixed points selected. Select a maximum of one fixed point! Odabrano više od jedne fiksne točke. Odaberite najviše jednu fiksnu točku! - - - + + + Select vertices from the sketch. Odaberite samo vrhove sa skice. - + Select one vertex from the sketch other than the origin. Odaberite jednu vrh točku iz skice koja nije u ishodištu. - + Select only vertices from the sketch. The last selected vertex may be the origin. Odaberite samo krajnje točke skice. Posljednje odabrana tjemena točka je možda ishodište. - + Wrong solver status Pogrešan status alata za rješavanje (solver) - + A Block constraint cannot be added if the sketch is unsolved or there are redundant and conflicting constraints. Blok ograničenja ne može biti dodan ako skica nije riješena ili postoje redundantna i/ili proturječna ograničenja. - + Select one edge from the sketch. Odaberite jedan rub skice. - + Select only edges from the sketch. Odaberite samo rubove sa skice. - + None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. - None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. + Nijedna od odabranih točaka nije ograničena na dotične krivulje, jer su dio istog elementa, jer su obje vanjska geometrija ili zato što rub ne ispunjava uvjete. - + Only tangent-via-point is supported with a B-spline. Samo tangenta s pomoćnom točkom se podržava za B-krivu - - + + Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. - Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. + Odaberite samo jedan ili više B-spline stupova ili samo jedan ili više lukova ili krugova sa skice, ali ne i mejšano. + + - + Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. Constraint_SnellsLaw - Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. + Odaberite dvije krajnje točke linije kao zrake, rub predstavlja granicu. Prva odabrana točka odgovara indeksu n1, druga indeksu n2 a vrijednost polazišta postavlja omjer na n2/n1. - + Number of selected objects is not 3 Broj odabranih objekata nije 3 @@ -2690,80 +2698,80 @@ invalid constraints, degenerated geometry, etc. Neočekivana greška. Potražite više informacija u Pregledu izvješća. - + The selected item(s) can't accept a horizontal or vertical constraint! Odabrana stavka(e) ne mogu prihvatiti vodoravno ili uspravno ograničenje! - + Endpoint to endpoint tangency was applied instead. Tangenta od krajnje točka do krajnje točke je primijenjena umjesto toga. - + Select two or more vertices from the sketch for a coincident constraint, or two or more circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Odaberite dva ili više vrhova sa skice za koincidentno ograničenje, ili dva ili više krugova, elipsa, lukova ili lukova elipse za koncentrično ograničenje. - + Select two vertices from the sketch for a coincident constraint, or two circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Odaberite dva vrha sa skice za koincidentno ograničenje ili dva kruga, elipse, lukove ili lukove elipse za koncentrično ograničenje. - + Select exactly one line or one point and one line or two points from the sketch. Odaberite točno jednu liniju ili jednu točku i jednu liniju ili dvije točke iz skice. - + Cannot add a length constraint on an axis! Ne možete dodati ograničenje duljine na osi! - - + + Select exactly one line or one point and one line or two points or two circles from the sketch. Izaberi točno jednu liniju ili jednu točku i jednu liniju ili dvije točke ili dva kruga na skici. - + This constraint does not make sense for non-linear curves. Ovo ograničenje nema smisla za nelinearne krivulje. - + Endpoint to edge tangency was applied instead. Tangenta od krajnje točka do ruba je primijenjena umjesto toga. - - - - - - + + + + + + Select the right things from the sketch. Odaberite prave stvari sa skice. - - - - - - - - - + + + + + + + + - - - - - - - - + + + + + + + + + Select an edge that is not a B-spline weight. Odaberite rub koji nije težina B-krive. @@ -2774,87 +2782,87 @@ invalid constraints, degenerated geometry, etc. Jedna ili dvije točke ograničenja na objektu su obrisane, najnovije primijenjeno interno ograničenje također primjenjuje točku na objektu. - + Select either several points, or several conics for concentricity. Odaberite nekoliko točaka ili nekoliko konusa za koncentricitet. - + Select either one point and several curves, or one curve and several points Izaberi ili jednu točku i nekoliko krivulja, ili jednu krivulju i nekoliko točaka - + Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. Izaberite jednu točku i nekoliko krivulja ili jednu krivulju i nekoliko točaka za točkaNaObjktu, ili nekoliko točaka za podudarnost, ili nekoliko konusa za koncentričnost. - + None of the selected points were constrained onto the respective curves, either because they are parts of the same element, or because they are both external geometry. Nijedna od odabranih točaka nije bila je ograničena na dotične krivulje, ili su dijelovi isti element, ili su oba vanjske geometrije. - + Cannot add a length constraint on this selection! Ne mogu dodati ograničenje duljine na ovaj odabir! - - - - + + + + Select exactly one line or up to two points from the sketch. Odaberite točno jednu liniju ili do dvije točke iz skice. - + Cannot add a horizontal length constraint on an axis! Nemoguće je dodati ograničenje duljine na os! - + Cannot add a fixed x-coordinate constraint on the origin point! Nije moguće dodati fiksno ograničenje X koordinate na točku ishodišta! - - + + This constraint only makes sense on a line segment or a pair of points. Ovo ograničenje samo ima smisla na segmentu crte ili paru točaka. - + Cannot add a vertical length constraint on an axis! Nemoguće je dodati ograničenje duljine na os! - + Cannot add a fixed y-coordinate constraint on the origin point! Nije moguće dodati fiksno ograničenje Y koordinate na točku ishodišta! - + Select two or more lines from the sketch. Odaberite dvije ili više linija iz skice. - + One selected edge is not a valid line. Jedan odabrani rub nije valjana linija. - - + + Select at least two lines from the sketch. Odaberite barem dvije linije iz skice. - + The selected edge is not a valid line. Odabrani rub nije valjana linija. - + There is a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2864,35 +2872,35 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Prihvatljive kombinacije: dvije krivulje; jedna krajnja točka i krivulja; dvije krajnje točke; dvije krivulje i točka. - + Select some geometry from the sketch. perpendicular constraint Odaberite neke geometrije sa skice. - - + + Cannot add a perpendicularity constraint at an unconnected point! Nemoguće je postaviti okomicu na nepovezanoj točki! - - + + One of the selected edges should be a line. Jedan od doabranih rubova bi trebala biti linija. - + Endpoint to endpoint tangency was applied. The coincident constraint was deleted. Primijenjena je tangenta krajnja točka do krajnje točke. Podudarna ograničenja su izbrisana. - + Endpoint to edge tangency was applied. The point on object constraint was deleted. Primijenjena je tangenta krajnja točka do ruba. Točka na objekt ograničenja su izbrisana. - + There are a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2902,61 +2910,61 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Prihvatljive kombinacije: dvije krivulje; jedna krajnja točka i krivulja; dvije krajnje točke; dvije krivulje i točka. - + Select some geometry from the sketch. tangent constraint Odaberite neke geometrije sa skice. - - - + + + Cannot add a tangency constraint at an unconnected point! Nemoguće je postaviti tangentu u nepovezanoj točki! - - + + Tangent constraint at B-spline knot is only supported with lines! Ograničenje tangente na B-krivulja čvoru podržano je samo s linijama! - + B-spline knot to endpoint tangency was applied instead. B-krivulja od krajnje točka do krajnje točke je primijenjena umjesto toga. - - + + Wrong number of selected objects! Pogrešan broj odabranih objekata! - - + + With 3 objects, there must be 2 curves and 1 point. Sa 3 objekta, ondje mora biti 2 krivulje i 1 točka. - - - - - - + + + + + + Select one or more arcs or circles from the sketch. Odaberite jedan ili više lukova ili krugovima iz skice. - - - + + + Constraint only applies to arcs or circles. Ograničenje se odnosi samo na lukove i krugove. - - + + Select one or two lines from the sketch. Or select two edges and a point. Odaberite jednu ili dvije linije na skici. Ili odaberite dva ruba i točku. @@ -2971,89 +2979,89 @@ Prihvatljive kombinacije: dvije krivulje; jedna krajnja točka i krivulja; dvije Kut ograničenje ne može se postaviti za dvije paralelne linije. - + Cannot add an angle constraint on an axis! Nemoguće je dodati ograničenje kuta osi! - + Select two edges from the sketch. Odaberite dva ruba iz skice. - + Select two or more compatible edges. Odaberite dva ili više kompatibilnih rubova. - + Sketch axes cannot be used in equality constraints. Osi skice ne mogu se koristiti u ograničenjima jednakosti. - + Equality for B-spline edge currently unsupported. Izjednačavanje na rub B-Spline krive trenutno nije podržano. - - - + + + Select two or more edges of similar type. Odaberite dva ili više rubova sličnog tipa. - - - - - + + + + + Select two points and a symmetry line, two points and a symmetry point or a line and a symmetry point from the sketch. Odaberite dvije točke i liniju simetrije, dvije točke i točku simetrije ili liniju i točku simetrije iz skice. - - + + Cannot add a symmetry constraint between a line and its end points. Nije moguće dodati ograničenje simetrije između crte i njenih krajnjih točaka. - - - - + + + + Cannot add a symmetry constraint between a line and its end points! Nemoguće je postaviti simetriju između linije i njenih vrhova! - + Selected objects are not just geometry from one sketch. Odabrani objekti nisu samo geometrije iz jedne skice. - + Cannot create constraint with external geometry only. Ne možete stvoriti ograničenja samo s vanjskom geometrijom. - + Incompatible geometry is selected. Nespojiva geometrije je odabrana. - + Select one dimensional constraint from the sketch. - Select one dimensional constraint from the sketch. + Odaberite jedno dimenzijsko ograničenje sa skice. - - - - - + + + + + Select constraints from the sketch. Odaberite ograničenja sa skice. @@ -3104,17 +3112,19 @@ Prihvatljive kombinacije: dvije krivulje; jedna krajnja točka i krivulja; dvije At least one of the selected objects was not a B-spline and was ignored. - At least one of the selected objects was not a B-spline and was ignored. + Barem jedan od odabranih objekata nije bio B-spline, i bio je zanemaren. Nothing is selected. Please select a B-spline. - Nothing is selected. Please select a B-spline. + Ništa nije odabrano. Odaberite B-spline krivulju. Please select a B-spline to insert a knot (not a knot on it). If the curve is not a B-spline, please convert it into one first. - Please select a B-spline to insert a knot (not a knot on it). If the curve is not a B-spline, please convert it into one first. + Odaberite krivulju B-spline krivulja da biste umetnuli čvor (ne čvor na njoj). Ako krivulja nije B-spline krivulja, prvo je pretvorite u jednu. + + @@ -3282,7 +3292,7 @@ Prihvatljive kombinacije: dvije krivulje; jedna krajnja točka i krivulja; dvije B-spline parameters - B-spline parameters + Parametari B-spline krivulje @@ -3594,12 +3604,12 @@ Prihvatljive kombinacije: dvije krivulje; jedna krajnja točka i krivulja; dvije Duljina: - + Refractive index ratio Omjer indeksa loma - + Ratio n2/n1: Omjer n2/n1: @@ -4108,12 +4118,12 @@ Za stupanje na snagu zahtijeva ponovni ulazak u način uređivanja. Disables the shaded view when entering the sketch edit mode. - Disables the shaded view when entering the sketch edit mode. + Onemogućuje osjenčani prikaz pri ulasku u način Uređivanja skice. Disable shading in edit mode - Disable shading in edit mode + Onemogući sjenčanje u načinu uređivanja @@ -4245,12 +4255,12 @@ Ova postavka vrijedi samo za alatnu traku. Bez obzira što ste odabrali, svi ala Dimensions only - Dimensions only + Samo Dimenzije Position and dimensions - Position and dimensions + Položaj i dimenzije @@ -4867,27 +4877,27 @@ Međutim, nema povezanih ograničenja na krajnje točake. Click to select these conflicting constraints. - Click to select these conflicting constraints. + Kliknite za odabir ovih sukobljenih ograničenja. Click to select these redundant constraints. - Click to select these redundant constraints. + Kliknite za odabir ovih suvišnih ograničenja. The sketch has unconstrained elements giving rise to those Degrees Of Freedom. Click to select these unconstrained elements. - The sketch has unconstrained elements giving rise to those Degrees Of Freedom. Click to select these unconstrained elements. + Neograničeni elementi skice dovode do tih stupnjeva slobode.. Kliknite za odabir ovih neograničenih elemenata skice. Click to select these malformed constraints. - Click to select these malformed constraints. + Kliknite za odabir ovih deformiranih ograničenja. Some constraints in combination are partially redundant. Click to select these partially redundant constraints. - Some constraints in combination are partially redundant. Click to select these partially redundant constraints. + Neke su kombinacije ograničenja djelomično redundantne. Kliknite za odabir ovih ograničenja koja su djelomično redundantna. @@ -5167,7 +5177,7 @@ To se radi analizom geometrije i ograničenja skice. Under-constrained: - Under-constrained: + Premalo ograničen: @@ -5279,8 +5289,8 @@ To se radi analizom geometrije i ograničenja skice. Sketcher_ConstrainDiameter - - + + Fix the diameter of a circle or an arc Popravi promjer kruga ili luka @@ -5310,12 +5320,12 @@ To se radi analizom geometrije i ograničenja skice. By control points - By control points + Kroz kontrolne točke By knots - By knots + Kroz čvorove @@ -5432,63 +5442,73 @@ To se radi analizom geometrije i ograničenja skice. Sketcher_MapSketch - + No sketch found Nema skice - + + Cannot attach sketch to itself! + Cannot attach sketch to itself! + + + The document doesn't have a sketch Dokument nema skicu - + Select sketch Odaberite skicu - + + Select a sketch (some sketches not shown to prevent a circular dependency) + Select a sketch (some sketches not shown to prevent a circular dependency) + + + Select a sketch from the list Odabir skica s popisa - + (incompatible with selection) (nije u skladu sa odabirom) - + (current) (trenutno) - + (suggested) (predložen) - + Sketch attachment Dodatak Skici - + Current attachment mode is incompatible with the new selection. Select the method to attach this sketch to selected objects. Trenutni način dodavanja nije kompatibilan s novim odabirom. Odaberite način da dodate ovu skicu na odabrane objekte. - + Select the method to attach this sketch to selected objects. Odaberite način da dodate ovu skicu na odabrane objekte. - + Map sketch Preslikaj skicu - + Can't map a sketch to support: %1 Nije moguće preslikati skicu za podršku: @@ -6040,22 +6060,22 @@ Razmak mreže se mijenja ako postane manji od ovog broja piksela. GridSpaceAction - + Grid auto spacing Mreža - Automatski razmak - + Resize grid automatically depending on zoom. Automatski promijenite veličinu mreže ovisno o zumiranju. - + Spacing Razmak - + Distance between two subsequent grid lines. Udaljenost između dvije uzastopne linije rešetke. @@ -6064,17 +6084,17 @@ Razmak mreže se mijenja ako postane manji od ovog broja piksela. Notifications - + The Sketch has malformed constraints! Skica ima deformirana ograničenja! - + The Sketch has partially redundant constraints! Skica ima djelomično suvišna ograničenja! - + Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! Parabole su migrirane. Migrirane datoteke neće se otvoriti u prethodnim verzijama FreeCAD-a!! @@ -6125,7 +6145,7 @@ Razmak mreže se mijenja ako postane manji od ovog broja piksela. Selection has no valid geometries. B-splines and points are not supported yet. - Selection has no valid geometries. B-splines and points are not supported yet. + Odabrana područja nemaju važeće geometrije. B-splines krivulje i točke još nisu podržani. @@ -6152,8 +6172,8 @@ Razmak mreže se mijenja ako postane manji od ovog broja piksela. - - + + Invalid Constraint Neispravno ograničenje @@ -6191,12 +6211,13 @@ Razmak mreže se mijenja ako postane manji od ovog broja piksela. Error deleting last pole/knot - Error deleting last pole/knot + +Greška kod brisanja zadnjeg pola/čvora Error adding B-spline pole/knot - Error adding B-spline pole/knot + Greška dodavanja pola/čvora B-spline krivulje @@ -6360,34 +6381,34 @@ Razmak mreže se mijenja ako postane manji od ovog broja piksela. SnapSpaceAction - + Snap to objects Prikvači se na objekte - + New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. Nove točke će se prikvačiti na trenutno predodabrani objekt. Prikvačit će se i na sredinu linija i lukova. - + Snap to grid Prikvači na mrežu - + New points will snap to the nearest grid line. Points must be set closer than a fifth of the grid spacing to a grid line to snap. Nove točke prikvačit će se na najbliže linije rešetke. Točke moraju biti postavljene bliže od petine razdaljine rešetke kako bi se prikačile na liniju rešetke. - + Snap angle Prikvači na kut - + Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. Korak kuta za alate koji koriste 'Prikačai na kut' (na primjer, linija). Držite CTRL da biste omogućili 'Prikačai na kut'. Kut počinje od pozitivne X osi skice. @@ -6395,23 +6416,23 @@ Točke moraju biti postavljene bliže od petine razdaljine rešetke kako bi se p RenderingOrderAction - - - + + + Normal Geometry Normalna Geometrija - - - + + + Construction Geometry Konstrukcijska Geometrija - - - + + + External Geometry Vanjska Geometrija @@ -6419,12 +6440,12 @@ Točke moraju biti postavljene bliže od petine razdaljine rešetke kako bi se p CmdRenderingOrder - + Configure rendering order Konfiguriraj redoslijed iscrtavanja - + Reorder the items in the list to configure rendering order. Prilagodi redoslijed iscrtavanja promjenom stavki u listi. @@ -6432,12 +6453,12 @@ Točke moraju biti postavljene bliže od petine razdaljine rešetke kako bi se p CmdSketcherGrid - + Toggle grid Pokaži/Sakrij rešetku - + Toggle the grid in the sketch. In the menu you can change grid settings. Uključi/isključi mrežu u skici. Postavke mreže možete promijeniti u meniju. @@ -6445,12 +6466,12 @@ Točke moraju biti postavljene bliže od petine razdaljine rešetke kako bi se p CmdSketcherSnap - + Toggle snap Uključi/Isključi prikvači - + Toggle all snap functionality. In the menu you can toggle 'Snap to grid' and 'Snap to objects' individually, and change further snap settings. Postavke za prikači funkcije možete promijeniti u izborniku. @@ -6484,12 +6505,12 @@ Točke moraju biti postavljene bliže od petine razdaljine rešetke kako bi se p CmdSketcherDimension - + Dimension Dimenzija - + Constrain contextually based on your selection. Depending on your selection you might have several constraints available. You can cycle through them using M key. Left clicking on empty space will validate the current constraint. Right clicking or pressing Esc will cancel. @@ -6528,12 +6549,12 @@ Alati dimenzija. CmdSketcherConstrainRadius - + Constrain radius Ograniči radijus - + Fix the radius of a circle or an arc Fiksiraj radijus kruga ili luka @@ -6668,16 +6689,16 @@ Alati dimenzija. Izbriši originalne geometrije (U) - + Apply equal constraints - Apply equal constraints + Primijenite jednaka ograničenja - + If this option is selected dimensional constraints are excluded from the operation. Instead equal constraints are applied between the original objects and their copies. - If this option is selected dimensional constraints are excluded from the operation. -Instead equal constraints are applied between the original objects and their copies. + Ako je ova opcija odabrana, dimenzijska ograničenja su isključena iz operacije. +Umjesto toga, primjenjuju se jednaka ograničenja između izvornih objekata i njihovih kopija. @@ -6745,12 +6766,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherCompHorizontalVertical - + Constrain horizontal/vertical - Constrain horizontal/vertical + Ograniči vodoravno/okomito - + Constrains a single line to either horizontal or vertical. Ograniči jednu liniju ili vodoravno ili uspravno @@ -6758,12 +6779,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainHorVer - + Constrain horizontal/vertical - Constrain horizontal/vertical + Ograniči vodoravno/okomito - + Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. Ograničava jednu liniju ili vodoravno ili uspravno, u zavisnosti koja je bliža na trenutno poravnavanje. @@ -6810,12 +6831,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainCoincidentUnified - + Constrain coincident Ograničiti zajedničko - + Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses Stvorite koincidentno ograničenje između točaka ili učvrstite točku na jedan rub, ili koncentrično ograničenje između krugova, lukova i elipsa @@ -6825,7 +6846,7 @@ Instead equal constraints are applied between the original objects and their cop Rotate / Polar transform - Rotate / Polar transform + Rotacija / Polarna transformacija @@ -6929,12 +6950,12 @@ Instead equal constraints are applied between the original objects and their cop Color of fully constrained internal alignment geometry in edit mode - Color of fully constrained internal alignment geometry in edit mode + Boja potpuno ograničene geometrije unutarnjeg porananja u modu uređivanja Color of internal alignment geometry in edit mode - Color of internal alignment geometry in edit mode + Boja geometrije unutarnjeg poravnanja u modu uređivanja @@ -6954,7 +6975,7 @@ Instead equal constraints are applied between the original objects and their cop Color of dimensional driving constraints in edit mode - Color of dimensional driving constraints in edit mode + Boja upravljanja dimenzionalnih ograničenja u načinu uređivanja @@ -6964,7 +6985,7 @@ Instead equal constraints are applied between the original objects and their cop Color of vertices outside edit mode - Color of vertices outside edit mode + Boja vrhova izvan načina uređivanja @@ -6974,7 +6995,7 @@ Instead equal constraints are applied between the original objects and their cop Color of edges outside edit mode - Color of edges outside edit mode + Boja rubova izvan načina uređivanja @@ -7105,7 +7126,7 @@ Instead equal constraints are applied between the original objects and their cop TaskSketcherTool_p4_rotate - + Copies (+'U'/ -'J') Broj kopija (+'U'/ -'J') @@ -7201,7 +7222,7 @@ Instead equal constraints are applied between the original objects and their cop Move / Array transform - Move / Array transform + Premjesti/ Transformacija-matrice @@ -7353,12 +7374,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainTangent - + Constrain tangent or collinear Tangencijalno ili kolinearno ograničenje - + Create a tangent or collinear constraint between two entities Stvorite tangencijalno ili kolinearno ograničenje između dva entiteta @@ -7366,14 +7387,14 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherChangeDimensionConstraint - + Change value Promjena vrijednosti - + Change the value of a dimensional constraint - Change the value of a dimensional constraint + Promijenite vrijednost dimenzionalnog ograničenja @@ -7408,12 +7429,12 @@ Instead equal constraints are applied between the original objects and their cop Toggle constraints - Toggle constraints + Prebacivanje ograničenja Toggle constrain tools. - Toggle constrain tools. + Prebacivanja Alat ograničenja @@ -7421,7 +7442,7 @@ Instead equal constraints are applied between the original objects and their cop Press F to undo last point. - Press F to undo last point. + Pritisnite F za poništavanje zadnje točke. @@ -7431,25 +7452,25 @@ Instead equal constraints are applied between the original objects and their cop Create a periodic B-spline. - Create a periodic B-spline. + Napravite periodične B-spline krivulje. Sketcher_ConstrainRadius - - + + Fix the radius of an arc or a circle - Fix the radius of an arc or a circle + Fiksirajte polumjer luka ili kruga Sketcher_ConstrainRadiam - - + + Fix the radius/diameter of an arc or a circle - Fix the radius/diameter of an arc or a circle + Fiksirajte polumjer/promjer luka ili kruga @@ -7457,14 +7478,14 @@ Instead equal constraints are applied between the original objects and their cop Apply equal constraints - Apply equal constraints + Primijenite jednaka ograničenja If this option is selected dimensional constraints are excluded from the operation. Instead equal constraints are applied between the original objects and their copies. - If this option is selected dimensional constraints are excluded from the operation. -Instead equal constraints are applied between the original objects and their copies. + Ako je ova opcija odabrana, dimenzijska ograničenja su isključena iz operacije. +Umjesto toga, primjenjuju se jednaka ograničenja između izvornih objekata i njihovih kopija. diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_hu.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_hu.ts index 6e05f70365cf..8b2eb3861010 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_hu.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_hu.ts @@ -128,27 +128,27 @@ CmdSketcherCompConstrainRadDia - + Constrain arc or circle Kör vagy körív kényszer - + Constrain an arc or a circle Egy kör vagy körív kényszerítése - + Constrain radius Sugár illesztés - + Constrain diameter Átmérő kényszer - + Constrain auto radius/diameter Kényszeríti az automatikus sugarat/átmérőt @@ -307,12 +307,12 @@ CmdSketcherConstrainAngle - + Constrain angle Szög zárolása - + Fix the angle of a line or the angle between two lines Rögzítsen szöget a vonalon, vagy a szöget két vonalon @@ -320,12 +320,12 @@ CmdSketcherConstrainBlock - + Constrain block Kényszerítő kocka - + Block the selected edge from moving A kijelölt él mozgásának letiltása @@ -333,12 +333,12 @@ CmdSketcherConstrainCoincident - + Constrain coincident Egymásra llesztés - + Create a coincident constraint between points, or a concentric constraint between circles, arcs, and ellipses Konvergens kényszer létrehozása pontok között vagy koncentrikus kötés létrehozása körök, ívek és ellipszisek között @@ -346,12 +346,12 @@ CmdSketcherConstrainDiameter - + Constrain diameter Átmérő kényszer - + Fix the diameter of a circle or an arc Rögzíteni egy kör vagy egy ív átmérőjét @@ -359,12 +359,12 @@ CmdSketcherConstrainDistance - + Constrain distance Távolság kényszer - + Fix a length of a line or the distance between a line and a vertex or between two circles Vonal hosszának rögzítése vagy adott távolság tartása két kör között @@ -372,12 +372,12 @@ CmdSketcherConstrainDistanceX - + Constrain horizontal distance Vízszintes távolság zárolása - + Fix the horizontal distance between two points or line ends Két pont közötti vagy vonal végek közötti vízszintes távolság zárolása @@ -385,12 +385,12 @@ CmdSketcherConstrainDistanceY - + Constrain vertical distance Függőleges távolság kényszerítése - + Fix the vertical distance between two points or line ends Két pont közötti vagy vonal végek közötti függőleges távolság zárolása @@ -398,12 +398,12 @@ CmdSketcherConstrainEqual - + Constrain equal Illesztás megtartása - + Create an equality constraint between two lines or between circles and arcs Hozzon létre egy egyenlőség illesztést két vonal között, illetve körök és ívek között @@ -411,12 +411,12 @@ CmdSketcherConstrainHorizontal - + Constrain horizontal Vîzszintes kényszerítés - + Create a horizontal constraint on the selected item Vízszintes illesztés létrehozása a kiválasztott elemen @@ -424,12 +424,12 @@ CmdSketcherConstrainLock - + Constrain lock Illesztés zárolása - + Create both a horizontal and a vertical distance constraint on the selected vertex Vízszintes és függőleges távolságkényszerítés létrehozása @@ -439,12 +439,12 @@ a kijelölt csúcsponton CmdSketcherConstrainParallel - + Constrain parallel Párhuzamosság tartása - + Create a parallel constraint between two lines Két vonal közötti párhuzamos kényszerítés @@ -452,12 +452,12 @@ a kijelölt csúcsponton CmdSketcherConstrainPerpendicular - + Constrain perpendicular Merőleges illesztés - + Create a perpendicular constraint between two lines Merőleges illesztést hoz létre két vonal közt @@ -465,12 +465,12 @@ a kijelölt csúcsponton CmdSketcherConstrainPointOnObject - + Constrain point on object Pont kényszerítése a tárgyon - + Fix a point onto an object Pont rögzítése egy tárgyra @@ -478,12 +478,12 @@ a kijelölt csúcsponton CmdSketcherConstrainRadiam - + Constrain auto radius/diameter Kényszeríti az automatikus sugarat/átmérőt - + Fix the diameter if a circle is chosen, or the radius if an arc/spline pole is chosen Beállítja az átmérőt kör kiválasztásakor, illetve a sugarat, ha ív/görbe pólus van kiválasztva @@ -491,12 +491,12 @@ a kijelölt csúcsponton CmdSketcherConstrainSnellsLaw - + Constrain refraction (Snell's law) Illesztés törésmutatója (Snellius–Descartes-törvény) - + Create a refraction law (Snell's law)constraint between two endpoints of rays and an edge as an interface. Hozzon létre egy fénytörés törvény (Snellius-törvény) kényszerítést sugarak két végpontja között és egy élt mint határfelületet. @@ -505,12 +505,12 @@ and an edge as an interface. CmdSketcherConstrainSymmetric - + Constrain symmetric Szimmetria kényszerítés - + Create a symmetry constraint between two points with respect to a line or a third point Állítsa be a szimmetriát két pont között egy vonalhoz vagy egy harmadik ponthoz képest @@ -519,12 +519,12 @@ with respect to a line or a third point CmdSketcherConstrainVertical - + Constrain vertical Függőleges kényszerítés - + Create a vertical constraint on the selected item Függőleges kényszerítés alkalmazása a kijelölt elemen @@ -1066,7 +1066,7 @@ Először válassza ki a támogató geometriát, például egy felületet vagy e majd hívja meg ezt a parancsot, majd válassza ki a kívánt vázlatot. - + Some of the selected objects depend on the sketch to be mapped. Circular dependencies are not allowed. Néhány kiválasztott tárgy a leképzett vázlattól függ. Körkörös függőség nem megengedett. @@ -1074,22 +1074,22 @@ majd hívja meg ezt a parancsot, majd válassza ki a kívánt vázlatot. CmdSketcherMergeSketches - + Merge sketches Vázlatok egyesítése - + Create a new sketch from merging two or more selected sketches. Hozzon létre egy új vázlatot két vagy több kijelölt vázlat egyesítésével. - + Wrong selection Hibás kijelölés - + Select at least two sketches. Válasszon ki legalább két vázlatot. @@ -1097,12 +1097,12 @@ majd hívja meg ezt a parancsot, majd válassza ki a kívánt vázlatot. CmdSketcherMirrorSketch - + Mirror sketch Vázlat tükrözés - + Creates a new mirrored sketch for each selected sketch by using the X or Y axes, or the origin point, as mirroring reference. @@ -1111,12 +1111,12 @@ az X- vagy Y-tengelyek, illetve az kezdőpont segítségével, tükrözési hivatkozásként. - + Wrong selection Rossz kijelölés - + Select one or more sketches. Válasszon egy vagy több vázlatot. @@ -1370,12 +1370,12 @@ A 'Melléklet támogatás' tulajdonság törlődik, ha van. CmdSketcherToggleActiveConstraint - + Activate/deactivate constraint Kényszerítés bekapcsolása/kikapcsolása - + Activates or deactivates the selected constraints A kijelölt kényszerítések engedélyezése vagy letiltása @@ -1396,12 +1396,12 @@ A 'Melléklet támogatás' tulajdonság törlődik, ha van. CmdSketcherToggleDrivingConstraint - + Toggle driving/reference constraint Kényszerítés váltása a meghatározott és a megjelenített között - + Set the toolbar, or the selected constraints, into driving or reference mode Állítsa be az eszköztárat vagy a kijelölt kényszerítéseket, @@ -1424,24 +1424,24 @@ megvezetett vagy hivatkozási üzemmódban CmdSketcherValidateSketch - + Validate sketch... Érvényesíti a vázlatot... - + Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. Érvényesíti a vázlatot a hiányzó egyezőségek keresésével, érvénytelen kényszerítések, elkorcsosult geometriát stb. - + Wrong selection Rossz kijelölés - + Select only one sketch. Egyetlen vázlat kiválasztása. @@ -1449,12 +1449,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSection - + View section Szakasz nézete - + When in edit mode, switch between section view and full view. Szerkesztési módban váltson a szakasznézet és a teljes nézet között. @@ -1462,12 +1462,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSketch - + View sketch vázlat nézet - + When in edit mode, set the camera orientation perpendicular to the sketch plane. Szerkesztési módban állítsa be a kamera tájolását merőlegesre a vázlatsíkra. @@ -1475,69 +1475,69 @@ invalid constraints, degenerated geometry, etc. Command - + Add 'Lock' constraint 'Zár' kényszerítés hozzáadása - + Add relative 'Lock' constraint Viszonyított 'Zár' kényszerítés hozzáadása - + Add fixed constraint Rögzített kényszerítést ad hozzá - + Add 'Block' constraint 'Blokk' kényszerítés hozzáadása - + Add block constraint Blokk kényszerítés hozzáadása - - + + Add coincident constraint Véletlenszerű kényszerítés hozzáadása - - + + Add distance from horizontal axis constraint Vízszintes tengelymegkötéstől való távolság hozzáadása - - + + Add distance from vertical axis constraint Függőleges tengelymegkötéstől való távolság hozzáadása - - + + Add point to point distance constraint Ponttól pontig távolság kényszerítést ad hozzá - - + + Add point to line Distance constraint Ponttól a vonalig távolság kényszerítést ad hozzá - - + + Add circle to circle distance constraint Kör hozzáadása a kör távolsági kényszerítéséhez - + Add circle to line distance constraint Kör hozzáadása a vonal távolsági kényszerítéséhez @@ -1546,16 +1546,16 @@ invalid constraints, degenerated geometry, etc. - - - + + + Add length constraint Hossz kényszerítés hozzáadása - + Dimension Dimenzió @@ -1572,7 +1572,7 @@ invalid constraints, degenerated geometry, etc. - + Add Distance constraint Távolság kényszerítés hozzáadása @@ -1650,7 +1650,7 @@ invalid constraints, degenerated geometry, etc. Sugár kényszerítés hozzáadása - + Activate/Deactivate constraints Kényszerítések bekapcsolása/kikapcsolása @@ -1666,23 +1666,23 @@ invalid constraints, degenerated geometry, etc. Koncentrikus és hosszúsági kényszerítés hozzáadása - + Add DistanceX constraint X távolság kényszerítés hozzáadása - + Add DistanceY constraint Y távolság kényszerítés hozzáadása - + Add point to circle Distance constraint Ponttól a körig távolság kényszerítés hozzáadása - - + + Add point on object constraint Pont a tárgyon kényszerítés hozzáadása @@ -1693,143 +1693,143 @@ invalid constraints, degenerated geometry, etc. Ív hossz kényszerítés hozzáadása - - + + Add point to point horizontal distance constraint Ponttól pontig vízszintes távolság kényszerítés hozzáadása - + Add fixed x-coordinate constraint Rögzített x-koordináta kényszerítés hozzáadása - - + + Add point to point vertical distance constraint Ponttól pontig függőleges távolság kényszerítés hozzáadása - + Add fixed y-coordinate constraint Rögzített y-koordináta kényszerítés hozzáadása - - + + Add parallel constraint Párhuzamos kényszerítés hozzáadása - - - - - - - + + + + + + + Add perpendicular constraint Merőleges kényszerítés hozzáadása - + Add perpendicularity constraint Függőlegesség kényszerítés hozzáadása - + Swap coincident+tangency with ptp tangency Egybeeső érintő felcserélése ptp érintővel - - - - - - - + + + + + + + Add tangent constraint Érintő kényszerítés hozzáadása - - - - - - - - - - - - - - + + + + + + + + + + + + + + Add tangent constraint point Érintő pont kényszerítés hozzáadása - - - - + + + + Add radius constraint Sugár kényszerítés hozzáadása - - - - + + + + Add diameter constraint Átmérőhöz kényszerítés hozzáadása - - - - + + + + Add radiam constraint Sugár/átm-kényszer hozzáadása - - - - + + + + Add angle constraint Szöghöz kényszerítés hozzáadása - + Swap point on object and tangency with point to curve tangency A tárgyon lévő pont és az érintőpont felcserélése a görbe érintőpontjával - - + + Add equality constraint Egyenlőség kényszerítés hozzáadása - - - - - + + + + + Add symmetric constraint Szimmetrikus kényszerítés hozzáadása - + Add Snell's law constraint Fénytörés (Snellius-törvény) kényszerítés hozzáadása - + Toggle constraint to driving/reference Kényszerítés váltása megvezetés/hivatkozás közt @@ -1849,22 +1849,22 @@ invalid constraints, degenerated geometry, etc. Vázlat elforgatása - + Attach sketch Vázlat csatolás - + Detach sketch Vázlat leválasztás - + Create a mirrored sketch for each selected sketch Tükrözött vázlat létrehozása minden kijelölt vázlathoz - + Merge sketches Vázlatok egyesítése @@ -2038,7 +2038,7 @@ 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 @@ -2146,59 +2146,59 @@ invalid constraints, degenerated geometry, etc. Exceptions - + Unable to guess intersection of curves. Try adding a coincident constraint between the vertices of the curves you are intending to fillet. Nem tudja meghatározni a görbék metszéspontját. Próbáljon meg hozzáadni egybeesés kényszerítést a görbék csúcsaihoz, melyeket le szeretné kerekíteni. - + You are requesting no change in knot multiplicity. Nem kér változtatást a csomó többszörözésére. - - + + B-spline Geometry Index (GeoID) is out of bounds. A B-görbe geometriai indexe (GeoID) határon kívüli. - - + + The Geometry Index (GeoId) provided is not a B-spline. A megadott geometriai index (GeoId) nem B-görbe. - + The knot index is out of bounds. Note that in accordance with OCC notation, the first knot has index 1 and not zero. A csomó jelölés határvonalakon kívülre esik. Ne feledje, hogy a megfelelő OCC jelölés szerint, az első csomót jelölése 1 és nem nulla. - + The multiplicity cannot be increased beyond the degree of the B-spline. A sokszorozás nem nőhet a B-görbe szögének értéke fölé. - + The multiplicity cannot be decreased beyond zero. A sokszorozást nem csökkentheti nulla alá. - + OCC is unable to decrease the multiplicity within the maximum tolerance. OCC képtelen csökkenteni a sokszorozást a maximális megengedett tűrésen belül. - + Knot cannot have zero multiplicity. A csomónak nem lehet nulla sokszorozása. - + Knot multiplicity cannot be higher than the degree of the B-spline. A csomópontok száma nem lehet nagyobb, mint a B-görbe fokozata. - + Knot cannot be inserted outside the B-spline parameter range. A csomó nem illeszthető be a B-görbe paramétertartományán kívül. @@ -2308,7 +2308,7 @@ invalid constraints, degenerated geometry, etc. - + Don't attach Ne csatolja @@ -2330,123 +2330,123 @@ invalid constraints, degenerated geometry, etc. - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + - - - - - - + + + + + + + + @@ -2512,116 +2512,116 @@ invalid constraints, degenerated geometry, etc. Az egyik kiválasztottnak szerepelnie kell a vázlaton. - + Select an edge from the sketch. Egy él kiválasztása a vázlaton. - - - - - - + + + + + + Impossible constraint Lehetetlen kényszerítés - - + + The selected edge is not a line segment. A kiválasztott él nem egy egyenes szakasz. - - - + + + Double constraint Kettős kényszerítés - + The selected edge already has a horizontal constraint! A kiválasztott él már rendelkezik egy vízszintes kényszerítéssel! - + The selected edge already has a vertical constraint! A kiválasztott él már rendelkezik egy függőleges kényszerítéssel! - - - + + + The selected edge already has a Block constraint! A kijelölt élnek már van blokk kényszerítése! - + There are more than one fixed points selected. Select a maximum of one fixed point! Több mint egy rögzített pontot választott. Válasszon legfeljebb egy rögzített pontot! - - - + + + Select vertices from the sketch. Válasszon sarkokat a vázlatból. - + Select one vertex from the sketch other than the origin. Jelöljön ki a vázlaton egy, a kiindulási ponttól eltérő, végpontot. - + Select only vertices from the sketch. The last selected vertex may be the origin. Csak sarkokat válasszon a vázlatból. Az utoljára kiválasztott végpont lehet a kezdőpont. - + Wrong solver status Rossz a megoldó állapota - + A Block constraint cannot be added if the sketch is unsolved or there are redundant and conflicting constraints. Egy blokk kényszerítést nem adhat hozzá, ha a vázlat megoldatlan vagy felesleges és ellentmondó kényszerítései vannak. - + Select one edge from the sketch. Válasszon egy élt a vázlaton. - + Select only edges from the sketch. Csak éleket válasszon a vázlaton. - + None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. A kiválasztott pontok egyike sem volt a megfelelő görbékre kényszerítve, mert ugyanannak az elemnek a részei, mindkettő külső geometria, vagy az él nem támogatható. - + Only tangent-via-point is supported with a B-spline. A B-görbe csak a pont-általi-érintőt támogatja. - - + + Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. Jelöljön ki egy vagy több B-görbe pólust, vagy egy vagy több ívet vagy kört a vázlatból, de nem keverve. - + Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. Constraint_SnellsLaw Jelöljön ki két vonalvégpontot sugarakként, és egy szegélyt jelölő élt. Az első kijelölt pont megfelel az n1 indexnek, a második az n2-nek, és az adat állítja be az n2/n1 arányt. - + Number of selected objects is not 3 A kijelölt tárgyak száma nem 3 @@ -2638,80 +2638,80 @@ invalid constraints, degenerated geometry, etc. Váratlan hiba. További információ a Jelentés nézetben érhető el. - + The selected item(s) can't accept a horizontal or vertical constraint! A kiválasztott elem(ek) nem fogadják el a függőleges illesztést! - + Endpoint to endpoint tangency was applied instead. Végpont-végpont érintőt alkalmazott helyette. - + Select two or more vertices from the sketch for a coincident constraint, or two or more circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Válasszon két vagy több csúcsot a vázlatból az egybeeső kényszerítéshez, vagy legalább két kört, ellipszist, ívet vagy elliptikus ívet a koncentrikus kényszerhez. - + Select two vertices from the sketch for a coincident constraint, or two circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Válasszon két csúcsot a vázlatból az egybeeső kényszerítéshez, vagy két kört, ellipszist, ívet vagy elliptikus ívet a koncentrikus kényszerhez. - + Select exactly one line or one point and one line or two points from the sketch. Válasszon ki pontosan egy sort vagy egy pontot és egy sort és két pontot a vázlatból. - + Cannot add a length constraint on an axis! Nem adható hozzá a hosszanti illesztés egy tengelyen! - - + + Select exactly one line or one point and one line or two points or two circles from the sketch. Válasszon ki pontosan egy vonalat vagy egy pontot és egy vonalat vagy két pontot vagy két kört a vázlatból. - + This constraint does not make sense for non-linear curves. Ennek a kényszerítésnek nincs értelme a nem-lineáris görbéknél. - + Endpoint to edge tangency was applied instead. Ehelyett a végpont és az él érintője került alkalmazásra. - - - - - - + + + + + + Select the right things from the sketch. Válassza ki a megfelelő dolgokat a vázlatból. - - - - - - - - - + + + + + + + + - - - - - - - - + + + + + + + + + Select an edge that is not a B-spline weight. Jelöljön ki egy olyan élt, amely nem B-görbe vastagságú. @@ -2721,87 +2721,87 @@ invalid constraints, degenerated geometry, etc. Egy vagy két pont-tárgyra vonatkozó kényszerítés(ek) törlésre került(ek), mivel a legutóbbi belsőleg alkalmazott kényszerítés is pont-tárgyra vonatkozik. - + Select either several points, or several conics for concentricity. Válasszon ki több pontot vagy több kúpot a koncentrikusság. - + Select either one point and several curves, or one curve and several points Válasszon ki egy pontot és több görbét, vagy egy görbét és több pontot - + Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. Válasszon ki egy pontot és több görbét vagy egy görbét és több pontot a pontATárgyon, vagy több pontot a egybeesések, vagy több kúpot a kúpszelet esetén. - + None of the selected points were constrained onto the respective curves, either because they are parts of the same element, or because they are both external geometry. A kijelölt pontok egyike sincs kényszerítve a vonatkozó görbékhez, mert azok részei ugyanannak az elemnek, vagy azért, mert mindkét külső geometria. - + Cannot add a length constraint on this selection! Nem adható hozzá a hosszanti illesztés ezen a kijelölésen! - - - - + + + + Select exactly one line or up to two points from the sketch. Válasszon ki pontosan egy vonalat, vagy legfeljebb két pontot a vázlatból. - + Cannot add a horizontal length constraint on an axis! Nem lehet hozzáadni egy vízszintes hosszanti illesztést egy tengelyen! - + Cannot add a fixed x-coordinate constraint on the origin point! Nem adható hozzá a rögzített x-koordináta illesztése a kezdő ponthoz! - - + + This constraint only makes sense on a line segment or a pair of points. Ez a kényszerítés csak egy vonalszakaszon vagy egy pont páron érvényesül. - + Cannot add a vertical length constraint on an axis! Nem adható hozzá a függőleges hosszanti illesztés egy tengelyen! - + Cannot add a fixed y-coordinate constraint on the origin point! Nem adható hozzá a rögzített y-koordináta illesztése a kezdő ponthoz! - + Select two or more lines from the sketch. Válasszon ki két vagy több vonalat a vázlatból. - + One selected edge is not a valid line. A kiválasztott egy él nem egy érvényes egyenes. - - + + Select at least two lines from the sketch. Válasszon ki legalább két vonalat a vázlatból. - + The selected edge is not a valid line. A kiválasztott él nem egy érvényes egyenes. - + There is a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2811,35 +2811,35 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Elfogadott kombinációk: két görbe; egy végpont és egy görbe; két végpont; két görbe és egy pont. - + Select some geometry from the sketch. perpendicular constraint Válasszon ki néhány geometriát a vázlatból. - - + + Cannot add a perpendicularity constraint at an unconnected point! Nem lehet hozzáadni a függőlegesség illesztést a független ponton! - - + + One of the selected edges should be a line. Az egyik kijelölt élnek egy vonalnak kell lennie. - + Endpoint to endpoint tangency was applied. The coincident constraint was deleted. Végpont-végpont érintőt alkalmazott. Az egybeeső kényszerítést törölve lett. - + Endpoint to edge tangency was applied. The point on object constraint was deleted. Végponttól az élig érintőt alkalmaztak. A tárgy kényszerítés pontját törölték. - + There are a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2849,61 +2849,61 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Elfogadott kombinációk: két görbe; egy végpont és egy görbe; két végpont; két görbe és egy pont. - + Select some geometry from the sketch. tangent constraint Válasszon ki néhány geometriát a vázlatból. - - - + + + Cannot add a tangency constraint at an unconnected point! Nem lehet hozzáadni egy érintő illesztést a független ponton! - - + + Tangent constraint at B-spline knot is only supported with lines! A B-görbe csomó érintő kényszerítését csak vonalak támogatják! - + B-spline knot to endpoint tangency was applied instead. B-görbe csomó a végponthoz érintőt alkalmazott helyette. - - + + Wrong number of selected objects! Kijelölt objektumok téves mennyisége! - - + + With 3 objects, there must be 2 curves and 1 point. 3 tárggyal, két görbének és 1 pontnak kell lennie. - - - - - - + + + + + + Select one or more arcs or circles from the sketch. Válasszon egy vagy több ívet vagy kört a vázlatból. - - - + + + Constraint only applies to arcs or circles. Kényszerítés csak az ívekre és körökre vonatkozik. - - + + Select one or two lines from the sketch. Or select two edges and a point. Válasszon egy vagy két vonalat a vázlatból. Vagy válasszon ki két élet és egy pontot. @@ -2918,87 +2918,87 @@ Elfogadott kombinációk: két görbe; egy végpont és egy görbe; két végpon Egy szög kényszerítést nem lehet beállítani két párhuzamos vonalra. - + Cannot add an angle constraint on an axis! Nem lehet hozzáadni egy szög illesztést egy tengelyhez! - + Select two edges from the sketch. Két él kiválasztása a vázlaton. - + Select two or more compatible edges. Válasszon ki két vagy több kompatibilis élt. - + Sketch axes cannot be used in equality constraints. Vázlat tengelyek nem használhatók egyenlőségi kényszerítésekhez. - + Equality for B-spline edge currently unsupported. Egyenlőség B-görbe élével jelenleg nem támogatott. - - - + + + Select two or more edges of similar type. Jelöljön ki két vagy több hasonló típusú élt. - - - - - + + + + + Select two points and a symmetry line, two points and a symmetry point or a line and a symmetry point from the sketch. Válasszon ki két pontot és egy szimmetria vonalat, két pontot és egy szimmetria pontot vagy egy vonalat és egy szimmetria pontot a vázlatból. - - + + Cannot add a symmetry constraint between a line and its end points. Nem lehet hozzáadni a szimmetria kényszerítést a vonalhoz és annak végpontjaihoz. - - - - + + + + Cannot add a symmetry constraint between a line and its end points! Nem lehet hozzáadni a szimmetria illesztést a vonalhoz és annak végpontjaihoz! - + Selected objects are not just geometry from one sketch. A kijelölt tárgyak nem csak egy vázlat geometriái. - + Cannot create constraint with external geometry only. Kényszerítést nem lehet szimplán külső geometriával létrehozni. - + Incompatible geometry is selected. Inkompatibilis geometriát jelölt ki. - + Select one dimensional constraint from the sketch. Válasszon ki egy dimenziós kényszert a vázlatból. - - - - - + + + + + Select constraints from the sketch. Válasszon kényszerítéseket a vázlatból. @@ -3539,12 +3539,12 @@ Elfogadott kombinációk: két görbe; egy végpont és egy görbe; két végpon Hossz: - + Refractive index ratio Refraktív index arány - + Ratio n2/n1: Arány n2/n1: @@ -5189,8 +5189,8 @@ Ez a vázlat geometriáinak és kényszerítéseinek elemzésével történik. Sketcher_ConstrainDiameter - - + + Fix the diameter of a circle or an arc Rögzíteni egy kör vagy egy ív átmérőjét @@ -5342,64 +5342,74 @@ Ez a vázlat geometriáinak és kényszerítéseinek elemzésével történik. Sketcher_MapSketch - + No sketch found Nem található vázlat - + + Cannot attach sketch to itself! + Cannot attach sketch to itself! + + + The document doesn't have a sketch A dokumentum nem rendelkezik vázlattal - + Select sketch Válassza ki a vázlatot - + + Select a sketch (some sketches not shown to prevent a circular dependency) + Select a sketch (some sketches not shown to prevent a circular dependency) + + + Select a sketch from the list Válasszon ki a listából egy vázlatot - + (incompatible with selection) (inkompatibilis a kijelöléssel) - + (current) (aktuális) - + (suggested) (javasolt) - + Sketch attachment Vázlat melléklet - + Current attachment mode is incompatible with the new selection. Select the method to attach this sketch to selected objects. Az aktuális csatolási mód nem kompatibilis az új kijelölésre. Jelölje ki azt a módszert, amely a vázlatot a kijelölt tárgyakhoz csatolja. - + Select the method to attach this sketch to selected objects. Válassza ki a módszert, a vázlat csatolásához a kijelölt objektumokhoz. - + Map sketch Vázlat leképzés - + Can't map a sketch to support: %1 Nem képezhető le a vázlatot a támogatáshoz:%1 @@ -5929,22 +5939,22 @@ A rácsháló távolsága megváltozik, ha kisebb lesz, mint ez a pixelszám. GridSpaceAction - + Grid auto spacing Rács automatikus térköze - + Resize grid automatically depending on zoom. A rács méretének automatikus módosítása a nagyítástól függően. - + Spacing Távolságtartás - + Distance between two subsequent grid lines. Két egymást követő rácsvonal közötti távolság. @@ -5952,17 +5962,17 @@ A rácsháló távolsága megváltozik, ha kisebb lesz, mint ez a pixelszám. Notifications - + The Sketch has malformed constraints! A vázlat hibásan formázott kényszerítéseket tartalmaz! - + The Sketch has partially redundant constraints! A vázlat részlegesen felesleges kényszerítéseket tartalmaz! - + Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! A parabolákat áttelepítették. Az áttelepített fájlok nem nyílnak meg a FreeCAD korábbi verzióiban!! @@ -6041,8 +6051,8 @@ A rácsháló távolsága megváltozik, ha kisebb lesz, mint ez a pixelszám. - - + + Invalid Constraint Érvénytelen kényszerítés @@ -6249,34 +6259,34 @@ A rácsháló távolsága megváltozik, ha kisebb lesz, mint ez a pixelszám. SnapSpaceAction - + Snap to objects Tárgyhoz illeszt - + New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. Az új pontok az aktuálisan előzetesen kiválasztott tárgyhoz illeszkednek. A vonalak és ívek közepére is illeszt. - + Snap to grid Rácshoz illeszt - + New points will snap to the nearest grid line. Points must be set closer than a fifth of the grid spacing to a grid line to snap. Az új pontok a legközelebbi rácsvonalhoz kapcsolódnak. A pontokat a rácsháló távolságának egyötödénél közelebb kell állítani a rácsvonalhoz, hogy beilleszkedjenek. - + Snap angle Szög illesztés - + Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. Szög lépés a 'Szög illesztés' funkciót használó eszközökhöz (például vonal). Tartsa lenyomva a CTRL billentyűt a 'Szög illesztés' engedélyezéséhez. A szög a vázlat pozitív X tengelyétől indul. @@ -6284,23 +6294,23 @@ A pontokat a rácsháló távolságának egyötödénél közelebb kell állíta RenderingOrderAction - - - + + + Normal Geometry Aktuális geometria - - - + + + Construction Geometry Építési geometria - - - + + + External Geometry Külső geometria @@ -6308,12 +6318,12 @@ A pontokat a rácsháló távolságának egyötödénél közelebb kell állíta CmdRenderingOrder - + Configure rendering order Igazítási sorrend beállítása - + Reorder the items in the list to configure rendering order. A lista elemeinek átrendezése a megjelenítési sorrend beállításához. @@ -6321,12 +6331,12 @@ A pontokat a rácsháló távolságának egyötödénél közelebb kell állíta CmdSketcherGrid - + Toggle grid Rács kapcsolása - + Toggle the grid in the sketch. In the menu you can change grid settings. Kapcsolja ki a rácsot a vázlatban. A menüben módosíthatja a rács beállításait. @@ -6334,12 +6344,12 @@ A pontokat a rácsháló távolságának egyötödénél közelebb kell állíta CmdSketcherSnap - + Toggle snap Illesztés kapcsoló - + Toggle all snap functionality. In the menu you can toggle 'Snap to grid' and 'Snap to objects' individually, and change further snap settings. Az összes illesztés funkció átkapcsolása. A menüben egyénileg kapcsolhatja be a 'Rácshoz illeszt' és a 'Tárgyhoz illeszt' funkciót, valamint módosíthatja a további illesztés beállításokat. @@ -6373,12 +6383,12 @@ A pontokat a rácsháló távolságának egyötödénél közelebb kell állíta CmdSketcherDimension - + Dimension Dimenzió - + Constrain contextually based on your selection. Depending on your selection you might have several constraints available. You can cycle through them using M key. Left clicking on empty space will validate the current constraint. Right clicking or pressing Esc will cancel. @@ -6416,12 +6426,12 @@ Az üres helyre való bal egérgombbal kattintással érvényesítheti az aktuá CmdSketcherConstrainRadius - + Constrain radius Sugár illesztés - + Fix the radius of a circle or an arc Sugár illesztése körre vagy ívre @@ -6556,12 +6566,12 @@ Az üres helyre való bal egérgombbal kattintással érvényesítheti az aktuá Eredeti geometriák törlése (U) - + Apply equal constraints Egyenlő kényszerítések alkalmazása - + If this option is selected dimensional constraints are excluded from the operation. Instead equal constraints are applied between the original objects and their copies. Ha ez a lehetőség bejelölt, a méretkényszerek kizárásra kerülnek a műveletből. @@ -6633,12 +6643,12 @@ Ehelyett az eredeti tárgyak és másolataik között egyenlő kényszereket alk CmdSketcherCompHorizontalVertical - + Constrain horizontal/vertical Vízszintes/függőleges kényszerítés - + Constrains a single line to either horizontal or vertical. Egyetlen vonal vízszintes vagy függőleges vonalra kényszeríti. @@ -6646,12 +6656,12 @@ Ehelyett az eredeti tárgyak és másolataik között egyenlő kényszereket alk CmdSketcherConstrainHorVer - + Constrain horizontal/vertical Vízszintes/függőleges kényszerítés - + Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. Egyetlen sort vízszintes vagy függőleges vonalra kényszerít, attól függően, hogy melyik áll közelebb az aktuális igazításhoz. @@ -6698,12 +6708,12 @@ Ehelyett az eredeti tárgyak és másolataik között egyenlő kényszereket alk CmdSketcherConstrainCoincidentUnified - + Constrain coincident Egymásra llesztés - + Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses Egybevágó kényszerítés létrehozása pontok között, vagy egy pont rögzítése egy élen, vagy koncentrikus kényszerítés létrehozása körök, ívek és ellipszisek között @@ -6989,7 +6999,7 @@ Ehelyett az eredeti tárgyak és másolataik között egyenlő kényszereket alk TaskSketcherTool_p4_rotate - + Copies (+'U'/ -'J') Másolatok (+'U'/-'J') @@ -7237,12 +7247,12 @@ Ehelyett az eredeti tárgyak és másolataik között egyenlő kényszereket alk CmdSketcherConstrainTangent - + Constrain tangent or collinear Érintő vagy egy vonalba eső kényszerítés - + Create a tangent or collinear constraint between two entities Hozzon létre egy érintő vagy egy vonalba eső kényszerítést két rész között @@ -7250,12 +7260,12 @@ Ehelyett az eredeti tárgyak és másolataik között egyenlő kényszereket alk CmdSketcherChangeDimensionConstraint - + Change value Érték módosítása - + Change the value of a dimensional constraint Egy méretezett kényszerítés értékének módosítása @@ -7321,8 +7331,8 @@ Ehelyett az eredeti tárgyak és másolataik között egyenlő kényszereket alk Sketcher_ConstrainRadius - - + + Fix the radius of an arc or a circle Egy ív vagy kör sugarának rögzítése @@ -7330,8 +7340,8 @@ Ehelyett az eredeti tárgyak és másolataik között egyenlő kényszereket alk Sketcher_ConstrainRadiam - - + + Fix the radius/diameter of an arc or a circle Ív vagy kör sugarának/átmérőjének rögzítése diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_it.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_it.ts index 183441c9162c..f1f6cf71aa21 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_it.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_it.ts @@ -128,27 +128,27 @@ CmdSketcherCompConstrainRadDia - + Constrain arc or circle Vincola l'arco o il cerchio - + Constrain an arc or a circle Vincola l'arco o il cerchio - + Constrain radius Raggio - + Constrain diameter Vincola il diametro - + Constrain auto radius/diameter Vincola raggio/diametro automatico @@ -307,12 +307,12 @@ CmdSketcherConstrainAngle - + Constrain angle Angolo - + Fix the angle of a line or the angle between two lines Fissa l'angolo di una linea o l'angolo tra due linee @@ -320,12 +320,12 @@ CmdSketcherConstrainBlock - + Constrain block Vincolo di blocco - + Block the selected edge from moving Blocca il bordo selezionato dallo spostamento @@ -333,12 +333,12 @@ CmdSketcherConstrainCoincident - + Constrain coincident Coincidenza - + Create a coincident constraint between points, or a concentric constraint between circles, arcs, and ellipses Crea un vincolo coincidente tra i punti, o un vincolo concentrico tra cerchi, archi ed ellissi @@ -346,12 +346,12 @@ CmdSketcherConstrainDiameter - + Constrain diameter Vincola il diametro - + Fix the diameter of a circle or an arc Vincola il diametro di un cerchio o di un arco @@ -359,12 +359,12 @@ CmdSketcherConstrainDistance - + Constrain distance Distanza - + Fix a length of a line or the distance between a line and a vertex or between two circles Fissare una lunghezza di una linea o la distanza tra una linea e un vertice o tra due cerchi @@ -372,12 +372,12 @@ CmdSketcherConstrainDistanceX - + Constrain horizontal distance Distanza orizzontale - + Fix the horizontal distance between two points or line ends Fissa la distanza orizzontale tra due punti o estremi di una linea @@ -385,12 +385,12 @@ CmdSketcherConstrainDistanceY - + Constrain vertical distance Distanza verticale - + Fix the vertical distance between two points or line ends Fissa la distanza verticale tra due punti o estremi di una linea @@ -398,12 +398,12 @@ CmdSketcherConstrainEqual - + Constrain equal Uguale - + Create an equality constraint between two lines or between circles and arcs Crea un vincolo di uguaglianza tra due linee o tra cerchi e archi @@ -411,12 +411,12 @@ CmdSketcherConstrainHorizontal - + Constrain horizontal Vincolo orizzontale - + Create a horizontal constraint on the selected item Crea un vincolo orizzontale sull'elemento selezionato @@ -424,12 +424,12 @@ CmdSketcherConstrainLock - + Constrain lock Blocca - + Create both a horizontal and a vertical distance constraint on the selected vertex Crea sia un vincolo di distanza orizzontale e che verticale @@ -439,12 +439,12 @@ sul vertice selezionato CmdSketcherConstrainParallel - + Constrain parallel Parallelo - + Create a parallel constraint between two lines Crea un vincolo di parallelismo tra due linee @@ -452,12 +452,12 @@ sul vertice selezionato CmdSketcherConstrainPerpendicular - + Constrain perpendicular Perpendicolare - + Create a perpendicular constraint between two lines Crea un vincolo di perpendicolarità tra due linee @@ -465,12 +465,12 @@ sul vertice selezionato CmdSketcherConstrainPointOnObject - + Constrain point on object Vincolo punto su oggetto - + Fix a point onto an object Fissa un punto su un oggetto @@ -478,12 +478,12 @@ sul vertice selezionato CmdSketcherConstrainRadiam - + Constrain auto radius/diameter Vincola raggio/diametro automatico - + Fix the diameter if a circle is chosen, or the radius if an arc/spline pole is chosen Fissare il diametro se si sceglie un cerchio, o il raggio se si sceglie un arco/spline @@ -491,12 +491,12 @@ sul vertice selezionato CmdSketcherConstrainSnellsLaw - + Constrain refraction (Snell's law) Vincolo di rifrazione (legge di Snell) - + Create a refraction law (Snell's law)constraint between two endpoints of rays and an edge as an interface. Crea un vincolo di rifrazione (legge di Snell) tra due punti finali di raggi e con un bordo come interfaccia. @@ -505,12 +505,12 @@ and an edge as an interface. CmdSketcherConstrainSymmetric - + Constrain symmetric Vincolo simmetrico - + Create a symmetry constraint between two points with respect to a line or a third point Crea un vincolo di simmetria tra due punti @@ -520,12 +520,12 @@ rispetto a una linea o a un terzo punto CmdSketcherConstrainVertical - + Constrain vertical Vincolo verticale - + Create a vertical constraint on the selected item Crea un vincolo verticale sull'elemento selezionato @@ -670,7 +670,7 @@ rispetto a una linea o a un terzo punto Create an ellipse by 3 points in the sketch - Crea nello schizzo un'ellisse da 3 punti + Crea nello schizzo un'ellisse per 3 punti @@ -1067,7 +1067,7 @@ Prima selezionare la geometria di supporto, per esempio, una faccia o un bordo d poi avvia questo comando, quindi scegli lo schizzo desiderato. - + Some of the selected objects depend on the sketch to be mapped. Circular dependencies are not allowed. Alcuni degli oggetti selezionati dipendono dallo schizzo da mappare. Le dipendenze circolari non sono consentite. @@ -1075,22 +1075,22 @@ poi avvia questo comando, quindi scegli lo schizzo desiderato. CmdSketcherMergeSketches - + Merge sketches Unisci schizzi - + Create a new sketch from merging two or more selected sketches. Crea un nuovo schizzo unendo due o più schizzi selezionati. - + Wrong selection Selezione errata - + Select at least two sketches. Selezionare almeno due schizzi. @@ -1098,12 +1098,12 @@ poi avvia questo comando, quindi scegli lo schizzo desiderato. CmdSketcherMirrorSketch - + Mirror sketch Rifletti schizzo - + Creates a new mirrored sketch for each selected sketch by using the X or Y axes, or the origin point, as mirroring reference. @@ -1112,12 +1112,12 @@ utilizzando gli assi X o Y, o il punto di origine, come riferimento speculare. - + Wrong selection Selezione errata - + Select one or more sketches. Seleziona uno o più schizzi. @@ -1371,12 +1371,12 @@ Questo cancellerà la proprietà 'Supporto', se presente. CmdSketcherToggleActiveConstraint - + Activate/deactivate constraint Attiva/disattiva vincolo - + Activates or deactivates the selected constraints Attiva o disattiva i vincoli selezionati @@ -1397,12 +1397,12 @@ Questo cancellerà la proprietà 'Supporto', se presente. CmdSketcherToggleDrivingConstraint - + Toggle driving/reference constraint Attiva/disattiva vincolo di guida/riferimento - + Set the toolbar, or the selected constraints, into driving or reference mode Imposta la barra degli strumenti, o i vincoli selezionati, @@ -1425,24 +1425,24 @@ in modalità guida o di riferimento CmdSketcherValidateSketch - + Validate sketch... Convalida lo schizzo... - + Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. Convalida uno schizzo controllando le relazioni mancanti, vincoli non validi, geometria degenerata, ecc. - + Wrong selection Selezione errata - + Select only one sketch. Selezionare un solo schizzo. @@ -1450,12 +1450,12 @@ vincoli non validi, geometria degenerata, ecc. CmdSketcherViewSection - + View section Vista in sezione - + When in edit mode, switch between section view and full view. Quando in modalità modifica, passa tra la vista a sezione e la vista completa. @@ -1463,12 +1463,12 @@ vincoli non validi, geometria degenerata, ecc. CmdSketcherViewSketch - + View sketch Vista normale allo schizzo - + When in edit mode, set the camera orientation perpendicular to the sketch plane. Quando in modalità modifica, imposta l'orientamento della vista perpendicolarmente al piano dello schizzo. @@ -1476,69 +1476,69 @@ vincoli non validi, geometria degenerata, ecc. Command - + Add 'Lock' constraint Aggiungi vincolo bloccato - + Add relative 'Lock' constraint Aggiungi vincolo di blocco relativo - + Add fixed constraint Aggiungi vincolo fisso - + Add 'Block' constraint Aggiungi vincolo di blocco - + Add block constraint Aggiungi vincolo di blocco - - + + Add coincident constraint Vincola la coincidenza - - + + Add distance from horizontal axis constraint Vincola la distanza dall'asse orizzontale - - + + Add distance from vertical axis constraint Vincola la distanza dall'asse verticale - - + + Add point to point distance constraint Vincola la distanza tra i punti - - + + Add point to line Distance constraint Vincola la Distanza da punto a linea - - + + Add circle to circle distance constraint Aggiungi il vincolo di distanza da cerchio a cerchio - + Add circle to line distance constraint Aggiungi il vincolo di distanza dal cerchio alla linea @@ -1547,16 +1547,16 @@ vincoli non validi, geometria degenerata, ecc. - - - + + + Add length constraint Vincola lunghezza - + Dimension Dimensione @@ -1573,7 +1573,7 @@ vincoli non validi, geometria degenerata, ecc. - + Add Distance constraint Aggiungi vincolo di distanza @@ -1651,7 +1651,7 @@ vincoli non validi, geometria degenerata, ecc. Aggiungi vincolo raggio - + Activate/Deactivate constraints Attiva/disattiva vincoli @@ -1667,23 +1667,23 @@ vincoli non validi, geometria degenerata, ecc. Aggiungi vincolo di concentricità e lunghezza - + Add DistanceX constraint Aggiungi vincolo di distanza in direzione X - + Add DistanceY constraint Aggiungi vincolo di distanza in direzione Y - + Add point to circle Distance constraint Aggiungi vincolo di distanza dal punto al cerchio - - + + Add point on object constraint Vincola il punto all'oggetto @@ -1694,143 +1694,143 @@ vincoli non validi, geometria degenerata, ecc. Aggiunge un vincolo lunghezza arco - - + + Add point to point horizontal distance constraint Vincola la distanza orizzontale tra i punti - + Add fixed x-coordinate constraint Vincola la coordinata X - - + + Add point to point vertical distance constraint Vincola la distanza verticale tra i punti - + Add fixed y-coordinate constraint Vincola la coordinata Y - - + + Add parallel constraint Vincola parallelismo - - - - - - - + + + + + + + Add perpendicular constraint Vincola perpendicolare - + Add perpendicularity constraint Aggiungi vincolo di perpendicolarità - + Swap coincident+tangency with ptp tangency Scambia coincidenza+tangenza con tangenza ptp - - - - - - - + + + + + + + Add tangent constraint Vincola la tangenza - - - - - - - - - - - - - - + + + + + + + + + + + + + + Add tangent constraint point Aggiungi punto di vincolo tangente - - - - + + + + Add radius constraint Vincola il raggio - - - - + + + + Add diameter constraint Vincola il diametro - - - - + + + + Add radiam constraint Vincolare il raggio - - - - + + + + Add angle constraint Vincola l'angolo - + Swap point on object and tangency with point to curve tangency Scambia punto su oggetto e tangenza con tangenza punto su curva - - + + Add equality constraint Vincola uguaglianza - - - - - + + + + + Add symmetric constraint Vincola simmetria - + Add Snell's law constraint Aggiungi vincolo di legge di Snell's - + Toggle constraint to driving/reference Commuta il vincolo guida/riferimento @@ -1850,22 +1850,22 @@ vincoli non validi, geometria degenerata, ecc. Riorienta lo schizzo - + Attach sketch Associa schizzo - + Detach sketch Stacca schizzo - + Create a mirrored sketch for each selected sketch Crea uno schizzo specchiato per ogni schizzo selezionato - + Merge sketches Unisci schizzi @@ -2039,7 +2039,7 @@ vincoli non validi, geometria degenerata, ecc. Aggiorna lo spazio virtuale del vincolo - + Add auto constraints Aggiungi vincoli automatici @@ -2147,59 +2147,59 @@ vincoli non validi, geometria degenerata, ecc. Exceptions - + Unable to guess intersection of curves. Try adding a coincident constraint between the vertices of the curves you are intending to fillet. Impossibile determinare l'intersezione delle curve. Provare ad aggiungere un vincolo di coincidenza tra i vertici delle curve che si intende raccordare. - + You are requesting no change in knot multiplicity. Non stai richiedendo modifiche nella molteplicità dei nodi. - - + + B-spline Geometry Index (GeoID) is out of bounds. L'indice di geometria B-spline (GeoID) è fuori dai limiti. - - + + The Geometry Index (GeoId) provided is not a B-spline. L'indice di geometria (GeoId) fornito non è una B-spline. - + The knot index is out of bounds. Note that in accordance with OCC notation, the first knot has index 1 and not zero. L'indice del nodo è fuori dai limiti. Notare che, in conformità alla numerazione OCC, il primo nodo ha indice 1 e non zero. - + The multiplicity cannot be increased beyond the degree of the B-spline. La molteplicità non può essere aumentata oltre il grado della B-spline. - + The multiplicity cannot be decreased beyond zero. La molteplicità non può essere diminuita al di là di zero. - + OCC is unable to decrease the multiplicity within the maximum tolerance. OCC non è in grado di diminuire la molteplicità entro la tolleranza massima. - + Knot cannot have zero multiplicity. Il nodo non può avere una molteplicità zero. - + Knot multiplicity cannot be higher than the degree of the B-spline. La molteplicità del nodo non può essere superiore al grado della Bspline. - + Knot cannot be inserted outside the B-spline parameter range. Il nodo non può essere inserito al di fuori dell'intervallo di parametri B-spline. @@ -2309,7 +2309,7 @@ vincoli non validi, geometria degenerata, ecc. - + Don't attach Non associare @@ -2331,123 +2331,123 @@ vincoli non validi, geometria degenerata, ecc. - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + - - - - - - + + + + + + + + @@ -2513,116 +2513,116 @@ vincoli non validi, geometria degenerata, ecc. Uno dei selezionati deve essere sullo schizzo. - + Select an edge from the sketch. Seleziona un bordo dello schizzo. - - - - - - + + + + + + Impossible constraint Vincolo Impossible - - + + The selected edge is not a line segment. Il bordo selezionato non è un segmento di linea. - - - + + + Double constraint Doppio vincolo - + The selected edge already has a horizontal constraint! Il bordo selezionato ha già un vincolo orizzontale! - + The selected edge already has a vertical constraint! Il bordo selezionato ha già un vincolo verticale! - - - + + + The selected edge already has a Block constraint! Il bordo selezionato ha già un vincolo di fissaggio! - + There are more than one fixed points selected. Select a maximum of one fixed point! Sono stati selezionati più punti bloccati. Selezionare al massimo un punto bloccato! - - - + + + Select vertices from the sketch. Selezionare i vertici nello schizzo. - + Select one vertex from the sketch other than the origin. Selezionare dallo schizzo un vertice diverso dall'origine. - + Select only vertices from the sketch. The last selected vertex may be the origin. Selezionare solo i vertici dallo schizzo. L'ultimo vertice selezionato può essere l'origine. - + Wrong solver status Stato del risolutore difettoso - + A Block constraint cannot be added if the sketch is unsolved or there are redundant and conflicting constraints. Un vincolo di blocco non può essere aggiunto se lo schizzo è irrisolto o ci sono vincoli ridondanti e conflittuali. - + Select one edge from the sketch. Seleziona un bordo dello schizzo. - + Select only edges from the sketch. Selezionare solo i bordi dallo schizzo. - + None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. Nessuno dei punti selezionati è stato vincolato alle rispettive curve, perché fanno parte dello stesso elemento, sono entrambi una geometria esterna o il bordo non è ammissibile. - + Only tangent-via-point is supported with a B-spline. Solo tangente sul punto è supportato con una B-spline. - - + + Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. Selezionare solo uno o più poli B-spline o solo uno o più archi o cerchi dallo schizzo, ma non miscelati. - + Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. Constraint_SnellsLaw Selezionare i due punti finali delle linee da usare come raggi e un bordo che rappresenta il limite. Il primo punto selezionato corrisponde all'indice n1, il secondo a n2 e il valore è definito dal rapporto n2/n1. - + Number of selected objects is not 3 Il numero di oggetti selezionati non è 3 @@ -2639,80 +2639,80 @@ vincoli non validi, geometria degenerata, ecc. Errore inatteso. Ulteriori informazioni possono essere disponibili nel registro eventi. - + The selected item(s) can't accept a horizontal or vertical constraint! Gli elementi selezionati non possono accettare un vincolo orizzontale o verticale! - + Endpoint to endpoint tangency was applied instead. È stata invece applicata la tangenza punto finale su punto finale. - + Select two or more vertices from the sketch for a coincident constraint, or two or more circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Seleziona due o più vertici dallo schizzo per un vincolo coincidente, o due o più cerchi, ellissi, archi o archi di ellisse per un vincolo concentrico. - + Select two vertices from the sketch for a coincident constraint, or two circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Seleziona due vertici dallo schizzo per un vincolo coincidente, o due cerchi, ellissi, archi o archi di ellisse per un vincolo concentrico. - + Select exactly one line or one point and one line or two points from the sketch. Selezionare una linea o un punto più una linea, oppure due punti dello schizzo. - + Cannot add a length constraint on an axis! Non è possibile aggiungere un vincolo di lunghezza su un asse! - - + + Select exactly one line or one point and one line or two points or two circles from the sketch. Selezionare esattamente una linea o un punto e una linea o due punti o due cerchi dallo schizzo. - + This constraint does not make sense for non-linear curves. Questo vincolo non ha senso per le curve non lineari. - + Endpoint to edge tangency was applied instead. È stata applicata invece la tangenza segmento sul punto finale. - - - - - - + + + + + + Select the right things from the sketch. Selezionare le cose giuste dallo schizzo. - - - - - - - - - + + + + + + + + - - - - - - - - + + + + + + + + + Select an edge that is not a B-spline weight. Selezionare un bordo che non è un peso B-spline. @@ -2722,87 +2722,87 @@ vincoli non validi, geometria degenerata, ecc. Uno o due punti sui vincoli di oggetto sono stati/sono stati eliminati, poiché il vincolo più recente applicato internamente è applicato anche al punto sull'oggetto. - + Select either several points, or several conics for concentricity. Selezionare più punti, o più coniche per la concentricità. - + Select either one point and several curves, or one curve and several points Selezionare un punto e più curve, oppure una curva e più punti - + Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. Selezionare un punto e più curve o una curva e più punti per pointOnObject, o più punti per la coincidenza, o più coniche per la concentricità. - + None of the selected points were constrained onto the respective curves, either because they are parts of the same element, or because they are both external geometry. Nessuno dei punti selezionati è stato vincolato sulla rispettiva curva, perchè essi sono parti dello stesso elemento, o perchè sono entrambi una geometria esterna. - + Cannot add a length constraint on this selection! Non è possibile aggiungere un vincolo di lunghezza a questa selezione! - - - - + + + + Select exactly one line or up to two points from the sketch. Selezionare solo una linea oppure al massimo due punti dello schizzo. - + Cannot add a horizontal length constraint on an axis! Non è possibile aggiungere un vincolo di lunghezza orizzontale su un asse! - + Cannot add a fixed x-coordinate constraint on the origin point! Non è possibile aggiungere un vincolo di coordinata x nel punto di origine! - - + + This constraint only makes sense on a line segment or a pair of points. Questo vincolo ha senso solo su un segmento di linea o su una coppia di punti. - + Cannot add a vertical length constraint on an axis! Non è possibile aggiungere un vincolo di lunghezza verticale su un asse! - + Cannot add a fixed y-coordinate constraint on the origin point! Non è possibile aggiungere un vincolo di coordinata y nel punto di origine! - + Select two or more lines from the sketch. Selezionare due o più linee dello schizzo. - + One selected edge is not a valid line. Un bordo selezionato non è una linea valida. - - + + Select at least two lines from the sketch. Selezionare almeno due linee dello schizzo. - + The selected edge is not a valid line. Il bordo selezionato non è una linea valida. - + There is a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2812,35 +2812,35 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Combinazioni ammesse: due curve; un punto finale e una curva; due punti finali; due curve e un punto. - + Select some geometry from the sketch. perpendicular constraint Selezionare alcune geometrie dello schizzo. - - + + Cannot add a perpendicularity constraint at an unconnected point! Non è possibile aggiungere un vincolo di perpendicolarità in un punto non connesso! - - + + One of the selected edges should be a line. Uno degli spigoli selezionati deve essere una linea. - + Endpoint to endpoint tangency was applied. The coincident constraint was deleted. È stato applicato il vincolo tangenza punto finale su punto finale. È stato eliminato il vincolo coincidente. - + Endpoint to edge tangency was applied. The point on object constraint was deleted. È stato applicato il vincolo tangenza segmento su punto finale. È stato eliminato il vincolo punto su oggetto. - + There are a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2850,61 +2850,61 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Combinazioni ammesse: due curve; un punto finale e una curva; due punti finali; due curve e un punto. - + Select some geometry from the sketch. tangent constraint Selezionare alcune geometrie dello schizzo. - - - + + + Cannot add a tangency constraint at an unconnected point! Non è possibile aggiungere un vincolo di tangenza in un punto non connesso! - - + + Tangent constraint at B-spline knot is only supported with lines! Il vincolo tangente al nodo B-spline è supportato solo con le linee! - + B-spline knot to endpoint tangency was applied instead. È stata invece applicata la tangenza del nodo B-spline sul punto finale. - - + + Wrong number of selected objects! Numero di oggetti selezionati errato! - - + + With 3 objects, there must be 2 curves and 1 point. Con 3 oggetti, ci devono essere 2 curve e 1 punto. - - - - - - + + + + + + Select one or more arcs or circles from the sketch. Selezionare uno o più archi o cerchi nello schizzo. - - - + + + Constraint only applies to arcs or circles. Vincolo applicato solo ad archi o cerchi. - - + + Select one or two lines from the sketch. Or select two edges and a point. Selezionare una o due linee dello schizzo, oppure selezionare due bordi e un punto. @@ -2919,87 +2919,87 @@ Combinazioni ammesse: due curve; un punto finale e una curva; due punti finali; Un vincolo di angolo non può essere impostato per due linee parallele. - + Cannot add an angle constraint on an axis! Non è possibile aggiungere un vincolo di angolo su un asse! - + Select two edges from the sketch. Selezionare due spigoli dello schizzo. - + Select two or more compatible edges. Selezionare due o più spigoli compatibili. - + Sketch axes cannot be used in equality constraints. Gli assi dello schizzo non possono essere usati nei vincoli di uguaglianza. - + Equality for B-spline edge currently unsupported. Uguaglianza tra bordi di una B-spline attualmente non è supportato. - - - + + + Select two or more edges of similar type. Seleziona due o più bordi di tipo simile. - - - - - + + + + + Select two points and a symmetry line, two points and a symmetry point or a line and a symmetry point from the sketch. Selezionare due punti e una linea di simmetria, o due punti e un punto di simmetria, o una linea e un punto di simmetria nello schizzo. - - + + Cannot add a symmetry constraint between a line and its end points. Impossibile aggiungere un vincolo di simmetria tra una linea e i suoi punti finali. - - - - + + + + Cannot add a symmetry constraint between a line and its end points! Non è possibile aggiungere un vincolo di simmetria tra una linea e i suoi estremi! - + Selected objects are not just geometry from one sketch. Gli oggetti selezionati non sono delle geometrie dello stesso schizzo. - + Cannot create constraint with external geometry only. Impossibile creare il vincolo solo con la geometria esterna. - + Incompatible geometry is selected. Le geometrie selezionate sono incompatibili. - + Select one dimensional constraint from the sketch. Selezionare un vincolo dimensionale dallo schizzo. - - - - - + + + + + Select constraints from the sketch. Seleziona i vincoli dallo schizzo. @@ -3540,12 +3540,12 @@ Combinazioni ammesse: due curve; un punto finale e una curva; due punti finali; Lunghezza: - + Refractive index ratio Indice di rifrazione - + Ratio n2/n1: Rapporto n2/n1: @@ -3743,7 +3743,7 @@ Combinazioni ammesse: due curve; un punto finale e una curva; due punti finali; Layer - Livello + Layer @@ -4021,7 +4021,7 @@ Per ottenere l'effetto è necessario accedere nuovamente alla modalità di modif Auto remove redundants - Rimuovi automaticamente i ridondanti + Rimuovi automaticamente i vincoli ridondanti @@ -4110,7 +4110,7 @@ Questa impostazione è solo per la barra degli strumenti. Qualunque sia la scelt On-View-Parameters: - Parametri in vista: + On-View-Parameters: @@ -4586,7 +4586,7 @@ Tuttavia, non sono stati trovati i vincoli che riguardano i punti finali. Auto remove redundants - Rimuovi automaticamente i ridondanti + Rimuovi automaticamente i vincoli ridondanti @@ -5188,8 +5188,8 @@ Questo viene fatto analizzando le geometrie e i vincoli dello schizzo. Sketcher_ConstrainDiameter - - + + Fix the diameter of a circle or an arc Vincola il diametro di un cerchio o di un arco @@ -5341,63 +5341,73 @@ Questo viene fatto analizzando le geometrie e i vincoli dello schizzo. Sketcher_MapSketch - + No sketch found Nessun schizzo trovato - + + Cannot attach sketch to itself! + Cannot attach sketch to itself! + + + The document doesn't have a sketch Il documento non contiene degli schizzi - + Select sketch Selezione dello schizzo - + + Select a sketch (some sketches not shown to prevent a circular dependency) + Select a sketch (some sketches not shown to prevent a circular dependency) + + + Select a sketch from the list Selezionare uno schizzo dalla lista - + (incompatible with selection) (incompatibile con la selezione) - + (current) (corrente) - + (suggested) (suggerito) - + Sketch attachment Associazione schizzo - + Current attachment mode is incompatible with the new selection. Select the method to attach this sketch to selected objects. L'attuale modalità di associazione è incompatibile con la nuova selezione. Selezionare il metodo per associare questo schizzo agli oggetti selezionati. - + Select the method to attach this sketch to selected objects. Seleziona il metodo per associare questo sketch agli oggetti selezionati. - + Map sketch Mappa schizzo - + Can't map a sketch to support: %1 Impossibile mappare uno schizzo sul supporto:%1 @@ -5926,22 +5936,22 @@ La spaziatura della griglia cambia se diventa più piccola di questo numero di p GridSpaceAction - + Grid auto spacing Spaziatura automatica griglia - + Resize grid automatically depending on zoom. Ridimensiona automaticamente la griglia a seconda dello zoom. - + Spacing Spaziatura - + Distance between two subsequent grid lines. Distanza tra due linee successive della griglia. @@ -5949,17 +5959,17 @@ La spaziatura della griglia cambia se diventa più piccola di questo numero di p Notifications - + The Sketch has malformed constraints! Lo schizzo contiene vincoli malformati! - + The Sketch has partially redundant constraints! Lo schizzo contiene vincoli parzialmente ridondanti! - + Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! Le parabole sono state convertite. I file convertiti non si apriranno nelle versioni precedenti di FreeCAD!! @@ -6038,8 +6048,8 @@ La spaziatura della griglia cambia se diventa più piccola di questo numero di p - - + + Invalid Constraint Vincolo non valido @@ -6246,34 +6256,34 @@ La spaziatura della griglia cambia se diventa più piccola di questo numero di p SnapSpaceAction - + Snap to objects Aggancia agli oggetti - + New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. I nuovi punti si agganciano all'oggetto attualmente preselezionato. Si aggancerà anche al punto medio delle linee e degli archi. - + Snap to grid Aggancia alla griglia - + New points will snap to the nearest grid line. Points must be set closer than a fifth of the grid spacing to a grid line to snap. I nuovi punti si agganciano alla linea della griglia più vicina. I punti devono essere impostati più vicino di un quinto della spaziatura della griglia per essere agganciati. - + Snap angle Angolo di aggancio - + Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. Passo angolare per gli strumenti che usano 'Snap at Angle' (linea per esempio). Tieni premuto CTRL per abilitare 'Aggancia ad angolo'. L'angolo parte dall'asse X positivo dello schizzo. @@ -6281,23 +6291,23 @@ I punti devono essere impostati più vicino di un quinto della spaziatura della RenderingOrderAction - - - + + + Normal Geometry Geometria normale - - - + + + Construction Geometry Geometria di costruzione - - - + + + External Geometry Geometria esterna @@ -6305,12 +6315,12 @@ I punti devono essere impostati più vicino di un quinto della spaziatura della CmdRenderingOrder - + Configure rendering order Configura l'ordine di rendering - + Reorder the items in the list to configure rendering order. Riordina gli elementi nella lista per configurare l'ordine di rendering. @@ -6318,12 +6328,12 @@ I punti devono essere impostati più vicino di un quinto della spaziatura della CmdSketcherGrid - + Toggle grid Attiva/disattiva griglia - + Toggle the grid in the sketch. In the menu you can change grid settings. Attiva/disattiva la griglia nello schizzo. Nel menu puoi modificare le impostazioni della griglia. @@ -6331,12 +6341,12 @@ I punti devono essere impostati più vicino di un quinto della spaziatura della CmdSketcherSnap - + Toggle snap Attiva/Disattiva aggancio - + Toggle all snap functionality. In the menu you can toggle 'Snap to grid' and 'Snap to objects' individually, and change further snap settings. Attiva/disattiva tutte le funzionalità di snap. Nel menu puoi attivare 'Aggancia alla griglia' e 'Aggancia agli oggetti' individualmente, e modificare ulteriori impostazioni di snap. @@ -6370,12 +6380,12 @@ I punti devono essere impostati più vicino di un quinto della spaziatura della CmdSketcherDimension - + Dimension Dimensione - + Constrain contextually based on your selection. Depending on your selection you might have several constraints available. You can cycle through them using M key. Left clicking on empty space will validate the current constraint. Right clicking or pressing Esc will cancel. @@ -6413,12 +6423,12 @@ Facendo clic con il tasto sinistro sullo spazio vuoto sarà convalidata la quota CmdSketcherConstrainRadius - + Constrain radius Raggio - + Fix the radius of a circle or an arc Fissa il raggio di un cerchio o di un arco @@ -6553,12 +6563,12 @@ Facendo clic con il tasto sinistro sullo spazio vuoto sarà convalidata la quota Elimina geometrie originali (U) - + Apply equal constraints Applica vincoli uguali - + If this option is selected dimensional constraints are excluded from the operation. Instead equal constraints are applied between the original objects and their copies. Se questa opzione è selezionata, i vincoli dimensionali sono esclusi dall'operazione. @@ -6630,12 +6640,12 @@ Invece vengono applicati vincoli uguali tra gli oggetti originali e le loro copi CmdSketcherCompHorizontalVertical - + Constrain horizontal/vertical Vincolo orizzontale/verticale - + Constrains a single line to either horizontal or vertical. Vincola una singola linea a orizzontale o verticale. @@ -6643,12 +6653,12 @@ Invece vengono applicati vincoli uguali tra gli oggetti originali e le loro copi CmdSketcherConstrainHorVer - + Constrain horizontal/vertical Vincolo orizzontale/verticale - + Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. Vincola una singola linea a orizzontale o verticale, a seconda di quale sia più vicina all'allineamento corrente. @@ -6695,12 +6705,12 @@ Invece vengono applicati vincoli uguali tra gli oggetti originali e le loro copi CmdSketcherConstrainCoincidentUnified - + Constrain coincident Coincidenza - + Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses Crea un vincolo coincidente tra i punti, o fissa un punto su uno spigolo, o un vincolo concentrico tra cerchi, archi ed ellissi @@ -6986,7 +6996,7 @@ Invece vengono applicati vincoli uguali tra gli oggetti originali e le loro copi TaskSketcherTool_p4_rotate - + Copies (+'U'/ -'J') Copie (+'U'/ -'J') @@ -7234,12 +7244,12 @@ Invece vengono applicati vincoli uguali tra gli oggetti originali e le loro copi CmdSketcherConstrainTangent - + Constrain tangent or collinear Vincolo di tangenza o collinare - + Create a tangent or collinear constraint between two entities Crea un vincolo di tangenza o collinare tra due entità @@ -7247,12 +7257,12 @@ Invece vengono applicati vincoli uguali tra gli oggetti originali e le loro copi CmdSketcherChangeDimensionConstraint - + Change value Cambia valore - + Change the value of a dimensional constraint Cambia il valore di un vincolo dimensionale @@ -7318,8 +7328,8 @@ Invece vengono applicati vincoli uguali tra gli oggetti originali e le loro copi Sketcher_ConstrainRadius - - + + Fix the radius of an arc or a circle Correggere il raggio di un arco o di un cerchio @@ -7327,8 +7337,8 @@ Invece vengono applicati vincoli uguali tra gli oggetti originali e le loro copi Sketcher_ConstrainRadiam - - + + Fix the radius/diameter of an arc or a circle Correggere il raggio/diametro di un arco o di un cerchio diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ja.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ja.ts index 3fa9fdd88bc2..072132a2971c 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ja.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ja.ts @@ -128,27 +128,27 @@ CmdSketcherCompConstrainRadDia - + Constrain arc or circle 円弧や円を拘束する - + Constrain an arc or a circle 円弧や円を拘束する - + Constrain radius 半径拘束 - + Constrain diameter 直径拘束 - + Constrain auto radius/diameter 半径/直径を自動拘束 @@ -307,12 +307,12 @@ CmdSketcherConstrainAngle - + Constrain angle 角度を拘束 - + Fix the angle of a line or the angle between two lines 直線の角度または2直線間の角度を拘束 @@ -320,12 +320,12 @@ CmdSketcherConstrainBlock - + Constrain block ブロック拘束 - + Block the selected edge from moving 選択したエッジが動かないようブロック @@ -333,12 +333,12 @@ CmdSketcherConstrainCoincident - + Constrain coincident 一致拘束 - + Create a coincident constraint between points, or a concentric constraint between circles, arcs, and ellipses 点間の一致拘束、または円、円弧、楕円の間の同心拘束を作成 @@ -346,12 +346,12 @@ CmdSketcherConstrainDiameter - + Constrain diameter 直径拘束 - + Fix the diameter of a circle or an arc 円または円弧の直径を固定 @@ -359,12 +359,12 @@ CmdSketcherConstrainDistance - + Constrain distance 距離拘束 - + Fix a length of a line or the distance between a line and a vertex or between two circles 直線の長さ、直線と節点の間の距離、または2つの円の間の距離を拘束 @@ -372,12 +372,12 @@ CmdSketcherConstrainDistanceX - + Constrain horizontal distance 水平距離拘束 - + Fix the horizontal distance between two points or line ends 2点間または直線端点間の水平距離を拘束 @@ -385,12 +385,12 @@ CmdSketcherConstrainDistanceY - + Constrain vertical distance 垂直距離拘束 - + Fix the vertical distance between two points or line ends 2点間または直線端点間の垂直距離を拘束 @@ -398,12 +398,12 @@ CmdSketcherConstrainEqual - + Constrain equal 等値拘束 - + Create an equality constraint between two lines or between circles and arcs 2直線間または円と円弧間の等値拘束を作成 @@ -411,12 +411,12 @@ CmdSketcherConstrainHorizontal - + Constrain horizontal 水平拘束 - + Create a horizontal constraint on the selected item 選択されているアイテムに対して水平拘束を作成 @@ -424,12 +424,12 @@ CmdSketcherConstrainLock - + Constrain lock ロック拘束 - + Create both a horizontal and a vertical distance constraint on the selected vertex 選択した頂点に水平距離拘束と垂直距離拘束の両方を作成 @@ -438,12 +438,12 @@ on the selected vertex CmdSketcherConstrainParallel - + Constrain parallel 平行拘束 - + Create a parallel constraint between two lines 2直線間の平行拘束を作成 @@ -451,12 +451,12 @@ on the selected vertex CmdSketcherConstrainPerpendicular - + Constrain perpendicular 直角拘束 - + Create a perpendicular constraint between two lines 2直線間の垂直拘束を作成 @@ -464,12 +464,12 @@ on the selected vertex CmdSketcherConstrainPointOnObject - + Constrain point on object オブジェクト上の点拘束 - + Fix a point onto an object 点をオブジェクト上に拘束 @@ -477,12 +477,12 @@ on the selected vertex CmdSketcherConstrainRadiam - + Constrain auto radius/diameter 半径/直径を自動拘束 - + Fix the diameter if a circle is chosen, or the radius if an arc/spline pole is chosen 円を選択した場合は直径を拘束、円弧/スプラインを選択した場合は半径を拘束 @@ -490,12 +490,12 @@ on the selected vertex CmdSketcherConstrainSnellsLaw - + Constrain refraction (Snell's law) 屈折率拘束(スネルの法則) - + Create a refraction law (Snell's law)constraint between two endpoints of rays and an edge as an interface. 光線の2端点と境界のエッジの間に屈折の法則 (スネル則の法則) による拘束を作成 @@ -504,12 +504,12 @@ and an edge as an interface. CmdSketcherConstrainSymmetric - + Constrain symmetric 対称拘束 - + Create a symmetry constraint between two points with respect to a line or a third point 線または第3点に対して、2点間の対称拘束を作成 @@ -518,12 +518,12 @@ with respect to a line or a third point CmdSketcherConstrainVertical - + Constrain vertical 垂直拘束 - + Create a vertical constraint on the selected item 選択されているアイテムに対して垂直拘束を作成 @@ -1065,7 +1065,7 @@ then call this command, then choose the desired sketch. このコマンドを実行し、さらに目的のスケッチを選択してください。 - + Some of the selected objects depend on the sketch to be mapped. Circular dependencies are not allowed. 選択したオブジェクトの一部がマッピング先のスケッチに依存しています。循環依存はできません。 @@ -1073,22 +1073,22 @@ then call this command, then choose the desired sketch. CmdSketcherMergeSketches - + Merge sketches スケッチをマージ - + Create a new sketch from merging two or more selected sketches. 2つ以上の選択したスケッチをマージすることで、新しいスケッチを作成 - + Wrong selection 誤った選択 - + Select at least two sketches. 少なくとも 2 つのスケッチを選択してください。 @@ -1096,24 +1096,24 @@ then call this command, then choose the desired sketch. CmdSketcherMirrorSketch - + Mirror sketch スケッチを鏡像化 - + Creates a new mirrored sketch for each selected sketch by using the X or Y axes, or the origin point, as mirroring reference. 選択した各スケッチに対してX軸、Y軸、または原点を鏡像参照として新しい鏡像スケッチを作成します。 - + Wrong selection 誤った選択 - + Select one or more sketches. 1 つ以上のスケッチを選択してください。 @@ -1149,12 +1149,12 @@ as mirroring reference. Rectangular array - 矩形状配列複写 + 格子状整列 Creates a rectangular array pattern of the geometry taking as reference the last selected point - 最後に選択された点を参照位置としてジオメトリの矩形状配列複写を作成 + 最後に選択された点を参照位置としてジオメトリーの格子状整列パターンを作成 @@ -1367,12 +1367,12 @@ This will clear the 'AttachmentSupport' property, if any. CmdSketcherToggleActiveConstraint - + Activate/deactivate constraint 拘束をアクティブ化/非アクティブ化 - + Activates or deactivates the selected constraints 選択した拘束をアクティブ化・非アクティブ化 @@ -1393,12 +1393,12 @@ This will clear the 'AttachmentSupport' property, if any. CmdSketcherToggleDrivingConstraint - + Toggle driving/reference constraint 駆動拘束/参照拘束の切り替え - + Set the toolbar, or the selected constraints, into driving or reference mode ツールバー、または選択した拘束を駆動モードまたは参照モードに設定 @@ -1420,23 +1420,23 @@ into driving or reference mode CmdSketcherValidateSketch - + Validate sketch... スケッチを検証... - + Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. 見落とされた一致、無効な拘束、縮退ジオメトリなどを確認してスケッチを検証 - + Wrong selection 誤った選択 - + Select only one sketch. スケッチを1つだけ選択してください。 @@ -1444,12 +1444,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSection - + View section セクション表示 - + When in edit mode, switch between section view and full view. 編集モードの場合、セクションビューとフルビューを切り替え @@ -1457,12 +1457,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSketch - + View sketch スケッチを表示 - + When in edit mode, set the camera orientation perpendicular to the sketch plane. 編集モードの場合、スケッチ面に垂直にカメラの向きを設定 @@ -1470,69 +1470,69 @@ invalid constraints, degenerated geometry, etc. Command - + Add 'Lock' constraint 「ロック」拘束を追加 - + Add relative 'Lock' constraint 相対的な「ロック」拘束を追加 - + Add fixed constraint 固定拘束を追加 - + Add 'Block' constraint 「ブロック」拘束を追加 - + Add block constraint ブロック拘束を追加 - - + + Add coincident constraint 一致拘束を追加 - - + + Add distance from horizontal axis constraint 水平軸からの距離拘束を追加 - - + + Add distance from vertical axis constraint 垂直軸からの距離拘束を追加 - - + + Add point to point distance constraint 点間の距離拘束を追加 - - + + Add point to line Distance constraint 点と線の間の距離拘束を追加 - - + + Add circle to circle distance constraint 円と円の間の距離拘束を追加 - + Add circle to line distance constraint 円と線の間の距離拘束を追加 @@ -1541,16 +1541,16 @@ invalid constraints, degenerated geometry, etc. - - - + + + Add length constraint 寸法拘束を追加 - + Dimension 寸法 @@ -1567,7 +1567,7 @@ invalid constraints, degenerated geometry, etc. - + Add Distance constraint 距離拘束を追加 @@ -1645,7 +1645,7 @@ invalid constraints, degenerated geometry, etc. 半径拘束を追加 - + Activate/Deactivate constraints 拘束をアクティブ化/非アクティブ化 @@ -1661,23 +1661,23 @@ invalid constraints, degenerated geometry, etc. 同心拘束と寸法拘束を追加 - + Add DistanceX constraint X軸方向の距離拘束を追加 - + Add DistanceY constraint Y軸方向の距離拘束を追加 - + Add point to circle Distance constraint 点と円の間の距離拘束を追加 - - + + Add point on object constraint オブジェクト上への点の拘束を追加 @@ -1688,143 +1688,143 @@ invalid constraints, degenerated geometry, etc. 円弧の長さ拘束を追加 - - + + Add point to point horizontal distance constraint 点間の水平距離拘束を追加 - + Add fixed x-coordinate constraint X座標固定拘束を追加 - - + + Add point to point vertical distance constraint 点間の垂直距離拘束を追加 - + Add fixed y-coordinate constraint Y座標固定拘束を追加 - - + + Add parallel constraint 並行拘束を追加 - - - - - - - + + + + + + + Add perpendicular constraint 直角拘束を追加 - + Add perpendicularity constraint 垂直拘束を追加 - + Swap coincident+tangency with ptp tangency 点間正接によって一致と正接を入れ替え - - - - - - - + + + + + + + Add tangent constraint 正接拘束を追加 - - - - - - - - - - - - - - + + + + + + + + + + + + + + Add tangent constraint point 正接拘束点を追加 - - - - + + + + Add radius constraint 半径拘束を追加 - - - - + + + + Add diameter constraint 直径拘束を追加 - - - - + + + + Add radiam constraint 径拘束を追加 - - - - + + + + Add angle constraint 角度拘束を追加 - + Swap point on object and tangency with point to curve tangency オブジェクト上の点の正接と点曲線間の正接を入れ替え - - + + Add equality constraint 等値拘束を追加 - - - - - + + + + + Add symmetric constraint 対称拘束を追加 - + Add Snell's law constraint スネル則拘束を追加 - + Toggle constraint to driving/reference 拘束の駆動/参照を切り替え @@ -1844,22 +1844,22 @@ invalid constraints, degenerated geometry, etc. スケッチの方向を変更 - + Attach sketch スケッチをアタッチ - + Detach sketch スケッチをデタッチ - + Create a mirrored sketch for each selected sketch 選択したスケッチごとに鏡像スケッチを作成 - + Merge sketches スケッチをマージ @@ -2033,7 +2033,7 @@ invalid constraints, degenerated geometry, etc. 拘束の仮想スペースを更新 - + Add auto constraints 自動拘束を追加 @@ -2141,59 +2141,59 @@ invalid constraints, degenerated geometry, etc. Exceptions - + Unable to guess intersection of curves. Try adding a coincident constraint between the vertices of the curves you are intending to fillet. 曲線の交点を推定できません。フィレット対象の曲線の頂点の間に一致拘束を追加してみてください。 - + You are requesting no change in knot multiplicity. ノット多重度で変更が起きないように要求しています。 - - + + B-spline Geometry Index (GeoID) is out of bounds. B-スプラインのジオメトリ番号(ジオID)が範囲外です。 - - + + The Geometry Index (GeoId) provided is not a B-spline. 入力されたジオメトリ番号(ジオID)はB-スプラインではありません。 - + The knot index is out of bounds. Note that in accordance with OCC notation, the first knot has index 1 and not zero. ノット・インデックスが境界外です。OCCの記法に従うと最初のノットは1と非ゼロのインデックスを持ちます。 - + The multiplicity cannot be increased beyond the degree of the B-spline. B-スプラインの次数を越えて多重度を増やすことはできません。 - + The multiplicity cannot be decreased beyond zero. 0を越えて多重度を減らすことはできません。 - + OCC is unable to decrease the multiplicity within the maximum tolerance. OCCは最大許容範囲内で多重度を減らすことができまぜん。 - + Knot cannot have zero multiplicity. ノットがゼロ多重性を持つことはでいません。 - + Knot multiplicity cannot be higher than the degree of the B-spline. B-スプラインの次数を超えてノット多重度を増やすことはできません。 - + Knot cannot be inserted outside the B-spline parameter range. B-スプラインパラメーターの範囲外にノットを挿入することはできません。 @@ -2303,7 +2303,7 @@ invalid constraints, degenerated geometry, etc. - + Don't attach アタッチしない @@ -2325,123 +2325,123 @@ invalid constraints, degenerated geometry, etc. - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + - - - - - - + + + + + + + + @@ -2507,116 +2507,116 @@ invalid constraints, degenerated geometry, etc. 選択されているアイテムの1つがスケッチ上にある必要があります. - + Select an edge from the sketch. スケッチからエッジを選択 - - - - - - + + + + + + Impossible constraint 拘束不可 - - + + The selected edge is not a line segment. 選択したエッジは線分ではありません. - - - + + + Double constraint 二重拘束 - + The selected edge already has a horizontal constraint! 選択されたエッジにはすでに水平拘束が設定されています! - + The selected edge already has a vertical constraint! 選択されたエッジにはすでに垂直拘束が設定されています! - - - + + + The selected edge already has a Block constraint! 選択されたエッジにはすでにブロック拘束が設定されています! - + There are more than one fixed points selected. Select a maximum of one fixed point! 複数の固定点が選択されています。固定点を1つだけ選択してください! - - - + + + Select vertices from the sketch. スケッチから頂点を選択 - + Select one vertex from the sketch other than the origin. スケッチから原点以外の節点を 1 つ選択します。 - + Select only vertices from the sketch. The last selected vertex may be the origin. スケッチから頂点のみを選択してください。最後に選択された頂点は原点になります。 - + Wrong solver status 不適切なソルバー状態 - + A Block constraint cannot be added if the sketch is unsolved or there are redundant and conflicting constraints. スケッチが求解されていない場合や冗長/競合する拘束がある場合はブロック拘束を追加できません。 - + Select one edge from the sketch. スケッチから1本のエッジを選択 - + Select only edges from the sketch. スケッチからエッジのみを選択 - + None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. 選択した点をそれぞれの曲線上に拘束することができません。同じ要素の一部であるか、両方とも外部ジオメトリであるか、適切なエッジでないことが原因です。 - + Only tangent-via-point is supported with a B-spline. B-スプラインでは接線経由点モードのみがサポートされています。 - - + + Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. 1つ以上のB-スプラインの極、または1つ以上の円・円弧をスケッチから選択してください。ただし混在はできません。 - + Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. Constraint_SnellsLaw 光線として使用される直線の2端点と境界を表すエッジを選択してください。1つ目に選択された点がインデックスn1、2つ目の点がインデックスn2と対応し、値は比n2/n1を設定します。 - + Number of selected objects is not 3 選択したオブジェクトの数が3ではありません。 @@ -2633,80 +2633,80 @@ invalid constraints, degenerated geometry, etc. 予期しないエラーです。詳細についてはレポートビューで確認できます。 - + The selected item(s) can't accept a horizontal or vertical constraint! 選択したアイテムには水平拘束、垂直拘束を設定できません! - + Endpoint to endpoint tangency was applied instead. 代わりに端点間の正接拘束が適用されました。 - + Select two or more vertices from the sketch for a coincident constraint, or two or more circles, ellipses, arcs or arcs of ellipse for a concentric constraint. スケッチから一致拘束のための複数の頂点、または同心拘束のための複数の円、楕円、円弧、楕円弧を選択してください。 - + Select two vertices from the sketch for a coincident constraint, or two circles, ellipses, arcs or arcs of ellipse for a concentric constraint. スケッチから一致拘束のための2頂点、または同心拘束のための2つの円、楕円、円弧、楕円弧を選択してください。 - + Select exactly one line or one point and one line or two points from the sketch. スケッチから1直線または1点と1直線または2点を選択してください - + Cannot add a length constraint on an axis! 軸に対して長さ拘束を追加することはできません! - - + + Select exactly one line or one point and one line or two points or two circles from the sketch. スケッチから1直線、1点と1直線、2点、または2円を選択してください。 - + This constraint does not make sense for non-linear curves. この拘束は非線形な曲線に対して無効です。 - + Endpoint to edge tangency was applied instead. 代わりに端点とエッジの正接拘束が適用されました。 - - - - - - + + + + + + Select the right things from the sketch. スケッチから正しい対象を選択してください。 - - - - - - - - - + + + + + + + + - - - - - - - - + + + + + + + + + Select an edge that is not a B-spline weight. B-スプラインの重みではないエッジを選択してください。 @@ -2716,87 +2716,87 @@ invalid constraints, degenerated geometry, etc. 内部適用される最新の拘束でもオブジェクト上への点拘束が適用されるため、オブジェクト上への点拘束のうち1つまたは2つが削除されました。 - + Select either several points, or several conics for concentricity. 同心拘束のための複数の点、または複数の円錐曲線を選択してください。 - + Select either one point and several curves, or one curve and several points 1点と複数の曲線、または1曲線と複数の点を選択してください。 - + Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. オブジェクト上への点拘束のための1点と複数の曲線、または1曲線と複数の点、または一致拘束のための複数の点、または同心拘束のための複数の円錐曲線を選択してください。 - + None of the selected points were constrained onto the respective curves, either because they are parts of the same element, or because they are both external geometry. 選択した点をそれぞれの曲線上に拘束することができません。同じ要素のパーツであるか、両方とも外部ジオメトリであることが原因です。 - + Cannot add a length constraint on this selection! この選択対象に寸法拘束を追加することはできません! - - - - + + + + Select exactly one line or up to two points from the sketch. スケッチから1直線または2つ以下の点を選択してください - + Cannot add a horizontal length constraint on an axis! 軸に対して水平距離拘束を追加することはできません! - + Cannot add a fixed x-coordinate constraint on the origin point! 原点に対してX座標を固定する拘束を追加することはできません! - - + + This constraint only makes sense on a line segment or a pair of points. この拘束は1線分または点ペアに対してのみ有効です。 - + Cannot add a vertical length constraint on an axis! 軸に対して垂直距離拘束を追加することはできません! - + Cannot add a fixed y-coordinate constraint on the origin point! 原点に対してY座標を固定する拘束を追加することはできません! - + Select two or more lines from the sketch. スケッチから2本以上の直線を選択してください - + One selected edge is not a valid line. 選択されたエッジの1つが有効な直線ではありません。 - - + + Select at least two lines from the sketch. スケッチから2本以上の直線を選択してください - + The selected edge is not a valid line. 選択されたエッジは有効な直線ではありません。 - + There is a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2806,35 +2806,35 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c 可能な組み合わせ: 2曲線; 1端点と1曲線; 2端点; 2曲線と1点 - + Select some geometry from the sketch. perpendicular constraint スケッチから幾つかのジオメトリを選択してください。 - - + + Cannot add a perpendicularity constraint at an unconnected point! 接続していない点に対して垂直拘束を追加することはできません! - - + + One of the selected edges should be a line. 選択されているエッジの1つが直線である必要があります - + Endpoint to endpoint tangency was applied. The coincident constraint was deleted. 端点間の正接拘束が適用されました。一致拘束は削除されました。 - + Endpoint to edge tangency was applied. The point on object constraint was deleted. 端点とエッジの正接拘束が適用されました。点のオブジェクト上への拘束は削除されました。 - + There are a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2844,61 +2844,61 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c 可能な組み合わせ: 2曲線; 端点と曲線; 2端点; 2曲線と1点 - + Select some geometry from the sketch. tangent constraint スケッチから幾つかのジオメトリを選択してください。 - - - + + + Cannot add a tangency constraint at an unconnected point! 接続されていない点に対して正接拘束を追加することはできません! - - + + Tangent constraint at B-spline knot is only supported with lines! B-スプラインのノットでの接線拘束は線でのみサポートされています! - + B-spline knot to endpoint tangency was applied instead. 代わりにB-スプラインのノットと端点の正接拘束が適用されました。 - - + + Wrong number of selected objects! 選択したオブジェクトの数が正しくありません ! - - + + With 3 objects, there must be 2 curves and 1 point. 使用される3オブジェクトは2つの曲線と1つの点である必要があります。 - - - - - - + + + + + + Select one or more arcs or circles from the sketch. スケッチから 1 つ以上の円弧または円を選択してください。 - - - + + + Constraint only applies to arcs or circles. 円弧または円のみに適用される拘束です。 - - + + Select one or two lines from the sketch. Or select two edges and a point. スケッチから1本か2本の線分を選択してください。あるいは2つのエッジと頂点を選択します。 @@ -2913,87 +2913,87 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c 2つの平行線に角度拘束を設定できません。 - + Cannot add an angle constraint on an axis! 軸に対して角度拘束を追加することはできません! - + Select two edges from the sketch. スケッチから2本のエッジを選択してください - + Select two or more compatible edges. 複数の互換性のあるエッジを選択してください。 - + Sketch axes cannot be used in equality constraints. スケッチ軸を等値拘束で使用することはできません。 - + Equality for B-spline edge currently unsupported. B-スプラインエッジの等値拘束は現在サポートされていません。 - - - + + + Select two or more edges of similar type. 複数の同じタイプのエッジを選択してください。 - - - - - + + + + + Select two points and a symmetry line, two points and a symmetry point or a line and a symmetry point from the sketch. 2つの点と対称線、2つの点と対称点、あるいは1本の直線と対称点をスケッチから選択してください。 - - + + Cannot add a symmetry constraint between a line and its end points. 直線とその端点間に対称拘束を追加することはできません。 - - - - + + + + Cannot add a symmetry constraint between a line and its end points! 直線とその端点間に対称拘束を追加することはできません! - + Selected objects are not just geometry from one sketch. 選択されたオブジェクトは1つのスケッチから成るジオメトリではありません。 - + Cannot create constraint with external geometry only. 外部ジオメトリのみからなる拘束を作成することはできません。 - + Incompatible geometry is selected. 互換性のないジオメトリが選択されています。 - + Select one dimensional constraint from the sketch. スケッチから寸法拘束を1つ選択してください。 - - - - - + + + + + Select constraints from the sketch. スケッチから拘束を選択 @@ -3534,12 +3534,12 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c 長さ: - + Refractive index ratio 屈折率 - + Ratio n2/n1: 比 n2/n1: @@ -3892,7 +3892,7 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Create array - 配列複写を作成 + 整列を作成 @@ -5179,8 +5179,8 @@ This is done by analyzing the sketch geometries and constraints. Sketcher_ConstrainDiameter - - + + Fix the diameter of a circle or an arc 円または円弧の直径を固定 @@ -5332,63 +5332,73 @@ This is done by analyzing the sketch geometries and constraints. Sketcher_MapSketch - + No sketch found スケッチが見つかりません - + + Cannot attach sketch to itself! + Cannot attach sketch to itself! + + + The document doesn't have a sketch ドキュメントにスケッチが存在しません。 - + Select sketch スケッチを選択 - + + Select a sketch (some sketches not shown to prevent a circular dependency) + Select a sketch (some sketches not shown to prevent a circular dependency) + + + Select a sketch from the list リストからスケッチを選択 - + (incompatible with selection) (選択物と非互換) - + (current) (現在のもの) - + (suggested) (サジェストされたもの) - + Sketch attachment スケッチのアタッチ - + Current attachment mode is incompatible with the new selection. Select the method to attach this sketch to selected objects. 現在のアタッチメントモードは新しい選択物と互換性がありません。このスケッチと選択したオブジェクトのアタッチ方法を選択してください。 - + Select the method to attach this sketch to selected objects. このスケッチと選択したオブジェクトのアタッチ方法を選択 - + Map sketch スケッチをマッピング - + Can't map a sketch to support: %1 サポートにスケッチをマッピングできません: @@ -5917,22 +5927,22 @@ The grid spacing change if it becomes smaller than this number of pixel. GridSpaceAction - + Grid auto spacing グリッド線の間隔を自動調整 - + Resize grid automatically depending on zoom. ズームに応じてグリッドのサイズを自動変更 - + Spacing 間隔 - + Distance between two subsequent grid lines. グリッド線の間隔 @@ -5940,17 +5950,17 @@ The grid spacing change if it becomes smaller than this number of pixel. Notifications - + The Sketch has malformed constraints! スケッチに不正な拘束があります! - + The Sketch has partially redundant constraints! スケッチに一部が冗長な拘束があります! - + Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! 放物線がバージョン変換されました。変換されたファイルは以前のバージョンのFreeCADでは開けません!! @@ -6029,8 +6039,8 @@ The grid spacing change if it becomes smaller than this number of pixel. - - + + Invalid Constraint 拘束が正しくありません。 @@ -6237,34 +6247,34 @@ The grid spacing change if it becomes smaller than this number of pixel. SnapSpaceAction - + Snap to objects オブジェクトにスナップ - + New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. 新しい点は現在、事前選択されているオブジェクトにスナップします。また線や円弧の中点にスナップします。 - + Snap to grid グリッドにスナップ - + New points will snap to the nearest grid line. Points must be set closer than a fifth of the grid spacing to a grid line to snap. 新しい点は最も近いグリッドにスナップします。 点はスナップするグリッドのグリッド間隔の5分の1より近くなければなりません。 - + Snap angle スナップ角度 - + Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. 「角度でスナップ」(例えば線)を使用するツールの角度ステップ。 CTRLキーを押していると「角度でスナップ」が有効になります。角度はスケッチのX軸正の向きから開始します。 @@ -6272,23 +6282,23 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna RenderingOrderAction - - - + + + Normal Geometry 通常ジオメトリー - - - + + + Construction Geometry 構築ジオメトリ - - - + + + External Geometry 外部ジオメトリ @@ -6296,12 +6306,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdRenderingOrder - + Configure rendering order レンダリング順を設定 - + Reorder the items in the list to configure rendering order. レンダリング順を設定するためにリスト内の項目を並べ替え @@ -6309,12 +6319,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherGrid - + Toggle grid グリッドの表示を切り替え - + Toggle the grid in the sketch. In the menu you can change grid settings. スケッチのグリッドの表示を切り替えます。メニューでグリッドの設定を変更できます。 @@ -6322,12 +6332,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherSnap - + Toggle snap スナップの切り替え - + Toggle all snap functionality. In the menu you can toggle 'Snap to grid' and 'Snap to objects' individually, and change further snap settings. すべてのスナップ機能を切り替えます。メニューでは「グリッドにスナップ」と「オブジェクトにスナップ」のそれぞれの切り替えや、さらに多くのスナップ設定の変更が可能です。 @@ -6361,12 +6371,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherDimension - + Dimension 寸法 - + Constrain contextually based on your selection. Depending on your selection you might have several constraints available. You can cycle through them using M key. Left clicking on empty space will validate the current constraint. Right clicking or pressing Esc will cancel. @@ -6404,12 +6414,12 @@ Left clicking on empty space will validate the current constraint. Right clickin CmdSketcherConstrainRadius - + Constrain radius 半径拘束 - + Fix the radius of a circle or an arc 円または円弧の半径を固定 @@ -6544,12 +6554,12 @@ Left clicking on empty space will validate the current constraint. Right clickin 元のジオメトリを削除 (U) - + Apply equal constraints 等値拘束を適用 - + If this option is selected dimensional constraints are excluded from the operation. Instead equal constraints are applied between the original objects and their copies. このオプションが選択されている場合、寸法拘束は操作から除外されます。 @@ -6621,12 +6631,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherCompHorizontalVertical - + Constrain horizontal/vertical 水平/垂直拘束 - + Constrains a single line to either horizontal or vertical. 一本の線を水平または垂直に拘束します。 @@ -6634,12 +6644,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainHorVer - + Constrain horizontal/vertical 水平/垂直拘束 - + Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. 一本の線を現在の配置に近い方に従って水平または垂直に拘束します。 @@ -6686,12 +6696,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainCoincidentUnified - + Constrain coincident 一致拘束 - + Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses 点間の一致拘束、エッジ上への点固定、または円、円弧、楕円の間の同心拘束を作成 @@ -6977,7 +6987,7 @@ Instead equal constraints are applied between the original objects and their cop TaskSketcherTool_p4_rotate - + Copies (+'U'/ -'J') コピー (+'U'/ -'J') @@ -7225,12 +7235,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainTangent - + Constrain tangent or collinear 正接拘束または共線拘束 - + Create a tangent or collinear constraint between two entities 2 つのエンティティ間に正接拘束または共線拘束を作成 @@ -7238,12 +7248,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherChangeDimensionConstraint - + Change value 値を変更 - + Change the value of a dimensional constraint 寸法拘束の値を変更 @@ -7309,8 +7319,8 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadius - - + + Fix the radius of an arc or a circle 円弧または円の半径を固定 @@ -7318,8 +7328,8 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadiam - - + + Fix the radius/diameter of an arc or a circle 円弧または円の半径/直径を固定 diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ka.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ka.ts index a99219425bef..31622defd61b 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ka.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ka.ts @@ -128,27 +128,27 @@ CmdSketcherCompConstrainRadDia - + Constrain arc or circle რკალის ან წრის შეზღუდვა - + Constrain an arc or a circle რკალის ან წრის შეზღუდვა - + Constrain radius რადიუსის სეზღუდვა - + Constrain diameter დიამეტრის შეზღუდვა - + Constrain auto radius/diameter ავტომატური რადიუსის/დიამეტრის შეზღუდვა @@ -307,12 +307,12 @@ CmdSketcherConstrainAngle - + Constrain angle კუთხის შეზღუდვა - + Fix the angle of a line or the angle between two lines ხაზის ან ორ ხაზს შორს კუთხის დაფიქსირება @@ -320,12 +320,12 @@ CmdSketcherConstrainBlock - + Constrain block შეზღუდვის ბლოკირება - + Block the selected edge from moving მონიშნული წიბოს გადაადგილების დაბლოკვა @@ -333,12 +333,12 @@ CmdSketcherConstrainCoincident - + Constrain coincident დამთხვევის შეზღუდვა - + Create a coincident constraint between points, or a concentric constraint between circles, arcs, and ellipses წერტილებს შორის დამთხვევის ან წრეწირებს, რკალებსა და ოვალებს შორის კონცენტრულობის შეზღუდვის შექმნა @@ -346,12 +346,12 @@ CmdSketcherConstrainDiameter - + Constrain diameter დიამეტრის შეზღუდვა - + Fix the diameter of a circle or an arc წრის ან რკალის რადიუსის გასწორება @@ -359,12 +359,12 @@ CmdSketcherConstrainDistance - + Constrain distance დაშორების შეზღუდვა - + Fix a length of a line or the distance between a line and a vertex or between two circles დააყენეთ ხაზის სიგრძე ან მანძილი ხაზსა და წვეროს ან ორ წრეწირს შორის @@ -372,12 +372,12 @@ CmdSketcherConstrainDistanceX - + Constrain horizontal distance ჰორიზონტალური დაშორების შეზღუდვა - + Fix the horizontal distance between two points or line ends ორ წერტილს ან ხაზის ბოლოებს შორის ჰორიზონტალური დაშორების ფიქსირება @@ -385,12 +385,12 @@ CmdSketcherConstrainDistanceY - + Constrain vertical distance ვერტიკალური დაშორების შეზღუდვა - + Fix the vertical distance between two points or line ends ორ წერტილს ან ხაზის ბოლოებს შუა დაშორების ფიქსირება @@ -398,12 +398,12 @@ CmdSketcherConstrainEqual - + Constrain equal ტოლობით შეზღუდვა - + Create an equality constraint between two lines or between circles and arcs ორ ხაზს ან წრეწირსა და რკალებს შორის თანასწორობის შეზღუდვის შექმნა @@ -411,12 +411,12 @@ CmdSketcherConstrainHorizontal - + Constrain horizontal ჰორიზონტალურობის შეზღუდვა - + Create a horizontal constraint on the selected item არჩეულ ელემენტზე ჰორიზონტალური შეზღუდვის შექმნა @@ -424,12 +424,12 @@ CmdSketcherConstrainLock - + Constrain lock მდებარეობის ჩაკეტვა - + Create both a horizontal and a vertical distance constraint on the selected vertex ორივე, ჰორიზონტალური და ვერტიკალური შეზღუდვების შექმნა @@ -439,12 +439,12 @@ on the selected vertex CmdSketcherConstrainParallel - + Constrain parallel პარალელურობის შეზღუდვა - + Create a parallel constraint between two lines ორ ხაზს შორის პარალელურობის შეზღუდვის შექმნა @@ -452,12 +452,12 @@ on the selected vertex CmdSketcherConstrainPerpendicular - + Constrain perpendicular მართობულობის შეზღუდვა - + Create a perpendicular constraint between two lines ორ ხაზს შორის მართობის შეზღუდვის შექმნა @@ -465,12 +465,12 @@ on the selected vertex CmdSketcherConstrainPointOnObject - + Constrain point on object წერტილის ობიექტზე დამაგრება - + Fix a point onto an object წერტილის ობიექტზე მიმაგრება @@ -478,12 +478,12 @@ on the selected vertex CmdSketcherConstrainRadiam - + Constrain auto radius/diameter ავტომატური რადიუსის/დიამეტრის შეზღუდვა - + Fix the diameter if a circle is chosen, or the radius if an arc/spline pole is chosen თუ წრეწირს აირჩევთ, დიამეტრი უცვლელი იქნება, თუ რკალს/სპლაინის პოლუსი - რადიუსი @@ -491,12 +491,12 @@ on the selected vertex CmdSketcherConstrainSnellsLaw - + Constrain refraction (Snell's law) არეკვლის შეზღუდვა (სნელის კანონი) - + Create a refraction law (Snell's law)constraint between two endpoints of rays and an edge as an interface. სხივების ორ ბოლო წერტილსა და წიბოს, როგორც საკონტაქტო ზედაპირს შორის გარდატეხის კანონის (სნელის კანონი) შეზღუდვის შექმნა. @@ -505,12 +505,12 @@ and an edge as an interface. CmdSketcherConstrainSymmetric - + Constrain symmetric სიმეტრიულობის შეზღუდვა - + Create a symmetry constraint between two points with respect to a line or a third point სიმეტრიის შეზღუდვის შექმნა ორ წერტილს შორის @@ -520,12 +520,12 @@ with respect to a line or a third point CmdSketcherConstrainVertical - + Constrain vertical ვერტიკალის შეზღუდვა - + Create a vertical constraint on the selected item არჩეულ ელემენტზე ვერტიკალური შეზღუდვის შექმნა @@ -1066,7 +1066,7 @@ then call this command, then choose the desired sketch. ჯერ აირჩიეთ საყრდენი გეომეტრია, მაგალითად მყარსხეულიანი ობიექტის წიბო ან ზედაპირი, შემდეგ გამოიძახეთ ეს ბრძანება და მხოლოდ შემდეგ აირჩიეთ სასურველი ესკიზი. - + Some of the selected objects depend on the sketch to be mapped. Circular dependencies are not allowed. ზოგიერთი მონიშნული ობიექტი საჩვენებელ ესკიზს ეყრდნობა. წრიული დამოკიდებულებები მხარდაუჭერელია. @@ -1074,22 +1074,22 @@ then call this command, then choose the desired sketch. CmdSketcherMergeSketches - + Merge sketches ესკიზების შერწყმა - + Create a new sketch from merging two or more selected sketches. ახალი ესკიზის შექმნა ორი ან მეტი მონიშნული ესკიზის შერწყმით. - + Wrong selection არასწორი მონიშნული - + Select at least two sketches. აირჩიეთ ორი ესკიზი მაინც. @@ -1097,12 +1097,12 @@ then call this command, then choose the desired sketch. CmdSketcherMirrorSketch - + Mirror sketch ესკიზის ასლი - + Creates a new mirrored sketch for each selected sketch by using the X or Y axes, or the origin point, as mirroring reference. @@ -1111,12 +1111,12 @@ X და Y ღერძებით და საწყისი წერტი ახალი სარკისებური ესკიზის შექმნა. - + Wrong selection არასწორი მონიშნული - + Select one or more sketches. მონიშნეთ ერთი ან მეტი ესკიზი. @@ -1370,12 +1370,12 @@ This will clear the 'AttachmentSupport' property, if any. CmdSketcherToggleActiveConstraint - + Activate/deactivate constraint შეზღუდვის აქტივაცია/დეაქტივაცია - + Activates or deactivates the selected constraints მონიშნული შეზღუდვების ჩართ/გამორთ @@ -1396,12 +1396,12 @@ This will clear the 'AttachmentSupport' property, if any. CmdSketcherToggleDrivingConstraint - + Toggle driving/reference constraint მშენებლობის/მიმართვის შეზღუდვის გადართვა - + Set the toolbar, or the selected constraints, into driving or reference mode ხელსაწყოთა პანელის, ან მონიშნული შეზღუდვების @@ -1424,24 +1424,24 @@ into driving or reference mode CmdSketcherValidateSketch - + Validate sketch... ესკიზის შემოწმება... - + Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. ესკიზის შემოწმება ნაკლული დამთხვევების, არასწორი შეზღუდვების, დეგენერირებული გეომეტრიის და ა. შ. შემოწმებით. - + Wrong selection არასწორი მონიშნული - + Select only one sketch. მონიშნეთ მხოლოდ ერთი ესკიზი. @@ -1449,12 +1449,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSection - + View section კვეთის ხედი - + When in edit mode, switch between section view and full view. ჩასწორების რეჟიმში შეგიძლიათ კვეთისა და სრულ ხედს შორის გადართვა. @@ -1462,12 +1462,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSketch - + View sketch ესკიზის ნახვა - + When in edit mode, set the camera orientation perpendicular to the sketch plane. ჩასწორების რეჟიმში კამერის ორიენტაციის ესკიზის სიბრტყის მართობულად დაყენება. @@ -1475,69 +1475,69 @@ invalid constraints, degenerated geometry, etc. Command - + Add 'Lock' constraint "მბლოკავი" შეზღუდვის დამატება - + Add relative 'Lock' constraint ფარდობითი „დაბლოკვის“ შეზღუდვის დამატება - + Add fixed constraint ფიქსირებული შეზღუდვის დამატება - + Add 'Block' constraint 'ბლოკის' ტიპის შეზღუდვის დამატება - + Add block constraint ბლოკის შეზღუდვის დამატება - - + + Add coincident constraint დამთხვევის შეზღუდვის დამატება - - + + Add distance from horizontal axis constraint ჰორიზონტალური ღერძის შეზღუდვამდე მანძილის დამატება - - + + Add distance from vertical axis constraint ვერიკალურ ღერძამდე მანძილის შეზღუდვის დამატება - - + + Add point to point distance constraint წერტილიდან წერტილამდე მანძილის შეზღუდვის დამატება - - + + Add point to line Distance constraint წერტილიდან ხაზამდე დაშორების შეზღუდვის დამატება - - + + Add circle to circle distance constraint წრეწირიდან წრეწირამდე მანძილის შეზღუდვის დამატება - + Add circle to line distance constraint წრეწირიდან ხაზამდე მანძილის შეზღუდვის დამატება @@ -1546,16 +1546,16 @@ invalid constraints, degenerated geometry, etc. - - - + + + Add length constraint სიგრძის შეზღუდვის დამატება - + Dimension ზომა @@ -1572,7 +1572,7 @@ invalid constraints, degenerated geometry, etc. - + Add Distance constraint დაშორების შეზღუდვის დამატება @@ -1650,7 +1650,7 @@ invalid constraints, degenerated geometry, etc. რადიუსის შეზღუდვის დამატება - + Activate/Deactivate constraints შეზღუდვების აქტივაცია/დეაქტივაცია @@ -1666,23 +1666,23 @@ invalid constraints, degenerated geometry, etc. კონცენტრირებული და სიგრძის შეზღუდვის დამატებ - + Add DistanceX constraint X დაშორების შეზღუდვის დამატება - + Add DistanceY constraint Y დაშორების შეზღუდვის დამატება - + Add point to circle Distance constraint წერტილიდან წრეწირამდე დაშორების შეზღუდვის დამატება - - + + Add point on object constraint ობექტის შეზღუდვაზე წერტილის დამატება @@ -1693,143 +1693,143 @@ invalid constraints, degenerated geometry, etc. რკალის სიგრძის შეზღუდვის შექმნა - - + + Add point to point horizontal distance constraint წერტილიდან წერტილამდე ჰორიზონტალური მანძილის შეზღუდვის დამატება - + Add fixed x-coordinate constraint X-კოორდინატის ფიქსირებული შეზღუდვის დამატება - - + + Add point to point vertical distance constraint წერტილიდან წერტილამდე ვერტიკალური მანძილის შეზღუდვის დამატება - + Add fixed y-coordinate constraint Y-კოორდინატის ფიქსირებული შეზღუდვის დამატება - - + + Add parallel constraint პარალელურობის შეზღუდვის დამატება - - - - - - - + + + + + + + Add perpendicular constraint მართკუთხა შეზღუდვის დამატება - + Add perpendicularity constraint მართკუთხობის სეზღუდვის დამატება - + Swap coincident+tangency with ptp tangency დამთხვევის+მხების ptp მხებთან მიმოცვლა - - - - - - - + + + + + + + Add tangent constraint მხების შეზღუდვის დამატება - - - - - - - - - - - - - - + + + + + + + + + + + + + + Add tangent constraint point მხების შეზღუდვის წერტილის დამატება - - - - + + + + Add radius constraint რადიუსის შეზღუდვის დამატება - - - - + + + + Add diameter constraint დიამეტრის შეზღუდვის დამატება - - - - + + + + Add radiam constraint რადიამის შეზღუდვის დამატება - - - - + + + + Add angle constraint კუთხის შეზღუდვის დამატება - + Swap point on object and tangency with point to curve tangency ობიექტზე არსებული წერტილისა და მხების მიმოცვლა მრუდის მხების წერტილთან - - + + Add equality constraint ტოლობის შეზღუდვის დამატება - - - - - + + + + + Add symmetric constraint სიმეტრიულობის შეზღუდვის დამატება - + Add Snell's law constraint სნელის კანონის შეზღუდვის დამატება - + Toggle constraint to driving/reference მშენებლობის/მიმართვის შეზღუდვის გადართვა @@ -1849,22 +1849,22 @@ invalid constraints, degenerated geometry, etc. ესკიზის რეორიენტაცია - + Attach sketch ესკიზის მიბმა - + Detach sketch ესკიზის მოძრობა - + Create a mirrored sketch for each selected sketch ყოველი მონიშნული ესკიზის სარკისებური ასლის შექმნა - + Merge sketches ესკიზების შერწყმა @@ -2038,7 +2038,7 @@ invalid constraints, degenerated geometry, etc. შეზღუდვის ვირტუალური სივრცის განახლება - + Add auto constraints ავტომატური შეზღუდვების დამატება @@ -2146,59 +2146,59 @@ invalid constraints, degenerated geometry, etc. Exceptions - + Unable to guess intersection of curves. Try adding a coincident constraint between the vertices of the curves you are intending to fillet. მრუდების კვეთის გამოცნობის შეცდომა. სცადეთ დაამატოთ დამთხვევების შეზღუდვები მრუდების წვეროებზე, რომლის მომრგვალებასაც ცდილობთ. - + You are requesting no change in knot multiplicity. თქვენ არ ითხოვთ ცვლილებას კვანძის გაყოფადობაში. - - + + B-spline Geometry Index (GeoID) is out of bounds. B-სპლაინის გეომეტრიის ინდექსი (GeoID) დაშვებულ ლიმიტებს გარეთაა. - - + + The Geometry Index (GeoId) provided is not a B-spline. გეომეტრიის მითითებული ინდექსი (GeoID) B-სპლაინს არ წარმოადგენს. - + The knot index is out of bounds. Note that in accordance with OCC notation, the first knot has index 1 and not zero. კვანძის ინდექსი საზღვრებს გარეთაა. დაიმახსოვრეთ, რომ OCC ნოტაციების შესაბამისად, პირველი კვანძის ინდექსი 1-ია და არა 0. - + The multiplicity cannot be increased beyond the degree of the B-spline. სიმრავლე არ შეიძლება გაიზარდოს B-სპლაინის დონის მიღმა. - + The multiplicity cannot be decreased beyond zero. სიმრავლე არ შეიძლება შემცირდეს ნულს მიღმა. - + OCC is unable to decrease the multiplicity within the maximum tolerance. OCC-ს არ შეუძლია შეამციროს სიმრავლე მაქსიმალური ტოლერანტობის ფარგლებში. - + Knot cannot have zero multiplicity. კვანძებს არ შეიძლება ნულოვანი მამრავლი ჰქონდეს. - + Knot multiplicity cannot be higher than the degree of the B-spline. კვანძის მამრავლი არ შეიძლება B-სპლაინის დონეზე დიდი იყოს. - + Knot cannot be inserted outside the B-spline parameter range. კვანძის ჩასმა B-სპლაინის პარამეტრების დიაპაზონის გარეთ შეუძლებელია. @@ -2308,7 +2308,7 @@ invalid constraints, degenerated geometry, etc. - + Don't attach არ მიამაგრო @@ -2330,123 +2330,123 @@ invalid constraints, degenerated geometry, etc. - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + - - - - - - + + + + + + + + @@ -2512,116 +2512,116 @@ invalid constraints, degenerated geometry, etc. ერთერთი მონიშნული ესკიზზე უნდა იყოს. - + Select an edge from the sketch. ესკიზზე წიბოს მონიშვნა. - - - - - - + + + + + + Impossible constraint შეზღუდვის შეცდომა - - + + The selected edge is not a line segment. მონიშნული წიბო ხაზის სეგმენტს არ წარმოადგენს. - - - + + + Double constraint ორმაგი შეზღუდვა - + The selected edge already has a horizontal constraint! მონიშნულ წიბოს უკვე აქვს ჰორიზონტალური შეზღუდვა! - + The selected edge already has a vertical constraint! მონიშნულ წიბოს უკვე აქვს ვერტიკალური შეზღუდვა! - - - + + + The selected edge already has a Block constraint! მონიშნულ წიბოს უკვე ადევს შეზღუდვის ბლოკი! - + There are more than one fixed points selected. Select a maximum of one fixed point! მონიშნულია ერთზე მეტი დამაგრებული წერტილი. მონიშნეთ მაქსიმუმ ერთი დამაგრებული წერტილი! - - - + + + Select vertices from the sketch. ესკიზზე წვეროების მონიშვნა. - + Select one vertex from the sketch other than the origin. აირჩიეთ წიბოდან კიდევ ერთი წვერო წყაროს გარდა. - + Select only vertices from the sketch. The last selected vertex may be the origin. ესკიზზე მხოლოდ წვეროები მონიშნეთ. ბოლოს მონიშნული წვერო საწყისი შეიძლება იყოს. - + Wrong solver status ამომხსნელის არასწორი სტატუსი - + A Block constraint cannot be added if the sketch is unsolved or there are redundant and conflicting constraints. დაბლოკვის შეზღუდვას ვერ დაამატებთ, თუ ესკიზი ამოუხსნელია ან არსებობს დამატებითი, ან ურთიერთგამომრიცხავი შეზღუდვები. - + Select one edge from the sketch. ესკიზიდან მონიშნეთ ერთი წიბო. - + Select only edges from the sketch. ესკიზიდან მონიშნეთ მხოლოდ წიბოები. - + None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. არცერთი მონიშნული წერტილი არ შემოიფარგლება შესაბამის მრუდებზე, რადგან ისინი ერთი და იგივე ელემენტის ნაწილებია, რადგან ორივე გარე გეომეტრიაა, ან იმიტომ, რომ წიბო დაუშვებელია. - + Only tangent-via-point is supported with a B-spline. B-სპლაინთან ერთად, მხოლოდ, მხები-წერტილის-გავლითაა მხარდაჭერილი. - - + + Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. ესკიზიდან მონიშნეთ მხოლოდ ერთი ან მეტი B-სპლაინი, რკალები ან წრეწირები, მაგრამ ტიპებს ნუ შეურევთ. - + Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. Constraint_SnellsLaw აირჩიეთ ხაზის ორი ბოლოწერტილები, რომლებსაც სხივის როლში შეუძლიათ გამოსვლა და წიბო, რომელიც ზღვარს წრმოადგენს. პირველი მონიშნული წერტილი შეესაბამება ინდექსს n1, მეორე n2 და მიბმის მნიშვნელობა შესატყვისობას n2/n1-ზე აყენებს. - + Number of selected objects is not 3 მონიშნული ობიექტების რიცხვი არ უდრის სამს @@ -2638,80 +2638,80 @@ invalid constraints, degenerated geometry, etc. მოულოდნელი შეცდომა. მეტ ინფორმციას შეიძლება ანგარიშის ხედში მიაგნოთ. - + The selected item(s) can't accept a horizontal or vertical constraint! არჩეული ელემენტ(ებ)-ი ვერ მიიღებს ჰორიზონტალურ ან ვერტიკალურ შეზღუდვას! - + Endpoint to endpoint tangency was applied instead. სამაგიეროდ გამოყენებულია ბოლო წერტილიდან ბოლო წერტილთან მხები. - + Select two or more vertices from the sketch for a coincident constraint, or two or more circles, ellipses, arcs or arcs of ellipse for a concentric constraint. დამთხვევის შეზღუდვისთვის ესკიზიდან აირჩიეთ ორი წვერო ან მეტი წვერო, ან, კონცენტრული შეზღუდვისთვის, ორი ან მეტი წრეწირი, ოვალები, რკალები ან ოვალის რკალები. - + Select two vertices from the sketch for a coincident constraint, or two circles, ellipses, arcs or arcs of ellipse for a concentric constraint. დამთხვევის შეზღუდვისთვის ესკიზიდან აირჩიეთ ორი წვერო, ან, კონცენტრული შეზღუდვისთვის, ორი წრეწირი, ოვალები, რკალები ან ოვალის რკალები. - + Select exactly one line or one point and one line or two points from the sketch. ესკიზიდან აირჩიეთ მხოლოდ ერთი ხაზი ან ერთი წერტილი და ერთი ხაზი ან ორი წერტილი. - + Cannot add a length constraint on an axis! ღერძზე სიგრძის შეზღუდვის დაწესება შეუძლებელია! - - + + Select exactly one line or one point and one line or two points or two circles from the sketch. ესკიზიდან აირჩიეთ მხოლოდ ერთი ხაზი ან ერთი წერტილი და ერთი ხაზი ან ორი წერტილი ან ორი წრეწირი. - + This constraint does not make sense for non-linear curves. ამ შეზღუდვას აზრი არ აქვს არახაზოვანი მრუდებისთვის. - + Endpoint to edge tangency was applied instead. სამაგიეროდ გამოყენებულია ბოლო წერტილიდან წიბოსთნ მხები. - - - - - - + + + + + + Select the right things from the sketch. ესკიზიდან სწორი რამეების არჩევა. - - - - - - - - - + + + + + + + + - - - - - - - - + + + + + + + + + Select an edge that is not a B-spline weight. აირჩიეთ წიბო, რომელიც არაა B-სპლაინის წონა. @@ -2721,87 +2721,87 @@ invalid constraints, degenerated geometry, etc. წაიშალა ერთი ან ორი წერტილი ობიექტის შეზღუდვაზე, რადგან უკანასკნელი გადატარებული შეზღუდვა შინაგანად შეცვლის ობიექტზე მყოფ წერტილებსაც. - + Select either several points, or several conics for concentricity. აირჩიეთ ან რამდენიმე წერტილი, ან რამდენიმე კონიკური კონცენტრულობისთვს. - + Select either one point and several curves, or one curve and several points აირჩიეთ ან ერთი წერტილი და რამდენიმე მრუდი, ან ერთ მრუდი და რამდენიმე წერტილი - + Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. მონიშნეთ ან ერთ წერტილი და რამდენიმე მრუდი ან ერთი რუდი და რამდენიმე წერტილი ხელსაწყოსთვის წერტილი ობიექტზე, ან რამდენიმე წერტილი დამთხვევისთვის, ან რამდენიმე კონუსი კონცენტრულობისთვის. - + None of the selected points were constrained onto the respective curves, either because they are parts of the same element, or because they are both external geometry. არცერთი მონიშნული წერტილი არ შემოიფარგლება შესაბამის მრუდებზე. ისინი ან ერთი და იგივე ელემენტის ნაწილებია, ან გარე გეომეტრიის ნაწილს წარმოადგენენ. - + Cannot add a length constraint on this selection! ამ მონიშნულზე სიგრძის შეზღუდვის დაწესება შეუძლებელია! - - - - + + + + Select exactly one line or up to two points from the sketch. ესკიზიდან აირჩიეთ ზუსტად ერთი ხაზი ან ორი წერტილი. - + Cannot add a horizontal length constraint on an axis! ღერძზე ჰორიზონტალური სიგრძის შეზღუდვის დაწესება შეუძლებელია! - + Cannot add a fixed x-coordinate constraint on the origin point! საწყის წერტილზე ფიქსირებული X-კოორდინატის შეზღუდვის დამატება შეუძლებელია! - - + + This constraint only makes sense on a line segment or a pair of points. ამ შეზღუდვას აზრი მხოლოდ ხაზის სეგმენტზე ან წერტილების წყვილზე აქვს. - + Cannot add a vertical length constraint on an axis! ღერძზე ვერტიკალური სიგრძის შეზღუდვის დაწესება შეუძლებელია! - + Cannot add a fixed y-coordinate constraint on the origin point! საწყის წერტილზე ფიქსირებული Y-კოორდინატის შეზღუდვის დამატება შეუძლებელია! - + Select two or more lines from the sketch. ესკიზიდან აირჩიეთ ორი ან მეტი ხაზი. - + One selected edge is not a valid line. ერთი მონიშნული წიბო სწორ ხაზს არ წარმოადგენს. - - + + Select at least two lines from the sketch. მონიშნეთ მინიმუმ 2 ხაზი. - + The selected edge is not a valid line. მონიშნული წიბო სწორ ხაზს არ წარმოადგენს. - + There is a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2811,35 +2811,35 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c მხარდაჭერილი კომბინაციებია: ორი მრუდი; ან ბოლო წერტილი და მრუდი; ან ორი ბოლო წერტილი; ან ორი მრუდი და წერტილი. - + Select some geometry from the sketch. perpendicular constraint ესკიზიდან მონიშნეთ რამე გეომეტრია. - - + + Cannot add a perpendicularity constraint at an unconnected point! დაუკავშირებელ წერტილზე მართობული შეზღუდვის დამატება შეუძლებელია! - - + + One of the selected edges should be a line. ერთი მონიშნული წიბოებიდან ხაზი უნდა იყოს. - + Endpoint to endpoint tangency was applied. The coincident constraint was deleted. ბოლო წერტილიდან წერტილამდე მხები გადატარებულია. დამთხვევის შეზღუდვა წაშლილია. - + Endpoint to edge tangency was applied. The point on object constraint was deleted. ბოლო წერტილიდან წიბომდე მხები გადატარებულია. წერტილი ობიექტის შეზღუდვაზე წაშლილია. - + There are a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2849,61 +2849,61 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c მხარდაჭერილი კომბინაციებია: ორი მრუდი; ან ბოლო წერტილი და მრუდი; ან ორი ბოლო წერტილი; ან ორი მრუდი და წერტილი. - + Select some geometry from the sketch. tangent constraint ესკიზიდან მონიშნეთ რამე გეომეტრია. - - - + + + Cannot add a tangency constraint at an unconnected point! დაუკავშირებელ წერტილზე მხების შეზღუდვის დამატება შეუძლებელია! - - + + Tangent constraint at B-spline knot is only supported with lines! მხების მზღუდავი B-სპლაინის კვანძთან მხოლოდ ხაზებითაა მხარდაჭერილი! - + B-spline knot to endpoint tangency was applied instead. სამაგიეროდ გამოყენებულია B-სპლაინის კვანძიდან ბოლო წერტილის მხებამდე. - - + + Wrong number of selected objects! მონიშნული ობიექტების არასწორი რაოდენობა! - - + + With 3 objects, there must be 2 curves and 1 point. 3 ობიექტით უნდა იყოს 2 მრუდი და 1 წერტილი. - - - - - - + + + + + + Select one or more arcs or circles from the sketch. აირჩიეთ ერთი ან მეტი რკალი ან წრეწირი ესკიზიდან. - - - + + + Constraint only applies to arcs or circles. შეზღუდვები ეხებამხოლოდ რკალებს და წრეწირებს. - - + + Select one or two lines from the sketch. Or select two edges and a point. ესკიზიდან მონიშნეთ ერთი ან ორი ხაზი ან მონიშნეთ ორი წიბო და წერტილი. @@ -2918,87 +2918,87 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c კუთხის შეზღუდვის დაყენება პარალელური ხაზებისთვის შეუძლებელია. - + Cannot add an angle constraint on an axis! ღერძზე კუთხის შეზღუდვის დაწესება შეუძლებელია! - + Select two edges from the sketch. მონიშეთ ორი წიბო ესკიზიდან. - + Select two or more compatible edges. მონიშნეთ ორი ან მეტი თავსებადი წიბო. - + Sketch axes cannot be used in equality constraints. ესკიზის ღერძები არ შეიძლება გამოყენებულ იქნას თანასწორობის შეზღუდვაში. - + Equality for B-spline edge currently unsupported. B-სპლაინის წიბოსთვის თანასწორობა ჯერ მხარდაუჭერელია. - - - + + + Select two or more edges of similar type. მონიშნეთ ორი ან მეტი ერთნაირი ტიპის წიბო. - - - - - + + + + + Select two points and a symmetry line, two points and a symmetry point or a line and a symmetry point from the sketch. ესკიზზე მონიშნეთ ორი წერტილი და სიმეტრიის ხაზი, ან ორი წერტილი და სიმეტრიის წერტილი ან ხაზი და სიმეტრიის წერტილი. - - + + Cannot add a symmetry constraint between a line and its end points. არ შეიძლება სიმეტრიის შეზღუდვის დამატება ხაზსა და მის ბოლო წერტილებს შორის. - - - - + + + + Cannot add a symmetry constraint between a line and its end points! არ შეიძლება სიმეტრიის შეზღუდვის დამატება ხაზსა და მის ბოლო წერტილებს შორის! - + Selected objects are not just geometry from one sketch. მონიშნული ობიექტები არ წარმოადგენენ მხოლიდ გეომეტრიებს ერთი ესკიზიდან. - + Cannot create constraint with external geometry only. შეუძლებელია შეზღუდვის შექმნა მხოლოდ გარე გეომეტრიით. - + Incompatible geometry is selected. არჩეულია შეუთავსებელი გეომეტრია. - + Select one dimensional constraint from the sketch. აირჩიეთ ერთი განზომილების შეზღუდვა ესკიზიდან. - - - - - + + + + + Select constraints from the sketch. აირჩიეთ შეზღუდვები ესკიზიდან. @@ -3539,12 +3539,12 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c სიგრძე: - + Refractive index ratio გარდატეხვის მაჩვენებლების ფარდობა - + Ratio n2/n1: N2/n1 ფარდობა: @@ -5189,8 +5189,8 @@ This is done by analyzing the sketch geometries and constraints. Sketcher_ConstrainDiameter - - + + Fix the diameter of a circle or an arc წრის ან რკალის რადიუსის გასწორება @@ -5342,64 +5342,74 @@ This is done by analyzing the sketch geometries and constraints. Sketcher_MapSketch - + No sketch found ესკიზი ნაპოვნი არაა - + + Cannot attach sketch to itself! + Cannot attach sketch to itself! + + + The document doesn't have a sketch დოკუმენტს ესკიზი არ გააჩნია - + Select sketch ესკიზის არჩევა - + + Select a sketch (some sketches not shown to prevent a circular dependency) + Select a sketch (some sketches not shown to prevent a circular dependency) + + + Select a sketch from the list აირჩიეთ ესკიზი - + (incompatible with selection) (შეუთავსებელია მონიშნულთან) - + (current) (მიმდინარე) - + (suggested) (შეთავაზებული) - + Sketch attachment ჩადებული ესკიზი - + Current attachment mode is incompatible with the new selection. Select the method to attach this sketch to selected objects. მიმაგრების მიმდინარე რეჟიმი შეუთავსებელია ახალ მონიშნულთან. აირჩიეთ ესკიზის მონიშნულ ობიექტზე მიმაგრების მეთოდი. - + Select the method to attach this sketch to selected objects. აირჩიეთ ესკიზის მონიშნულ ობიექტებზე დამაგრების მეთოდი. - + Map sketch ესკიზის რუკა - + Can't map a sketch to support: %1 ესკიზის საყრდენზე მიბმა შეუძლებელია: @@ -5930,22 +5940,22 @@ The grid spacing change if it becomes smaller than this number of pixel. GridSpaceAction - + Grid auto spacing ბადის ავტომატური ბიჯი - + Resize grid automatically depending on zoom. ბადის ზომების ავტომატური შეცვლა გადიდებაზე დამოკიდებულებით. - + Spacing გამოტოვება - + Distance between two subsequent grid lines. ბადის ორ მეზობელ ხაზს შორს მანძილი. @@ -5953,17 +5963,17 @@ The grid spacing change if it becomes smaller than this number of pixel. Notifications - + The Sketch has malformed constraints! ესკიზი არასწორ შეზღუდვებს შეიცავს! - + The Sketch has partially redundant constraints! ესკიზი ნაწილობრივ დამატებით შეზღუდვებს შეიცავს! - + Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! პარაბოლები მიგრირებულია. მიგრირებული ფაილები FreeCAD-ის წინა ვერსიებში არ გაიხსნება!! @@ -6042,8 +6052,8 @@ The grid spacing change if it becomes smaller than this number of pixel. - - + + Invalid Constraint არასწორი შეზღუდვა @@ -6250,34 +6260,34 @@ The grid spacing change if it becomes smaller than this number of pixel. SnapSpaceAction - + Snap to objects ობიექტებზე მიბმა - + New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. ახალი წერტლები ამჟამად წინასწარ არჩეულ ობიექტს მიემაგრება. ის ასევე მიემაგრება ხაზის შუა ადგილებს და რკალებს. - + Snap to grid ბადეზე მიმაგრება - + New points will snap to the nearest grid line. Points must be set closer than a fifth of the grid spacing to a grid line to snap. ახალი წერტილები მიებმება უახლოესი ბადის ხაზს. მისაბმელად ისინი ამ უკანასკნელთან ბადის ბიჯის მეხუთედზე უფრო ახლოს უნდა იყვნენ. - + Snap angle მიბმის კუთხე - + Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. კუთხური ბიჯი ხელსაწყოებისთვის, როლებიც 'კუთხით მიმაგრებას' იყენებენ (მაგალითად, ხაზი). კუთხზე ესკიზის დადებითი X ღერძიდან იწყება. @@ -6285,23 +6295,23 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna RenderingOrderAction - - - + + + Normal Geometry ნორმალის გეომეტრია - - - + + + Construction Geometry კონსტრუქციის გეომეტრია - - - + + + External Geometry გარე გეომეტრია @@ -6309,12 +6319,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdRenderingOrder - + Configure rendering order რენდერის მიმდევრობის მორგება - + Reorder the items in the list to configure rendering order. რენდერის მიმდევრობის მოსარგებად გადაალაგეთ სიაში ელემენტები. @@ -6322,12 +6332,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherGrid - + Toggle grid ბადის გადართვა - + Toggle the grid in the sketch. In the menu you can change grid settings. ესკიზში ბადის გადართვა. ბადის პარამეტრების მენიუში შეგიძლიათ, შეცვალოთ. @@ -6335,12 +6345,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherSnap - + Toggle snap მიბმის გადართვა - + Toggle all snap functionality. In the menu you can toggle 'Snap to grid' and 'Snap to objects' individually, and change further snap settings. მიბმის ყველა ფუნქციის გადართვა. 'ბადეზე მიბმის' და 'ობიექტებზე მიბმის' ინდივიდუალურად გადართვა და მიბმის სხვა პარამეტრების შეცვლა მენიუში შეგიძლიათ. @@ -6374,12 +6384,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherDimension - + Dimension ზომა - + Constrain contextually based on your selection. Depending on your selection you might have several constraints available. You can cycle through them using M key. Left clicking on empty space will validate the current constraint. Right clicking or pressing Esc will cancel. @@ -6417,12 +6427,12 @@ Left clicking on empty space will validate the current constraint. Right clickin CmdSketcherConstrainRadius - + Constrain radius რადიუსის სეზღუდვა - + Fix the radius of a circle or an arc წრეწირის ან რკალის რადიუსის გამუდმივება @@ -6557,12 +6567,12 @@ Left clicking on empty space will validate the current constraint. Right clickin ორიგინალი გეომეტრიების წაშლა (U) - + Apply equal constraints ტოლი შეზღუდვების გადატარება - + If this option is selected dimensional constraints are excluded from the operation. Instead equal constraints are applied between the original objects and their copies. თუ ეს პარამეტრი ჩართულია, განზომილების შეზღუდვები ოპერაციიდან ამოღებული იქნება. @@ -6634,12 +6644,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherCompHorizontalVertical - + Constrain horizontal/vertical ჰორიზონტალურობის/ვერტიკალურობის შეზღუდვა - + Constrains a single line to either horizontal or vertical. ერთი ხაზის შეზღუდვა ჰორიზონტალურად ან ვერტიკალურად. @@ -6647,12 +6657,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainHorVer - + Constrain horizontal/vertical ჰორიზონტალურობის/ვერტიკალურობის შეზღუდვა - + Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. შეზღუდავს ერთ ხაზს ჰორიზონტალურად ან ვერტიკალურად. რომელიც უფრო ახლოსაა მიმდინარე განლაგებასთან. @@ -6699,12 +6709,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainCoincidentUnified - + Constrain coincident დამთხვევის შეზღუდვა - + Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses წერტილებს შორის დამთხვევის, ან წერტილის წიბოზე დამაგრების, ან წრეწირებს, რკალებსა და ოვალებს შორის კონცენტრულობის შეზღუდვის შექმნა @@ -6990,7 +7000,7 @@ Instead equal constraints are applied between the original objects and their cop TaskSketcherTool_p4_rotate - + Copies (+'U'/ -'J') ასლები (+'U'/ -'J') @@ -7238,12 +7248,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainTangent - + Constrain tangent or collinear მხების ან კოლინეარულის შეზღუდვა - + Create a tangent or collinear constraint between two entities ორი ობიექტს შორის მხების ან კოლინეარული შეზღუდვის შექმნა @@ -7251,12 +7261,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherChangeDimensionConstraint - + Change value მნიშვნელობის შეცვლა - + Change the value of a dimensional constraint სივრცითი შეზღუდვის მნიშვნელობის შეცვლა @@ -7322,8 +7332,8 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadius - - + + Fix the radius of an arc or a circle წრეწირის ან რკალის რადიუსის გამუდმივება @@ -7331,8 +7341,8 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadiam - - + + Fix the radius/diameter of an arc or a circle წრეწირის ან რკალის რადიუსის/დიამეტრის გამუდმივება diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ko.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ko.ts index c8b94068bbcd..a2540b89f8f1 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ko.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ko.ts @@ -128,27 +128,27 @@ CmdSketcherCompConstrainRadDia - + Constrain arc or circle 호 또는 원 구속 - + Constrain an arc or a circle 호 또는 원을 구속함 - + Constrain radius 반지름 구속 - + Constrain diameter 지름 구속 - + Constrain auto radius/diameter 자동 반지름/직경 구속 @@ -307,12 +307,12 @@ CmdSketcherConstrainAngle - + Constrain angle 각도 구속 - + Fix the angle of a line or the angle between two lines 단일 선의 각도(수평축 기준) 또는 두선 사이의 각도 고정 @@ -320,12 +320,12 @@ CmdSketcherConstrainBlock - + Constrain block 차단 구속 - + Block the selected edge from moving 선택 모서리가 움직이지 않도록 차단 @@ -333,12 +333,12 @@ CmdSketcherConstrainCoincident - + Constrain coincident 일치 구속 - + Create a coincident constraint between points, or a concentric constraint between circles, arcs, and ellipses 점들 사이의 일치 구속 또는 원, 호, 타원 사이의 동심 구속을 생성함 @@ -346,12 +346,12 @@ CmdSketcherConstrainDiameter - + Constrain diameter 지름 구속 - + Fix the diameter of a circle or an arc 원이나 호의 지름을 고정합니다 @@ -359,12 +359,12 @@ CmdSketcherConstrainDistance - + Constrain distance 거리 구속 - + Fix a length of a line or the distance between a line and a vertex or between two circles 선의 길이 또는 선과 꼭짓점 사이 또는 두 원 사이의 거리를 고정함 @@ -372,12 +372,12 @@ CmdSketcherConstrainDistanceX - + Constrain horizontal distance 수평 거리를 구속합니다 - + Fix the horizontal distance between two points or line ends 두 점 또는 선의 수평거리 고정 @@ -385,12 +385,12 @@ CmdSketcherConstrainDistanceY - + Constrain vertical distance 수직 거리 구속 - + Fix the vertical distance between two points or line ends 두 점 또는 선의 수직거리 고정 @@ -398,12 +398,12 @@ CmdSketcherConstrainEqual - + Constrain equal 동일 구속 - + Create an equality constraint between two lines or between circles and arcs 두 선 또는 원과 원/호와 호/원과 호에 동일한 치수 부가 @@ -411,12 +411,12 @@ CmdSketcherConstrainHorizontal - + Constrain horizontal 수평 구속 - + Create a horizontal constraint on the selected item 선택한 요소에 수평 구속 생성 @@ -424,12 +424,12 @@ CmdSketcherConstrainLock - + Constrain lock 제약조건: 고정 - + Create both a horizontal and a vertical distance constraint on the selected vertex 선택 꼭짓점에 수평 및 수직 거리 구속을 생성함 @@ -438,12 +438,12 @@ on the selected vertex CmdSketcherConstrainParallel - + Constrain parallel 평행 구속 - + Create a parallel constraint between two lines 선택한 요소(두 선)를 평행하게 고정 @@ -451,12 +451,12 @@ on the selected vertex CmdSketcherConstrainPerpendicular - + Constrain perpendicular 직교 구속 - + Create a perpendicular constraint between two lines 두 선이 직교하게 구속 @@ -464,12 +464,12 @@ on the selected vertex CmdSketcherConstrainPointOnObject - + Constrain point on object 선 위에 점 구속 - + Fix a point onto an object 점을 선에 일치 @@ -477,12 +477,12 @@ on the selected vertex CmdSketcherConstrainRadiam - + Constrain auto radius/diameter 자동 반지름/직경 구속 - + Fix the diameter if a circle is chosen, or the radius if an arc/spline pole is chosen 원을 선택한 경우 지름을, 호/조절곡선 극점을 선택한 경우 반지름을 수정합니다. @@ -490,12 +490,12 @@ on the selected vertex CmdSketcherConstrainSnellsLaw - + Constrain refraction (Snell's law) 굴절 구속(스넬의 법칙) - + Create a refraction law (Snell's law)constraint between two endpoints of rays and an edge as an interface. 광선의 두 끝점과 다른 매질 사이의 경계선에 해당하는 모서리에 굴절 법칙(스넬의 법칙) 구속을 생성합니다. @@ -504,12 +504,12 @@ and an edge as an interface. CmdSketcherConstrainSymmetric - + Constrain symmetric 대칭 구속 - + Create a symmetry constraint between two points with respect to a line or a third point 선 또는 세 번째 점을 기준으로 두 점 사이에 대칭 구속조건을 생성합니다. @@ -518,12 +518,12 @@ with respect to a line or a third point CmdSketcherConstrainVertical - + Constrain vertical 수직 구속 - + Create a vertical constraint on the selected item 선택한 요소를 수직하게 고정 @@ -1064,7 +1064,7 @@ then call this command, then choose the desired sketch. 먼저 스케치의 받침으로 사용할 도형, 예를 들어 고체의 면이나 모서리를 선택하세요. 그리고 이 명령을 사용하고 부착하려는 스케치를 선택하세요. - + Some of the selected objects depend on the sketch to be mapped. Circular dependencies are not allowed. 선택한 객체 중 일부는 투사할 스케치에 종속되어 있음. 순환 종속성은 허용되지 않음. @@ -1072,22 +1072,22 @@ then call this command, then choose the desired sketch. CmdSketcherMergeSketches - + Merge sketches 스케치 병합 - + Create a new sketch from merging two or more selected sketches. 선택한 두 개 이상의 스케치를 병합하여 새 스케치를 만듭니다. - + Wrong selection 잘못 된 선택 - + Select at least two sketches. 최소한 두 개의 스케치를 선택합니다. @@ -1095,24 +1095,24 @@ then call this command, then choose the desired sketch. CmdSketcherMirrorSketch - + Mirror sketch 스케치 대칭 - + Creates a new mirrored sketch for each selected sketch by using the X or Y axes, or the origin point, as mirroring reference. X 또는 Y 축 또는 원점을 기준으로 선택한 각 스케치에 대해 대칭된 새 스케치를 만듭니다. - + Wrong selection 잘못 된 선택 - + Select one or more sketches. 하나 이상의 스케치를 선택합니다. @@ -1366,12 +1366,12 @@ This will clear the 'AttachmentSupport' property, if any. CmdSketcherToggleActiveConstraint - + Activate/deactivate constraint 구속을 활성화/비활성화합니다. - + Activates or deactivates the selected constraints 선택한 구속을 활성화하거나 비활성화합니다. @@ -1392,12 +1392,12 @@ This will clear the 'AttachmentSupport' property, if any. CmdSketcherToggleDrivingConstraint - + Toggle driving/reference constraint 주도/참조 구속을 전환합니다. - + Set the toolbar, or the selected constraints, into driving or reference mode 치수 구속 도구모음이나 선택된 치수 구속을 주도/참조 모드로 설정합니다. @@ -1419,23 +1419,23 @@ into driving or reference mode CmdSketcherValidateSketch - + Validate sketch... 스케치 유효성 검사... - + Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. 누락된 일치, 무효한 구속, 변형된 도형 등을 확인하여 스케치의 유효성을 검사합니다. - + Wrong selection 잘못 된 선택 - + Select only one sketch. 단 하나의 스케치를 선택합니다. @@ -1443,12 +1443,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSection - + View section 단면 보기 - + When in edit mode, switch between section view and full view. 편집 모드에 있을 때, 단면 보기와 전체 보기 간에 전환합니다. @@ -1456,12 +1456,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSketch - + View sketch 스케치 보기 - + When in edit mode, set the camera orientation perpendicular to the sketch plane. 편집 모드에 있을 때, 카메라 방향을 스케치 평면에 수직으로 설정합니다. @@ -1469,69 +1469,69 @@ invalid constraints, degenerated geometry, etc. Command - + Add 'Lock' constraint '잠금' 구속을 추가합니다 - + Add relative 'Lock' constraint 상대적 '잠금' 구속을 추가합니다 - + Add fixed constraint 고정된 구속을 추가합니다 - + Add 'Block' constraint '차단' 구속을 추가합니다 - + Add block constraint 차단 구속을 추가합니다 - - + + Add coincident constraint 일치 구속을 추가합니다 - - + + Add distance from horizontal axis constraint 수평축 구속에서 거리 추가하기 - - + + Add distance from vertical axis constraint 수직축 구속에서 거리 추가하기 - - + + Add point to point distance constraint 점에서 점까지 거리 구속 추가하기 - - + + Add point to line Distance constraint 점에서 선까지 거리 구속 추가하기 - - + + Add circle to circle distance constraint 원에서 원까지 거리 구속 추가하기 - + Add circle to line distance constraint 원에서 선까지 거리 구속 추가하기 @@ -1540,16 +1540,16 @@ invalid constraints, degenerated geometry, etc. - - - + + + Add length constraint 길이 구속 추가하기 - + Dimension 치수 @@ -1566,7 +1566,7 @@ invalid constraints, degenerated geometry, etc. - + Add Distance constraint 거리 구속 추가 @@ -1644,7 +1644,7 @@ invalid constraints, degenerated geometry, etc. 반지름 구속 추가 - + Activate/Deactivate constraints 구속을 활성화/비활성화 @@ -1660,23 +1660,23 @@ invalid constraints, degenerated geometry, etc. 동심 및 길이 구속 추가 - + Add DistanceX constraint X거리 구속 추가 - + Add DistanceY constraint Y거리 구속 추가 - + Add point to circle Distance constraint 점에서 원까지 거리 구속 추가하기 - - + + Add point on object constraint 선 위에 점 구속 추가 @@ -1687,143 +1687,143 @@ invalid constraints, degenerated geometry, etc. 호 길이 구속 추가 - - + + Add point to point horizontal distance constraint 점에서 점까지 수평 거리 구속 추가하기 - + Add fixed x-coordinate constraint 고정 x-좌표 구속 추가하기 - - + + Add point to point vertical distance constraint 점에서 점까지 수직 거리 구속 추가하기 - + Add fixed y-coordinate constraint 고정 y-좌표 구속 추가하기 - - + + Add parallel constraint 평행 구속 추가하기 - - - - - - - + + + + + + + Add perpendicular constraint 직교 구속 추가 - + Add perpendicularity constraint 직교 구속 추가 - + Swap coincident+tangency with ptp tangency 일치+접선을 ptp 접선으로 바꾸기 - - - - - - - + + + + + + + Add tangent constraint 접선 구속 추가하기 - - - - - - - - - - - - - - + + + + + + + + + + + + + + Add tangent constraint point 접선구속 점 추가하기 - - - - + + + + Add radius constraint 반경 구속 추가하기 - - - - + + + + Add diameter constraint 직경 구속 추가하기 - - - - + + + + Add radiam constraint (반)지름 구속 추가 - - - - + + + + Add angle constraint 각도 구속 추가하기 - + Swap point on object and tangency with point to curve tangency Swap point on object and tangency with point to curve tangency - - + + Add equality constraint 동일 구속 추가하기 - - - - - + + + + + Add symmetric constraint 대칭 구속 추가하기 - + Add Snell's law constraint 스넬의 법칙 구속 추가하기 - + Toggle constraint to driving/reference 구속을 주도/참조로 전환 @@ -1843,22 +1843,22 @@ invalid constraints, degenerated geometry, etc. 스케치 방향 변경 - + Attach sketch 스케치 부착 - + Detach sketch 스케치 분리하기 - + Create a mirrored sketch for each selected sketch 각 선택된 스케치에 대칭되는 스케치 생성 - + Merge sketches 스케치 병합 @@ -2032,7 +2032,7 @@ invalid constraints, degenerated geometry, etc. 구속의 가상 공간을 업데이트하기 - + Add auto constraints 자동 구속 추가하기 @@ -2140,59 +2140,59 @@ invalid constraints, degenerated geometry, etc. Exceptions - + Unable to guess intersection of curves. Try adding a coincident constraint between the vertices of the curves you are intending to fillet. 곡선의 교차점을 추정할 수 없습니다. 모깎기 하려는 곡선의 정점들 사이에 일치 구속을 추가해 보십시오. - + You are requesting no change in knot multiplicity. 매듭점 다중성에 대한 변경을 요청하지 않으셨습니다. - - + + B-spline Geometry Index (GeoID) is out of bounds. B-조절곡선 기하형상 인덱스(GeoID)가 범위를 벗어났습니다. - - + + The Geometry Index (GeoId) provided is not a B-spline. 제공된 기하형상 인덱스(GeoId)는 B-조절곡선이 아닙니다. - + The knot index is out of bounds. Note that in accordance with OCC notation, the first knot has index 1 and not zero. 매듭 지수가 범위를 벗어났습니다. OCC 표기법에 따라 첫 번째 매듭은 0이 아닌 지수 1을 가집니다. - + The multiplicity cannot be increased beyond the degree of the B-spline. 다중도는 B-스플라인의 정도 이상으로 증가할 수 없습니다. - + The multiplicity cannot be decreased beyond zero. 다중도는 0 이상으로 감소할 수 없습니다. - + OCC is unable to decrease the multiplicity within the maximum tolerance. OCC는 최대 공차 내에서 다중도를 감소시킬 수 없습니다. - + Knot cannot have zero multiplicity. 매듭은 0개의 다중도를 가질 수 없습니다. - + Knot multiplicity cannot be higher than the degree of the B-spline. 매듭 다중도는 B-조절곡선의 각도보다 높을 수 없습니다. - + Knot cannot be inserted outside the B-spline parameter range. 매듭은 B-조절곡선 매개변수 범위 밖에서 삽입할 수 없습니다. @@ -2302,7 +2302,7 @@ invalid constraints, degenerated geometry, etc. - + Don't attach 부착하지 마세요. @@ -2324,123 +2324,123 @@ invalid constraints, degenerated geometry, etc. - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + - - - - - - + + + + + + + + @@ -2506,116 +2506,116 @@ invalid constraints, degenerated geometry, etc. 선택한 항목 중 하나가 스케치에 있어야 합니다. - + Select an edge from the sketch. 스케치에서 하나의 모서리를 선택하세요. - - - - - - + + + + + + Impossible constraint 불가능한 구속입니다. - - + + The selected edge is not a line segment. 선택한 모서리가 선분이 아닙니다. - - - + + + Double constraint 이중 구속 - + The selected edge already has a horizontal constraint! 선택한 모서리에 이미 수평 구속이 있습니다! - + The selected edge already has a vertical constraint! 선택한 모서리에 이미 수직 구속이 있습니다! - - - + + + The selected edge already has a Block constraint! 선택한 모서리에 이미 차단 구속이 있습니다! - + There are more than one fixed points selected. Select a maximum of one fixed point! 고정점을 두 개 이상 선택했습니다. 최대 하나의 고정점을 선택하세요! - - - + + + Select vertices from the sketch. 두개 이상의 점을 선택하세요. - + Select one vertex from the sketch other than the origin. 스케치에서 원점이 아닌 다른 점을 선택하세요. - + Select only vertices from the sketch. The last selected vertex may be the origin. 스케치에서 오직 꼭지점만 선택하세요. 마지막에 선택한 꼭지점은 원점이어야 합니다. - + Wrong solver status 잘못된 해결자 상태 - + A Block constraint cannot be added if the sketch is unsolved or there are redundant and conflicting constraints. 스케치가 해결되지 않거나 중복 및 충돌되는 구속이 있는 경우 차단 구속을 추가할 수 없습니다. - + Select one edge from the sketch. 스케치에서 하나의 모서리를 선택하세요. - + Select only edges from the sketch. 스케치에서 모서리만 선택하세요 - + None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. 선택한 점이 동일한 요소의 일부이거나, 둘 다 외부 도형 이거나, 모서리가 적합하지 않기 때문에 각 곡선에 구속되지 않았습니다. - + Only tangent-via-point is supported with a B-spline. B-조절곡선에서는 접선 통과점만 지원됩니다. - - + + Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. 스케치에서 하나 이상의 B-조절곡선의 극만 선택하거나 하나 이상의 호 또는 원만 선택하되 혼합하지 않습니다. - + Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. Constraint_SnellsLaw 광선 역할을 할 선의 끝점 두 개와 경계를 나타내는 모서리를 선택합니다. 첫 번째 선택된 점은 굴절률 n1, 두 번째 점은 n2에 해당하며 이 값으로 n2/n1의 비율을 설정합니다. - + Number of selected objects is not 3 선택된 개체 수가 3이 아닙니다 @@ -2632,80 +2632,80 @@ invalid constraints, degenerated geometry, etc. 예상치 못한 오류. 보고서 보기에서 더 많은 정보를 확인 할 수 있습니다. - + The selected item(s) can't accept a horizontal or vertical constraint! 선택된 요소(들)은 수평 또는 수직 구속을 적용할 수 없습니다. - + Endpoint to endpoint tangency was applied instead. 끝점 간 접선이 대신 적용되었습니다. - + Select two or more vertices from the sketch for a coincident constraint, or two or more circles, ellipses, arcs or arcs of ellipse for a concentric constraint. 일치 구속을 위해 스케치에서 두 개 이상의 꼭지점을 선택하거나 동심 구속을 위해 두 개 이상의 원, 타원, 원호 또는 타원의 호를 선택합니다. - + Select two vertices from the sketch for a coincident constraint, or two circles, ellipses, arcs or arcs of ellipse for a concentric constraint. 일치 구속을 위해 스케치에서 두 개의 꼭지점을 선택하거나, 동심 구속을 위해 두 개의 원, 타원, 원호 또는 타원의 호를 선택합니다. - + Select exactly one line or one point and one line or two points from the sketch. 한 직선 또는 한 점, 한 직선 또는 두 점을 선택하세요. - + Cannot add a length constraint on an axis! 축에는 길이 구속을 적용할 수 없습니다! - - + + Select exactly one line or one point and one line or two points or two circles from the sketch. 스케치에서 정확히 하나의 선만 택하거나 하나의 점과 하나의 선을 선택하거나 두 개의 점 또는 두 개의 원을 선택합니다. - + This constraint does not make sense for non-linear curves. 이 구속은 비선형 곡선에는 사용할 수 없습니다. - + Endpoint to edge tangency was applied instead. 끝점과 모서리 간 접선이 대신 적용되었습니다. - - - - - - + + + + + + Select the right things from the sketch. 스케치에서 적절한 것을 선택하세요. - - - - - - - - - + + + + + + + + - - - - - - - - + + + + + + + + + Select an edge that is not a B-spline weight. B-조절곡선의 가중점이 아닌 모서리를 선택합니다. @@ -2715,87 +2715,87 @@ invalid constraints, degenerated geometry, etc. 내부적으로 적용 중인 최신 구속이 선 위의 점에도 적용되므로 한두 개의 선 위에 점 구속이 삭제되었습니다. - + Select either several points, or several conics for concentricity. 동심을 만들기 위한 몇 개의 점들을 선택하거나 아니면 몇 개의 원뿔곡선들 선택하세요. - + Select either one point and several curves, or one curve and several points 하나의 점과 여러 곡선들을 선택하거나 아니면 하나의 곡선과 여러 점들을 선택합니다. - + Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. - + None of the selected points were constrained onto the respective curves, either because they are parts of the same element, or because they are both external geometry. 선택한 점이 동일한 요소의 일부이거나 둘 다 외부 도형이기 때문에 각 곡선에 구속되지 않았습니다. - + Cannot add a length constraint on this selection! 이 선택에는 길이 구속을 추가할 수 없습니다! - - - - + + + + Select exactly one line or up to two points from the sketch. 한 직선 또는 최대 2개의 점을 선택하세요. - + Cannot add a horizontal length constraint on an axis! 축에는 수평 길이 구속을 적용할 수 없습니다! - + Cannot add a fixed x-coordinate constraint on the origin point! 원점에는 고정된 x좌표 구속을 추가할 수 없습니다! - - + + This constraint only makes sense on a line segment or a pair of points. 이 구속은 선분 또는 한 쌍의 점에서만 의미가 있습니다. - + Cannot add a vertical length constraint on an axis! 축에는 수직 길이 구속을 적용할 수 없습니다! - + Cannot add a fixed y-coordinate constraint on the origin point! 원점에는 고정된 y좌표 구속을 추가할 수 없습니다! - + Select two or more lines from the sketch. 두개 이상의 직선을 선택하세요. - + One selected edge is not a valid line. 선택된 모서리 하나는 유효한 선이 아닙니다. - - + + Select at least two lines from the sketch. 최소한 두개 이상의 직선을 선택하세요. - + The selected edge is not a valid line. 선택된 모서리는 유효한 선이 아닙니다. - + There is a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2805,35 +2805,35 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c 사용가능한 조합: 두개의 곡선, 끝점과 곡선, 두개의 끝점, 두개의 곡선과 한 점. - + Select some geometry from the sketch. perpendicular constraint 스케치에서 도형들을 몇 개 선택하세요. - - + + Cannot add a perpendicularity constraint at an unconnected point! 연결되지 않은 점에 대하여 직교 구속을 적용할 수 없습니다! - - + + One of the selected edges should be a line. 선택된 모서리중 하나는 직선이어야 합니다. - + Endpoint to endpoint tangency was applied. The coincident constraint was deleted. 끝점 간 접선 구속이 적용되었습니다. 기존의 일치 구속은 삭제됩니다. - + Endpoint to edge tangency was applied. The point on object constraint was deleted. 끝점과 모서리간 접선 구속이 적용됩니다. 기존의 선위의 점 구속은 삭제됩니다. - + There are a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2843,61 +2843,61 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c 사용가능한 조합: 두개의 곡선, 끝점과 곡선, 두개의 끝점, 두개의 곡선과 한 점. - + Select some geometry from the sketch. tangent constraint 스케치에서 도형들을 몇 개 선택하세요. - - - + + + Cannot add a tangency constraint at an unconnected point! 연결되지 않은 점에 대하여 접선 구속을 적용할 수 없습니다! - - + + Tangent constraint at B-spline knot is only supported with lines! B-조절곡선 매듭에서 접점 구속은 선으로만 지원됩니다! - + B-spline knot to endpoint tangency was applied instead. 끝점 접점에 대한 B-조절곡선 매듭이 대신해서 적용되었습니다. - - + + Wrong number of selected objects! 선택한 객체의 갯수가 잘못되었습니다! - - + + With 3 objects, there must be 2 curves and 1 point. 3개의 객체(2개의 곡선과 1개의 점)가 있어야합니다. - - - - - - + + + + + + Select one or more arcs or circles from the sketch. 하나 이상의 호나 원을 선택하세요. - - - + + + Constraint only applies to arcs or circles. 호 또는 원에만 적용 가능한 구속입니다. - - + + Select one or two lines from the sketch. Or select two edges and a point. 하나 이상의 직선을 선택하세요. 또는, 두개의 선과 하나의 점을 선택하세요. @@ -2912,87 +2912,87 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c 각도 구속은 평행한 두 직선에는 적용할 수 없습니다. - + Cannot add an angle constraint on an axis! 축에는 각도 구속을 적용할 수 없습니다! - + Select two edges from the sketch. 스케치에서 두 모서리를 선택합니다. - + Select two or more compatible edges. 2개 이상의 호환되는 모서리를 선택하세요. - + Sketch axes cannot be used in equality constraints. 스케치 축에는 동일 구속을 적용할 수 없습니다. - + Equality for B-spline edge currently unsupported. B-조절곡선 모서리에 대한 동일구속은 현재 지원되지 않습니다. - - - + + + Select two or more edges of similar type. 동일한 유형의 모서리를 2개 이상 선택하세요. - - - - - + + + + + Select two points and a symmetry line, two points and a symmetry point or a line and a symmetry point from the sketch. 1)두 점과 대칭선 2)두 점과 대칭 점 또는 3)하나의 선과 대칭 점을 선택하세요. - - + + Cannot add a symmetry constraint between a line and its end points. 선과 선에 포함된 점을 대칭으로 구속할 수 없습니다. - - - - + + + + Cannot add a symmetry constraint between a line and its end points! 선과 선에 포함된 점에는 대칭 구속을 적용할 수 없습니다! - + Selected objects are not just geometry from one sketch. 선택된 것들은 하나의 스케치에 있는 도형들이 아닙니다. - + Cannot create constraint with external geometry only. 외부 도형만으로는 구속을 생성할 수 없습니다. - + Incompatible geometry is selected. 호환되지 않는 도형이 선택되었습니다. - + Select one dimensional constraint from the sketch. 스케치에서 하나의 치수 구속을 선택하세요. - - - - - + + + + + Select constraints from the sketch. 스케치에서 구속들을 선택하세요 @@ -3533,12 +3533,12 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c 길이: - + Refractive index ratio 굴절률 비 - + Ratio n2/n1: 비율 n2/n1: @@ -5184,8 +5184,8 @@ This is done by analyzing the sketch geometries and constraints. Sketcher_ConstrainDiameter - - + + Fix the diameter of a circle or an arc 원이나 호의 지름을 고정합니다 @@ -5337,63 +5337,73 @@ This is done by analyzing the sketch geometries and constraints. Sketcher_MapSketch - + No sketch found 스케치를 찾을 수 없습니다 - + + Cannot attach sketch to itself! + Cannot attach sketch to itself! + + + The document doesn't have a sketch 문서에 스케치가 없습니다 - + Select sketch 스케치 선택 - + + Select a sketch (some sketches not shown to prevent a circular dependency) + Select a sketch (some sketches not shown to prevent a circular dependency) + + + Select a sketch from the list 목록에서 스케치를 선택하세요. - + (incompatible with selection) (불가능한 선택) - + (current) (현재) - + (suggested) (제안) - + Sketch attachment 스케치 부착 - + Current attachment mode is incompatible with the new selection. Select the method to attach this sketch to selected objects. 현재의 부착 방식은 새 스케치와 맞지 않습니다. 이 스케치를 선택된 대상에 부착하기 위한 다른 방식을 선택하세요. - + Select the method to attach this sketch to selected objects. 선택된 객체에 이 스케치를 부착할 방법을 선택하세요. - + Map sketch 스케치 투사 - + Can't map a sketch to support: %1 스케치를 %1 받침에 투사할 수 없습니다: @@ -5922,22 +5932,22 @@ The grid spacing change if it becomes smaller than this number of pixel. GridSpaceAction - + Grid auto spacing 격자 자동 간격 - + Resize grid automatically depending on zoom. 확대/축소에 따라 자동으로 격자 크기 조정 - + Spacing 간격 - + Distance between two subsequent grid lines. 두 개의 후속 격자선 사이의 거리. @@ -5945,17 +5955,17 @@ The grid spacing change if it becomes smaller than this number of pixel. Notifications - + The Sketch has malformed constraints! 스케치에 잘못된 구속들이 있습니다! - + The Sketch has partially redundant constraints! 스케치에 부분적으로 중복되는 구속들이 있습니다! - + Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! @@ -6034,8 +6044,8 @@ The grid spacing change if it becomes smaller than this number of pixel. - - + + Invalid Constraint 무효한 구속 @@ -6242,34 +6252,34 @@ The grid spacing change if it becomes smaller than this number of pixel. SnapSpaceAction - + Snap to objects 개체에 포착 - + New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. 새 점이 현재 선택된 개체에 포착됩니다. 또한 선과 호의 중점에도 포착됩니다. - + Snap to grid 격자에 포착 - + New points will snap to the nearest grid line. Points must be set closer than a fifth of the grid spacing to a grid line to snap. 새 점은 가장 가까운 격자선에 포착됩니다. 점을 격자선에 격자 간격의 5분의 1보다 가깝게 가져가야 포착할 수 있습니다. - + Snap angle 포착 각도 - + Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. '각도에 포착'을 사용하는 도구(예: 선) 의 각도 단계 입니다. '각도에 포착'을 활성화하려면 CTRL 키를 누릅니다. 각도는 스케치의 양(+) 의 X축에서 시작됩니다. @@ -6277,23 +6287,23 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna RenderingOrderAction - - - + + + Normal Geometry Normal Geometry - - - + + + Construction Geometry 보조선 - - - + + + External Geometry 외부 도형 @@ -6301,12 +6311,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdRenderingOrder - + Configure rendering order Configure rendering order - + Reorder the items in the list to configure rendering order. Reorder the items in the list to configure rendering order. @@ -6314,12 +6324,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherGrid - + Toggle grid 격자 전환 - + Toggle the grid in the sketch. In the menu you can change grid settings. 스케치에서 격자보기를 전환합니다. 환경설정에서도 격자보기를 설정할 수 있습니다. @@ -6327,12 +6337,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherSnap - + Toggle snap 포착 전환 - + Toggle all snap functionality. In the menu you can toggle 'Snap to grid' and 'Snap to objects' individually, and change further snap settings. 모든 포착 기능을 전환합니다. 메뉴에서 '격자에 포착' 및 '개체에 포착'을 개별적으로 전환할 수 있고 추가 포착 설정을 변경할 수 있습니다. @@ -6366,12 +6376,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherDimension - + Dimension 치수 - + Constrain contextually based on your selection. Depending on your selection you might have several constraints available. You can cycle through them using M key. Left clicking on empty space will validate the current constraint. Right clicking or pressing Esc will cancel. @@ -6409,12 +6419,12 @@ Left clicking on empty space will validate the current constraint. Right clickin CmdSketcherConstrainRadius - + Constrain radius 반지름 구속 - + Fix the radius of a circle or an arc 원 또는 호의 반지름을 고정 @@ -6549,12 +6559,12 @@ Left clicking on empty space will validate the current constraint. Right clickin 기존의 기하요소는 제거합니다(U) - + Apply equal constraints 동일구속 적용 - + If this option is selected dimensional constraints are excluded from the operation. Instead equal constraints are applied between the original objects and their copies. 이것을 선택하면 치수 구속이 작업에서 제외됩니다. @@ -6626,12 +6636,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherCompHorizontalVertical - + Constrain horizontal/vertical 수평/수직 구속 - + Constrains a single line to either horizontal or vertical. 하나의 선을 수평이나 수직으로 구속합니다. @@ -6639,12 +6649,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainHorVer - + Constrain horizontal/vertical 수평/수직 구속 - + Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. 하나의 선을 현재 정렬상태에서가까운 수평 또는 수직 중 하나로 구속합니다. @@ -6691,12 +6701,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainCoincidentUnified - + Constrain coincident 일치 구속 - + Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses 점 사이에 일치하는 구속을 만들거나 모서리에 점을 고정하거나 원, 호, 타원 사이에 동심 구속을 만듭니다. @@ -6982,7 +6992,7 @@ Instead equal constraints are applied between the original objects and their cop TaskSketcherTool_p4_rotate - + Copies (+'U'/ -'J') 복사본 (+'U'/-'J') @@ -7230,12 +7240,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainTangent - + Constrain tangent or collinear 접선 또는 동일선 구속 - + Create a tangent or collinear constraint between two entities 두 개체 사이에 접선 또는 동일선 구속을 생성 @@ -7243,12 +7253,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherChangeDimensionConstraint - + Change value 값 변경 - + Change the value of a dimensional constraint 치수 구속값을 변경 @@ -7314,8 +7324,8 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadius - - + + Fix the radius of an arc or a circle 호 또는 원의 반지름을 고정 @@ -7323,8 +7333,8 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadiam - - + + Fix the radius/diameter of an arc or a circle 호 또는 원의 지름/반지름을 고정 diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_lt.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_lt.ts index e9863d7a40cc..18e20dee8340 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_lt.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_lt.ts @@ -128,27 +128,27 @@ CmdSketcherCompConstrainRadDia - + Constrain arc or circle Constrain arc or circle - + Constrain an arc or a circle Constrain an arc or a circle - + Constrain radius Spindulio apribojimas - + Constrain diameter Constrain diameter - + Constrain auto radius/diameter Constrain auto radius/diameter @@ -307,12 +307,12 @@ CmdSketcherConstrainAngle - + Constrain angle Apriboti kampą - + Fix the angle of a line or the angle between two lines Įtvirtinti tiesės kampą, arba kampą tarp dviejų tiesių @@ -320,12 +320,12 @@ CmdSketcherConstrainBlock - + Constrain block Constrain block - + Block the selected edge from moving Block the selected edge from moving @@ -333,12 +333,12 @@ CmdSketcherConstrainCoincident - + Constrain coincident Sutapimo apribojimas - + Create a coincident constraint between points, or a concentric constraint between circles, arcs, and ellipses Create a coincident constraint between points, or a concentric constraint between circles, arcs, and ellipses @@ -346,12 +346,12 @@ CmdSketcherConstrainDiameter - + Constrain diameter Constrain diameter - + Fix the diameter of a circle or an arc Fix the diameter of a circle or an arc @@ -359,12 +359,12 @@ CmdSketcherConstrainDistance - + Constrain distance Apriboti atstumą - + Fix a length of a line or the distance between a line and a vertex or between two circles Fix a length of a line or the distance between a line and a vertex or between two circles @@ -372,12 +372,12 @@ CmdSketcherConstrainDistanceX - + Constrain horizontal distance Constrain horizontal distance - + Fix the horizontal distance between two points or line ends Įtvirtinti gulsčiąjį atstumą tarp dviejų taškų arba tarp atkarpos galų @@ -385,12 +385,12 @@ CmdSketcherConstrainDistanceY - + Constrain vertical distance Constrain vertical distance - + Fix the vertical distance between two points or line ends Įtvirtinti statmenąjį atstumą tarp dviejų taškų arba tarp atkarpos galų @@ -398,12 +398,12 @@ CmdSketcherConstrainEqual - + Constrain equal Tapatumo apribojimas - + Create an equality constraint between two lines or between circles and arcs Sukurti tapatumo sąryšį dviem atkarpoms, apskritimams, arba lankams @@ -411,12 +411,12 @@ CmdSketcherConstrainHorizontal - + Constrain horizontal Constrain horizontal - + Create a horizontal constraint on the selected item Padaryti narį visuomet gulsčiu @@ -424,12 +424,12 @@ CmdSketcherConstrainLock - + Constrain lock Padėties apribojimas - + Create both a horizontal and a vertical distance constraint on the selected vertex Create both a horizontal and a vertical distance constraint @@ -439,12 +439,12 @@ on the selected vertex CmdSketcherConstrainParallel - + Constrain parallel Apriboti lygiagretumą - + Create a parallel constraint between two lines Padaryti dvi tiesės atkarpas tarpusavyje lygiagrečiomis @@ -452,12 +452,12 @@ on the selected vertex CmdSketcherConstrainPerpendicular - + Constrain perpendicular Apriboti statmenai - + Create a perpendicular constraint between two lines Padaryti dvi tiesės atkarpas tarpusavyje statmenomis @@ -465,12 +465,12 @@ on the selected vertex CmdSketcherConstrainPointOnObject - + Constrain point on object Constrain point on object - + Fix a point onto an object Įtvirtinti tašką objekte @@ -478,12 +478,12 @@ on the selected vertex CmdSketcherConstrainRadiam - + Constrain auto radius/diameter Constrain auto radius/diameter - + Fix the diameter if a circle is chosen, or the radius if an arc/spline pole is chosen Fix the diameter if a circle is chosen, or the radius if an arc/spline pole is chosen @@ -491,12 +491,12 @@ on the selected vertex CmdSketcherConstrainSnellsLaw - + Constrain refraction (Snell's law) Constrain refraction (Snell's law) - + Create a refraction law (Snell's law)constraint between two endpoints of rays and an edge as an interface. Create a refraction law (Snell's law)constraint between two endpoints of rays @@ -506,12 +506,12 @@ and an edge as an interface. CmdSketcherConstrainSymmetric - + Constrain symmetric Constrain symmetric - + Create a symmetry constraint between two points with respect to a line or a third point Create a symmetry constraint between two points @@ -521,12 +521,12 @@ with respect to a line or a third point CmdSketcherConstrainVertical - + Constrain vertical Constrain vertical - + Create a vertical constraint on the selected item Padaryti pasirinktą narį visuomet statmenu @@ -1068,7 +1068,7 @@ First select the supporting geometry, for example, a face or an edge of a solid then call this command, then choose the desired sketch. - + Some of the selected objects depend on the sketch to be mapped. Circular dependencies are not allowed. Some of the selected objects depend on the sketch to be mapped. Circular dependencies are not allowed. @@ -1076,22 +1076,22 @@ then call this command, then choose the desired sketch. CmdSketcherMergeSketches - + Merge sketches Sulieti brėžinius - + Create a new sketch from merging two or more selected sketches. Create a new sketch from merging two or more selected sketches. - + Wrong selection Netinkama pasirinktis - + Select at least two sketches. Select at least two sketches. @@ -1099,12 +1099,12 @@ then call this command, then choose the desired sketch. CmdSketcherMirrorSketch - + Mirror sketch Veidrodinis brėžinys - + Creates a new mirrored sketch for each selected sketch by using the X or Y axes, or the origin point, as mirroring reference. @@ -1113,12 +1113,12 @@ by using the X or Y axes, or the origin point, as mirroring reference. - + Wrong selection Netinkama pasirinktis - + Select one or more sketches. Select one or more sketches. @@ -1372,12 +1372,12 @@ This will clear the 'AttachmentSupport' property, if any. CmdSketcherToggleActiveConstraint - + Activate/deactivate constraint Activate/deactivate constraint - + Activates or deactivates the selected constraints Activates or deactivates the selected constraints @@ -1398,12 +1398,12 @@ This will clear the 'AttachmentSupport' property, if any. CmdSketcherToggleDrivingConstraint - + Toggle driving/reference constraint Toggle driving/reference constraint - + Set the toolbar, or the selected constraints, into driving or reference mode Set the toolbar, or the selected constraints, @@ -1426,24 +1426,24 @@ into driving or reference mode CmdSketcherValidateSketch - + Validate sketch... Patikrinti brėžinį... - + Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. - + Wrong selection Netinkama pasirinktis - + Select only one sketch. Select only one sketch. @@ -1451,12 +1451,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSection - + View section View section - + When in edit mode, switch between section view and full view. When in edit mode, switch between section view and full view. @@ -1464,12 +1464,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSketch - + View sketch Brėžinio peržiūra - + When in edit mode, set the camera orientation perpendicular to the sketch plane. When in edit mode, set the camera orientation perpendicular to the sketch plane. @@ -1477,69 +1477,69 @@ invalid constraints, degenerated geometry, etc. Command - + Add 'Lock' constraint Add 'Lock' constraint - + Add relative 'Lock' constraint Add relative 'Lock' constraint - + Add fixed constraint Add fixed constraint - + Add 'Block' constraint Add 'Block' constraint - + Add block constraint Add block constraint - - + + Add coincident constraint Add coincident constraint - - + + Add distance from horizontal axis constraint Add distance from horizontal axis constraint - - + + Add distance from vertical axis constraint Add distance from vertical axis constraint - - + + Add point to point distance constraint Add point to point distance constraint - - + + Add point to line Distance constraint Add point to line Distance constraint - - + + Add circle to circle distance constraint Add circle to circle distance constraint - + Add circle to line distance constraint Add circle to line distance constraint @@ -1548,16 +1548,16 @@ invalid constraints, degenerated geometry, etc. - - - + + + Add length constraint Add length constraint - + Dimension Matmuo @@ -1574,7 +1574,7 @@ invalid constraints, degenerated geometry, etc. - + Add Distance constraint Add Distance constraint @@ -1652,7 +1652,7 @@ invalid constraints, degenerated geometry, etc. Nustatyti spindulį - + Activate/Deactivate constraints Activate/Deactivate constraints @@ -1668,23 +1668,23 @@ invalid constraints, degenerated geometry, etc. Add concentric and length constraint - + Add DistanceX constraint Add DistanceX constraint - + Add DistanceY constraint Add DistanceY constraint - + Add point to circle Distance constraint Add point to circle Distance constraint - - + + Add point on object constraint Add point on object constraint @@ -1695,143 +1695,143 @@ invalid constraints, degenerated geometry, etc. Add arc length constraint - - + + Add point to point horizontal distance constraint Add point to point horizontal distance constraint - + Add fixed x-coordinate constraint Add fixed x-coordinate constraint - - + + Add point to point vertical distance constraint Add point to point vertical distance constraint - + Add fixed y-coordinate constraint Add fixed y-coordinate constraint - - + + Add parallel constraint Add parallel constraint - - - - - - - + + + + + + + Add perpendicular constraint Add perpendicular constraint - + Add perpendicularity constraint Add perpendicularity constraint - + Swap coincident+tangency with ptp tangency Swap coincident+tangency with ptp tangency - - - - - - - + + + + + + + Add tangent constraint Add tangent constraint - - - - - - - - - - - - - - + + + + + + + + + + + + + + Add tangent constraint point Add tangent constraint point - - - - + + + + Add radius constraint Apriboti spindulį - - - - + + + + Add diameter constraint Add diameter constraint - - - - + + + + Add radiam constraint Add radiam constraint - - - - + + + + Add angle constraint Add angle constraint - + Swap point on object and tangency with point to curve tangency Swap point on object and tangency with point to curve tangency - - + + Add equality constraint Add equality constraint - - - - - + + + + + Add symmetric constraint Add symmetric constraint - + Add Snell's law constraint Add Snell's law constraint - + Toggle constraint to driving/reference Toggle constraint to driving/reference @@ -1851,22 +1851,22 @@ invalid constraints, degenerated geometry, etc. Reorient sketch - + Attach sketch Attach sketch - + Detach sketch Detach sketch - + Create a mirrored sketch for each selected sketch Create a mirrored sketch for each selected sketch - + Merge sketches Sulieti brėžinius @@ -2040,7 +2040,7 @@ invalid constraints, degenerated geometry, etc. Update constraint's virtual space - + Add auto constraints Add auto constraints @@ -2148,59 +2148,59 @@ invalid constraints, degenerated geometry, etc. Exceptions - + Unable to guess intersection of curves. Try adding a coincident constraint between the vertices of the curves you are intending to fillet. Neįmanoma nustatyti kreivių sankirtos. Pabandykite pridėti tapatumo apribojimą tarp dviejų kreivių, kurias norite užapvalinti, viršūnių. - + You are requesting no change in knot multiplicity. Jūs prašote nekeisti mazgo sudėtingumo laipsnio. - - + + B-spline Geometry Index (GeoID) is out of bounds. B-spline Geometry Index (GeoID) is out of bounds. - - + + The Geometry Index (GeoId) provided is not a B-spline. The Geometry Index (GeoId) provided is not a B-spline. - + The knot index is out of bounds. Note that in accordance with OCC notation, the first knot has index 1 and not zero. Mazgo indeksas išėjo iš ribų. Atkreipkite dėmesį, kad pagal OCC žymėjimą, pirmojo mazgo indeksas yra lygus 1, o ne 0. - + The multiplicity cannot be increased beyond the degree of the B-spline. The multiplicity cannot be increased beyond the degree of the B-spline. - + The multiplicity cannot be decreased beyond zero. Mazgo sudėtingumas negali būti mažesnis, nei nulis. - + OCC is unable to decrease the multiplicity within the maximum tolerance. OCC negali sumažinti sudėtingumo didžiausio leistino nuokrypio ribose. - + Knot cannot have zero multiplicity. Knot cannot have zero multiplicity. - + Knot multiplicity cannot be higher than the degree of the B-spline. Knot multiplicity cannot be higher than the degree of the B-spline. - + Knot cannot be inserted outside the B-spline parameter range. Knot cannot be inserted outside the B-spline parameter range. @@ -2310,7 +2310,7 @@ invalid constraints, degenerated geometry, etc. - + Don't attach Nepridėti @@ -2332,123 +2332,123 @@ invalid constraints, degenerated geometry, etc. - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + - - - - - - + + + + + + + + @@ -2514,116 +2514,116 @@ invalid constraints, degenerated geometry, etc. One of the selected has to be on the sketch. - + Select an edge from the sketch. Pasirinkite kraštinę, esančią brėžinyje. - - - - - - + + + + + + Impossible constraint Neįmanomas apribojimas (ryšys) - - + + The selected edge is not a line segment. The selected edge is not a line segment. - - - + + + Double constraint Perteklinis apribojimas (ryšys) - + The selected edge already has a horizontal constraint! The selected edge already has a horizontal constraint! - + The selected edge already has a vertical constraint! The selected edge already has a vertical constraint! - - - + + + The selected edge already has a Block constraint! The selected edge already has a Block constraint! - + There are more than one fixed points selected. Select a maximum of one fixed point! There are more than one fixed points selected. Select a maximum of one fixed point! - - - + + + Select vertices from the sketch. Pasirinkite viršūnes, esančias brėžinyje. - + Select one vertex from the sketch other than the origin. Pasirinkite viršūnę, esančią brėžinyje (išskyrus koordinačių pradžios tašką). - + Select only vertices from the sketch. The last selected vertex may be the origin. Pasirinkite tik viršūnes, esančias brėžinyje. Paskutinė pasirinkta viršūnė gali sutapti su koordinačių pradžia. - + Wrong solver status Wrong solver status - + A Block constraint cannot be added if the sketch is unsolved or there are redundant and conflicting constraints. A Block constraint cannot be added if the sketch is unsolved or there are redundant and conflicting constraints. - + Select one edge from the sketch. Pasirinkite vieną brėžinyje esančią kraštinę. - + Select only edges from the sketch. Parenka tik brėžinyje esančias kraštines. - + None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. - + Only tangent-via-point is supported with a B-spline. Only tangent-via-point is supported with a B-spline. - - + + Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. - + Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. Constraint_SnellsLaw Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. - + Number of selected objects is not 3 Number of selected objects is not 3 @@ -2640,80 +2640,80 @@ invalid constraints, degenerated geometry, etc. Unexpected error. More information may be available in the Report View. - + The selected item(s) can't accept a horizontal or vertical constraint! The selected item(s) can't accept a horizontal or vertical constraint! - + Endpoint to endpoint tangency was applied instead. Endpoint to endpoint tangency was applied instead. - + Select two or more vertices from the sketch for a coincident constraint, or two or more circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Select two or more vertices from the sketch for a coincident constraint, or two or more circles, ellipses, arcs or arcs of ellipse for a concentric constraint. - + Select two vertices from the sketch for a coincident constraint, or two circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Select two vertices from the sketch for a coincident constraint, or two circles, ellipses, arcs or arcs of ellipse for a concentric constraint. - + Select exactly one line or one point and one line or two points from the sketch. Pasirinkite arba tiesinę atkarpą, arba tašką ir tiesinę atkarpą, arba du taškus, esančius brėžinyje. - + Cannot add a length constraint on an axis! Negalima nurodyti ilgio ašiai! - - + + Select exactly one line or one point and one line or two points or two circles from the sketch. Select exactly one line or one point and one line or two points or two circles from the sketch. - + This constraint does not make sense for non-linear curves. This constraint does not make sense for non-linear curves. - + Endpoint to edge tangency was applied instead. Endpoint to edge tangency was applied instead. - - - - - - + + + + + + Select the right things from the sketch. Pasirinkti atitinkamos rūšies objektus, esančius brėžinyje. - - - - - - - - - + + + + + + + + - - - - - - - - + + + + + + + + + Select an edge that is not a B-spline weight. Select an edge that is not a B-spline weight. @@ -2723,87 +2723,87 @@ invalid constraints, degenerated geometry, etc. One or two point on object constraint(s) was/were deleted, since the latest constraint being applied internally applies point-on-object as well. - + Select either several points, or several conics for concentricity. Select either several points, or several conics for concentricity. - + Select either one point and several curves, or one curve and several points Select either one point and several curves, or one curve and several points - + Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. - + None of the selected points were constrained onto the respective curves, either because they are parts of the same element, or because they are both external geometry. Nė vienas iš pasirinktų taškų nebuvo surišti su atitinkamomis kreivėmis, nes arba jie priklauso toms kreivėms, arba abu yra išorinės geometrijos taškai. - + Cannot add a length constraint on this selection! Cannot add a length constraint on this selection! - - - - + + + + Select exactly one line or up to two points from the sketch. Pasirinkite atkarpą, arba du taškus, esančius brėžinyje. - + Cannot add a horizontal length constraint on an axis! Negalima nurodyti gulščiojo ilgio ašiai! - + Cannot add a fixed x-coordinate constraint on the origin point! Cannot add a fixed x-coordinate constraint on the origin point! - - + + This constraint only makes sense on a line segment or a pair of points. This constraint only makes sense on a line segment or a pair of points. - + Cannot add a vertical length constraint on an axis! Negalima nurodyti statmenojo ilgio ašiai! - + Cannot add a fixed y-coordinate constraint on the origin point! Cannot add a fixed y-coordinate constraint on the origin point! - + Select two or more lines from the sketch. Pasirinkite bent dvi tiesines atkarpas, esančias brėžinyje. - + One selected edge is not a valid line. One selected edge is not a valid line. - - + + Select at least two lines from the sketch. Pasirinkite bent dvi tiesines atkarpas, esančias brėžinyje. - + The selected edge is not a valid line. The selected edge is not a valid line. - + There is a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2813,35 +2813,35 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Galimi šie deriniai: dvi kreivės; galinis taškas ir kreivė; du galiniai taškai; dvi kreivės ir taškas. - + Select some geometry from the sketch. perpendicular constraint Pažymėkite geometrinius elementus, esančius brėžinyje. - - + + Cannot add a perpendicularity constraint at an unconnected point! Neįmanoma taško apriboti statmenuoju sąryšiu, nes taškas nėra kreivės galinis taškas! - - + + One of the selected edges should be a line. Viena iš pasirinktų kraštinių turi būti tiesinė atkarpa. - + Endpoint to endpoint tangency was applied. The coincident constraint was deleted. Endpoint to endpoint tangency was applied. The coincident constraint was deleted. - + Endpoint to edge tangency was applied. The point on object constraint was deleted. Endpoint to edge tangency was applied. The point on object constraint was deleted. - + There are a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2850,61 +2850,61 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Priimtini deriniai: dvi kreivės; galinis taškas ir kreivė; du galiniai taškai; dvi kreivės ir taškas. - + Select some geometry from the sketch. tangent constraint Pažymėkite geometrinius elementus, esančius brėžinyje. - - - + + + Cannot add a tangency constraint at an unconnected point! Neįmanoma taško apriboti liestinės sąryšiu, nes taškas nėra kreivės galinis taškas! - - + + Tangent constraint at B-spline knot is only supported with lines! Tangent constraint at B-spline knot is only supported with lines! - + B-spline knot to endpoint tangency was applied instead. B-spline knot to endpoint tangency was applied instead. - - + + Wrong number of selected objects! Netinkamas pasirinktų elementų kiekis! - - + + With 3 objects, there must be 2 curves and 1 point. Kai yra pasirinkti 3 objektai, turi būti 2 kreivės ir 1 taškas. - - - - - - + + + + + + Select one or more arcs or circles from the sketch. Pasirinkite bent vieną lanką ar apskritimą, esantį brėžinyje. - - - + + + Constraint only applies to arcs or circles. Apribojimas taikomas tik lankams arba apskritimams. - - + + Select one or two lines from the sketch. Or select two edges and a point. Pasirinkite brėžinyje esančias dvi tieses, arba dvi kraštines ir tašką. @@ -2919,87 +2919,87 @@ Priimtini deriniai: dvi kreivės; galinis taškas ir kreivė; du galiniai taška Negalima surišti per kampą dviejų lygiagrečių tiesių. - + Cannot add an angle constraint on an axis! Negalima nurodyti pokrypio kampo ašiai! - + Select two edges from the sketch. Pasirinkite dvi kraštines, esančias brėžinyje. - + Select two or more compatible edges. Select two or more compatible edges. - + Sketch axes cannot be used in equality constraints. Sketch axes cannot be used in equality constraints. - + Equality for B-spline edge currently unsupported. B-splaino kraštinių tapatumo surišimas nepalaikomas. - - - + + + Select two or more edges of similar type. Select two or more edges of similar type. - - - - - + + + + + Select two points and a symmetry line, two points and a symmetry point or a line and a symmetry point from the sketch. Pasirinkite du taškus ir atkarpą, kaip simetrijos ašį, arba du taškus ir simetrijos tašką, arba tiesinę atkarpą ir simetrijos tašką, esančius brėžinyje. - - + + Cannot add a symmetry constraint between a line and its end points. Cannot add a symmetry constraint between a line and its end points. - - - - + + + + Cannot add a symmetry constraint between a line and its end points! Neįmanoma taškų surišti simetriškai, nes jie priklauso atkarpai – simetrijos ašiai! - + Selected objects are not just geometry from one sketch. Pasirinkti objektai nėra vien tik brėžiniui priklausanti geometrija. - + Cannot create constraint with external geometry only. Cannot create constraint with external geometry only. - + Incompatible geometry is selected. Incompatible geometry is selected. - + Select one dimensional constraint from the sketch. Select one dimensional constraint from the sketch. - - - - - + + + + + Select constraints from the sketch. Select constraints from the sketch. @@ -3540,12 +3540,12 @@ Priimtini deriniai: dvi kreivės; galinis taškas ir kreivė; du galiniai taška Ilgis: - + Refractive index ratio Lūžio rodiklių santykis - + Ratio n2/n1: Santykis n2/n1: @@ -5194,8 +5194,8 @@ This is done by analyzing the sketch geometries and constraints. Sketcher_ConstrainDiameter - - + + Fix the diameter of a circle or an arc Fix the diameter of a circle or an arc @@ -5347,64 +5347,74 @@ This is done by analyzing the sketch geometries and constraints. Sketcher_MapSketch - + No sketch found Nerasta brėžinių - + + Cannot attach sketch to itself! + Cannot attach sketch to itself! + + + The document doesn't have a sketch Dokumentas neturi brėžinio - + Select sketch Pasirinkite brėžinį - + + Select a sketch (some sketches not shown to prevent a circular dependency) + Select a sketch (some sketches not shown to prevent a circular dependency) + + + Select a sketch from the list Pasirinkite brėžinį iš sąrašo - + (incompatible with selection) (nesuderinama su atrinktais) - + (current) (dabartinis) - + (suggested) (siūlomas) - + Sketch attachment Brėžinio priedas - + Current attachment mode is incompatible with the new selection. Select the method to attach this sketch to selected objects. Current attachment mode is incompatible with the new selection. Select the method to attach this sketch to selected objects. - + Select the method to attach this sketch to selected objects. Pasirinkti būdą, kuriuo šis brėžinys bus pridėtas prie pasirinktų objektų. - + Map sketch Uždėti brėžinį - + Can't map a sketch to support: %1 Neįmanoma uždėti brėžinio ant pagrindo: @@ -5935,22 +5945,22 @@ The grid spacing change if it becomes smaller than this number of pixel. GridSpaceAction - + Grid auto spacing Grid auto spacing - + Resize grid automatically depending on zoom. Resize grid automatically depending on zoom. - + Spacing Spacing - + Distance between two subsequent grid lines. Distance between two subsequent grid lines. @@ -5958,17 +5968,17 @@ The grid spacing change if it becomes smaller than this number of pixel. Notifications - + The Sketch has malformed constraints! The Sketch has malformed constraints! - + The Sketch has partially redundant constraints! The Sketch has partially redundant constraints! - + Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! @@ -6047,8 +6057,8 @@ The grid spacing change if it becomes smaller than this number of pixel. - - + + Invalid Constraint Invalid Constraint @@ -6255,34 +6265,34 @@ The grid spacing change if it becomes smaller than this number of pixel. SnapSpaceAction - + Snap to objects Snap to objects - + New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. - + Snap to grid Snap to grid - + New points will snap to the nearest grid line. Points must be set closer than a fifth of the grid spacing to a grid line to snap. New points will snap to the nearest grid line. Points must be set closer than a fifth of the grid spacing to a grid line to snap. - + Snap angle Snap angle - + Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. @@ -6290,23 +6300,23 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna RenderingOrderAction - - - + + + Normal Geometry Normal Geometry - - - + + + Construction Geometry Pagalbinė braižymo geometrija - - - + + + External Geometry External Geometry @@ -6314,12 +6324,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdRenderingOrder - + Configure rendering order Configure rendering order - + Reorder the items in the list to configure rendering order. Reorder the items in the list to configure rendering order. @@ -6327,12 +6337,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherGrid - + Toggle grid Toggle grid - + Toggle the grid in the sketch. In the menu you can change grid settings. Toggle the grid in the sketch. In the menu you can change grid settings. @@ -6340,12 +6350,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherSnap - + Toggle snap Toggle snap - + Toggle all snap functionality. In the menu you can toggle 'Snap to grid' and 'Snap to objects' individually, and change further snap settings. Toggle all snap functionality. In the menu you can toggle 'Snap to grid' and 'Snap to objects' individually, and change further snap settings. @@ -6379,12 +6389,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherDimension - + Dimension Matmuo - + Constrain contextually based on your selection. Depending on your selection you might have several constraints available. You can cycle through them using M key. Left clicking on empty space will validate the current constraint. Right clicking or pressing Esc will cancel. @@ -6422,12 +6432,12 @@ Left clicking on empty space will validate the current constraint. Right clickin CmdSketcherConstrainRadius - + Constrain radius Spindulio apribojimas - + Fix the radius of a circle or an arc Nustatyti pastovų apskritimo ar lanko spindulį @@ -6562,12 +6572,12 @@ Left clicking on empty space will validate the current constraint. Right clickin Delete original geometries (U) - + Apply equal constraints Apply equal constraints - + If this option is selected dimensional constraints are excluded from the operation. Instead equal constraints are applied between the original objects and their copies. If this option is selected dimensional constraints are excluded from the operation. @@ -6639,12 +6649,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherCompHorizontalVertical - + Constrain horizontal/vertical Constrain horizontal/vertical - + Constrains a single line to either horizontal or vertical. Constrains a single line to either horizontal or vertical. @@ -6652,12 +6662,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainHorVer - + Constrain horizontal/vertical Constrain horizontal/vertical - + Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. @@ -6704,12 +6714,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainCoincidentUnified - + Constrain coincident Sutapimo apribojimas - + Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses @@ -6995,7 +7005,7 @@ Instead equal constraints are applied between the original objects and their cop TaskSketcherTool_p4_rotate - + Copies (+'U'/ -'J') Copies (+'U'/ -'J') @@ -7243,12 +7253,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainTangent - + Constrain tangent or collinear Constrain tangent or collinear - + Create a tangent or collinear constraint between two entities Create a tangent or collinear constraint between two entities @@ -7256,12 +7266,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherChangeDimensionConstraint - + Change value Pakeiskite vertę - + Change the value of a dimensional constraint Change the value of a dimensional constraint @@ -7327,8 +7337,8 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadius - - + + Fix the radius of an arc or a circle Fix the radius of an arc or a circle @@ -7336,8 +7346,8 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadiam - - + + Fix the radius/diameter of an arc or a circle Fix the radius/diameter of an arc or a circle diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_nl.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_nl.ts index bce1db65041d..945223f5a301 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_nl.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_nl.ts @@ -128,27 +128,27 @@ CmdSketcherCompConstrainRadDia - + Constrain arc or circle Beperk de boog of de cirkel - + Constrain an arc or a circle Beperk een boog of een cirkel - + Constrain radius Beperk de straal - + Constrain diameter Beperk de diameter - + Constrain auto radius/diameter Beperk automatisch de straal/diameter @@ -307,12 +307,12 @@ CmdSketcherConstrainAngle - + Constrain angle Beperk hoek - + Fix the angle of a line or the angle between two lines Zet de hoek van een lijn of de hoek tussen twee lijnen vast @@ -320,12 +320,12 @@ CmdSketcherConstrainBlock - + Constrain block Blok beperkingen - + Block the selected edge from moving Weerhoud de geselecteerde rand van verplaatsen @@ -333,12 +333,12 @@ CmdSketcherConstrainCoincident - + Constrain coincident Samenvallende beperking - + Create a coincident constraint between points, or a concentric constraint between circles, arcs, and ellipses Maak een samenvallende beperking tussen punten, of een concentrische beperking tussen cirkels, bogen en ellipsen @@ -346,12 +346,12 @@ CmdSketcherConstrainDiameter - + Constrain diameter Beperk de diameter - + Fix the diameter of a circle or an arc Zet de diameter van een cirkel of een boog vast @@ -359,12 +359,12 @@ CmdSketcherConstrainDistance - + Constrain distance Afstand beperking - + Fix a length of a line or the distance between a line and a vertex or between two circles Zet de lengte van een lijn vast of de afstand tussen een lijn en een hoekpunt of tussen twee cirkels @@ -372,12 +372,12 @@ CmdSketcherConstrainDistanceX - + Constrain horizontal distance Beperk horizontale afstand - + Fix the horizontal distance between two points or line ends De horizontale afstand tussen twee punten of lijneinden vastzetten @@ -385,12 +385,12 @@ CmdSketcherConstrainDistanceY - + Constrain vertical distance Beperk verticale afstand - + Fix the vertical distance between two points or line ends De verticale afstand tussen twee punten of lijneinden vastzetten @@ -398,12 +398,12 @@ CmdSketcherConstrainEqual - + Constrain equal Gelijke beperken - + Create an equality constraint between two lines or between circles and arcs Maak een Gelijkheidsbeperking tussen twee lijnen of tussen cirkels en bogen @@ -411,12 +411,12 @@ CmdSketcherConstrainHorizontal - + Constrain horizontal Constrain horizontal - + Create a horizontal constraint on the selected item Maak een horizontale beperking op het geselecteerde item @@ -424,12 +424,12 @@ CmdSketcherConstrainLock - + Constrain lock Vastzet beperking - + Create both a horizontal and a vertical distance constraint on the selected vertex Maak zowel een horizontale als een verticale afstandsbeperking op het geselecteerde hoekpunt @@ -438,12 +438,12 @@ on the selected vertex CmdSketcherConstrainParallel - + Constrain parallel Parallelle-beperking - + Create a parallel constraint between two lines Maak een parallelle beperking tussen twee lijnen @@ -451,12 +451,12 @@ on the selected vertex CmdSketcherConstrainPerpendicular - + Constrain perpendicular Beperk loodrecht - + Create a perpendicular constraint between two lines Maak een loodrechte beperking tussen twee lijnen @@ -464,12 +464,12 @@ on the selected vertex CmdSketcherConstrainPointOnObject - + Constrain point on object Constrain point on object - + Fix a point onto an object Een punt op een object vastleggen @@ -477,12 +477,12 @@ on the selected vertex CmdSketcherConstrainRadiam - + Constrain auto radius/diameter Beperk automatisch de straal/diameter - + Fix the diameter if a circle is chosen, or the radius if an arc/spline pole is chosen Zet de diameter vast als en cirkel is geselecteerd, of de straal als een boog/spline pool is geselecteerd @@ -490,12 +490,12 @@ on the selected vertex CmdSketcherConstrainSnellsLaw - + Constrain refraction (Snell's law) Bepaal de refractie (Wet van Snellius) - + Create a refraction law (Snell's law)constraint between two endpoints of rays and an edge as an interface. Maak een beperking volgens de brekingswet (wet van Snellius) tussen twee eindpunten van lichtstralen en een rand als interface. @@ -504,12 +504,12 @@ and an edge as an interface. CmdSketcherConstrainSymmetric - + Constrain symmetric Constrain symmetric - + Create a symmetry constraint between two points with respect to a line or a third point Maak een symmetrie beperking tussen twee punten @@ -519,12 +519,12 @@ met betrekking tot een lijn of een derde punt CmdSketcherConstrainVertical - + Constrain vertical Constrain vertical - + Create a vertical constraint on the selected item Maak een verticale beperking op het geselecteerde item @@ -1066,7 +1066,7 @@ First select the supporting geometry, for example, a face or an edge of a solid then call this command, then choose the desired sketch. - + Some of the selected objects depend on the sketch to be mapped. Circular dependencies are not allowed. Sommige van de geselecteerde objecten zijn afhankelijk van de in kaart te brengen schets. Cirkelvormige afhankelijkheden zijn niet toegestaan. @@ -1074,22 +1074,22 @@ then call this command, then choose the desired sketch. CmdSketcherMergeSketches - + Merge sketches Schetsen samenvoegen - + Create a new sketch from merging two or more selected sketches. Maak een nieuwe schets van het samenvoegen van twee of meer geselecteerde schetsen. - + Wrong selection Verkeerde selectie - + Select at least two sketches. Selecteer ten minste twee schetsen. @@ -1097,12 +1097,12 @@ then call this command, then choose the desired sketch. CmdSketcherMirrorSketch - + Mirror sketch Spiegel schets - + Creates a new mirrored sketch for each selected sketch by using the X or Y axes, or the origin point, as mirroring reference. @@ -1111,12 +1111,12 @@ by using the X or Y axes, or the origin point, as mirroring reference. - + Wrong selection Verkeerde selectie - + Select one or more sketches. Selecteer een of meer schetsen. @@ -1370,12 +1370,12 @@ This will clear the 'AttachmentSupport' property, if any. CmdSketcherToggleActiveConstraint - + Activate/deactivate constraint Beperking activeren/deactiveren - + Activates or deactivates the selected constraints Activeert of deactiveert de geselecteerde beperkingen @@ -1396,12 +1396,12 @@ This will clear the 'AttachmentSupport' property, if any. CmdSketcherToggleDrivingConstraint - + Toggle driving/reference constraint Schakelt sturende/referentie beperking aan of uit - + Set the toolbar, or the selected constraints, into driving or reference mode Stel de werkbalk of de geselecteerde beperkingen in @@ -1424,23 +1424,23 @@ op sturende of referentie modus CmdSketcherValidateSketch - + Validate sketch... Schets valideren... - + Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. Controleert een schets door te kijken naar ontbrekende samenvallende punten, ongeldige beperkingen, gedegenereerde geometrie, enz. - + Wrong selection Verkeerde selectie - + Select only one sketch. Selecteer slechts één schets. @@ -1448,12 +1448,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSection - + View section Bekijk doorsnede - + When in edit mode, switch between section view and full view. Wanneer in bewerk modus, schakel over tussen sectie en volledige weergave. @@ -1461,12 +1461,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSketch - + View sketch Bekijk schets - + When in edit mode, set the camera orientation perpendicular to the sketch plane. Wanneer in bewerk modus,, zet de camera-oriëntatie loodrecht op het schets. @@ -1474,69 +1474,69 @@ invalid constraints, degenerated geometry, etc. Command - + Add 'Lock' constraint Voeg 'vergrendeling' beperking toe - + Add relative 'Lock' constraint Voeg relatieve 'Vergrendeling' beperking toe - + Add fixed constraint Gefixeerde beperking toevoegen - + Add 'Block' constraint Voeg een 'Fixerende' beperking toe - + Add block constraint Voeg een fixerende beperking toe - - + + Add coincident constraint Voeg samenvallende beperking toe - - + + Add distance from horizontal axis constraint Voeg afstand toe van horizontale as beperking - - + + Add distance from vertical axis constraint Voeg afstand toe van verticale as beperking - - + + Add point to point distance constraint Voeg punt toe aan punt afstand beperking - - + + Add point to line Distance constraint Voeg punt toe aan lijnafstand beperking - - + + Add circle to circle distance constraint Voeg cirkel toe aan cirkel afstand beperking - + Add circle to line distance constraint Voeg cirkel toe aan lijnafstand beperking @@ -1545,16 +1545,16 @@ invalid constraints, degenerated geometry, etc. - - - + + + Add length constraint Beperking lengte toevoegen - + Dimension Afmeting @@ -1571,7 +1571,7 @@ invalid constraints, degenerated geometry, etc. - + Add Distance constraint Voeg een afstand beperking toe @@ -1649,7 +1649,7 @@ invalid constraints, degenerated geometry, etc. Voeg een straal beperking toe - + Activate/Deactivate constraints Activate/Deactivate constraints @@ -1665,23 +1665,23 @@ invalid constraints, degenerated geometry, etc. Voeg een concentriciteits en lengte beperking toe - + Add DistanceX constraint Voeg een afstandsbeperking in x-richting toe - + Add DistanceY constraint Voeg een afstandsbeperking in y-richting toe - + Add point to circle Distance constraint Voeg een punt-tot-cirkel afstandsbeperking toe - - + + Add point on object constraint Voeg punt toe aan object beperking @@ -1692,143 +1692,143 @@ invalid constraints, degenerated geometry, etc. Add arc length constraint - - + + Add point to point horizontal distance constraint Voeg punt toe aan punt horizontale afstand beperking - + Add fixed x-coordinate constraint Gefixeerde x-coördinaat beperking toevoegen - - + + Add point to point vertical distance constraint Voeg punt toe aan punt verticale afstand beperking - + Add fixed y-coordinate constraint Gefixeerde y-coördinaat beperking toevoegen - - + + Add parallel constraint Parallelle beperking toevoegen - - - - - - - + + + + + + + Add perpendicular constraint Haakse beperking toevoegen - + Add perpendicularity constraint Voeg haakse beperking toe - + Swap coincident+tangency with ptp tangency Wissel samenvallende+tangent met ptp tangens - - - - - - - + + + + + + + Add tangent constraint Voeg tangens beperkgin toe - - - - - - - - - - - - - - + + + + + + + + + + + + + + Add tangent constraint point Voeg tangens beperking toe - - - - + + + + Add radius constraint Voeg straal beperking toe - - - - + + + + Add diameter constraint Voeg diameter beperking - - - - + + + + Add radiam constraint Voeg straal/diameter beperking toe - - - - + + + + Add angle constraint Hoek beperking toe - + Swap point on object and tangency with point to curve tangency Swap point on object and tangency with point to curve tangency - - + + Add equality constraint Voeg gelijkheidsbeperking toe - - - - - + + + + + Add symmetric constraint Symmetrische beperking toevoegen - + Add Snell's law constraint Snell's wet beperking toevoegen - + Toggle constraint to driving/reference Schakel Beperking als sturend of als referentie in-/uit @@ -1848,22 +1848,22 @@ invalid constraints, degenerated geometry, etc. Schets heroriënteren - + Attach sketch Schets aankoppelen - + Detach sketch Schets loskoppelen - + Create a mirrored sketch for each selected sketch Maak een gespiegelde schets voor elke geselecteerde schets - + Merge sketches Schetsen samenvoegen @@ -2037,7 +2037,7 @@ invalid constraints, degenerated geometry, etc. Update beperking's virtuele ruimte - + Add auto constraints Voeg automatische beperkingen toe @@ -2145,59 +2145,59 @@ invalid constraints, degenerated geometry, etc. Exceptions - + Unable to guess intersection of curves. Try adding a coincident constraint between the vertices of the curves you are intending to fillet. Niet in staat om het snijpunt van de bochten te raden. Probeer een samenvallende beperking toe te voegen tussen de vertexen van de curven die u wilt afronden. - + You are requesting no change in knot multiplicity. U vraagt geen verandering in de knoop multipliciteit. - - + + B-spline Geometry Index (GeoID) is out of bounds. B-spline Geometry Index (GeoID) is out of bounds. - - + + The Geometry Index (GeoId) provided is not a B-spline. The Geometry Index (GeoId) provided is not a B-spline. - + The knot index is out of bounds. Note that in accordance with OCC notation, the first knot has index 1 and not zero. De knoop-index is buiten de grenzen. Merk op dat volgens de OCC-notatie de eerste knoop index 1 heeft en niet nul. - + The multiplicity cannot be increased beyond the degree of the B-spline. De multipliciteit mag niet groter zijn dan het aantal graden van de B-spline. - + The multiplicity cannot be decreased beyond zero. De multipliciteit kan niet lager zijn dan nul. - + OCC is unable to decrease the multiplicity within the maximum tolerance. OCC is niet in staat om de multipliciteit binnen de maximale tolerantie te verlagen. - + Knot cannot have zero multiplicity. Knooppunt kan geen multipliciteit van nul hebben. - + Knot multiplicity cannot be higher than the degree of the B-spline. Knot multiplicity cannot be higher than the degree of the B-spline. - + Knot cannot be inserted outside the B-spline parameter range. Knot cannot be inserted outside the B-spline parameter range. @@ -2307,7 +2307,7 @@ invalid constraints, degenerated geometry, etc. - + Don't attach Niet bijvoegen @@ -2329,123 +2329,123 @@ invalid constraints, degenerated geometry, etc. - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + - - - - - - + + + + + + + + @@ -2511,116 +2511,116 @@ invalid constraints, degenerated geometry, etc. Een van het geselecteerde moet op de schets liggen. - + Select an edge from the sketch. Selecteer een rand van de schets. - - - - - - + + + + + + Impossible constraint Onmogelijk beperking - - + + The selected edge is not a line segment. De geselecteerde rand is geen lijnsegment. - - - + + + Double constraint Dubbele beperking - + The selected edge already has a horizontal constraint! De geselecteerde rand heeft al een horizontale constraint! - + The selected edge already has a vertical constraint! De geselecteerde rand heeft al een vertikale constraint! - - - + + + The selected edge already has a Block constraint! De geselecteerde rand heeft al een blok constraint! - + There are more than one fixed points selected. Select a maximum of one fixed point! Er zijn meer dan één vaste punten geselecteerd. Selecteer een maximum van één vast punt! - - - + + + Select vertices from the sketch. Selecteer vertexen vanuit de schets. - + Select one vertex from the sketch other than the origin. Selecteer een hoekpunt uit de schets, anders dan de oorsprong. - + Select only vertices from the sketch. The last selected vertex may be the origin. Selecteer alleen vertexen uit de schets. De laatst gekozen vertex kan de oorsprong zijn. - + Wrong solver status Verkeerde oplosserstatus - + A Block constraint cannot be added if the sketch is unsolved or there are redundant and conflicting constraints. Een blokbeperking kan niet worden toegevoegd als de schets onopgelost is of er overbodige en tegenstrijdige beperkingen zijn. - + Select one edge from the sketch. Selecteer een rand uit de schets. - + Select only edges from the sketch. Selecteer enkel randen uit de schets. - + None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. - + Only tangent-via-point is supported with a B-spline. Only tangent-via-point is supported with a B-spline. - - + + Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. - + Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. Constraint_SnellsLaw Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. - + Number of selected objects is not 3 Het aantal geselecteerde objecten is niet gelijk aan 3 @@ -2637,80 +2637,80 @@ invalid constraints, degenerated geometry, etc. Onverwachte fout. Meer informatie is mogelijk beschikbaar in de Report View. - + The selected item(s) can't accept a horizontal or vertical constraint! De geselecteerde item(s) kunnen geen horizontale of verticale beperking accepteren! - + Endpoint to endpoint tangency was applied instead. Eindpunt tot eindpunttangens werd in plaats daarvan toegepast. - + Select two or more vertices from the sketch for a coincident constraint, or two or more circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Selecteer twee of meer hoekpunten van de schets voor een samenvallende beperking, of twee of meer cirkels, ellipsen, bogen of ellipsbogen voor een concentrische beperking. - + Select two vertices from the sketch for a coincident constraint, or two circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Selecteer twee hoekpunten van de schets voor een samenvallende beperking, of twee cirkels, ellipsen, bogen of ellipsbogen voor een concentrische beperking. - + Select exactly one line or one point and one line or two points from the sketch. Selecteer precies één lijn, of een punt en een lijn, of twee punten, uit de schets. - + Cannot add a length constraint on an axis! Een lengtebeperking is niet mogelijk op een as! - - + + Select exactly one line or one point and one line or two points or two circles from the sketch. Selecteer precies één lijn, of één punt en één lijn, of twee punten, of twee cirkels, van de schets. - + This constraint does not make sense for non-linear curves. Deze beperking heeft geen zin voor niet-lineaire krommen. - + Endpoint to edge tangency was applied instead. Eindpunt tot de rand raaklijn werd in plaats daarvan toegepast. - - - - - - + + + + + + Select the right things from the sketch. Selecteer de juiste elementen uit de schets. - - - - - - - - - + + + + + + + + - - - - - - - - + + + + + + + + + Select an edge that is not a B-spline weight. Selecteer een rand die geen B-spline gewicht is. @@ -2720,87 +2720,87 @@ invalid constraints, degenerated geometry, etc. One or two point on object constraint(s) was/were deleted, since the latest constraint being applied internally applies point-on-object as well. - + Select either several points, or several conics for concentricity. Select either several points, or several conics for concentricity. - + Select either one point and several curves, or one curve and several points Select either one point and several curves, or one curve and several points - + Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. - + None of the selected points were constrained onto the respective curves, either because they are parts of the same element, or because they are both external geometry. Geen van de geselecteerde punten werd beperkt tot de respectievelijke curven, ofwel omdat ze deel uitmaken van hetzelfde element, ofwel omdat ze beide externe geometrie zijn. - + Cannot add a length constraint on this selection! Cannot add a length constraint on this selection! - - - - + + + + Select exactly one line or up to two points from the sketch. Selecteer precies één lijn, of maximaal twee punten, uit de schets. - + Cannot add a horizontal length constraint on an axis! Een horizontale lengtebeperking is niet mogelijk op een as! - + Cannot add a fixed x-coordinate constraint on the origin point! Kan geen gefixeerd x-coördinaat constraint plaatsen op het punt van oorsprong! - - + + This constraint only makes sense on a line segment or a pair of points. Deze beperking heeft alleen zin op een lijnsegment of een tweetal punten. - + Cannot add a vertical length constraint on an axis! Een verticale lengtebeperking is niet mogelijk op een as! - + Cannot add a fixed y-coordinate constraint on the origin point! Kan geen gefixeerd y-coördinaat constraint plaatsen op het punt van oorsprong! - + Select two or more lines from the sketch. Selecteer twee of meer lijnen van de schets. - + One selected edge is not a valid line. Eén geselecteerde rand is geen geldige lijn. - - + + Select at least two lines from the sketch. Selecteer tenminste twee lijnen uit de schets. - + The selected edge is not a valid line. De geselecteerde rand is geen geldige lijn. - + There is a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2810,35 +2810,35 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Geaccepteerde combinaties: twee curven; een eindpunt en een curve; twee eindpunten; twee curven en een punt. - + Select some geometry from the sketch. perpendicular constraint Selecteer wat geometrie uit schets. - - + + Cannot add a perpendicularity constraint at an unconnected point! Kan geen loodrechtheidsbeperking toevoegen op een niet-verbonden punt! - - + + One of the selected edges should be a line. Eén van de geselecteerde randen moet een lijn zijn. - + Endpoint to endpoint tangency was applied. The coincident constraint was deleted. Endpoint op endpointtangens werd toegepast. De toevallige beperking werd verwijderd. - + Endpoint to edge tangency was applied. The point on object constraint was deleted. Eindpunt tot rand raaklijn is toegepast. Het punt op de object beperking is verwijderd. - + There are a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2848,61 +2848,61 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Geaccepteerde combinaties: twee curven; een eindpunt en een curve; twee eindpunten; twee curven en een punt. - + Select some geometry from the sketch. tangent constraint Selecteer wat geometrie uit schets. - - - + + + Cannot add a tangency constraint at an unconnected point! Een raakbeperking kan niet worden toegevoegd aan een los punt! - - + + Tangent constraint at B-spline knot is only supported with lines! Raaklijn beperking bij B-spline knoop wordt alleen ondersteund met lijnen! - + B-spline knot to endpoint tangency was applied instead. B-spline knoop tot eindpunt raaklijn werd in plaats hiervan toegepast. - - + + Wrong number of selected objects! Verkeerd aantal geselecteerde objecten! - - + + With 3 objects, there must be 2 curves and 1 point. Met 3 objecten moeten er 2 curven en 1 punt zijn. - - - - - - + + + + + + Select one or more arcs or circles from the sketch. Selecteer een of meer bogen of cirkels uit de schets. - - - + + + Constraint only applies to arcs or circles. Beperkingen gelden alleen voor bogen en cirkels. - - + + Select one or two lines from the sketch. Or select two edges and a point. Selecteer een of twee lijnen uit de schets. Of selecteer twee randen en een punt. @@ -2917,87 +2917,87 @@ Geaccepteerde combinaties: twee curven; een eindpunt en een curve; twee eindpunt Een hoekbeperking kan niet worden ingesteld voor twee parallelle lijnen. - + Cannot add an angle constraint on an axis! Een hoekbeperking op een as is niet mogelijk! - + Select two edges from the sketch. Selecteer twee randen van de schets. - + Select two or more compatible edges. Selecteer twee of meer passende randen. - + Sketch axes cannot be used in equality constraints. Schets assen kunnen niet worden gebruikt voor gelijkheid beperkingen. - + Equality for B-spline edge currently unsupported. Gelijkheid voor B-splinerand momenteel niet ondersteund. - - - + + + Select two or more edges of similar type. Selecteer twee of meer randen van een vergelijkbaar type. - - - - - + + + + + Select two points and a symmetry line, two points and a symmetry point or a line and a symmetry point from the sketch. Selecteer twee punten en een symmetrie-lijn, twee punten en een symmetrie-punt of een lijn en een symmetrie-punt uit de schets. - - + + Cannot add a symmetry constraint between a line and its end points. Kan geen symmetrie beperking toevoegen tussen een lijn en zijn eindpunten. - - - - + + + + Cannot add a symmetry constraint between a line and its end points! Kan geen symmetriebeperking tussen een lijn en zijn eindpunten toevoegen! - + Selected objects are not just geometry from one sketch. Geselecteerde objecten zijn niet slechts geometrie uit één schets. - + Cannot create constraint with external geometry only. Kan geen beperking maken met alleen externe geometrie. - + Incompatible geometry is selected. Incompatibele geometrie is geselecteerd. - + Select one dimensional constraint from the sketch. Select one dimensional constraint from the sketch. - - - - - + + + + + Select constraints from the sketch. Selecteer beperking(en) uit de schets. @@ -3538,12 +3538,12 @@ Geaccepteerde combinaties: twee curven; een eindpunt en een curve; twee eindpunt Lengte: - + Refractive index ratio Brekingsindexverhouding - + Ratio n2/n1: Verhouding n2/n1: @@ -5190,8 +5190,8 @@ Dit wordt gedaan door de geometrie en beperkingen van de schets te analyseren. Sketcher_ConstrainDiameter - - + + Fix the diameter of a circle or an arc Zet de diameter van een cirkel of een boog vast @@ -5343,64 +5343,74 @@ Dit wordt gedaan door de geometrie en beperkingen van de schets te analyseren. Sketcher_MapSketch - + No sketch found Geen schets gevonden - + + Cannot attach sketch to itself! + Cannot attach sketch to itself! + + + The document doesn't have a sketch Het document heeft geen schets - + Select sketch Selecteer schets - + + Select a sketch (some sketches not shown to prevent a circular dependency) + Select a sketch (some sketches not shown to prevent a circular dependency) + + + Select a sketch from the list Selecteer een schets uit de lijst - + (incompatible with selection) (niet compatibel met selectie) - + (current) (huidige) - + (suggested) (voorgesteld) - + Sketch attachment Schetsbijlage - + Current attachment mode is incompatible with the new selection. Select the method to attach this sketch to selected objects. Huidige aanhaak-modus is niet compatibel met de nieuwe selectie. Selecteer de methode om deze schets toe te voegen aan de geselecteerde objecten. - + Select the method to attach this sketch to selected objects. Selecteer de methode om deze schets aan geselecteerde objecten te koppelen. - + Map sketch Kaartschets - + Can't map a sketch to support: %1 Kan geen schets in kaart brengen ter ondersteuning: @@ -5931,22 +5941,22 @@ De rasterafstand verandert als deze kleiner wordt dan dit aantal pixels. GridSpaceAction - + Grid auto spacing Automatische raster-verdeling - + Resize grid automatically depending on zoom. Formaat raster automatisch aanpassen afhankelijk van zoom. - + Spacing Afstand - + Distance between two subsequent grid lines. Afstand tussen twee opeenvolgende rasterlijnen. @@ -5954,17 +5964,17 @@ De rasterafstand verandert als deze kleiner wordt dan dit aantal pixels. Notifications - + The Sketch has malformed constraints! De schets heeft ongeldige beperkingen! - + The Sketch has partially redundant constraints! De schets heeft deels overbodige beperkingen! - + Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! Parabolen zijn geconverteerd. Geconverteerde bestanden kunnen niet in vorige versies van FreeCAD worden geopend!! @@ -6043,8 +6053,8 @@ De rasterafstand verandert als deze kleiner wordt dan dit aantal pixels. - - + + Invalid Constraint Ongeldige beperking @@ -6251,34 +6261,34 @@ De rasterafstand verandert als deze kleiner wordt dan dit aantal pixels. SnapSpaceAction - + Snap to objects Uitlijnen op objecten - + New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. Nieuwe punten zullen uitlijnen op het huidig voorgeselecteerde object. En ook uitlijnen op het midden van lijnen en bogen. - + Snap to grid Uitlijnen op raster - + New points will snap to the nearest grid line. Points must be set closer than a fifth of the grid spacing to a grid line to snap. Nieuwe punten zullen op de dichtstbijzijnde rasterlijn uitlijnen. De punten moeten dichter dan een vijfde van de rastergrootte bij een rasterlijn worden geplaatst om te kunnen uitlijnen. - + Snap angle Uitlijn hoek - + Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. Grootte van de hoek voor tools die 'Uitlijnen op hoek' gebruiken (bijvoorbeeld lijn). Houd CTRL ingedrukt om 'Uitlijnen op hoek' in te schakelen. De hoek wordt bepaald met de positieve X-as van de schets. @@ -6286,23 +6296,23 @@ De punten moeten dichter dan een vijfde van de rastergrootte bij een rasterlijn RenderingOrderAction - - - + + + Normal Geometry Normale geometrie - - - + + + Construction Geometry Hulplijnen - - - + + + External Geometry Externe geometrie @@ -6310,12 +6320,12 @@ De punten moeten dichter dan een vijfde van de rastergrootte bij een rasterlijn CmdRenderingOrder - + Configure rendering order Configureren van de rendering volgorde - + Reorder the items in the list to configure rendering order. De items in de lijst opnieuw sorteren om de rendering volgorde te configureren. @@ -6323,12 +6333,12 @@ De punten moeten dichter dan een vijfde van de rastergrootte bij een rasterlijn CmdSketcherGrid - + Toggle grid Zet raster aan/uit - + Toggle the grid in the sketch. In the menu you can change grid settings. Zet raster aan/uit in de schets. Rasterinstellingen kunnen in het menu worden ingesteld. @@ -6336,12 +6346,12 @@ De punten moeten dichter dan een vijfde van de rastergrootte bij een rasterlijn CmdSketcherSnap - + Toggle snap Zet uitlijnen aan/uit - + Toggle all snap functionality. In the menu you can toggle 'Snap to grid' and 'Snap to objects' individually, and change further snap settings. Alle uitlijn functies in-/uitschakelen. In het menu kunt u afzonderlijk 'Uitlijnen op raster' en 'Uitlijnen op objecten' in-/uitschakelen en verdere uitlijn instellingen wijzigen. @@ -6375,12 +6385,12 @@ De punten moeten dichter dan een vijfde van de rastergrootte bij een rasterlijn CmdSketcherDimension - + Dimension Afmeting - + Constrain contextually based on your selection. Depending on your selection you might have several constraints available. You can cycle through them using M key. Left clicking on empty space will validate the current constraint. Right clicking or pressing Esc will cancel. @@ -6417,12 +6427,12 @@ Afhankelijk van uw keuzes zijn er mogelijk meerdere beperkingen beschikbaar. U k CmdSketcherConstrainRadius - + Constrain radius Beperk de straal - + Fix the radius of a circle or an arc De straal van een cirkel of boog vastzetten @@ -6557,12 +6567,12 @@ Afhankelijk van uw keuzes zijn er mogelijk meerdere beperkingen beschikbaar. U k Delete original geometries (U) - + Apply equal constraints Apply equal constraints - + If this option is selected dimensional constraints are excluded from the operation. Instead equal constraints are applied between the original objects and their copies. If this option is selected dimensional constraints are excluded from the operation. @@ -6634,12 +6644,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherCompHorizontalVertical - + Constrain horizontal/vertical Constrain horizontal/vertical - + Constrains a single line to either horizontal or vertical. Constrains a single line to either horizontal or vertical. @@ -6647,12 +6657,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainHorVer - + Constrain horizontal/vertical Constrain horizontal/vertical - + Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. @@ -6699,12 +6709,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainCoincidentUnified - + Constrain coincident Samenvallende beperking - + Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses @@ -6990,7 +7000,7 @@ Instead equal constraints are applied between the original objects and their cop TaskSketcherTool_p4_rotate - + Copies (+'U'/ -'J') Copies (+'U'/ -'J') @@ -7238,12 +7248,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainTangent - + Constrain tangent or collinear Constrain tangent or collinear - + Create a tangent or collinear constraint between two entities Create a tangent or collinear constraint between two entities @@ -7251,12 +7261,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherChangeDimensionConstraint - + Change value Waarde wijzigen - + Change the value of a dimensional constraint Change the value of a dimensional constraint @@ -7322,8 +7332,8 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadius - - + + Fix the radius of an arc or a circle Fix the radius of an arc or a circle @@ -7331,8 +7341,8 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadiam - - + + Fix the radius/diameter of an arc or a circle Fix the radius/diameter of an arc or a circle diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_pl.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_pl.ts index 3c133b1ff185..b75f77906899 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_pl.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_pl.ts @@ -134,27 +134,27 @@ dla wszystkich krzywych złożonych. CmdSketcherCompConstrainRadDia - + Constrain arc or circle Zwiąż łuk lub okrąg - + Constrain an arc or a circle Zwiąż łuk lub okrąg - + Constrain radius Wiązanie promienia - + Constrain diameter Wiązanie średnicy - + Constrain auto radius/diameter Zwiąż automatycznie promień / średnicę @@ -313,12 +313,12 @@ dla wszystkich krzywych złożonych. CmdSketcherConstrainAngle - + Constrain angle Wiązanie kąta - + Fix the angle of a line or the angle between two lines Ustawia kąt linii lub kąt pomiędzy dwiema liniami. @@ -327,12 +327,12 @@ lub kąt pomiędzy dwiema liniami. CmdSketcherConstrainBlock - + Constrain block Wiązanie zablokowania - + Block the selected edge from moving Zablokuje wybraną krawędź przed przeniesieniem. @@ -340,12 +340,12 @@ lub kąt pomiędzy dwiema liniami. CmdSketcherConstrainCoincident - + Constrain coincident Wiązanie zbieżności - + Create a coincident constraint between points, or a concentric constraint between circles, arcs, and ellipses Tworzy wiązanie zbieżności między punktami, lub wiązanie współśrodkowe między okręgami, łukami i elipsami. @@ -354,12 +354,12 @@ lub kąt pomiędzy dwiema liniami. CmdSketcherConstrainDiameter - + Constrain diameter Wiązanie średnicy - + Fix the diameter of a circle or an arc Ustala średnicę okręgu lub łuku. @@ -367,12 +367,12 @@ lub kąt pomiędzy dwiema liniami. CmdSketcherConstrainDistance - + Constrain distance Wiązanie odległości - + Fix a length of a line or the distance between a line and a vertex or between two circles Ustala długość linii lub odległość między linią a wierzchołkiem @@ -382,12 +382,12 @@ lub między dwoma okręgami. CmdSketcherConstrainDistanceX - + Constrain horizontal distance Zwiąż odległość poziomą - + Fix the horizontal distance between two points or line ends Ustala poziomą odległość między dwoma punktami lub końcami linii. @@ -396,12 +396,12 @@ lub końcami linii. CmdSketcherConstrainDistanceY - + Constrain vertical distance Zwiąż odległość pionową - + Fix the vertical distance between two points or line ends Ustala pionową odległość między dwoma punktami lub końcami linii @@ -410,12 +410,12 @@ lub końcami linii CmdSketcherConstrainEqual - + Constrain equal Wiązanie równości - + Create an equality constraint between two lines or between circles and arcs Tworzy wiązanie równości między dwiema liniami lub między okręgami i łukami. @@ -424,12 +424,12 @@ lub między okręgami i łukami. CmdSketcherConstrainHorizontal - + Constrain horizontal Wiązanie poziome - + Create a horizontal constraint on the selected item Tworzy wiązanie poziome na wybranym elemencie. @@ -437,12 +437,12 @@ lub między okręgami i łukami. CmdSketcherConstrainLock - + Constrain lock Wiązanie blokady odległości - + Create both a horizontal and a vertical distance constraint on the selected vertex Tworzy zarówno poziome, jak i pionowe wiązanie odległości @@ -452,12 +452,12 @@ na wybranym wierzchołku CmdSketcherConstrainParallel - + Constrain parallel Wiązanie równoległości - + Create a parallel constraint between two lines Tworzy wiązanie równoległości pomiędzy dwoma liniami. @@ -465,12 +465,12 @@ na wybranym wierzchołku CmdSketcherConstrainPerpendicular - + Constrain perpendicular Wiązanie prostopadłości - + Create a perpendicular constraint between two lines Tworzy wiązanie prostopadłości między dwoma liniami. @@ -478,12 +478,12 @@ na wybranym wierzchołku CmdSketcherConstrainPointOnObject - + Constrain point on object Wiązanie punkt na obiekcie - + Fix a point onto an object Ustawia punkt na obiekcie. @@ -491,12 +491,12 @@ na wybranym wierzchołku CmdSketcherConstrainRadiam - + Constrain auto radius/diameter Zwiąż automatycznie promień / średnicę - + Fix the diameter if a circle is chosen, or the radius if an arc/spline pole is chosen Ustala średnicę, jeśli wybrano okrąg lub promień, jeśli wybrano łuk / krzywą złożoną. @@ -505,12 +505,12 @@ lub promień, jeśli wybrano łuk / krzywą złożoną. CmdSketcherConstrainSnellsLaw - + Constrain refraction (Snell's law) Wiązanie refrakcji (prawo Snell'a) - + Create a refraction law (Snell's law)constraint between two endpoints of rays and an edge as an interface. Tworzy wiązanie refrakcji (prawo Snella) pomiędzy dwoma punktami końcowymi promieni @@ -520,12 +520,12 @@ oraz krawędzią jako interfejsem. CmdSketcherConstrainSymmetric - + Constrain symmetric Wiązanie symetrii - + Create a symmetry constraint between two points with respect to a line or a third point Tworzy wiązanie symetrii pomiędzy dwoma punktami @@ -535,12 +535,12 @@ w odniesieniu do linii lub trzeciego punktu. CmdSketcherConstrainVertical - + Constrain vertical Wiązanie pionowe - + Create a vertical constraint on the selected item Tworzy wiązanie pionowe na wybranym elemencie. @@ -1083,7 +1083,7 @@ Najpierw wybierz geometrię wspomagającą, na przykład powierzchnię lub krawędź obiektu bryły, następnie wywołaj tę komendę, a następnie wybierz żądany szkic. - + Some of the selected objects depend on the sketch to be mapped. Circular dependencies are not allowed. Niektóre z wybranych obiektów zależą od szkicu do zmapowania. Powiązania cykliczne nie są dozwolone. @@ -1091,22 +1091,22 @@ lub krawędź obiektu bryły, następnie wywołaj tę komendę, a następnie wyb CmdSketcherMergeSketches - + Merge sketches Połącz szkice - + Create a new sketch from merging two or more selected sketches. Tworzy nowy szkic ze scalenia dwóch lub więcej wybranych szkiców. - + Wrong selection Nieprawidłowy wybór - + Select at least two sketches. Wybierz co najmniej dwa szkice. @@ -1114,12 +1114,12 @@ lub krawędź obiektu bryły, następnie wywołaj tę komendę, a następnie wyb CmdSketcherMirrorSketch - + Mirror sketch Odbicie lustrzane szkicu - + Creates a new mirrored sketch for each selected sketch by using the X or Y axes, or the origin point, as mirroring reference. @@ -1128,12 +1128,12 @@ używając osi X lub Y bądź punktu początkowego, jako odniesienia lustrzanego odbicia. - + Wrong selection Nieprawidłowy wybór - + Select one or more sketches. Wybierz jeden lub więcej szkiców. @@ -1391,12 +1391,12 @@ Po uruchomieniu narzędzia wybierz linię lub punkt odniesienia. CmdSketcherToggleActiveConstraint - + Activate/deactivate constraint Aktywuj / dezaktywuj wiązanie - + Activates or deactivates the selected constraints Aktywuje lub wyłącza zaznaczone wiązania @@ -1417,12 +1417,12 @@ Po uruchomieniu narzędzia wybierz linię lub punkt odniesienia. CmdSketcherToggleDrivingConstraint - + Toggle driving/reference constraint Przełącz kontrolę wiązania - + Set the toolbar, or the selected constraints, into driving or reference mode Ustawia pasek narzędzi @@ -1446,24 +1446,24 @@ w tryb konstrukcyjny lub informacyjny. CmdSketcherValidateSketch - + Validate sketch... Sprawdź poprawność szkicu ... - + Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. Sprawdza poprawność szkicu przez test braków zbieżności, nieprawidłowych wiązań, zdegenerowanej geometrii itp. - + Wrong selection Nieprawidłowy wybór - + Select only one sketch. Wybierz tylko jeden szkic. @@ -1471,12 +1471,12 @@ nieprawidłowych wiązań, zdegenerowanej geometrii itp. CmdSketcherViewSection - + View section Widok przekroju - + When in edit mode, switch between section view and full view. W trybie edycji umożliwia przełączenie widoku pomiędzy widokiem przekroju a widokiem całości. @@ -1485,12 +1485,12 @@ nieprawidłowych wiązań, zdegenerowanej geometrii itp. CmdSketcherViewSketch - + View sketch Widok szkicu - + When in edit mode, set the camera orientation perpendicular to the sketch plane. W trybie edycji umożliwia ustawienie orientacji widoku prostopadle do płaszczyzny szkicu. @@ -1499,69 +1499,69 @@ nieprawidłowych wiązań, zdegenerowanej geometrii itp. Command - + Add 'Lock' constraint Dodaj wiązanie blokady odległości - + Add relative 'Lock' constraint Dodaj względne wiązanie blokady odległości - + Add fixed constraint Dodaj wiązanie zablokowania - + Add 'Block' constraint Dodaj wiązanie zablokowania - + Add block constraint Dodaj wiązanie zablokowania - - + + Add coincident constraint Dodaj wiązanie zbieżności - - + + Add distance from horizontal axis constraint Dodaj odległość od wiązania osi poziomej - - + + Add distance from vertical axis constraint Dodaj odległość od wiązania osi pionowej - - + + Add point to point distance constraint Dodaj ograniczenie odległości punktu od punktu - - + + Add point to line Distance constraint Dodaj ograniczeni odległości punktu od linii - - + + Add circle to circle distance constraint Dodaj wiązanie odległości okręgu do okręgu - + Add circle to line distance constraint Dodaj wiązanie odległości okręgu do linii @@ -1570,16 +1570,16 @@ nieprawidłowych wiązań, zdegenerowanej geometrii itp. - - - + + + Add length constraint Dodaj wiązanie długości - + Dimension Wiązanie odległości @@ -1596,7 +1596,7 @@ nieprawidłowych wiązań, zdegenerowanej geometrii itp. - + Add Distance constraint Dodaj wiązanie odległości @@ -1674,7 +1674,7 @@ nieprawidłowych wiązań, zdegenerowanej geometrii itp. Dodaj wiązanie promienia - + Activate/Deactivate constraints Aktywuj / dezaktywuj wiązania @@ -1690,23 +1690,23 @@ nieprawidłowych wiązań, zdegenerowanej geometrii itp. Dodaj wiązanie współosiowości i długości - + Add DistanceX constraint Dodaj wiązanie odległości X - + Add DistanceY constraint Dodaj wiązanie odległości Y - + Add point to circle Distance constraint Dodaj wiązanie odległości punktu od okręgu - - + + Add point on object constraint Dodaj punkt w miejscu wiązania obiektu @@ -1717,143 +1717,143 @@ nieprawidłowych wiązań, zdegenerowanej geometrii itp. Dodaj wiązanie długości łuku - - + + Add point to point horizontal distance constraint Dodaj poziome wiązanie odległości, pomiędzy punktami - + Add fixed x-coordinate constraint Dodaj wiązanie ze stałą współrzędną x - - + + Add point to point vertical distance constraint Dodaj pionowe wiązanie odległości pomiędzy punktami - + Add fixed y-coordinate constraint Dodaj wiązanie ze stałą współrzędną y - - + + Add parallel constraint Dodaj wiązanie równoległości - - - - - - - + + + + + + + Add perpendicular constraint Dodaj wiązanie prostopadłości - + Add perpendicularity constraint Dodaj wiązanie prostopadłości - + Swap coincident+tangency with ptp tangency Zamień styczność krawędzi na styczność od punktu do punktu - - - - - - - + + + + + + + Add tangent constraint Dodaj wiązanie kąta - - - - - - - - - - - - - - + + + + + + + + + + + + + + Add tangent constraint point Dodaj punkt dostępny dla wiązania styczności - - - - + + + + Add radius constraint Dodaj wiązanie promienia - - - - + + + + Add diameter constraint Dodaj wiązanie średnicy - - - - + + + + Add radiam constraint Dodaj wiązanie promienia - - - - + + + + Add angle constraint Dodaj wiązanie kąta - + Swap point on object and tangency with point to curve tangency Zamiana wiązania punkt na obiekcie i styczności z punktem na styczność krzywej. - - + + Add equality constraint Dodaj wiązanie równości - - - - - + + + + + Add symmetric constraint Dodaj wiązanie symetryczności - + Add Snell's law constraint Dodaj wiązanie prawa Snella - + Toggle constraint to driving/reference Przełączanie wiązania między kontrolującym i odniesienia @@ -1873,22 +1873,22 @@ nieprawidłowych wiązań, zdegenerowanej geometrii itp. Zmień orientację szkicu - + Attach sketch Dołącz szkic - + Detach sketch Dołącz szkic - + Create a mirrored sketch for each selected sketch Utwórz lustrzany szkic dla każdego wybranego szkicu - + Merge sketches Połącz szkice @@ -2062,7 +2062,7 @@ nieprawidłowych wiązań, zdegenerowanej geometrii itp. Aktualizuj wiązania przestrzeni wirtualnej - + Add auto constraints Dodaj wiązania automatycznie @@ -2170,59 +2170,59 @@ nieprawidłowych wiązań, zdegenerowanej geometrii itp. Exceptions - + Unable to guess intersection of curves. Try adding a coincident constraint between the vertices of the curves you are intending to fillet. Nie można ustalić punktu przecięcia się krzywych. Spróbuj dodać wiązanie zbieżne pomiędzy wierzchołkami krzywych, które zamierzasz zaokrąglić. - + You are requesting no change in knot multiplicity. Żądasz niezmienności w wielokrotności węzłów. - - + + B-spline Geometry Index (GeoID) is out of bounds. Indeks geometrii krzywej złożonej (GeoID) jest poza zakresem. - - + + The Geometry Index (GeoId) provided is not a B-spline. Podany indeks geometrii krzywej złożonej (GeoId) nie jest łukiem krzywej złożonej. - + The knot index is out of bounds. Note that in accordance with OCC notation, the first knot has index 1 and not zero. Indeks węzłów jest poza wiązaniem. Zauważ, że zgodnie z zapisem OCC, pierwszy węzeł ma indeks 1, a nie zero. - + The multiplicity cannot be increased beyond the degree of the B-spline. Wielokrotność nie może być zwiększona poza stopień krzywej złożonej. - + The multiplicity cannot be decreased beyond zero. Wielokrotność nie może zostać zmniejszona poniżej zera. - + OCC is unable to decrease the multiplicity within the maximum tolerance. OCC nie jest w stanie zmniejszyć wielokrotności w ramach maksymalnej tolerancji. - + Knot cannot have zero multiplicity. Węzeł nie może mieć zerowej krotności. - + Knot multiplicity cannot be higher than the degree of the B-spline. Krotność węzłów nie może być większa niż stopień krzywej złożonej. - + Knot cannot be inserted outside the B-spline parameter range. Węzła nie można wstawić poza zakresem parametrów krzywej złożonej. @@ -2332,7 +2332,7 @@ nieprawidłowych wiązań, zdegenerowanej geometrii itp. - + Don't attach Nie dołączaj @@ -2354,123 +2354,123 @@ nieprawidłowych wiązań, zdegenerowanej geometrii itp. - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + - - - - - - + + + + + + + + @@ -2536,120 +2536,120 @@ nieprawidłowych wiązań, zdegenerowanej geometrii itp. Jeden z wyborów musi znajdować się na szkicu. - + Select an edge from the sketch. Wybierz krawędź ze szkicu. - - - - - - + + + + + + Impossible constraint Wiązanie niemożliwe do ustalenia - - + + The selected edge is not a line segment. Wybrana krawędź nie jest odcinkiem linii. - - - + + + Double constraint Zdublowane wiązanie - + The selected edge already has a horizontal constraint! Wybrana krawędź ma już wiązanie poziome! - + The selected edge already has a vertical constraint! Wybrana krawędź ma już wiązanie pionowe! - - - + + + The selected edge already has a Block constraint! Wybrana krawędź ma już wiązanie zablokowania! - + There are more than one fixed points selected. Select a maximum of one fixed point! Wybrano więcej niż jeden ustalony punkt. Wybierz maksymalnie jeden ustalony punkt! - - - + + + Select vertices from the sketch. Wybierz wierzchołki ze szkicu. - + Select one vertex from the sketch other than the origin. Zaznacz jeden wierzchołek ze szkicu inny niż odniesienie położenia. - + Select only vertices from the sketch. The last selected vertex may be the origin. Ze szkicu wybierz tylko wierzchołki. Ostatni wybrany wierzchołek może być odniesieniem położenia. - + Wrong solver status Nieprawidłowy status solvera - + A Block constraint cannot be added if the sketch is unsolved or there are redundant and conflicting constraints. Nie można dodać wiązania zablokowania, jeśli rysunek nie został rozwiązany lub istnieją wiązania zbędne i/lub sprzeczne. - + Select one edge from the sketch. Zaznacz jedną krawędź ze szkicu. - + Select only edges from the sketch. Zaznacz tylko krawędzie ze szkicu. - + None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. Żaden z wybranych punktów nie został związany z odpowiednimi krzywymi, ponieważ są one częścią tego samego elementu, obie są geometrią zewnętrzną lub krawędź nie spełnia warunków. - + Only tangent-via-point is supported with a B-spline. W przypadku krzywej złożonej obsługiwana jest tylko styczna przez punkt. - - + + Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. Wybierz tylko jeden lub więcej biegunów krzywej złożonej, albo tylko jeden lub więcej łuków lub okręgów ze szkicu, ale nie ich kombinację. - + Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. Constraint_SnellsLaw Wybierz dwa punkty końcowe linii, które będą działać jako promienie, oraz krawędź reprezentującą granicę. Pierwszy wybrany punkt odpowiada indeksowi n1, drugi n2, a wartość określa stosunek n2/n1. - + Number of selected objects is not 3 Liczba wybranych obiektów nie jest równa trzy @@ -2666,80 +2666,80 @@ Pierwszy wybrany punkt odpowiada indeksowi n1, drugi n2, a wartość określa st Nieoczekiwany błąd. Więcej informacji może być dostępnych w Widoku raportu. - + The selected item(s) can't accept a horizontal or vertical constraint! Wybrane elementy nie mogą zaakceptować wiązania poziomego lub pionowego! - + Endpoint to endpoint tangency was applied instead. Zamiast tego zastosowano styczne między punktami końcowymi. - + Select two or more vertices from the sketch for a coincident constraint, or two or more circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Wybierz dwa lub więcej wierzchołków ze szkicu dla wiązania zbieżności albo co najmniej dwa koła, elipsy, łuki lub łuki eliptyczne do wiązania współśrodkowego. - + Select two vertices from the sketch for a coincident constraint, or two circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Wybierz dwa wierzchołki ze szkicu dla wiązania zbieżności albo dwa koła, elipsy, łuki lub łuki eliptyczne do wiązania współśrodkowego. - + Select exactly one line or one point and one line or two points from the sketch. Wybierz dokładnie jedną linię lub jeden punkt i jedną linię lub dwa punkty ze szkicu. - + Cannot add a length constraint on an axis! Nie można dodać ograniczenia długości osi! - - + + Select exactly one line or one point and one line or two points or two circles from the sketch. Wybierz ze szkicu dokładnie jedną linię lub jeden punkt i jedną linię lub dwa punkty lub dwa okręgi. - + This constraint does not make sense for non-linear curves. Takie wiązanie nie ma sensu w przypadku krzywych nieliniowych. - + Endpoint to edge tangency was applied instead. Zamiast tego zastosowano styczność punktu końcowego do krawędzi. - - - - - - + + + + + + Select the right things from the sketch. Wybierz prawidłowe obiekty ze szkicu. - - - - - - - - - + + + + + + + + - - - - - - - - + + + + + + + + + Select an edge that is not a B-spline weight. Wybierz krawędź, która nie jest wagą krzywej złożonej. @@ -2749,17 +2749,17 @@ Pierwszy wybrany punkt odpowiada indeksowi n1, drugi n2, a wartość określa st Usunięto jeden lub dwa wiązania punktu na obiekcie, ponieważ ostatnie wiązanie zastosowane wewnętrznie dotyczy również punktu na obiekcie. - + Select either several points, or several conics for concentricity. Aby uzyskać wiązanie współśrodkowe, wybierz kilka punktów lub kilka stożków. - + Select either one point and several curves, or one curve and several points Wybierz jeden punkt i kilka krzywych lub jedną krzywą i kilka punktów - + Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. Wybierz jeden punkt i kilka krzywych lub jedną krzywą i kilka punktów dla wiązania typu "punkt na obiekcie", @@ -2767,72 +2767,72 @@ lub kilka punktów dla wiązania typu "zbieżność", lub kilka stożków dla wiązania typu "współśrodkowość". - + None of the selected points were constrained onto the respective curves, either because they are parts of the same element, or because they are both external geometry. Żaden z wybranych punktów nie został związany na odpowiednich krzywych, albo są one częścią tego samego elementu albo obie są zewnętrzną geometrią. - + Cannot add a length constraint on this selection! Nie można dodać ograniczenia długości do wybranego obiektu! - - - - + + + + Select exactly one line or up to two points from the sketch. Wybierz dokładnie jedną linię lub do dwa punkty ze szkicu. - + Cannot add a horizontal length constraint on an axis! Nie można dodać ograniczenia długości osi w poziomie! - + Cannot add a fixed x-coordinate constraint on the origin point! Nie można dodać określonego wiązania współrzędnych x w punkcie odniesienia położenia! - - + + This constraint only makes sense on a line segment or a pair of points. Takie wiązanie ma sens tylko w przypadku odcinka lub pary punktów. - + Cannot add a vertical length constraint on an axis! Nie można dodać ograniczenia długości osi w pionie! - + Cannot add a fixed y-coordinate constraint on the origin point! Nie można dodać określonego wiązania współrzędnych y w punkcie odniesienia położenia! - + Select two or more lines from the sketch. Wybierz dwie lub więcej linii ze szkicu. - + One selected edge is not a valid line. Jedna wybrana krawędź nie jest prawidłową linią. - - + + Select at least two lines from the sketch. Wybierz co najmniej dwie linie ze szkicu. - + The selected edge is not a valid line. Wybrana krawędź nie jest prawidłową linią. - + There is a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2842,35 +2842,35 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Akceptowane kombinacje: dwie krzywe; punkt końcowy i krzywej; dwa punkty końcowe; dwie krzywe i punkt. - + Select some geometry from the sketch. perpendicular constraint Wybierz dowolną geometrię ze szkicu. - - + + Cannot add a perpendicularity constraint at an unconnected point! Nie można dodać wiązania prostopadłości w niepołączonym punkcie! - - + + One of the selected edges should be a line. Jedna z zaznaczonych krawędzi powinna być linią. - + Endpoint to endpoint tangency was applied. The coincident constraint was deleted. Zastosowano styczność punktu końcowego do punktu końcowego. Wiązanie zbieżności zostało usunięte. - + Endpoint to edge tangency was applied. The point on object constraint was deleted. Zastosowano wiązanie styczności punktu końcowego do krawędzi. Usunięto wiązanie punktu na obiekcie. - + There are a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2880,61 +2880,61 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Akceptowane kombinacje: dwie krzywe; punkt końcowy i krzywa; dwa punkty końcowe; dwie krzywe i punkt. - + Select some geometry from the sketch. tangent constraint Wybierz dowolną geometrię ze szkicu. - - - + + + Cannot add a tangency constraint at an unconnected point! Nie można dodać wiązanie styczności w niepołączonym punkcie! - - + + Tangent constraint at B-spline knot is only supported with lines! Wiązanie styczne w węźle krzywej złożonej jest obsługiwane tylko z liniami! - + B-spline knot to endpoint tangency was applied instead. Zamiast tego zastosowano styczność węzła krzywej złożonej do punktu końcowego. - - + + Wrong number of selected objects! Niewłaściwa liczba wybranych obiektów! - - + + With 3 objects, there must be 2 curves and 1 point. Z trzech (3) obiektów, dwa (2) muszą być krzywymi i jeden (1) musi być punktem. - - - - - - + + + + + + Select one or more arcs or circles from the sketch. Wybierz jeden lub więcej łuków lub okręgów ze szkicu. - - - + + + Constraint only applies to arcs or circles. Wiązanie dotyczy tylko łuków lub okręgów. - - + + Select one or two lines from the sketch. Or select two edges and a point. Zaznacz jedną lub dwie linie ze szkicu. Albo zaznacz dwie krawędzie oraz punkt. @@ -2949,87 +2949,87 @@ Akceptowane kombinacje: dwie krzywe; punkt końcowy i krzywa; dwa punkty końcow Nie można zdefiniować wiązania kąta dla dwóch linii równoległych. - + Cannot add an angle constraint on an axis! Nie można dodać ustalonego wiązania kąta na osi! - + Select two edges from the sketch. Zaznacz dwie krawędzie ze szkicu. - + Select two or more compatible edges. Zaznacz dwie lub więcej zgodnych krawędzi. - + Sketch axes cannot be used in equality constraints. Osie szkiców nie mogą być używane z wiązaniami równości. - + Equality for B-spline edge currently unsupported. Równość pomiędzy krawędziami krzywej złożonej obecnie nie jest obsługiwana. - - - + + + Select two or more edges of similar type. Wybierz dwie lub więcej krawędzi podobnego typu. - - - - - + + + + + Select two points and a symmetry line, two points and a symmetry point or a line and a symmetry point from the sketch. Wybierz dwa punkty i linię symetrii, dwa punkty i punkt symetrii lub linię i punkt symetrii ze szkicu. - - + + Cannot add a symmetry constraint between a line and its end points. Nie można dodać wiązania symetrii między linią i jej punktami końcowymi. - - - - + + + + Cannot add a symmetry constraint between a line and its end points! Nie można dodać wiązania symetrii między linią i jego punktami końcowymi! - + Selected objects are not just geometry from one sketch. Wybrane obiekty są nie tylko geometrią z jednego szkicu. - + Cannot create constraint with external geometry only. Nie można tworzyć wiązań tylko przy użyciu geometrii zewnętrznej. - + Incompatible geometry is selected. Wybrano niekompatybilną geometrię. - + Select one dimensional constraint from the sketch. Wybierz jedno wiązanie wymiarowe ze szkicu. - - - - - + + + + + Select constraints from the sketch. Wybierz wiązania ze szkicu. @@ -3574,12 +3574,12 @@ Przytrzymaj Ctrl + Alt, aby to zignorować. Długość: - + Refractive index ratio Współczynnik załamania światła - + Ratio n2/n1: Stosunek n2/n1: @@ -5236,8 +5236,8 @@ dla wszystkich krzywych złożonych. Sketcher_ConstrainDiameter - - + + Fix the diameter of a circle or an arc Ustala średnicę okręgu lub łuku. @@ -5392,64 +5392,74 @@ przez jego środek i przez jeden narożnik. Sketcher_MapSketch - + No sketch found Nie znaleziono szkicu - + + Cannot attach sketch to itself! + Cannot attach sketch to itself! + + + The document doesn't have a sketch Dokument nie zawiera szkicu - + Select sketch Wybierz szkic - + + Select a sketch (some sketches not shown to prevent a circular dependency) + Select a sketch (some sketches not shown to prevent a circular dependency) + + + Select a sketch from the list Wybierz szkic z listy - + (incompatible with selection) (niezgodność z zaznaczeniem) - + (current) (bieżący) - + (suggested) (sugerowane) - + Sketch attachment Dołączenie szkicu - + Current attachment mode is incompatible with the new selection. Select the method to attach this sketch to selected objects. Obecny tryb przyłączania jest niekompatybilny z nowym zaznaczeniem. Wybierz metodę, aby dołączyć ten szkic do wybranych obiektów. - + Select the method to attach this sketch to selected objects. Wybierz metodę, aby dołączyć ten szkic do wybranych obiektów. - + Map sketch Dołącz szkic - + Can't map a sketch to support: %1 Nie można odwzorować rysunku do wsparcia: @@ -5980,22 +5990,22 @@ Rozstaw siatki zmienia się, jeśli staje się mniejszy niż określona liczba p GridSpaceAction - + Grid auto spacing Odstęp linii siatki — automatycznie - + Resize grid automatically depending on zoom. Zmień rozmiar siatki automatycznie w zależności od powiększenia. - + Spacing Rozstaw - + Distance between two subsequent grid lines. Odległość między sąsiednimi liniami siatki. @@ -6003,17 +6013,17 @@ Rozstaw siatki zmienia się, jeśli staje się mniejszy niż określona liczba p Notifications - + The Sketch has malformed constraints! Szkic zawiera zniekształcone wiązania! - + The Sketch has partially redundant constraints! Szkic zawiera częściowo zbędne wiązania! - + Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! Parabole zostały poddane migracji. Pliki po imporcie nie otworzą się w poprzednich wersjach programu FreeCAD!! @@ -6092,8 +6102,8 @@ Krzywe złożone i punkty nie są jeszcze obsługiwane. - - + + Invalid Constraint Nieprawidłowe wiązanie @@ -6302,23 +6312,23 @@ Sprawdź wiązania i wiązania automatyczne dotyczące tej operacji. SnapSpaceAction - + Snap to objects Przyciągaj do obiektów - + New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. Nowe punkty będą przyciągane do aktualnie wybranego obiektu. Przyciągają się również do środka linii i łuków. - + Snap to grid Przyciągaj do siatki - + New points will snap to the nearest grid line. Points must be set closer than a fifth of the grid spacing to a grid line to snap. Nowe punkty będą przyciągane do najbliższej linii siatki. @@ -6326,12 +6336,12 @@ Punkty muszą być ustawione bliżej niż jedna piąta odstępu między liniami siatki, aby zostały przyciągnięte. - + Snap angle Przyciągaj do kąta - + Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. Krok kąta dla narzędzi, które używają "Przyciągania do kąta" (na przykład linia). Przytrzymaj CTRL, aby włączyć "Przyciąganie pod kątem". Kąt zaczyna się od dodatniej osi X szkicu, poziomo w prawo. @@ -6340,23 +6350,23 @@ Przytrzymaj CTRL, aby włączyć "Przyciąganie pod kątem". Kąt zaczyna się o RenderingOrderAction - - - + + + Normal Geometry Geometria normalna - - - + + + Construction Geometry Geometria konstrukcyjna - - - + + + External Geometry Geometria zewnętrzna @@ -6364,12 +6374,12 @@ Przytrzymaj CTRL, aby włączyć "Przyciąganie pod kątem". Kąt zaczyna się o CmdRenderingOrder - + Configure rendering order Ustaw kolejność renderowania - + Reorder the items in the list to configure rendering order. Zmienia kolejność elementów na liście, aby skonfigurować kolejność renderowania. @@ -6378,12 +6388,12 @@ aby skonfigurować kolejność renderowania. CmdSketcherGrid - + Toggle grid Przełącz widoczność siatki - + Toggle the grid in the sketch. In the menu you can change grid settings. Włącza / wyłącza siatkę w szkicu. W menu można zmienić ustawienia siatki. @@ -6392,12 +6402,12 @@ W menu można zmienić ustawienia siatki. CmdSketcherSnap - + Toggle snap Włącz / wyłącz przyciąganie - + Toggle all snap functionality. In the menu you can toggle 'Snap to grid' and 'Snap to objects' individually, and change further snap settings. Przełącza wszystkie funkcje przyciągania. W menu możesz przełączać indywidualne przełączniki "Przyciągnij do siatki" @@ -6433,12 +6443,12 @@ oraz "Przyciągnij do obiektów" i zmieniać dodatkowe ustawienia przyciągania. CmdSketcherDimension - + Dimension Wiązania wymiarów - + Constrain contextually based on your selection. Depending on your selection you might have several constraints available. You can cycle through them using M key. Left clicking on empty space will validate the current constraint. Right clicking or pressing Esc will cancel. @@ -6478,12 +6488,12 @@ Kliknięcie prawym przyciskiem myszy lub naciśnięcie Esc spowoduje anulowanie. CmdSketcherConstrainRadius - + Constrain radius Wiązanie promienia - + Fix the radius of a circle or an arc Ustala promień okręgu lub łuku. @@ -6620,12 +6630,12 @@ a ujemna do wewnątrz. Usuń oryginalne geometrie (U) - + Apply equal constraints Zastosuj wiązanie równości - + If this option is selected dimensional constraints are excluded from the operation. Instead equal constraints are applied between the original objects and their copies. Jeśli ta opcja jest zaznaczona, wiązania wymiarowe są wyłączone z operacji. @@ -6697,12 +6707,12 @@ Zamiast tego stosuje się wiązania równości pomiędzy oryginalnymi obiektami CmdSketcherCompHorizontalVertical - + Constrain horizontal/vertical Wiązanie poziomo / pionowo - + Constrains a single line to either horizontal or vertical. Wiąże pojedynczą linię do poziomu lub pionu. @@ -6710,12 +6720,12 @@ Zamiast tego stosuje się wiązania równości pomiędzy oryginalnymi obiektami CmdSketcherConstrainHorVer - + Constrain horizontal/vertical Wiązanie poziomo / pionowo - + Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. Wiąże pojedynczą linię do poziomu lub pionu, w zależności od tego, co jest bliższe bieżącemu wyrównaniu. @@ -6763,12 +6773,12 @@ w zależności od tego, co jest bliższe bieżącemu wyrównaniu. CmdSketcherConstrainCoincidentUnified - + Constrain coincident Wiązanie zbieżności - + Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses Tworzy wiązanie zbieżności między punktami, wiąże punkt na krawędzi @@ -7057,7 +7067,7 @@ lub tworzy wiązanie koncentryczne między okręgami, łukami i elipsami. TaskSketcherTool_p4_rotate - + Copies (+'U'/ -'J') Kopiuj (+ U / - J) @@ -7309,12 +7319,12 @@ Włącza tworzenie i * j kopii. CmdSketcherConstrainTangent - + Constrain tangent or collinear Wiązanie styczności lub współliniowe - + Create a tangent or collinear constraint between two entities Tworzy wiązanie styczności lub współliniowości pomiędzy dwoma obiektami @@ -7322,12 +7332,12 @@ Włącza tworzenie i * j kopii. CmdSketcherChangeDimensionConstraint - + Change value Zmień wartość elementu - + Change the value of a dimensional constraint Zmień wartość wiązania wymiarowego @@ -7395,8 +7405,8 @@ aby cofnąć ostatni punkt. Sketcher_ConstrainRadius - - + + Fix the radius of an arc or a circle Napraw promień łuku lub okręgu @@ -7404,8 +7414,8 @@ aby cofnąć ostatni punkt. Sketcher_ConstrainRadiam - - + + Fix the radius/diameter of an arc or a circle Napraw promień / średnicę łuku lub okręgu 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 d68671bc8656..899d2b702863 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_pt-BR.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_pt-BR.ts @@ -128,27 +128,27 @@ CmdSketcherCompConstrainRadDia - + Constrain arc or circle Restringir arco ou círculo - + Constrain an arc or a circle Restringir um arco ou um círculo - + Constrain radius Restrição de raio - + Constrain diameter Restringir o diâmetro - + Constrain auto radius/diameter Restringir raio/diâmetro automáticos @@ -307,12 +307,12 @@ CmdSketcherConstrainAngle - + Constrain angle Ângulo de restrição - + Fix the angle of a line or the angle between two lines Fixar o ângulo de uma linha ou o ângulo entre duas linhas @@ -320,12 +320,12 @@ CmdSketcherConstrainBlock - + Constrain block Restrição de bloqueio - + Block the selected edge from moving Impedir a aresta selecionada de se mover @@ -333,12 +333,12 @@ CmdSketcherConstrainCoincident - + Constrain coincident Restrição de coincidência - + Create a coincident constraint between points, or a concentric constraint between circles, arcs, and ellipses Cria uma restrição coincidente entre pontos ou uma restrição concêntrica entre círculos, arcos e elipses @@ -346,12 +346,12 @@ CmdSketcherConstrainDiameter - + Constrain diameter Restringir o diâmetro - + Fix the diameter of a circle or an arc Corrigir o diâmetro de um círculo ou arco @@ -359,12 +359,12 @@ CmdSketcherConstrainDistance - + Constrain distance Restrição de distância - + Fix a length of a line or the distance between a line and a vertex or between two circles Define o comprimento de uma linha ou a distância entre uma linha e um vértice ou entre dois círculos @@ -372,12 +372,12 @@ CmdSketcherConstrainDistanceX - + Constrain horizontal distance Restrição de distância horizontal - + Fix the horizontal distance between two points or line ends Fixar a distância horizontal entre dois pontos ou extremidades de linha @@ -385,12 +385,12 @@ CmdSketcherConstrainDistanceY - + Constrain vertical distance Restringir a distância vertical - + Fix the vertical distance between two points or line ends Fixar a distância vertical entre dois pontos ou extremidades de linha @@ -398,12 +398,12 @@ CmdSketcherConstrainEqual - + Constrain equal Restrição igual - + Create an equality constraint between two lines or between circles and arcs Criar uma restrição de igualdade entre duas linhas ou círculos e arcos @@ -411,12 +411,12 @@ CmdSketcherConstrainHorizontal - + Constrain horizontal Restrição horizontal - + Create a horizontal constraint on the selected item Criar uma restrição horizontal sobre o item selecionado @@ -424,12 +424,12 @@ CmdSketcherConstrainLock - + Constrain lock Restrição de bloqueio - + Create both a horizontal and a vertical distance constraint on the selected vertex Adiciona uma restrição de distância horizontal e vertical @@ -439,12 +439,12 @@ ao vértice selecionado CmdSketcherConstrainParallel - + Constrain parallel Restrição paralela - + Create a parallel constraint between two lines Criar uma restrição paralela entre duas linhas @@ -452,12 +452,12 @@ ao vértice selecionado CmdSketcherConstrainPerpendicular - + Constrain perpendicular Restrição perpendicular - + Create a perpendicular constraint between two lines Criar uma restrição perpendicular entre duas linhas @@ -465,12 +465,12 @@ ao vértice selecionado CmdSketcherConstrainPointOnObject - + Constrain point on object Restrição de ponto sobre objeto - + Fix a point onto an object Fixar um ponto sobre um objeto @@ -478,12 +478,12 @@ ao vértice selecionado CmdSketcherConstrainRadiam - + Constrain auto radius/diameter Restringir raio/diâmetro automáticos - + Fix the diameter if a circle is chosen, or the radius if an arc/spline pole is chosen Define o diâmetro se um círculo for selecionado, ou o raio se for um arco ou ponto de uma curva B-spline @@ -491,12 +491,12 @@ ao vértice selecionado CmdSketcherConstrainSnellsLaw - + Constrain refraction (Snell's law) Restrição de refração (lei de Snell) - + Create a refraction law (Snell's law)constraint between two endpoints of rays and an edge as an interface. Cria uma restrição de refração (lei de Snell) entre dois pontos de extremidade de raios @@ -506,12 +506,12 @@ e uma aresta usada como interface. CmdSketcherConstrainSymmetric - + Constrain symmetric Restrição de simetria - + Create a symmetry constraint between two points with respect to a line or a third point Criar uma restrição de simetria entre dois pontos @@ -521,12 +521,12 @@ em relação a uma linha ou um terceiro ponto CmdSketcherConstrainVertical - + Constrain vertical Restrição vertical - + Create a vertical constraint on the selected item Criar uma restrição vertical sobre o item selecionado @@ -1067,7 +1067,7 @@ then call this command, then choose the desired sketch. Selecione primeiro a geometria de suporte, por exemplo uma face ou uma aresta de um objeto sólido, em seguida, execute este comando e escolha o esboço desejado. - + Some of the selected objects depend on the sketch to be mapped. Circular dependencies are not allowed. Alguns dos objetos selecionados dependem do esboço a ser mapeado. Dependências circulares não são permitidas. @@ -1075,22 +1075,22 @@ Selecione primeiro a geometria de suporte, por exemplo uma face ou uma aresta de CmdSketcherMergeSketches - + Merge sketches Mesclar esboços - + Create a new sketch from merging two or more selected sketches. Criar um novo esboço ao mesclar dois ou mais esboços selecionados. - + Wrong selection Seleção errada - + Select at least two sketches. Selecione pelo menos dois esboços. @@ -1098,12 +1098,12 @@ Selecione primeiro a geometria de suporte, por exemplo uma face ou uma aresta de CmdSketcherMirrorSketch - + Mirror sketch Espelhar o esboço - + Creates a new mirrored sketch for each selected sketch by using the X or Y axes, or the origin point, as mirroring reference. @@ -1112,12 +1112,12 @@ usando os eixos X ou Y ou o ponto de origem como referência espelhada. - + Wrong selection Seleção errada - + Select one or more sketches. Selecione um ou mais esboços. @@ -1371,12 +1371,12 @@ Isto irá limpar a propriedade 'AttachmentSuport', se houver. CmdSketcherToggleActiveConstraint - + Activate/deactivate constraint Ativar/desativar restrição - + Activates or deactivates the selected constraints Ativa ou desativa as restrições selecionadas @@ -1397,12 +1397,12 @@ Isto irá limpar a propriedade 'AttachmentSuport', se houver. CmdSketcherToggleDrivingConstraint - + Toggle driving/reference constraint Ativar/desativar restrição atuante ou de referência - + Set the toolbar, or the selected constraints, into driving or reference mode Colocar a barra de ferramentas, ou as restrições selecionadas, @@ -1425,23 +1425,23 @@ no modo atuante ou de referência CmdSketcherValidateSketch - + Validate sketch... Validar um esboço... - + Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. Validar um esboço olhando para coincidências faltando, restrições inválidas e geometria. - + Wrong selection Seleção errada - + Select only one sketch. Selecione apenas um esboço. @@ -1449,12 +1449,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSection - + View section Ver seção - + When in edit mode, switch between section view and full view. Quando em modo de edição, alterna entre vista da seção e vista completa. @@ -1462,12 +1462,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSketch - + View sketch Ver esboço - + When in edit mode, set the camera orientation perpendicular to the sketch plane. Quando estiver em modo de edição, coloca a orientação da câmera perpendicular ao plano do esboço. @@ -1475,69 +1475,69 @@ invalid constraints, degenerated geometry, etc. Command - + Add 'Lock' constraint Adicionar restrição 'Travar' - + Add relative 'Lock' constraint Adicionar restrição 'Travar' relativa - + Add fixed constraint Adicionar restrição fixa - + Add 'Block' constraint Adicionar restrição 'Bloquear' - + Add block constraint Adicionar restrição 'Bloquear' - - + + Add coincident constraint Adicionar restrição coincidente - - + + Add distance from horizontal axis constraint Adiciona restrição na distância ao eixo horizontal - - + + Add distance from vertical axis constraint Adiciona restrição na distância ao eixo vertical - - + + Add point to point distance constraint Adiciona restrição na distância ponto a ponto - - + + Add point to line Distance constraint Adicionar restrição na distância entre ponto e linha - - + + Add circle to circle distance constraint Validar um esboço olhando para coincidências faltando, restrições inválidas e geometria - + Add circle to line distance constraint Adicionar restrição de distância entre círculo e linha @@ -1546,16 +1546,16 @@ invalid constraints, degenerated geometry, etc. - - - + + + Add length constraint Adiciona restrição de comprimento - + Dimension Dimensão @@ -1572,7 +1572,7 @@ invalid constraints, degenerated geometry, etc. - + Add Distance constraint Adicionar restrição de Distância @@ -1650,7 +1650,7 @@ invalid constraints, degenerated geometry, etc. Adicionar restrição de Raio - + Activate/Deactivate constraints Ativar/desativar restrição @@ -1666,23 +1666,23 @@ invalid constraints, degenerated geometry, etc. Adicionar restrição de concentricidade e tamanho - + Add DistanceX constraint Adicionar restrição de DistânciaX - + Add DistanceY constraint Adicionar restrição de DistânciaY - + Add point to circle Distance constraint Adicionar restrição de distância de ponto a círculo - - + + Add point on object constraint Adiciona restrição tipo 'ponto-no-objeto' @@ -1693,143 +1693,143 @@ invalid constraints, degenerated geometry, etc. Adicionar restrição de tamanho do arco - - + + Add point to point horizontal distance constraint Adicionar restrição de distância horizontal ponto a ponto - + Add fixed x-coordinate constraint Adiciona restrição de coordenada x fixa - - + + Add point to point vertical distance constraint Adiciona restrição de distância vertical ponto a ponto - + Add fixed y-coordinate constraint Adiciona restrição de coordenada y fixa - - + + Add parallel constraint Adiciona restrição paralela - - - - - - - + + + + + + + Add perpendicular constraint Adiciona restrição perpendicular - + Add perpendicularity constraint Adicionar restrição de perpendicularidade - + Swap coincident+tangency with ptp tangency Trocar coincidência+tangência por tangência ponto-a-ponto - - - - - - - + + + + + + + Add tangent constraint Adiciona restrição tangente - - - - - - - - - - - - - - + + + + + + + + + + + + + + Add tangent constraint point Adiciona ponto de tangência - - - - + + + + Add radius constraint Adicionar restrição de raio - - - - + + + + Add diameter constraint Adicionar restrição de diâmetro - - - - + + + + Add radiam constraint Adicionar restrição de raio - - - - + + + + Add angle constraint Adicionar restrição de ângulo - + Swap point on object and tangency with point to curve tangency Trocar ponto no objeto e tangência com ponto para tangência com curva - - + + Add equality constraint Adicionar restrição de igualdade - - - - - + + + + + Add symmetric constraint Adicionar restrição simétrica - + Add Snell's law constraint Adicionar restrição lei de Snell - + Toggle constraint to driving/reference Alternar o tipo da restrição entre motriz ou referência @@ -1849,22 +1849,22 @@ invalid constraints, degenerated geometry, etc. Reorientar um esboço - + Attach sketch Anexar esboço - + Detach sketch Desanexar esboço - + Create a mirrored sketch for each selected sketch Criar um esboço espelhado para cada esboço selecionado - + Merge sketches Mesclar esboços @@ -2038,7 +2038,7 @@ invalid constraints, degenerated geometry, etc. Atualizar espaço virtual das restrições - + Add auto constraints Adicionar restrições automáticas @@ -2146,59 +2146,59 @@ invalid constraints, degenerated geometry, etc. Exceptions - + Unable to guess intersection of curves. Try adding a coincident constraint between the vertices of the curves you are intending to fillet. Não é possível adivinhar a intersecção das curvas. Tente adicionar uma restrição coincidente entre os vértices das curvas que você pretende filetar. - + You are requesting no change in knot multiplicity. Você não solicitou nenhuma mudança de multiplicidade em nós. - - + + B-spline Geometry Index (GeoID) is out of bounds. Índice de Geometria B-spline (GeoID) está fora dos limites. - - + + The Geometry Index (GeoId) provided is not a B-spline. O índice de Geometria (GeoId) fornecida não é uma curva B-spline. - + The knot index is out of bounds. Note that in accordance with OCC notation, the first knot has index 1 and not zero. O índice do nó está fora dos limites. Note que, de acordo com a notação do OCC, o primeiro nó tem índice 1 e não zero. - + The multiplicity cannot be increased beyond the degree of the B-spline. A multiplicidade não pode ser aumentada além do grau de B-spline. - + The multiplicity cannot be decreased beyond zero. A multiplicidade não pode ser diminuída abaixo de zero. - + OCC is unable to decrease the multiplicity within the maximum tolerance. O OCC não consegue diminuir a multiplicidade dentro de tolerância máxima. - + Knot cannot have zero multiplicity. Nó não pode ter multiplicidade zero. - + Knot multiplicity cannot be higher than the degree of the B-spline. Multiplicidade de nóo não pode ser maior que o grau da B-spline. - + Knot cannot be inserted outside the B-spline parameter range. Nó não pode ser inserido fora do alcance do parâmetro da B-spline @@ -2308,7 +2308,7 @@ invalid constraints, degenerated geometry, etc. - + Don't attach Não anexar @@ -2330,123 +2330,123 @@ invalid constraints, degenerated geometry, etc. - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + - - - - - - + + + + + + + + @@ -2512,116 +2512,116 @@ invalid constraints, degenerated geometry, etc. Um dos selecionados deve estar no esboço. - + Select an edge from the sketch. Selecione uma aresta do esboço. - - - - - - + + + + + + Impossible constraint Restrição impossível - - + + The selected edge is not a line segment. A aresta selecionada não é um segmento de linha. - - - + + + Double constraint Restrição dupla - + The selected edge already has a horizontal constraint! A aresta selecionada já tem uma restrição horizontal! - + The selected edge already has a vertical constraint! A aresta selecionada já tem uma restrição vertical! - - - + + + The selected edge already has a Block constraint! A aresta selecionada já possui uma restrição de Bloqueio! - + There are more than one fixed points selected. Select a maximum of one fixed point! Há mais de um ponto fixo selecionado. Selecione no máximo um ponto fixo! - - - + + + Select vertices from the sketch. Selecione vértices do esboço. - + Select one vertex from the sketch other than the origin. Selecione um vértice do esboço que não seja a origem. - + Select only vertices from the sketch. The last selected vertex may be the origin. Selecione somente os vértices do esboço. O último vértice selecionado pode ser a origem. - + Wrong solver status Erro no status do calculador - + A Block constraint cannot be added if the sketch is unsolved or there are redundant and conflicting constraints. Uma restrição de bloqueio não pode ser adicionada se o esboço não estiver resolvido ou se existirem restrições redundantes e/ou conflitantes. - + Select one edge from the sketch. Selecione uma aresta do esboço. - + Select only edges from the sketch. Selecione somente arestas do esboço. - + None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. Nenhum dos pontos selecionados foi restrito sobre as respectivas curvas, porque elas são partes do mesmo elemento, porque são ambos geometria externa, ou porque a aresta não é elegível. - + Only tangent-via-point is supported with a B-spline. Apenas tangente por ponto é suportado com uma B-spline. - - + + Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. Selecione ou apenas um ou mais polos B-Spline ou apenas um ou mais arcos ou círculos do esboço, mas não misturados. - + Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. Constraint_SnellsLaw Selecione dois pontos finais de linhas para agir como raios e uma aresta que representa um limite. O primeiro ponto selecionado corresponde ao índice n1, o segundo ao n2, e o valor define a proporção n2/n1. - + Number of selected objects is not 3 Número de objetos selecionados não é 3 @@ -2638,80 +2638,80 @@ invalid constraints, degenerated geometry, etc. Erro inesperado. Mais informações podem estar disponíveis na visualização do relatório. - + The selected item(s) can't accept a horizontal or vertical constraint! O(s) item(s) selecionado(s) não pode aceitar uma restrição horizontal ou vertical! - + Endpoint to endpoint tangency was applied instead. Uma tangência de ponto a ponto de extremidade foi aplicado em vez disso. - + Select two or more vertices from the sketch for a coincident constraint, or two or more circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Selecione dois ou mais vértices do esboço para uma restrição coincidente, ou dois ou mais círculos, elipses, arcos ou arcos de elipse para uma restrição concêntrica. - + Select two vertices from the sketch for a coincident constraint, or two circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Selecione dois vértices no esboço para uma restrição coincidente, ou dois círculos, elipses, arcos ou arcos de elipse para uma restrição concêntrica. - + Select exactly one line or one point and one line or two points from the sketch. Selecione exatamente uma linha ou um ponto e uma linha ou dois pontos no esboço. - + Cannot add a length constraint on an axis! Não é possível adicionar uma restrição de comprimento em um eixo! - - + + Select exactly one line or one point and one line or two points or two circles from the sketch. Selecione exatamente uma linha ou um ponto e uma linha ou dois pontos ou dois círculos do esboço. - + This constraint does not make sense for non-linear curves. Essa restrição não faz sentido para curvas não-lineares. - + Endpoint to edge tangency was applied instead. Uma tangência de ponto de extremidade a aresta foi aplicada em vez disso. - - - - - - + + + + + + Select the right things from the sketch. Selecione as coisas corretas no esboço. - - - - - - - - - + + + + + + + + - - - - - - - - + + + + + + + + + Select an edge that is not a B-spline weight. Selecione uma aresta que não seja um peso de B-spline. @@ -2721,87 +2721,87 @@ invalid constraints, degenerated geometry, etc. Um ou dois pontos em restrições de objeto foi/foram excluídos, uma vez que a restrição mais recente que está sendo aplicada internamente também se aplica de ponto a objeto. - + Select either several points, or several conics for concentricity. Selecione ou vários pontos ou várias cônicas para concentricidade. - + Select either one point and several curves, or one curve and several points Selecione ou um ponto e várias curvas, ou uma curva e vários pontos - + Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. Selecione ou um ponto e várias curvas ou uma curva e vários pontos para PointOnObject, ou vários pontos para coincidência, ou vários cônicos para concórdia. - + None of the selected points were constrained onto the respective curves, either because they are parts of the same element, or because they are both external geometry. Nenhum dos pontos selecionados foi restringido para as respectivas curvas, eles são partes do mesmo elemento, ou ambos são geometria externa. - + Cannot add a length constraint on this selection! Não é possível adicionar uma restrição de comprimento nesta seleção! - - - - + + + + Select exactly one line or up to two points from the sketch. Selecione exatamente uma linha ou até dois pontos no esboço. - + Cannot add a horizontal length constraint on an axis! Não é possível adicionar uma restrição de comprimento horizontal em um eixo! - + Cannot add a fixed x-coordinate constraint on the origin point! Não é possível adicionar uma restrição de coordenada-x fixa no ponto de origem! - - + + This constraint only makes sense on a line segment or a pair of points. Esta restrição só faz sentido num segmento reto ou num par de pontos. - + Cannot add a vertical length constraint on an axis! Não é possível adicionar uma restrição de comprimento vertical em um eixo! - + Cannot add a fixed y-coordinate constraint on the origin point! Não é possível adicionar uma restrição de coordenada-y fixa no ponto de origem! - + Select two or more lines from the sketch. Selecione duas ou mais linhas no esboço. - + One selected edge is not a valid line. Uma aresta selecionada não é uma linha válida. - - + + Select at least two lines from the sketch. Selecione pelo menos duas linhas no esboço. - + The selected edge is not a valid line. A aresta selecionada não é uma linha válida. - + There is a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2811,35 +2811,35 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Combinações possíveis: duas curvas; um ponto de extremidade e uma curva; dois pontos de extremidade; duas curvas e um ponto. - + Select some geometry from the sketch. perpendicular constraint Selecione alguma geometria do esboço. - - + + Cannot add a perpendicularity constraint at an unconnected point! Não é possível adicionar uma restrição de perpendicularidade em um ponto não conectado! - - + + One of the selected edges should be a line. Uma das arestas selecionadas deve ser uma linha. - + Endpoint to endpoint tangency was applied. The coincident constraint was deleted. Uma tangência de ponto a ponto foi aplicada. A restrição de coincidência foi excluída. - + Endpoint to edge tangency was applied. The point on object constraint was deleted. Uma tangência de ponto de extremidade a aresta foi aplicada. A restrição de ponto no objeto foi excluída. - + There are a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2849,61 +2849,61 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Combinações possíveis: duas curvas; um ponto de extremidade e uma curva; dois pontos de extremidade; duas curvas e um ponto. - + Select some geometry from the sketch. tangent constraint Selecione alguma geometria do esboço. - - - + + + Cannot add a tangency constraint at an unconnected point! Não é possível adicionar uma restrição de tangência em um ponto não conectado! - - + + Tangent constraint at B-spline knot is only supported with lines! Restrição de tangente no nó B-spline só é suportada com linhas! - + B-spline knot to endpoint tangency was applied instead. Uma tangência de nó a ponto de extremidade foi aplicado em vez disso. - - + + Wrong number of selected objects! Número errado de objetos selecionados! - - + + With 3 objects, there must be 2 curves and 1 point. Com 3 objetos, deve haver 2 curvas e 1 ponto. - - - - - - + + + + + + Select one or more arcs or circles from the sketch. Selecione um ou mais arcos ou círculos no esboço. - - - + + + Constraint only applies to arcs or circles. Restrição aplicável somente em arcos ou círculos. - - + + Select one or two lines from the sketch. Or select two edges and a point. Selecione uma ou duas linhas no esboço. Ou selecione um ponto e duas arestas. @@ -2918,87 +2918,87 @@ Combinações possíveis: duas curvas; um ponto de extremidade e uma curva; dois Uma restrição de ângulo não pode ser aplicada em duas linhas paralelas. - + Cannot add an angle constraint on an axis! Não é possível adicionar uma restrição de ângulo em um eixo! - + Select two edges from the sketch. Selecione duas arestas no esboço. - + Select two or more compatible edges. Selecione duas os mais arestas compatíveis. - + Sketch axes cannot be used in equality constraints. Eixos do esboço não podem ser usados em restrições de igualdade. - + Equality for B-spline edge currently unsupported. Igualdade para aresta de Bspline ainda não está suportada. - - - + + + Select two or more edges of similar type. Selecione duas ou mais arestas de tipo similar. - - - - - + + + + + Select two points and a symmetry line, two points and a symmetry point or a line and a symmetry point from the sketch. Selecione dois pontos e uma linha de simetria, dois pontos e um ponto de simetria ou uma linha e um ponto de simetria no esboço. - - + + Cannot add a symmetry constraint between a line and its end points. Não é possível adicionar uma restrição de simetria entre uma linha e seus pontos finais. - - - - + + + + Cannot add a symmetry constraint between a line and its end points! Não é possível adicionar uma restrição de simetria entre uma linha e seus pontos finais! - + Selected objects are not just geometry from one sketch. Objetos selecionados não são apenas geometria de um esboço só. - + Cannot create constraint with external geometry only. Não é possível criar restrições somente com geometria externa. - + Incompatible geometry is selected. Geometria incompatível selecionada. - + Select one dimensional constraint from the sketch. Selecione uma restrição dimensional do esboço. - - - - - + + + + + Select constraints from the sketch. Selecione restrições do esboço. @@ -3059,33 +3059,33 @@ Combinações possíveis: duas curvas; um ponto de extremidade e uma curva; dois Please select a B-spline to insert a knot (not a knot on it). If the curve is not a B-spline, please convert it into one first. - Please select a B-spline to insert a knot (not a knot on it). If the curve is not a B-spline, please convert it into one first. + Por favor selecione uma B-spline para inserir um nó (não um nó nela). Se a curva não for uma B-spline, por favor converta-a em uma primeiro. Nothing is selected. Please select end points of curves. - Nothing is selected. Please select end points of curves. + Nada está selecionado. Por favor, selecione os pontos finais das curvas. Too many curves on point - Too many curves on point + Muitas curvas no ponto Exactly two curves should end at the selected point to be able to join them. - Exactly two curves should end at the selected point to be able to join them. + Exatamente duas curvas devem terminar no ponto selecionado para poder juntá-las. Too few curves on point - Too few curves on point + Poucas curvas no ponto Two end points, or coincident point should be selected. - Two end points, or coincident point should be selected. + Dois pontos finais, ou ponto de coincidente, devem ser selecionados. @@ -3146,13 +3146,13 @@ Combinações possíveis: duas curvas; um ponto de extremidade e uma curva; dois Unsupported visual layer operation - Unsupported visual layer operation + Operação visual de camada visual não suportada It is currently unsupported to move external geometry to another visual layer. External geometry will be omitted - It is currently unsupported to move external geometry to another visual layer. External geometry will be omitted + @@ -3162,72 +3162,72 @@ Combinações possíveis: duas curvas; um ponto de extremidade e uma curva; dois Fillet/Chamfer parameters - Fillet/Chamfer parameters + Parâmetros de arredondamento/chanfro Line parameters - Line parameters + Parâmetros de linha Offset parameters - Offset parameters + Parâmetros de deslocamento Polygon parameters - Polygon parameters + Parâmetros de polígono Rectangle parameters - Rectangle parameters + Parâmetros de retângulo Arc parameters - Arc parameters + Parâmetros de arco Arc Slot parameters - Arc Slot parameters + Parâmetros de slot de arco Circle parameters - Circle parameters + Parâmetros de círculo Ellipse parameters - Ellipse parameters + Parâmetros de elipse Rotate parameters - Rotate parameters + Parâmetros de rotação Scale parameters - Scale parameters + Parâmetros de escala Translate parameters - Translate parameters + Parâmetros de translação Symmetry parameters - Symmetry parameters + Parâmetros de simetria B-spline parameters - B-spline parameters + Parâmetros B-spline @@ -3288,7 +3288,7 @@ Combinações possíveis: duas curvas; um ponto de extremidade e uma curva; dois Coincident - Coincident + Coincidente @@ -3398,12 +3398,12 @@ Combinações possíveis: duas curvas; um ponto de extremidade e uma curva; dois Selected constraints - Selected constraints + Restrições selecionadas Associated constraints - Associated constraints + Restrições associadas @@ -3411,7 +3411,7 @@ Combinações possíveis: duas curvas; um ponto de extremidade e uma curva; dois Select Elements - Select Elements + Selecionar Elementos @@ -3539,12 +3539,12 @@ Combinações possíveis: duas curvas; um ponto de extremidade e uma curva; dois Comprimento: - + Refractive index ratio Relação de índice de refração - + Ratio n2/n1: Relação n2/n1: @@ -3564,7 +3564,7 @@ Combinações possíveis: duas curvas; um ponto de extremidade e uma curva; dois Internal - Internal + Interno @@ -3574,7 +3574,7 @@ Combinações possíveis: duas curvas; um ponto de extremidade e uma curva; dois All types - All types + Todos os tipos @@ -3599,22 +3599,22 @@ Combinações possíveis: duas curvas; um ponto de extremidade e uma curva; dois Arc of circle - Arc of circle + Arco do círculo Arc of ellipse - Arc of ellipse + Arco da elipse Arc of hyperbola - Arc of hyperbola + Arco de hipérbole Arc of parabola - Arc of parabola + Arco de parábola @@ -3627,7 +3627,7 @@ Combinações possíveis: duas curvas; um ponto de extremidade e uma curva; dois Point Coincidence - Point Coincidence + Coincidência de Ponto @@ -3637,32 +3637,32 @@ Combinações possíveis: duas curvas; um ponto de extremidade e uma curva; dois Vertical Constraint - Vertical Constraint + Restrição vertical Horizontal Constraint - Horizontal Constraint + Restrição horizontal Parallel Constraint - Parallel Constraint + Restrição paralela Perpendicular Constraint - Perpendicular Constraint + Restrição Perpendicular Tangent Constraint - Tangent Constraint + Restrição Tangente Equal Length - Equal Length + Comprimento igual @@ -3672,12 +3672,12 @@ Combinações possíveis: duas curvas; um ponto de extremidade e uma curva; dois Block Constraint - Block Constraint + Restrição de bloco Lock Constraint - Lock Constraint + Restrição de bloqueio @@ -3692,27 +3692,27 @@ Combinações possíveis: duas curvas; um ponto de extremidade e uma curva; dois Length Constraint - Length Constraint + Restrição de comprimento Radius Constraint - Radius Constraint + Restrição de Raio Diameter Constraint - Diameter Constraint + Restrição de Diâmetro Radiam Constraint - Radiam Constraint + Restrição de Raio em Diâmetro Angle Constraint - Angle Constraint + Restrição de ângulo @@ -3722,22 +3722,22 @@ Combinações possíveis: duas curvas; um ponto de extremidade e uma curva; dois Select Constraints - Select Constraints + Selecionar restrições Select Origin - Select Origin + Selecionar a origem Select Horizontal Axis - Select Horizontal Axis + Selecionar o eixo horizontal Select Vertical Axis - Select Vertical Axis + Selecionar o eixo vertical @@ -3747,12 +3747,12 @@ Combinações possíveis: duas curvas; um ponto de extremidade e uma curva; dois Layer 0 - Layer 0 + Camada 0 Layer 1 - Layer 1 + Camada 1 @@ -3966,7 +3966,7 @@ nas cópias Number of sides: - Number of sides: + Número de lados: @@ -3985,7 +3985,7 @@ nas cópias Task panel widgets - Task panel widgets + @@ -3997,7 +3997,7 @@ nas cópias Show section 'Advanced solver control' - Show section 'Advanced solver control' + Mostrar seção 'Controle avançado do solucionador' @@ -4039,12 +4039,12 @@ Necessita sair e reentrar no modo de edição para ter efeito. Disables the shaded view when entering the sketch edit mode. - Disables the shaded view when entering the sketch edit mode. + Desativa a visão sombreada ao entrar no modo de edição do esboço. Disable shading in edit mode - Disable shading in edit mode + Desativar sombreamento no modo de edição @@ -4059,27 +4059,27 @@ Necessita sair e reentrar no modo de edição para ter efeito. Unify Coincident and PointOnObject in a single tool. - Unify Coincident and PointOnObject in a single tool. + Unificar Coincidente e Ponto no Objeto em uma única ferramenta. Unify Coincident and PointOnObject - Unify Coincident and PointOnObject + Unificar Coincidente e PointOnObject Use the automatic horizontal/vertical constraint tool. This create a command group in which you have the auto tool, horizontal and vertical. - Use the automatic horizontal/vertical constraint tool. This create a command group in which you have the auto tool, horizontal and vertical. + Use a ferramenta de restrição horizontal e vertical automática. Isto cria um grupo de comando no qual você tem a ferramenta automática, horizontal e vertical. Auto tool for Horizontal/Vertical - Auto tool for Horizontal/Vertical + Ferramenta automática para Horizontal/Vertical Dimension constraint - Dimension constraint + Restrição de Dimensão @@ -4088,11 +4088,11 @@ Necessita sair e reentrar no modo de edição para ter efeito. 'Separated tools': Individual tools for each dimensioning constraint. 'Both': You will have both the 'Dimension' tool and the separated tools. This setting is only for the toolbar. Whichever you choose, all tools are always available in the menu and through shortcuts. - Select the type of dimensioning constraints for your toolbar: -'Single tool': A single tool for all dimensioning constraints in the toolbar: Distance, Distance X / Y, Angle, Radius. (Others in dropdown) -'Separated tools': Individual tools for each dimensioning constraint. -'Both': You will have both the 'Dimension' tool and the separated tools. -This setting is only for the toolbar. Whichever you choose, all tools are always available in the menu and through shortcuts. + Selecione o tipo de restrições de dimensionamento para sua barra de ferramentas: +'Ferramenta única': Uma única ferramenta para todas as restrições de dimensionamento na barra de ferramentas: Distância, Distância X/Y, Ângulo, Raio. (Outras no menu suspenso) +'Ferramentas separadas': Ferramentas individuais para cada restrição de dimensionamento. +'Ambas': Você terá tanto a ferramenta 'Dimension' quanto as ferramentas separadas. +Essa configuração é apenas para a barra de ferramentas. Qualquer que seja a sua escolha, todas as ferramentas estão sempre disponíveis no menu e através de atalhos. @@ -4100,30 +4100,31 @@ This setting is only for the toolbar. Whichever you choose, all tools are always 'Auto': The tool will apply radius to arcs and diameter to circles. 'Diameter': The tool will apply diameter to both arcs and circles. 'Radius': The tool will apply radius to both arcs and circles. - While using the Dimension tool you may choose how to handle circles and arcs: -'Auto': The tool will apply radius to arcs and diameter to circles. -'Diameter': The tool will apply diameter to both arcs and circles. -'Radius': The tool will apply radius to both arcs and circles. + Ao usar a ferramenta Dimensão, você pode escolher como lidar com círculos e arcos: +'Automático': A ferramenta aplicará raio a arcos e diâmetro em círculos. +'Diâmetro': A ferramenta aplicará diâmetro a ambos os arcos e círculos. +'Raio': A ferramenta aplicará raio a ambos os arcos e círculos. Tool parameters - Tool parameters + Parâmetros da ferramenta On-View-Parameters: - On-View-Parameters: + Parâmetros de visualização: Dimensioning constraints: - Dimensioning constraints: + Restrições de dimensão: Dimension tool diameter/radius mode: - Dimension tool diameter/radius mode: + Modo de + diâmetro/raio da ferramenta de dimensionamento: @@ -4131,20 +4132,20 @@ This setting is only for the toolbar. Whichever you choose, all tools are always 'Disabled': On-View-Parameters are completely disabled. 'Only dimensional': Only dimensional On-View-Parameters are visible. They are the most useful. For example the radius of a circle. 'All': Both dimensional and positional On-View-Parameters. Positionals are the (x,y) position of the cursor. For example for the center of a circle. - Choose a visibility mode for the On-View-Parameters: -'Disabled': On-View-Parameters are completely disabled. -'Only dimensional': Only dimensional On-View-Parameters are visible. They are the most useful. For example the radius of a circle. -'All': Both dimensional and positional On-View-Parameters. Positionals are the (x,y) position of the cursor. For example for the center of a circle. + Escolha um modo de visibilidade para os Parâmetros de Visualização: +'Desativado': Os Parâmetros de Visualização estão completamente desativados. +'Apenas dimensionais': Apenas os Parâmetros de Visualização dimensionais estão visíveis. Eles são os mais úteis. Por exemplo, o raio de um círculo. +'Tudo': Tanto os Parâmetros de Visualização dimensionais quanto os posicionais. Os posicionais correspondem à posição (x, y) do cursor. Por exemplo, o centro de um círculo. Single tool - Single tool + Ferramenta única Separated tools - Separated tools + Ferramentas separadas @@ -4174,12 +4175,12 @@ This setting is only for the toolbar. Whichever you choose, all tools are always Dimensions only - Dimensions only + Apenas dimensões Position and dimensions - Position and dimensions + Posição e dimensões @@ -4223,8 +4224,8 @@ This setting is only for the toolbar. Whichever you choose, all tools are always Base length units will not be displayed in constraints or cursor coordinates. Supports all unit systems except 'US customary' and 'Building US/Euro'. - Base length units will not be displayed in constraints or cursor coordinates. -Supports all unit systems except 'US customary' and 'Building US/Euro'. + As unidades de comprimento base não serão exibidas em restrições ou nas coordenadas do cursor. +Suporta todos os sistemas de unidades, exceto 'US customary' e 'Building US/Euro'. @@ -4239,7 +4240,7 @@ Supports all unit systems except 'US customary' and 'Building US/Euro'. Cursor position coordinates will be displayed beside cursor while editing sketch. - Cursor position coordinates will be displayed beside cursor while editing sketch. + Coordenadas da posição do cursor serão exibidas ao lado do cursor ao editar o esboço. @@ -4307,17 +4308,17 @@ O padrão é: %N = %V Show coordinates beside cursor while editing - Show coordinates beside cursor while editing + Mostra coordenadas ao lado do cursor durante a edição Cursor coordinates will use the system decimals setting instead of the short form. - Cursor coordinates will use the system decimals setting instead of the short form. + Coordenadas do cursor vão usar a configuração de números decimais do sistema em vez da forma mais curta. Use system decimals setting for cursor coordinates - Use system decimals setting for cursor coordinates + Usar a configuração de casas decimais do sistema para coordenadas do cursor @@ -4554,22 +4555,22 @@ No entanto, nenhuma restrição foi encontrada nos pontos de extremidade. Check to toggle filters - Check to toggle filters + Marque para alternar filtros Click to show filters - Click to show filters + Clique para mostrar os filtros Filters - Filters + Filtros Show/hide all listed constraints from 3D view. (same as ticking/unticking all listed constraints in list below) - Show/hide all listed constraints from 3D view. (same as ticking/unticking all listed constraints in list below) + Mostrar/ocultar todas as restrições listadas da visualização 3D. (mesmo que marcar ou desmarcar todas as restrições listadas na lista abaixo) @@ -4594,17 +4595,17 @@ No entanto, nenhuma restrição foi encontrada nos pontos de extremidade. Show only filtered Constraints - Show only filtered Constraints + Mostrar apenas restrições filtradas Extended information (in widget) - Extended information (in widget) + Informação estendida (no widget) Hide internal alignment (in widget) - Hide internal alignment (in widget) + Ocultar o alinhamento interno (no widget) @@ -4615,12 +4616,12 @@ No entanto, nenhuma restrição foi encontrada nos pontos de extremidade. Impossible to update visibility tracking - Impossible to update visibility tracking + Impossível atualizar o rastreamento de visibilidade Impossible to update visibility tracking: - Impossible to update visibility tracking: + Impossível atualizar o rastreamento de visibilidade: @@ -4628,17 +4629,17 @@ No entanto, nenhuma restrição foi encontrada nos pontos de extremidade. Check to toggle filters - Check to toggle filters + Marque para alternar filtros Click to show filters - Click to show filters + Clique para mostrar os filtros Filters - Filters + Filtros @@ -4684,7 +4685,7 @@ No entanto, nenhuma restrição foi encontrada nos pontos de extremidade. Internal - Internal + Interno @@ -4784,27 +4785,27 @@ No entanto, nenhuma restrição foi encontrada nos pontos de extremidade. Click to select these conflicting constraints. - Click to select these conflicting constraints. + Clique para selecionar estas restrições conflitantes. Click to select these redundant constraints. - Click to select these redundant constraints. + Clique para selecionar estas restrições redundantes. The sketch has unconstrained elements giving rise to those Degrees Of Freedom. Click to select these unconstrained elements. - The sketch has unconstrained elements giving rise to those Degrees Of Freedom. Click to select these unconstrained elements. + O esboço possui elementos não restritos que dão origem a esses Graus de Liberdade. Clique para selecionar estes elementos sem restrições. Click to select these malformed constraints. - Click to select these malformed constraints. + Clique para selecionar estas restrições malformadas. Some constraints in combination are partially redundant. Click to select these partially redundant constraints. - Some constraints in combination are partially redundant. Click to select these partially redundant constraints. + Algumas restrições na combinação são parcialmente redundantes. Clique para selecionar estas restrições parcialmente redundantes. @@ -4825,24 +4826,24 @@ No entanto, nenhuma restrição foi encontrada nos pontos de extremidade. Open and non-manifold vertexes - Open and non-manifold vertexes + Vértices abertos e não-múltiplos Highlights open and non-manifold vertexes that could lead to error if sketch is used to generate solids This is purely based on topological shape of the sketch and not on its geometry/constrain set. - Highlights open and non-manifold vertexes that could lead to error if sketch is used to generate solids -This is purely based on topological shape of the sketch and not on its geometry/constrain set. + Destaca vértices abertos e não-múltiplos que podem levar a erros se o esboço for usado para gerar sólidos. +Isso é baseado apenas na forma topológica do esboço e não em sua geometria/conjunto de restrições. Highlight troublesome vertexes - Highlight troublesome vertexes + Destacar vértices problemáticos Fixes found missing coincidences by adding extra coincident constrains - Fixes found missing coincidences by adding extra coincident constrains + Corrige coincidências ausentes encontradas adicionando restrições coincidentes extras @@ -4857,12 +4858,12 @@ This is purely based on topological shape of the sketch and not on its geometry/ Defines the X/Y tolerance inside which missing coincidences are searched. - Defines the X/Y tolerance inside which missing coincidences are searched. + Define a tolerância X/Y dentro da qual coincidências faltantes são pesquisadas. If checked, construction geometries are ignored in the search - If checked, construction geometries are ignored in the search + Se marcado, geometrias de construção são ignoradas na busca @@ -4873,8 +4874,8 @@ This is purely based on topological shape of the sketch and not on its geometry/ Finds and displays missing coincidences in the sketch. This is done by analyzing the sketch geometries and constraints. - Finds and displays missing coincidences in the sketch. -This is done by analyzing the sketch geometries and constraints. + Encontra e exibe coincidências faltantes no esboço. +Isso é feito analisando as geometrias e restrições do esboço. @@ -4899,17 +4900,17 @@ This is done by analyzing the sketch geometries and constraints. Finds invalid/malformed constrains in the sketch - Finds invalid/malformed constrains in the sketch + Encontra restrições inválidas/malformadas no esboço Tries to fix found invalid constraints - Tries to fix found invalid constraints + Tenta corrigir restrições inválidas encontradas Deletes constraints referring to external geometry - Deletes constraints referring to external geometry + Deleta restrições que se referem a geometria externa @@ -4924,12 +4925,12 @@ This is done by analyzing the sketch geometries and constraints. Finds degenerated geometries in the sketch - Finds degenerated geometries in the sketch + Localiza geometrias degeneradas no esboço Tries to fix found degenerated geometries - Tries to fix found degenerated geometries + Tenta corrigir geometrias degeneradas encontradas @@ -4939,12 +4940,12 @@ This is done by analyzing the sketch geometries and constraints. Finds reversed external geometries - Finds reversed external geometries + Encontra geometrias externas invertidas Fixes found reversed external geometries by swapping their endpoints - Fixes found reversed external geometries by swapping their endpoints + Corrige geometrias invertidas externas trocando seus pontos de extremidade @@ -4959,7 +4960,7 @@ This is done by analyzing the sketch geometries and constraints. Enables/updates constraint orientation locking - Enables/updates constraint orientation locking + Ativar/atualizar travamento da orientação da restrição @@ -4969,7 +4970,7 @@ This is done by analyzing the sketch geometries and constraints. Disables constraint orientation locking - Disables constraint orientation locking + Desativa o bloqueio da orientação das restrições @@ -5062,27 +5063,27 @@ This is done by analyzing the sketch geometries and constraints. Malformed constraints: - Malformed constraints: + Restrições malformadas: Redundant constraints: - Redundant constraints: + Restrições redundantes: Partially redundant: - Partially redundant: + Parcialmente redundante: Solver failed to converge - Solver failed to converge + O solucionador falhou na conversão Under-constrained: - Under-constrained: + Subrestrito: @@ -5095,7 +5096,7 @@ This is done by analyzing the sketch geometries and constraints. Fully constrained - Fully constrained + Totalmente restrito @@ -5191,8 +5192,8 @@ This is done by analyzing the sketch geometries and constraints. Sketcher_ConstrainDiameter - - + + Fix the diameter of a circle or an arc Corrigir o diâmetro de um círculo ou arco @@ -5222,12 +5223,12 @@ This is done by analyzing the sketch geometries and constraints. By control points - By control points + Por pontos de controle By knots - By knots + Por nós @@ -5344,64 +5345,74 @@ This is done by analyzing the sketch geometries and constraints. Sketcher_MapSketch - + No sketch found Nenhum esboço encontrado - + + Cannot attach sketch to itself! + Cannot attach sketch to itself! + + + The document doesn't have a sketch O documento não tem um esboço - + Select sketch Selecione o esboço - + + Select a sketch (some sketches not shown to prevent a circular dependency) + Select a sketch (some sketches not shown to prevent a circular dependency) + + + Select a sketch from the list Selecione um esboço da lista - + (incompatible with selection) (incompatível com a seleção) - + (current) (atual) - + (suggested) (sugerido) - + Sketch attachment Esboço anexado - + Current attachment mode is incompatible with the new selection. Select the method to attach this sketch to selected objects. O modo de anexo atual é incompatível com a nova seleção. Selecione um outro método para anexar este esboço aos objetos selecionados. - + Select the method to attach this sketch to selected objects. Selecione o método para anexar este esboço aos objetos selecionados. - + Map sketch Esboço de mapa - + Can't map a sketch to support: %1 Não é possível mapear um esboço para suporte:%1 @@ -5737,7 +5748,7 @@ o algorítimo Eigen Sparse QR é otimizado para matrizes escassas; geralmente é and %1 more - and %1 more + e %1 mais @@ -5760,7 +5771,7 @@ o algorítimo Eigen Sparse QR é otimizado para matrizes escassas; geralmente é Sketcher edit mode - Sketcher edit mode + Modo de edição de esboço @@ -5785,7 +5796,7 @@ o algorítimo Eigen Sparse QR é otimizado para matrizes escassas; geralmente é Sketcher visual - Sketcher visual + Visual de esboço @@ -5795,7 +5806,7 @@ o algorítimo Eigen Sparse QR é otimizado para matrizes escassas; geralmente é Sketcher edit tools - Sketcher edit tools + Ferramentas de edição de esboço @@ -5803,12 +5814,12 @@ o algorítimo Eigen Sparse QR é otimizado para matrizes escassas; geralmente é Creates a hexagonal profile - Creates a hexagonal profile + Cria um perfil hexagonal Creates a hexagonal profile in the sketch - Creates a hexagonal profile in the sketch + Cria um perfil hexagonal no esboço @@ -5822,7 +5833,7 @@ o algorítimo Eigen Sparse QR é otimizado para matrizes escassas; geralmente é Grid settings - Grid settings + Configurações de grade @@ -5832,12 +5843,12 @@ o algorítimo Eigen Sparse QR é otimizado para matrizes escassas; geralmente é Automatically adapt grid spacing based on the viewer dimensions. - Automatically adapt grid spacing based on the viewer dimensions. + Adaptar automaticamente o espaçamento da grade com base nas dimensões do espectador. Grid Auto Spacing - Grid Auto Spacing + Espaçamento automático em grade @@ -5848,45 +5859,45 @@ o algorítimo Eigen Sparse QR é otimizado para matrizes escassas; geralmente é Distance between two subsequent grid lines. If 'Grid Auto Spacing' is enabled, will be used as base value. - Distance between two subsequent grid lines. -If 'Grid Auto Spacing' is enabled, will be used as base value. + Distância entre duas linhas subsequentes de grade. +Se 'Espaçamento Automático de Grade' estiver ativado, será usada como valor base. Pixel size threshold - Pixel size threshold + Tamanho limite do pixel While using 'Grid Auto Spacing' this sets a threshold in pixel to the grid spacing. The grid spacing change if it becomes smaller than this number of pixel. - While using 'Grid Auto Spacing' this sets a threshold in pixel to the grid spacing. -The grid spacing change if it becomes smaller than this number of pixel. + Ao usar o 'Espaçamento Automático da Grade' isto define um limite em pixels para o espaçamento da grade. +O espaçamento da grade muda se ela se tornar menor que este número de pixels. Grid display - Grid display + Exibição da grade Minor grid lines - Minor grid lines + Linhas menores da grade Major grid lines - Major grid lines + Linhas maiores da grade Major grid line every: - Major grid line every: + Linha principal da grade a cada: Every N lines there will be a major line. Set to 1 to disable major lines. - Every N lines there will be a major line. Set to 1 to disable major lines. + A cada N linhas haverá uma linha principal. Defina como 1 para desativar as linhas principais. @@ -5919,54 +5930,54 @@ The grid spacing change if it becomes smaller than this number of pixel. Line pattern used for grid division. - Line pattern used for grid division. + Padrão de linha usado para as linhas da grade. Distance between two subsequent division lines - Distance between two subsequent division lines + Distância entre duas linhas de divisão subsequentes GridSpaceAction - + Grid auto spacing - Grid auto spacing + Espaçamento automático em grade - + Resize grid automatically depending on zoom. - Resize grid automatically depending on zoom. + Redimensionar grade automaticamente dependendo do zoom. - + Spacing - Spacing + Espaçamento - + Distance between two subsequent grid lines. - Distance between two subsequent grid lines. + Distância entre duas linhas de grade subsequentes. Notifications - + The Sketch has malformed constraints! - The Sketch has malformed constraints! + O esboço contém restrições malformadas! - + The Sketch has partially redundant constraints! - The Sketch has partially redundant constraints! + O esboço contém restrições parcialmente redundantes! - + Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! - Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! + Parábolas foram migradas. Arquivos migrados não abrirão em versões anteriores do FreeCAD!! @@ -6015,7 +6026,7 @@ The grid spacing change if it becomes smaller than this number of pixel. Selection has no valid geometries. B-splines and points are not supported yet. - Selection has no valid geometries. B-splines and points are not supported yet. + A seleção não possui geometrias válidas. B-splines e pontos ainda não são suportados. @@ -6026,12 +6037,12 @@ The grid spacing change if it becomes smaller than this number of pixel. Selection has no valid geometries. - Selection has no valid geometries. + A seleção não tem geometrias válidas. The constraint has invalid index information and is malformed. - The constraint has invalid index information and is malformed. + A restrição tem informações de índice inválidas e está formatada incorretamente. @@ -6042,8 +6053,8 @@ The grid spacing change if it becomes smaller than this number of pixel. - - + + Invalid Constraint Restrição inválida @@ -6051,42 +6062,42 @@ The grid spacing change if it becomes smaller than this number of pixel. Failed to add arc - Failed to add arc + Falha ao adicionar arco Failed to add arc of ellipse - Failed to add arc of ellipse + Falha ao adicionar um arco de elipse Cannot create arc of hyperbola from invalid angles, try again! - Cannot create arc of hyperbola from invalid angles, try again! + Não é possível criar arco de hipérbole a partir de ângulos inválidos, tente novamente! Cannot create arc of hyperbola - Cannot create arc of hyperbola + Não é possível criar arco de hipérbole Cannot create arc of parabola - Cannot create arc of parabola + Não é possível criar arco de parábola Error creating B-spline - Error creating B-spline + Erro ao criar B-spline Error deleting last pole/knot - Error deleting last pole/knot + Erro ao excluir último polo/nó Error adding B-spline pole/knot - Error adding B-spline pole/knot + Erro ao adicionar polo/nó @@ -6101,7 +6112,7 @@ The grid spacing change if it becomes smaller than this number of pixel. Failed to extend edge - Failed to extend edge + Falha ao estender a borda @@ -6111,7 +6122,7 @@ The grid spacing change if it becomes smaller than this number of pixel. Failed to create fillet - Failed to create fillet + Falha ao criar o arredondamento @@ -6133,7 +6144,7 @@ The grid spacing change if it becomes smaller than this number of pixel. Tool execution aborted - Tool execution aborted + Execução da ferramenta abortada @@ -6153,7 +6164,7 @@ The grid spacing change if it becomes smaller than this number of pixel. Failed to add slot - Failed to add slot + Falha ao adicionar slot @@ -6175,62 +6186,62 @@ The grid spacing change if it becomes smaller than this number of pixel. Autoconstraints cause redundancy. Removing them - Autoconstraints cause redundancy. Removing them + As restrições automáticas causam redundância. Removendo-as Redundant constraint is not an autoconstraint. No autoconstraints or additional constraints were added. Please report! - Redundant constraint is not an autoconstraint. No autoconstraints or additional constraints were added. Please report! + Restrição redundante não é uma restrição automática. Nenhuma restrição automática ou restrições adicionais foram adicionadas. Por favor reporte! Autoconstraints cause conflicting constraints - Please report! - Autoconstraints cause conflicting constraints - Please report! + Restrições automáticas causam restrições conflitantes - Por favor reporte! Unexpected Redundancy/Conflicting constraint. Check the constraints and autoconstraints of this operation. - Unexpected Redundancy/Conflicting constraint. Check the constraints and autoconstraints of this operation. + Redundância/Restrição conflitante inesperada. Verifique as restrições e restrições automáticas desta operação. Invalid Value - Invalid Value + Valor inválido Offset value can't be 0. - Offset value can't be 0. + Valor de deslocamento não pode ser 0. Failed to add arc slot - Failed to add arc slot + Falha ao adicionar slot de arco Failed to add ellipse - Failed to add ellipse + Falha ao adicionar elipse Failed to rotate - Failed to rotate + Falha ao girar Failed to scale - Failed to scale + Falha ao dimensionar Failed to translate - Failed to translate + Falha ao traduzir Failed to create symmetry - Failed to create symmetry + Falha ao criar simetria @@ -6238,111 +6249,111 @@ The grid spacing change if it becomes smaller than this number of pixel. B-spline by knots - B-spline by knots + B-spline por nós Create a B-spline by knots - Create a B-spline by knots + Criar uma B-spline por nós SnapSpaceAction - + Snap to objects - Snap to objects + Ajustar aos objetos - + New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. - New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. + Novos pontos vão se ajustar ao objeto atualmente selecionado. Ele também vai se encaixar no meio das linhas e dos arcos. - + Snap to grid Alinhar à grade - + New points will snap to the nearest grid line. Points must be set closer than a fifth of the grid spacing to a grid line to snap. - New points will snap to the nearest grid line. -Points must be set closer than a fifth of the grid spacing to a grid line to snap. + Novos pontos serão ajustados à linha de grade mais próxima. +Os pontos devem ser definidos a uma distância menor que um quinto do espaçamento da grade em relação a uma linha de grade para se ajustarem. - + Snap angle - Snap angle + Ajustar ângulo - + Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. - Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. + Passo angular para ferramentas que usam "Snap em Ângulo" (como linha, por exemplo). Mantenha pressionada a tecla CTRL para habilitar o "Snap em Ângulo". O ângulo começa a partir do eixo X positivo do esboço. RenderingOrderAction - - - + + + Normal Geometry - Normal Geometry + Geometria normal - - - + + + Construction Geometry Geometria de construção - - - + + + External Geometry - External Geometry + Geometria externa CmdRenderingOrder - + Configure rendering order - Configure rendering order + Configurar ordem de renderização - + Reorder the items in the list to configure rendering order. - Reorder the items in the list to configure rendering order. + Reordenar os itens da lista para configurar a ordem de renderização. CmdSketcherGrid - + Toggle grid Ligar/Desligar grade - + Toggle the grid in the sketch. In the menu you can change grid settings. - Toggle the grid in the sketch. In the menu you can change grid settings. + Alterna a grade no esboço. No menu você pode alterar as configurações de grade. CmdSketcherSnap - + Toggle snap - Toggle snap + Ativar/desativar ajuste - + Toggle all snap functionality. In the menu you can toggle 'Snap to grid' and 'Snap to objects' individually, and change further snap settings. - Toggle all snap functionality. In the menu you can toggle 'Snap to grid' and 'Snap to objects' individually, and change further snap settings. + Alternar todas as funcionalidades de ajuste. No menu, você pode alternar 'Ajustar à grade' e 'Ajustar aos objetos' individualmente, além de alterar outras configurações de ajuste. @@ -6350,12 +6361,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna Create B-spline by knots - Create B-spline by knots + Criar uma B-spline por nós Create a B-spline by knots, i.e. by interpolation, in the sketch. - Create a B-spline by knots, i.e. by interpolation, in the sketch. + Crie uma B-spline por nós, ou seja, por interpolação, no esboço. @@ -6363,29 +6374,29 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna Create periodic B-spline by knots - Create periodic B-spline by knots + Criar uma B-spline periódica por nós Create a periodic B-spline by knots, i.e. by interpolation, in the sketch. - Create a periodic B-spline by knots, i.e. by interpolation, in the sketch. + Crie uma B-spline periódica por nós, ou seja, por interpolação, no esboço. CmdSketcherDimension - + Dimension Dimensão - + Constrain contextually based on your selection. Depending on your selection you might have several constraints available. You can cycle through them using M key. Left clicking on empty space will validate the current constraint. Right clicking or pressing Esc will cancel. - Constrain contextually based on your selection. -Depending on your selection you might have several constraints available. You can cycle through them using M key. -Left clicking on empty space will validate the current constraint. Right clicking or pressing Esc will cancel. + Restringir contextualmente com base na sua seleção. +Dependendo da sua seleção, você poderá ter várias restrições disponíveis. Você pode alternar entre elas usando a tecla M. +Clicar com o botão esquerdo em um espaço vazio validará a restrição atual. Clicar com o botão direito ou pressionar Esc cancelará. @@ -6393,12 +6404,12 @@ Left clicking on empty space will validate the current constraint. Right clickin Show/hide circular helper for arcs - Show/hide circular helper for arcs + Mostrar/ocultar auxiliar circular para arcos Switches between showing and hiding the circular helper for all arcs - Switches between showing and hiding the circular helper for all arcs + Alterna entre mostrar e ocultar o auxiliar circular para todas as B-splines @@ -6417,12 +6428,12 @@ Left clicking on empty space will validate the current constraint. Right clickin CmdSketcherConstrainRadius - + Constrain radius Restrição de raio - + Fix the radius of a circle or an arc Fixar o raio de um círculo ou um arco @@ -6437,7 +6448,7 @@ Left clicking on empty space will validate the current constraint. Right clickin Mode (M) - Mode (M) + Modo (M) @@ -6448,92 +6459,92 @@ Left clicking on empty space will validate the current constraint. Right clickin Parameter 1 - Parameter 1 + Parâmetro 1 Parameter 2 - Parameter 2 + Parâmetro 2 Parameter 3 - Parameter 3 + Parâmetro 3 Parameter 4 - Parameter 4 + Parâmetro 4 Parameter 5 - Parameter 5 + Parâmetro 5 Parameter 6 - Parameter 6 + Parâmetro 6 Parameter 7 - Parameter 7 + Parâmetro 7 Parameter 8 - Parameter 8 + Parâmetro 8 Parameter 9 - Parameter 9 + Parâmetro 9 Parameter 10 - Parameter 10 + Parâmetro 10 Checkbox 1 toolTip - Checkbox 1 toolTip + Dica de ferramenta para a Caixa de Seleção 1 Checkbox 1 - Checkbox 1 + Caixa de seleção 1 Checkbox 2 toolTip - Checkbox 2 toolTip + Dica de ferramenta para a Caixa de Seleção 2 Checkbox 2 - Checkbox 2 + Caixa de seleção 2 Checkbox 3 toolTip - Checkbox 3 toolTip + Dica de ferramenta para a Caixa de Seleção 3 Checkbox 3 - Checkbox 3 + Caixa de seleção 3 Checkbox 4 toolTip - Checkbox 4 toolTip + Dica de ferramenta para a Caixa de Seleção 4 Checkbox 4 - Checkbox 4 + Caixa de seleção 4 @@ -6541,12 +6552,12 @@ Left clicking on empty space will validate the current constraint. Right clickin Offset geometry - Offset geometry + Deslocamento de geometria Offset selected geometries. A positive offset length makes the offset go outward, a negative length inward. - Offset selected geometries. A positive offset length makes the offset go outward, a negative length inward. + Deslocamento de geometrias selecionadas. Um comprimento de deslocamento positivo faz o deslocamento ir para fora, um comprimento negativo para dentro. @@ -6554,19 +6565,19 @@ Left clicking on empty space will validate the current constraint. Right clickin Delete original geometries (U) - Delete original geometries (U) + Excluir geometrias originais (U) - + Apply equal constraints - Apply equal constraints + Aplicar restrições iguais - + If this option is selected dimensional constraints are excluded from the operation. Instead equal constraints are applied between the original objects and their copies. - If this option is selected dimensional constraints are excluded from the operation. -Instead equal constraints are applied between the original objects and their copies. + Se esta opção estiver selecionada, as restrições dimensionais são excluídas da operação. +Em vez disso, restrições de igualdade são aplicadas entre os objetos originais e suas cópias. @@ -6574,7 +6585,7 @@ Instead equal constraints are applied between the original objects and their cop Add offset constraint (J) - Add offset constraint (J) + Adicionar restrição de deslocamento (J) @@ -6582,32 +6593,32 @@ Instead equal constraints are applied between the original objects and their cop Corner, width, height - Corner, width, height + Canto, largura, altura Center, width, height - Center, width, height + Centro, largura, altura 3 corners - 3 corners + 3 cantos Center, 2 corners - Center, 2 corners + Centro, 2 cantos Rounded corners (U) - Rounded corners (U) + Cantos arredondados (U) Create a rectangle with rounded corners. - Create a rectangle with rounded corners. + Criar um retângulo com cantos arredondados. @@ -6615,12 +6626,12 @@ Instead equal constraints are applied between the original objects and their cop Frame (J) - Frame (J) + Armação (J) Create two rectangles with a constant offset. - Create two rectangles with a constant offset. + Criar dois retângulos com um deslocamento constante. @@ -6628,33 +6639,33 @@ Instead equal constraints are applied between the original objects and their cop Tool parameters - Tool parameters + Parâmetros da ferramenta CmdSketcherCompHorizontalVertical - + Constrain horizontal/vertical - Constrain horizontal/vertical + Restrição horizontal/vertical - + Constrains a single line to either horizontal or vertical. - Constrains a single line to either horizontal or vertical. + Restringe uma única linha para horizontal ou vertical. CmdSketcherConstrainHorVer - + Constrain horizontal/vertical - Constrain horizontal/vertical + Restrição horizontal/vertical - + Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. - Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. + Restringe uma única linha para horizontal ou vertical, o que estiver mais próximo do alinhamento atual. @@ -6662,12 +6673,12 @@ Instead equal constraints are applied between the original objects and their cop Curve Edition - Curve Edition + Edição de Curva Curve Edition tools. - Curve Edition tools. + Ferramentas de Edição de Curva. @@ -6675,12 +6686,12 @@ Instead equal constraints are applied between the original objects and their cop Slots - Slots + Espaços Slot tools. - Slot tools. + Ferramentas de ranhura. @@ -6688,25 +6699,25 @@ Instead equal constraints are applied between the original objects and their cop Create arc slot - Create arc slot + Criar espaço de arco Create an arc slot in the sketch - Create an arc slot in the sketch + Criar uma ranhura em arco no esboço CmdSketcherConstrainCoincidentUnified - + Constrain coincident Restrição de coincidência - + Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses - Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses + Criar uma restrição coincidente entre pontos, ou fixar um ponto em uma aresta, ou uma restrição concêntrica entre círculos, arcos e elipses @@ -6919,12 +6930,12 @@ Instead equal constraints are applied between the original objects and their cop Line pattern of external edges. - Line pattern of external edges. + Padrão de linha das arestas externas. Width of external edges. - Width of external edges. + Largura das arestas externas. @@ -6990,7 +7001,7 @@ Instead equal constraints are applied between the original objects and their cop TaskSketcherTool_p4_rotate - + Copies (+'U'/ -'J') Copies (+'U'/ -'J') @@ -7013,7 +7024,7 @@ Instead equal constraints are applied between the original objects and their cop Keep original geometries (U) - Keep original geometries (U) + Manter geometrias originais (U) @@ -7021,12 +7032,12 @@ Instead equal constraints are applied between the original objects and their cop Constrain - Constrain + Restrição Constrain tools. - Constrain tools. + Ferramentas de restrição. @@ -7039,7 +7050,7 @@ Instead equal constraints are applied between the original objects and their cop Copy selected geometries and constraints to the clipboard - Copy selected geometries and constraints to the clipboard + Copiar geometrias selecionadas e restrições para área de transferência @@ -7052,7 +7063,7 @@ Instead equal constraints are applied between the original objects and their cop Cut selected geometries and constraints to the clipboard - Cut selected geometries and constraints to the clipboard + Cortar geometrias e restrições selecionadas para área de transferência @@ -7065,7 +7076,7 @@ Instead equal constraints are applied between the original objects and their cop Paste selected geometries and constraints from the clipboard - Paste selected geometries and constraints from the clipboard + Colar geometrias selecionadas e restrições da área de transferência @@ -7073,12 +7084,12 @@ Instead equal constraints are applied between the original objects and their cop Scale transform - Scale transform + Transformação em escala Scale selected geometries. After selecting the center point you can either enter the scale factor, or select two reference points then scale factor = length(p2-center) / length(p1-center). - Scale selected geometries. After selecting the center point you can either enter the scale factor, or select two reference points then scale factor = length(p2-center) / length(p1-center). + Dimensionar geometrias selecionadas. Depois de selecionar o ponto central você pode inserir o fator de escala, ou selecionar dois pontos de referência, então fator de escala = comprimento(p2-centro) / comprimento(p1-centro). @@ -7086,12 +7097,12 @@ Instead equal constraints are applied between the original objects and their cop Move / Array transform - Move / Array transform + Mover / Transformação em Matriz Translate selected geometries. Enable creation of i * j copies. - Translate selected geometries. Enable creation of i * j copies. + Traduzir geometrias selecionadas. Permitir a criação de i * j cópias. @@ -7099,7 +7110,7 @@ Instead equal constraints are applied between the original objects and their cop Copies (+'U'/-'J') - Copies (+'U'/-'J') + Cópias (+'U'/-'J') @@ -7107,7 +7118,7 @@ Instead equal constraints are applied between the original objects and their cop Rows (+'R'/-'F') - Rows (+'R'/-'F') + Linhas (+'R'/-'F') @@ -7133,7 +7144,7 @@ Instead equal constraints are applied between the original objects and their cop Create a chamfer between two lines or at a coincident point - Create a chamfer between two lines or at a coincident point + Crie um chanfro entre duas linhas ou em um ponto coincidente @@ -7141,12 +7152,12 @@ Instead equal constraints are applied between the original objects and their cop Create fillet or chamfer - Create fillet or chamfer + Criar filete ou chanfro Create a fillet or chamfer between two lines - Create a fillet or chamfer between two lines + Criar um filete ou chanfro entre duas linhas @@ -7154,12 +7165,12 @@ Instead equal constraints are applied between the original objects and their cop Arc ends - Arc ends + Arco termina Flat ends - Flat ends + Extremidades planas @@ -7172,7 +7183,7 @@ Instead equal constraints are applied between the original objects and their cop Axis endpoints - Axis endpoints + Pontos de extremidade do eixo @@ -7180,12 +7191,12 @@ Instead equal constraints are applied between the original objects and their cop Preserve corner (U) - Preserve corner (U) + Preservar o canto (U) Preserves intersection point and most constraints - Preserves intersection point and most constraints + Preserva o ponto de interseção e a maioria das restrições @@ -7193,17 +7204,17 @@ Instead equal constraints are applied between the original objects and their cop Point, length, angle - Point, length, angle + Ponto, comprimento, ângulo Point, width, height - Point, width, height + Ponto, largura, altura 2 points - 2 points + 2 pontos @@ -7224,7 +7235,7 @@ Instead equal constraints are applied between the original objects and their cop Delete original geometries (U) - Delete original geometries (U) + Excluir geometrias originais (U) @@ -7232,33 +7243,33 @@ Instead equal constraints are applied between the original objects and their cop Create Symmetry Constraints (J) - Create Symmetry Constraints (J) + Criar restrições de Simetria (J) CmdSketcherConstrainTangent - + Constrain tangent or collinear - Constrain tangent or collinear + Criar restrições de Simetria (J) - + Create a tangent or collinear constraint between two entities - Create a tangent or collinear constraint between two entities + Criar uma restrição tangente ou colinear entre duas entidades CmdSketcherChangeDimensionConstraint - + Change value Mudar o valor - + Change the value of a dimensional constraint - Change the value of a dimensional constraint + Altera o valor de uma restrição dimensional @@ -7266,13 +7277,13 @@ Instead equal constraints are applied between the original objects and their cop Periodic B-spline by knots - Periodic B-spline by knots + B-spline periódica por nós Create a periodic B-spline by knots - Create a periodic B-spline by knots + Cria uma B-spline periódica por pontos de control @@ -7293,12 +7304,12 @@ Instead equal constraints are applied between the original objects and their cop Toggle constraints - Toggle constraints + Alternar restrições Toggle constrain tools. - Toggle constrain tools. + Alternar ferramentas de restrição. @@ -7306,12 +7317,12 @@ Instead equal constraints are applied between the original objects and their cop Press F to undo last point. - Press F to undo last point. + Pressione F para desfazer o último ponto. Periodic (R) - Periodic (R) + Periódico (R) @@ -7322,19 +7333,19 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadius - - + + Fix the radius of an arc or a circle - Fix the radius of an arc or a circle + Corrigir o raio de um arco ou um círculo Sketcher_ConstrainRadiam - - + + Fix the radius/diameter of an arc or a circle - Fix the radius/diameter of an arc or a circle + Corrigir o raio / diâmetro de um círculo ou um arco @@ -7342,14 +7353,14 @@ Instead equal constraints are applied between the original objects and their cop Apply equal constraints - Apply equal constraints + Aplicar restrições iguais If this option is selected dimensional constraints are excluded from the operation. Instead equal constraints are applied between the original objects and their copies. - If this option is selected dimensional constraints are excluded from the operation. -Instead equal constraints are applied between the original objects and their copies. + Se esta opção estiver selecionada, as restrições dimensionais são excluídas da operação. +Em vez disso, restrições de igualdade são aplicadas entre os objetos originais e suas cópias. 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 ace197376405..b2e4aae49fee 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_pt-PT.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_pt-PT.ts @@ -128,27 +128,27 @@ CmdSketcherCompConstrainRadDia - + Constrain arc or circle Restringir o arco ou círculo - + Constrain an arc or a circle Restringir um arco ou um círculo - + Constrain radius Restringir o raio - + Constrain diameter Restringir o diâmetro - + Constrain auto radius/diameter Restringir raio/diâmetro automático @@ -307,12 +307,12 @@ CmdSketcherConstrainAngle - + Constrain angle Restringir o ângulo - + Fix the angle of a line or the angle between two lines Corrigir o ângulo de uma linha ou o ângulo entre duas linhas @@ -320,12 +320,12 @@ CmdSketcherConstrainBlock - + Constrain block Constrain block - + Block the selected edge from moving Block the selected edge from moving @@ -333,12 +333,12 @@ CmdSketcherConstrainCoincident - + Constrain coincident Restringir coincidentes - + Create a coincident constraint between points, or a concentric constraint between circles, arcs, and ellipses Create a coincident constraint between points, or a concentric constraint between circles, arcs, and ellipses @@ -346,12 +346,12 @@ CmdSketcherConstrainDiameter - + Constrain diameter Restringir o diâmetro - + Fix the diameter of a circle or an arc Fixar o diâmetro de um círculo ou arco @@ -359,12 +359,12 @@ CmdSketcherConstrainDistance - + Constrain distance Restringir distância - + Fix a length of a line or the distance between a line and a vertex or between two circles Fix a length of a line or the distance between a line and a vertex or between two circles @@ -372,12 +372,12 @@ CmdSketcherConstrainDistanceX - + Constrain horizontal distance Constrain horizontal distance - + Fix the horizontal distance between two points or line ends Corrigir a distância horizontal entre dois pontos ou extremidades de linha @@ -385,12 +385,12 @@ CmdSketcherConstrainDistanceY - + Constrain vertical distance Constrain vertical distance - + Fix the vertical distance between two points or line ends Corrigir a distância vertical entre dois pontos ou extremidades de linha @@ -398,12 +398,12 @@ CmdSketcherConstrainEqual - + Constrain equal Restringir igualdade - + Create an equality constraint between two lines or between circles and arcs Criar uma restrição de igualdade entre duas linhas ou entre círculos e arcos @@ -411,12 +411,12 @@ CmdSketcherConstrainHorizontal - + Constrain horizontal Constrain horizontal - + Create a horizontal constraint on the selected item Criar uma restrição horizontal no item selecionado @@ -424,12 +424,12 @@ CmdSketcherConstrainLock - + Constrain lock Restrição de bloqueio - + Create both a horizontal and a vertical distance constraint on the selected vertex Create both a horizontal and a vertical distance constraint @@ -439,12 +439,12 @@ on the selected vertex CmdSketcherConstrainParallel - + Constrain parallel Restringir paralelo - + Create a parallel constraint between two lines Criar uma restrição paralela entre duas linhas @@ -452,12 +452,12 @@ on the selected vertex CmdSketcherConstrainPerpendicular - + Constrain perpendicular Restringir perpendicular - + Create a perpendicular constraint between two lines Criar uma restrição perpendicular entre duas linhas @@ -465,12 +465,12 @@ on the selected vertex CmdSketcherConstrainPointOnObject - + Constrain point on object Constrain point on object - + Fix a point onto an object Fixar um ponto num objeto @@ -478,12 +478,12 @@ on the selected vertex CmdSketcherConstrainRadiam - + Constrain auto radius/diameter Restringir raio/diâmetro automático - + Fix the diameter if a circle is chosen, or the radius if an arc/spline pole is chosen Fix the diameter if a circle is chosen, or the radius if an arc/spline pole is chosen @@ -491,12 +491,12 @@ on the selected vertex CmdSketcherConstrainSnellsLaw - + Constrain refraction (Snell's law) Restringir refração (lei de Snell) - + Create a refraction law (Snell's law)constraint between two endpoints of rays and an edge as an interface. Create a refraction law (Snell's law)constraint between two endpoints of rays @@ -506,12 +506,12 @@ and an edge as an interface. CmdSketcherConstrainSymmetric - + Constrain symmetric Constrain symmetric - + Create a symmetry constraint between two points with respect to a line or a third point Create a symmetry constraint between two points @@ -521,12 +521,12 @@ with respect to a line or a third point CmdSketcherConstrainVertical - + Constrain vertical Constrain vertical - + Create a vertical constraint on the selected item Criar uma restrição vertical no item selecionado @@ -1068,7 +1068,7 @@ First select the supporting geometry, for example, a face or an edge of a solid then call this command, then choose the desired sketch. - + Some of the selected objects depend on the sketch to be mapped. Circular dependencies are not allowed. Some of the selected objects depend on the sketch to be mapped. Circular dependencies are not allowed. @@ -1076,22 +1076,22 @@ then call this command, then choose the desired sketch. CmdSketcherMergeSketches - + Merge sketches Unir esboços - + Create a new sketch from merging two or more selected sketches. Create a new sketch from merging two or more selected sketches. - + Wrong selection Seleção errada - + Select at least two sketches. Select at least two sketches. @@ -1099,12 +1099,12 @@ then call this command, then choose the desired sketch. CmdSketcherMirrorSketch - + Mirror sketch Espelhar o esboço - + Creates a new mirrored sketch for each selected sketch by using the X or Y axes, or the origin point, as mirroring reference. @@ -1113,12 +1113,12 @@ by using the X or Y axes, or the origin point, as mirroring reference. - + Wrong selection Seleção errada - + Select one or more sketches. Select one or more sketches. @@ -1372,12 +1372,12 @@ This will clear the 'AttachmentSupport' property, if any. CmdSketcherToggleActiveConstraint - + Activate/deactivate constraint Ativar/desativar restrição - + Activates or deactivates the selected constraints Ativa ou desativa as restrições selecionadas @@ -1398,12 +1398,12 @@ This will clear the 'AttachmentSupport' property, if any. CmdSketcherToggleDrivingConstraint - + Toggle driving/reference constraint Ativar/desativar restrição dominante/referência - + Set the toolbar, or the selected constraints, into driving or reference mode Set the toolbar, or the selected constraints, @@ -1426,24 +1426,24 @@ into driving or reference mode CmdSketcherValidateSketch - + Validate sketch... Validar o esboço... - + Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. - + Wrong selection Seleção errada - + Select only one sketch. Selecione apenas um esboço. @@ -1451,12 +1451,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSection - + View section Ver secção - + When in edit mode, switch between section view and full view. When in edit mode, switch between section view and full view. @@ -1464,12 +1464,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSketch - + View sketch Ver esboço - + When in edit mode, set the camera orientation perpendicular to the sketch plane. When in edit mode, set the camera orientation perpendicular to the sketch plane. @@ -1477,69 +1477,69 @@ invalid constraints, degenerated geometry, etc. Command - + Add 'Lock' constraint Add 'Lock' constraint - + Add relative 'Lock' constraint Add relative 'Lock' constraint - + Add fixed constraint Adicionar restrição fixa - + Add 'Block' constraint Add 'Block' constraint - + Add block constraint Add block constraint - - + + Add coincident constraint Add coincident constraint - - + + Add distance from horizontal axis constraint Add distance from horizontal axis constraint - - + + Add distance from vertical axis constraint Add distance from vertical axis constraint - - + + Add point to point distance constraint Add point to point distance constraint - - + + Add point to line Distance constraint Add point to line Distance constraint - - + + Add circle to circle distance constraint Add circle to circle distance constraint - + Add circle to line distance constraint Add circle to line distance constraint @@ -1548,16 +1548,16 @@ invalid constraints, degenerated geometry, etc. - - - + + + Add length constraint Adicionar restrição de comprimento - + Dimension Dimensão @@ -1574,7 +1574,7 @@ invalid constraints, degenerated geometry, etc. - + Add Distance constraint Add Distance constraint @@ -1652,7 +1652,7 @@ invalid constraints, degenerated geometry, etc. Add Radius constraint - + Activate/Deactivate constraints Activate/Deactivate constraints @@ -1668,23 +1668,23 @@ invalid constraints, degenerated geometry, etc. Add concentric and length constraint - + Add DistanceX constraint Add DistanceX constraint - + Add DistanceY constraint Add DistanceY constraint - + Add point to circle Distance constraint Add point to circle Distance constraint - - + + Add point on object constraint Add point on object constraint @@ -1695,143 +1695,143 @@ invalid constraints, degenerated geometry, etc. Add arc length constraint - - + + Add point to point horizontal distance constraint Add point to point horizontal distance constraint - + Add fixed x-coordinate constraint Add fixed x-coordinate constraint - - + + Add point to point vertical distance constraint Add point to point vertical distance constraint - + Add fixed y-coordinate constraint Add fixed y-coordinate constraint - - + + Add parallel constraint Add parallel constraint - - - - - - - + + + + + + + Add perpendicular constraint Adicionar restrição perpendicular - + Add perpendicularity constraint Adicionar restrição de perpendicularidade - + Swap coincident+tangency with ptp tangency Swap coincident+tangency with ptp tangency - - - - - - - + + + + + + + Add tangent constraint Adicionar restrição tangente - - - - - - - - - - - - - - + + + + + + + + + + + + + + Add tangent constraint point Add tangent constraint point - - - - + + + + Add radius constraint Add radius constraint - - - - + + + + Add diameter constraint Add diameter constraint - - - - + + + + Add radiam constraint Add radiam constraint - - - - + + + + Add angle constraint Add angle constraint - + Swap point on object and tangency with point to curve tangency Swap point on object and tangency with point to curve tangency - - + + Add equality constraint Add equality constraint - - - - - + + + + + Add symmetric constraint Add symmetric constraint - + Add Snell's law constraint Add Snell's law constraint - + Toggle constraint to driving/reference Toggle constraint to driving/reference @@ -1851,22 +1851,22 @@ invalid constraints, degenerated geometry, etc. Reorient sketch - + Attach sketch Attach sketch - + Detach sketch Detach sketch - + Create a mirrored sketch for each selected sketch Create a mirrored sketch for each selected sketch - + Merge sketches Unir esboços @@ -2040,7 +2040,7 @@ invalid constraints, degenerated geometry, etc. Update constraint's virtual space - + Add auto constraints Add auto constraints @@ -2148,59 +2148,59 @@ invalid constraints, degenerated geometry, etc. Exceptions - + Unable to guess intersection of curves. Try adding a coincident constraint between the vertices of the curves you are intending to fillet. Não é possível calcular a interseção das curvas. Tente adicionar uma restrição coincidente entre os vértices das curvas das quais pretende fazer a concordância. - + You are requesting no change in knot multiplicity. Você não está a solicitar nenhuma mudança na multiplicidade de nó. - - + + B-spline Geometry Index (GeoID) is out of bounds. B-spline Geometry Index (GeoID) is out of bounds. - - + + The Geometry Index (GeoId) provided is not a B-spline. The Geometry Index (GeoId) provided is not a B-spline. - + The knot index is out of bounds. Note that in accordance with OCC notation, the first knot has index 1 and not zero. O índice do nó está fora dos limites. Note que, de acordo com a notação de OCC, o primeiro nó tem índice 1 e não zero. - + The multiplicity cannot be increased beyond the degree of the B-spline. A multiplicidade não pode ser aumentada além do grau de B-spline. - + The multiplicity cannot be decreased beyond zero. A multiplicidade não pode ser diminuída, abaixo de zero. - + OCC is unable to decrease the multiplicity within the maximum tolerance. OCC é incapaz de diminuir a multiplicidade dentro de tolerância máxima. - + Knot cannot have zero multiplicity. Knot cannot have zero multiplicity. - + Knot multiplicity cannot be higher than the degree of the B-spline. Knot multiplicity cannot be higher than the degree of the B-spline. - + Knot cannot be inserted outside the B-spline parameter range. Knot cannot be inserted outside the B-spline parameter range. @@ -2310,7 +2310,7 @@ invalid constraints, degenerated geometry, etc. - + Don't attach Não fixar @@ -2332,123 +2332,123 @@ invalid constraints, degenerated geometry, etc. - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + - - - - - - + + + + + + + + @@ -2514,116 +2514,116 @@ invalid constraints, degenerated geometry, etc. One of the selected has to be on the sketch. - + Select an edge from the sketch. Selecione uma aresta do sketch. - - - - - - + + + + + + Impossible constraint Restrição impossível - - + + The selected edge is not a line segment. The selected edge is not a line segment. - - - + + + Double constraint Dupla restrição - + The selected edge already has a horizontal constraint! A aresta selecionada já tem uma restrição horizontal! - + The selected edge already has a vertical constraint! A aresta selecionada já tem uma restrição vertical! - - - + + + The selected edge already has a Block constraint! A aresta selecionada já possui uma restrição de Bloqueio! - + There are more than one fixed points selected. Select a maximum of one fixed point! Há mais de um ponto fixo selecionado. Selecione no máximo um ponto fixo! - - - + + + Select vertices from the sketch. Selecione vértices do esboço. - + Select one vertex from the sketch other than the origin. Selecione um vértice do esboço que não seja a origem. - + Select only vertices from the sketch. The last selected vertex may be the origin. Selecione somente vértices do esboço. O último vértice selecionado deve ser a origem. - + Wrong solver status Erro no estado do calculador - + A Block constraint cannot be added if the sketch is unsolved or there are redundant and conflicting constraints. A Block constraint cannot be added if the sketch is unsolved or there are redundant and conflicting constraints. - + Select one edge from the sketch. Selecione uma aresta do esboço. - + Select only edges from the sketch. Selecione somente arestas do esboço. - + None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. - + Only tangent-via-point is supported with a B-spline. Only tangent-via-point is supported with a B-spline. - - + + Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. - + Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. Constraint_SnellsLaw Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. - + Number of selected objects is not 3 Number of selected objects is not 3 @@ -2640,80 +2640,80 @@ invalid constraints, degenerated geometry, etc. Erro inesperado. Mais informações podem estar disponíveis na Visualização do Relatório. - + The selected item(s) can't accept a horizontal or vertical constraint! The selected item(s) can't accept a horizontal or vertical constraint! - + Endpoint to endpoint tangency was applied instead. Uma tangência de ponto a ponto de extremidade foi aplicada como alternativa. - + Select two or more vertices from the sketch for a coincident constraint, or two or more circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Select two or more vertices from the sketch for a coincident constraint, or two or more circles, ellipses, arcs or arcs of ellipse for a concentric constraint. - + Select two vertices from the sketch for a coincident constraint, or two circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Select two vertices from the sketch for a coincident constraint, or two circles, ellipses, arcs or arcs of ellipse for a concentric constraint. - + Select exactly one line or one point and one line or two points from the sketch. Selecione exatamente uma linha ou uma linha e um ponto ou dois pontos do esboço. - + Cannot add a length constraint on an axis! Não é possível adicionar uma restrição de comprimento num eixo! - - + + Select exactly one line or one point and one line or two points or two circles from the sketch. Select exactly one line or one point and one line or two points or two circles from the sketch. - + This constraint does not make sense for non-linear curves. This constraint does not make sense for non-linear curves. - + Endpoint to edge tangency was applied instead. Endpoint to edge tangency was applied instead. - - - - - - + + + + + + Select the right things from the sketch. Selecione as coisas corretas no esboço. - - - - - - - - - + + + + + + + + - - - - - - - - + + + + + + + + + Select an edge that is not a B-spline weight. Select an edge that is not a B-spline weight. @@ -2723,87 +2723,87 @@ invalid constraints, degenerated geometry, etc. One or two point on object constraint(s) was/were deleted, since the latest constraint being applied internally applies point-on-object as well. - + Select either several points, or several conics for concentricity. Select either several points, or several conics for concentricity. - + Select either one point and several curves, or one curve and several points Select either one point and several curves, or one curve and several points - + Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. - + None of the selected points were constrained onto the respective curves, either because they are parts of the same element, or because they are both external geometry. Nenhum dos pontos selecionados foi restringido para as respectivas curvas, eles são partes do mesmo elemento, ou são ambos geometria externa. - + Cannot add a length constraint on this selection! Cannot add a length constraint on this selection! - - - - + + + + Select exactly one line or up to two points from the sketch. Selecione exatamente uma linha ou até dois pontos do esboço. - + Cannot add a horizontal length constraint on an axis! Não é possível adicionar uma restrição de comprimento horizontal num eixo! - + Cannot add a fixed x-coordinate constraint on the origin point! Não é possível adicionar uma restrição de coordenada-x fixa no ponto de origem! - - + + This constraint only makes sense on a line segment or a pair of points. This constraint only makes sense on a line segment or a pair of points. - + Cannot add a vertical length constraint on an axis! Não é possível adicionar uma restrição de comprimento vertical a um eixo! - + Cannot add a fixed y-coordinate constraint on the origin point! Não é possível adicionar uma restrição de coordenada-y fixa no ponto de origem! - + Select two or more lines from the sketch. Selecione duas ou mais linhas do esboço. - + One selected edge is not a valid line. One selected edge is not a valid line. - - + + Select at least two lines from the sketch. Selecione pelo menos duas linhas do esboço. - + The selected edge is not a valid line. The selected edge is not a valid line. - + There is a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2813,35 +2813,35 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Combinações possíveis: duas curvas; um ponto de extremidade e uma curva; dois pontos de extremidade; duas curvas e um ponto. - + Select some geometry from the sketch. perpendicular constraint Selecione alguma geometria do esboço (sketch). - - + + Cannot add a perpendicularity constraint at an unconnected point! Não é possível adicionar uma restrição de perpendicularidade num ponto não conectado! - - + + One of the selected edges should be a line. Uma das arestas selecionadas deve ser uma linha. - + Endpoint to endpoint tangency was applied. The coincident constraint was deleted. Uma tangência de ponto a ponto foi aplicada. A restrição de coincidência foi excluída. - + Endpoint to edge tangency was applied. The point on object constraint was deleted. Endpoint to edge tangency was applied. The point on object constraint was deleted. - + There are a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2851,61 +2851,61 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Combinações possíveis: duas curvas; um ponto de extremidade e uma curva; dois pontos de extremidade; duas curvas e um ponto. - + Select some geometry from the sketch. tangent constraint Selecione alguma geometria do esboço (sketch). - - - + + + Cannot add a tangency constraint at an unconnected point! Não é possível adicionar uma restrição de tangência num ponto não conectado! - - + + Tangent constraint at B-spline knot is only supported with lines! Tangent constraint at B-spline knot is only supported with lines! - + B-spline knot to endpoint tangency was applied instead. B-spline knot to endpoint tangency was applied instead. - - + + Wrong number of selected objects! Número errado de objetos selecionados! - - + + With 3 objects, there must be 2 curves and 1 point. Com 3 objetos, deve haver 2 curvas e 1 ponto. - - - - - - + + + + + + Select one or more arcs or circles from the sketch. Selecione um ou mais arcos ou círculos no esboço. - - - + + + Constraint only applies to arcs or circles. Restrição só aplicável a arcos ou círculos. - - + + Select one or two lines from the sketch. Or select two edges and a point. Selecione uma ou duas linhas de desenho (sketch). Ou selecione um ponto e duas arestas. @@ -2920,87 +2920,87 @@ Combinações possíveis: duas curvas; um ponto de extremidade e uma curva; dois Uma restrição de ângulo não pode ser aplicada a duas linhas paralelas. - + Cannot add an angle constraint on an axis! Não é possível adicionar uma restrição de ângulo num eixo! - + Select two edges from the sketch. Selecione duas arestas do esboço. - + Select two or more compatible edges. Select two or more compatible edges. - + Sketch axes cannot be used in equality constraints. Sketch axes cannot be used in equality constraints. - + Equality for B-spline edge currently unsupported. Igualdade para aresta da Bspline atualmente sem suporte. - - - + + + Select two or more edges of similar type. Select two or more edges of similar type. - - - - - + + + + + Select two points and a symmetry line, two points and a symmetry point or a line and a symmetry point from the sketch. Selecione dois pontos e uma linha de simetria, dois pontos e um ponto de simetria ou uma linha e um ponto de simetria do esboço. - - + + Cannot add a symmetry constraint between a line and its end points. Cannot add a symmetry constraint between a line and its end points. - - - - + + + + Cannot add a symmetry constraint between a line and its end points! Não é possível adicionar uma restrição de simetria entre uma linha e seus pontos extremos! - + Selected objects are not just geometry from one sketch. Objetos selecionados não são geometria de apenas um esboço (sketch). - + Cannot create constraint with external geometry only. Cannot create constraint with external geometry only. - + Incompatible geometry is selected. Incompatible geometry is selected. - + Select one dimensional constraint from the sketch. Select one dimensional constraint from the sketch. - - - - - + + + + + Select constraints from the sketch. Select constraints from the sketch. @@ -3541,12 +3541,12 @@ Combinações possíveis: duas curvas; um ponto de extremidade e uma curva; dois Comprimento: - + Refractive index ratio Rácio do índice de refração - + Ratio n2/n1: Rácio n2/n1: @@ -5193,8 +5193,8 @@ This is done by analyzing the sketch geometries and constraints. Sketcher_ConstrainDiameter - - + + Fix the diameter of a circle or an arc Fixar o diâmetro de um círculo ou arco @@ -5346,64 +5346,74 @@ This is done by analyzing the sketch geometries and constraints. Sketcher_MapSketch - + No sketch found Nenhum esboço encontrado - + + Cannot attach sketch to itself! + Cannot attach sketch to itself! + + + The document doesn't have a sketch O documento não tem um esboço - + Select sketch Selecione o esboço - + + Select a sketch (some sketches not shown to prevent a circular dependency) + Select a sketch (some sketches not shown to prevent a circular dependency) + + + Select a sketch from the list Selecione um esboço da lista - + (incompatible with selection) (incompatível com a seleção) - + (current) (atual) - + (suggested) (sugerido) - + Sketch attachment Fixação do Esboço - + Current attachment mode is incompatible with the new selection. Select the method to attach this sketch to selected objects. Current attachment mode is incompatible with the new selection. Select the method to attach this sketch to selected objects. - + Select the method to attach this sketch to selected objects. Selecione o método para fixar este esboço aos objetos selecionados. - + Map sketch Mapear esboço - + Can't map a sketch to support: %1 Não é possível mapear um esboço no suporte:%1 @@ -5933,22 +5943,22 @@ The grid spacing change if it becomes smaller than this number of pixel. GridSpaceAction - + Grid auto spacing Grid auto spacing - + Resize grid automatically depending on zoom. Resize grid automatically depending on zoom. - + Spacing Spacing - + Distance between two subsequent grid lines. Distance between two subsequent grid lines. @@ -5956,17 +5966,17 @@ The grid spacing change if it becomes smaller than this number of pixel. Notifications - + The Sketch has malformed constraints! The Sketch has malformed constraints! - + The Sketch has partially redundant constraints! The Sketch has partially redundant constraints! - + Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! @@ -6045,8 +6055,8 @@ The grid spacing change if it becomes smaller than this number of pixel. - - + + Invalid Constraint Restrição invalida @@ -6253,34 +6263,34 @@ The grid spacing change if it becomes smaller than this number of pixel. SnapSpaceAction - + Snap to objects Snap to objects - + New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. - + Snap to grid Alinhar à grelha - + New points will snap to the nearest grid line. Points must be set closer than a fifth of the grid spacing to a grid line to snap. New points will snap to the nearest grid line. Points must be set closer than a fifth of the grid spacing to a grid line to snap. - + Snap angle Snap angle - + Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. @@ -6288,23 +6298,23 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna RenderingOrderAction - - - + + + Normal Geometry Normal Geometry - - - + + + Construction Geometry Geometria de construção - - - + + + External Geometry External Geometry @@ -6312,12 +6322,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdRenderingOrder - + Configure rendering order Configure rendering order - + Reorder the items in the list to configure rendering order. Reorder the items in the list to configure rendering order. @@ -6325,12 +6335,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherGrid - + Toggle grid Alternar Grelha - + Toggle the grid in the sketch. In the menu you can change grid settings. Toggle the grid in the sketch. In the menu you can change grid settings. @@ -6338,12 +6348,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherSnap - + Toggle snap Ativar/desativar snap - + Toggle all snap functionality. In the menu you can toggle 'Snap to grid' and 'Snap to objects' individually, and change further snap settings. Toggle all snap functionality. In the menu you can toggle 'Snap to grid' and 'Snap to objects' individually, and change further snap settings. @@ -6377,12 +6387,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherDimension - + Dimension Dimensão - + Constrain contextually based on your selection. Depending on your selection you might have several constraints available. You can cycle through them using M key. Left clicking on empty space will validate the current constraint. Right clicking or pressing Esc will cancel. @@ -6420,12 +6430,12 @@ Left clicking on empty space will validate the current constraint. Right clickin CmdSketcherConstrainRadius - + Constrain radius Restringir o raio - + Fix the radius of a circle or an arc Corrigir o raio de um círculo ou arco @@ -6560,12 +6570,12 @@ Left clicking on empty space will validate the current constraint. Right clickin Delete original geometries (U) - + Apply equal constraints Apply equal constraints - + If this option is selected dimensional constraints are excluded from the operation. Instead equal constraints are applied between the original objects and their copies. If this option is selected dimensional constraints are excluded from the operation. @@ -6637,12 +6647,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherCompHorizontalVertical - + Constrain horizontal/vertical Constrain horizontal/vertical - + Constrains a single line to either horizontal or vertical. Constrains a single line to either horizontal or vertical. @@ -6650,12 +6660,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainHorVer - + Constrain horizontal/vertical Constrain horizontal/vertical - + Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. @@ -6702,12 +6712,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainCoincidentUnified - + Constrain coincident Restringir coincidentes - + Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses @@ -6993,7 +7003,7 @@ Instead equal constraints are applied between the original objects and their cop TaskSketcherTool_p4_rotate - + Copies (+'U'/ -'J') Copies (+'U'/ -'J') @@ -7241,12 +7251,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainTangent - + Constrain tangent or collinear Restringir tangente ou collinear - + Create a tangent or collinear constraint between two entities Create a tangent or collinear constraint between two entities @@ -7254,12 +7264,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherChangeDimensionConstraint - + Change value Alterar Valor - + Change the value of a dimensional constraint Change the value of a dimensional constraint @@ -7325,8 +7335,8 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadius - - + + Fix the radius of an arc or a circle Fix the radius of an arc or a circle @@ -7334,8 +7344,8 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadiam - - + + Fix the radius/diameter of an arc or a circle Fix the radius/diameter of an arc or a circle diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ro.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ro.ts index de5c015fda82..3651553605b6 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ro.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ro.ts @@ -128,27 +128,27 @@ CmdSketcherCompConstrainRadDia - + Constrain arc or circle Constrânge un arc de cerc sau un cerc - + Constrain an arc or a circle Constrânge un arc de cerc sau un cerc - + Constrain radius Rază constrânsă - + Constrain diameter Constrângere diametru - + Constrain auto radius/diameter Constrângere automată radius/diametru @@ -307,12 +307,12 @@ CmdSketcherConstrainAngle - + Constrain angle Unghi constrans - + Fix the angle of a line or the angle between two lines Repară unghiul unei drepte sau unghiul dintre două linii @@ -320,12 +320,12 @@ CmdSketcherConstrainBlock - + Constrain block Bloc: Constrângere - + Block the selected edge from moving Blochează muchia selectată să se miște @@ -333,12 +333,12 @@ CmdSketcherConstrainCoincident - + Constrain coincident Constrângere coincidentă - + Create a coincident constraint between points, or a concentric constraint between circles, arcs, and ellipses Creează o constrângere între puncte, sau o constrângere concentrată între cercuri, arcuri și elipse @@ -346,12 +346,12 @@ CmdSketcherConstrainDiameter - + Constrain diameter Constrângere diametru - + Fix the diameter of a circle or an arc Fixează diametrul unui cerc sau arc de cerc @@ -359,12 +359,12 @@ CmdSketcherConstrainDistance - + Constrain distance Distanţă constrânsă - + Fix a length of a line or the distance between a line and a vertex or between two circles Repară lungimea unei linii sau distanța dintre o linie și un nod sau între două cercuri @@ -372,12 +372,12 @@ CmdSketcherConstrainDistanceX - + Constrain horizontal distance Constrânge distanța orizontală - + Fix the horizontal distance between two points or line ends Bate în cuie distanţa orizontală dintre doua puncte sau capete de linii @@ -385,12 +385,12 @@ CmdSketcherConstrainDistanceY - + Constrain vertical distance Constrângere distanţă verticală - + Fix the vertical distance between two points or line ends Bate în cuie distanţa verticală dintre două puncte sau capete de linie @@ -398,12 +398,12 @@ CmdSketcherConstrainEqual - + Constrain equal Egalitate constransă - + Create an equality constraint between two lines or between circles and arcs Crează o egalitate constrânsă între două linii, cercuri sau arce @@ -411,12 +411,12 @@ CmdSketcherConstrainHorizontal - + Constrain horizontal Constrain horizontal - + Create a horizontal constraint on the selected item Crează o constrângere orizontală pentru obiectul selectat @@ -424,12 +424,12 @@ CmdSketcherConstrainLock - + Constrain lock Constrângere fixă - + Create both a horizontal and a vertical distance constraint on the selected vertex Creați atât o constrângere de distanță orizontală, cât și una verticală @@ -439,12 +439,12 @@ pe vârful selectat CmdSketcherConstrainParallel - + Constrain parallel Constrângere paralelă - + Create a parallel constraint between two lines Crează o constrângere paralelă între două linii @@ -452,12 +452,12 @@ pe vârful selectat CmdSketcherConstrainPerpendicular - + Constrain perpendicular Constrângere perpendiculară - + Create a perpendicular constraint between two lines Crează o constrângere perpendiculară între două linii @@ -465,12 +465,12 @@ pe vârful selectat CmdSketcherConstrainPointOnObject - + Constrain point on object Constrain point on object - + Fix a point onto an object Fixează un punct de un obiect @@ -478,12 +478,12 @@ pe vârful selectat CmdSketcherConstrainRadiam - + Constrain auto radius/diameter Constrângere automată radius/diametru - + Fix the diameter if a circle is chosen, or the radius if an arc/spline pole is chosen Repară diametrul dacă este ales un cerc sau raza dacă este ales un stâlp ar/splină @@ -491,12 +491,12 @@ pe vârful selectat CmdSketcherConstrainSnellsLaw - + Constrain refraction (Snell's law) Constrângere de refracție (Legea lui Snell) - + Create a refraction law (Snell's law)constraint between two endpoints of rays and an edge as an interface. Creați o constrângere de lege de refracție (Legea lui Snell) între două puncte finale ale razelor @@ -506,12 +506,12 @@ and an edge as an interface. CmdSketcherConstrainSymmetric - + Constrain symmetric Constrain symmetric - + Create a symmetry constraint between two points with respect to a line or a third point Creați o constrângere de simetrie între două puncte @@ -521,12 +521,12 @@ cu privire la o linie sau un al treilea punct CmdSketcherConstrainVertical - + Constrain vertical Constrain vertical - + Create a vertical constraint on the selected item Crează o constrângere verticală pe obiectul selectat @@ -1068,7 +1068,7 @@ Mai întâi selectați geometria de sprijin, de exemplu, o față sau o margine apoi apelează această comandă, apoi alege schița dorită. - + Some of the selected objects depend on the sketch to be mapped. Circular dependencies are not allowed. Unele dintre obiectele selectate depind de schiță pentru a fi mapate. Dependențele circulare nu sunt permise. @@ -1076,22 +1076,22 @@ apoi apelează această comandă, apoi alege schița dorită. CmdSketcherMergeSketches - + Merge sketches Combină schițe - + Create a new sketch from merging two or more selected sketches. Creați o schiță nouă prin îmbinarea a două sau mai multe schițe selectate. - + Wrong selection Selecţie greşită - + Select at least two sketches. Selectaţi cel puţin două schiţe. @@ -1099,12 +1099,12 @@ apoi apelează această comandă, apoi alege schița dorită. CmdSketcherMirrorSketch - + Mirror sketch Schițe în oglindă - + Creates a new mirrored sketch for each selected sketch by using the X or Y axes, or the origin point, as mirroring reference. @@ -1113,12 +1113,12 @@ by using the X or Y axes, or the origin point, as mirroring reference. - + Wrong selection Selecţie greşită - + Select one or more sketches. Selectaţi una sau mai multe schiţe. @@ -1372,12 +1372,12 @@ Acest lucru va șterge proprietatea 'Atașare suport', dacă este cazul. CmdSketcherToggleActiveConstraint - + Activate/deactivate constraint Activează/Dezactivează constrângerea - + Activates or deactivates the selected constraints Activează sau dezactivează constrângerile selectate @@ -1398,12 +1398,12 @@ Acest lucru va șterge proprietatea 'Atașare suport', dacă este cazul. CmdSketcherToggleDrivingConstraint - + Toggle driving/reference constraint Comută constrângerea de condus/referință - + Set the toolbar, or the selected constraints, into driving or reference mode Setează bara de instrumente sau constrângerile selectate, @@ -1426,24 +1426,24 @@ into driving or reference mode CmdSketcherValidateSketch - + Validate sketch... Validează schița... - + Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. - + Wrong selection Selecţie greşită - + Select only one sketch. Selectaţi doar o schiţă. @@ -1451,12 +1451,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSection - + View section Vederea secțiunii - + When in edit mode, switch between section view and full view. Când este în modul de editare, comutați între vizualizarea secțiunii și vizualizarea completă. @@ -1464,12 +1464,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSketch - + View sketch Vezi schita - + When in edit mode, set the camera orientation perpendicular to the sketch plane. Când este în modul de editare, setați orientarea camerei perpendiculară pe planul schiței. @@ -1477,69 +1477,69 @@ invalid constraints, degenerated geometry, etc. Command - + Add 'Lock' constraint Adaugă constrângere 'Blocare' - + Add relative 'Lock' constraint Adaugă constrângere 'Blocare' - + Add fixed constraint Adaugă o constrângere fixă - + Add 'Block' constraint Adaugă constrângere 'Blocare' - + Add block constraint Adaugă constrângere 'Blocare' - - + + Add coincident constraint Adaugă constrângere de coincident - - + + Add distance from horizontal axis constraint Adăugați distanța de la constrângerea axei orizontale - - + + Add distance from vertical axis constraint Adăugați distanța față de constrângerea axei verticale - - + + Add point to point distance constraint Adăugați o constrângere de distanță punct la punct - - + + Add point to line Distance constraint Adăugați punct la linie Constrângere de distanță - - + + Add circle to circle distance constraint Adăugați restricție de distanță cerc la cerc - + Add circle to line distance constraint Adăugați cerc la constrângere de distanță pe linie @@ -1548,16 +1548,16 @@ invalid constraints, degenerated geometry, etc. - - - + + + Add length constraint Adăugați o constrângere de lungime - + Dimension Dimensiune @@ -1574,7 +1574,7 @@ invalid constraints, degenerated geometry, etc. - + Add Distance constraint Adaugă constrângere la distanță @@ -1652,7 +1652,7 @@ invalid constraints, degenerated geometry, etc. Adaugă restricție de rază - + Activate/Deactivate constraints Activate/Deactivate constraints @@ -1668,23 +1668,23 @@ invalid constraints, degenerated geometry, etc. Adaugă constrângere concentrică și lungime - + Add DistanceX constraint Adaugă constrângere DistanceX - + Add DistanceY constraint Adaugă constrângere DistanțăY - + Add point to circle Distance constraint Adaugă punct la constrângerea de distanță cerc - - + + Add point on object constraint Adăugați punct asupra constrângerii obiectului @@ -1695,143 +1695,143 @@ invalid constraints, degenerated geometry, etc. Add arc length constraint - - + + Add point to point horizontal distance constraint Adăugați constrângere de distanță orizontală punct la punct - + Add fixed x-coordinate constraint Adaugă o constrângere fixă la coordonatele x - - + + Add point to point vertical distance constraint Adaugă punct la punctul de distanță verticală constrângere - + Add fixed y-coordinate constraint Adaugă o constrângere fixă la coordonatele y - - + + Add parallel constraint Adaugă o constrângere paralelă - - - - - - - + + + + + + + Add perpendicular constraint Adaugă constrângere perpendiculară - + Add perpendicularity constraint Adaugă constrângere perpendiculară - + Swap coincident+tangency with ptp tangency Schimbă coincidentul+tangență cu tangență ptp - - - - - - - + + + + + + + Add tangent constraint Adaugă constrângere tangentă - - - - - - - - - - - - - - + + + + + + + + + + + + + + Add tangent constraint point Adaugă punct tangent de constrângere - - - - + + + + Add radius constraint Adaugă constrângere rază - - - - + + + + Add diameter constraint Adaugă o constrângere pentru diametru - - - - + + + + Add radiam constraint Adaugă constrângere de rază - - - - + + + + Add angle constraint Adaugă o constrângere de unghi - + Swap point on object and tangency with point to curve tangency Swap point on object and tangency with point to curve tangency - - + + Add equality constraint Adaugă constrângere pentru egalitate - - - - - + + + + + Add symmetric constraint Adaugă constrângere simetrică - + Add Snell's law constraint Adaugă constrângere legii lui Snell - + Toggle constraint to driving/reference Comută constrângerea pentru condus/referință @@ -1851,22 +1851,22 @@ invalid constraints, degenerated geometry, etc. Restaurare schiță - + Attach sketch Atașează schiță - + Detach sketch Detașează schița - + Create a mirrored sketch for each selected sketch Creați o schiță oglindită pentru fiecare schiță selectată - + Merge sketches Combină schițe @@ -2040,7 +2040,7 @@ invalid constraints, degenerated geometry, etc. Actualizează spațiul virtual al constrângerilor - + Add auto constraints Adaugă Auto-Constrângeri @@ -2148,59 +2148,59 @@ invalid constraints, degenerated geometry, etc. Exceptions - + Unable to guess intersection of curves. Try adding a coincident constraint between the vertices of the curves you are intending to fillet. Nu puteți ghici intersecția curbelor. Încercați să adăugați o constrângere de potrivire între vârfurile curbelor pe care intenționați să le completați. - + You are requesting no change in knot multiplicity. Nu cereți nicio schimbare în multiplicitatea nodului. - - + + B-spline Geometry Index (GeoID) is out of bounds. B-spline Geometry Index (GeoID) is out of bounds. - - + + The Geometry Index (GeoId) provided is not a B-spline. The Geometry Index (GeoId) provided is not a B-spline. - + The knot index is out of bounds. Note that in accordance with OCC notation, the first knot has index 1 and not zero. Indexul nod este în afara limitelor. Reţineţi că în conformitate cu notaţia OCC, primul nod are indexul 1 şi nu zero. - + The multiplicity cannot be increased beyond the degree of the B-spline. Multiplicitatea nu poate fi crescută dincolo de gradul curbei B-spline. - + The multiplicity cannot be decreased beyond zero. Multiplicitatea nu poate fi diminuată sub zero. - + OCC is unable to decrease the multiplicity within the maximum tolerance. OCC este în imposibilitatea de a reduce multiplicarea în limitele toleranței maxime. - + Knot cannot have zero multiplicity. Nu poate avea multiplicitate zero. - + Knot multiplicity cannot be higher than the degree of the B-spline. Knot multiplicity cannot be higher than the degree of the B-spline. - + Knot cannot be inserted outside the B-spline parameter range. Knot cannot be inserted outside the B-spline parameter range. @@ -2310,7 +2310,7 @@ invalid constraints, degenerated geometry, etc. - + Don't attach A nu se atașa @@ -2332,123 +2332,123 @@ invalid constraints, degenerated geometry, etc. - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + - - - - - - + + + + + + + + @@ -2514,116 +2514,116 @@ invalid constraints, degenerated geometry, etc. Una dintre cele selectate trebuie să fie pe schiță. - + Select an edge from the sketch. Selectati o margine din schita. - - - - - - + + + + + + Impossible constraint Constrangere imposibila - - + + The selected edge is not a line segment. Marginea selectată nu este un segment de linie. - - - + + + Double constraint Constrangere dubla - + The selected edge already has a horizontal constraint! Marginea selectată are deja o constrângere orizontală! - + The selected edge already has a vertical constraint! Marginea selectată are deja o constrângere verticală! - - - + + + The selected edge already has a Block constraint! Marginea selectată are deja o constrângere de bloc! - + There are more than one fixed points selected. Select a maximum of one fixed point! Există mai mult de un punct fix selectat. Selectați maxim un punct fix! - - - + + + Select vertices from the sketch. Selectează nodurile din Schiță. - + Select one vertex from the sketch other than the origin. Selectează un nod din schiţa altul decât originea. - + Select only vertices from the sketch. The last selected vertex may be the origin. Selectaţi doar nodurile din schiță. Ultimul punct selectat poate fi originea. - + Wrong solver status Status de greşit ak Rezolvitor - + A Block constraint cannot be added if the sketch is unsolved or there are redundant and conflicting constraints. O constrângere de blocare nu poate fi adăugată dacă schița nu este rezolvată sau există constrângeri redundante și contradictorii. - + Select one edge from the sketch. Selectaţi o margine din Schiță. - + Select only edges from the sketch. Selectaţi o margine din Schiță. - + None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. - + Only tangent-via-point is supported with a B-spline. Doar tangent-via-point este suportat cu o curbă B-spline. - - + + Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. - + Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. Constraint_SnellsLaw Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. - + Number of selected objects is not 3 Numărul de obiecte selectate nu este 3 @@ -2640,80 +2640,80 @@ invalid constraints, degenerated geometry, etc. Eroare neașteptată. Mai multe informații pot fi disponibile în Vizualizarea Raportului. - + The selected item(s) can't accept a horizontal or vertical constraint! Elementele selectate nu pot accepta o constrângere orizontală sau verticală! - + Endpoint to endpoint tangency was applied instead. Punct final la punctul final de tangenţă a fost aplicat în schimb. - + Select two or more vertices from the sketch for a coincident constraint, or two or more circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Selectați două sau mai multe noduri din schiță pentru o constrângere de coincident, sau două sau mai multe cercuri, elipsuri, arcuri sau arcuri de elipsă pentru o constrângere concentrată. - + Select two vertices from the sketch for a coincident constraint, or two circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Selectaţi două vârfuri din schiţă pentru o constrângere de incident, sau două cercuri, elipse, arcuri sau arcuri de elipsă pentru o constrângere concentrată. - + Select exactly one line or one point and one line or two points from the sketch. Selectati exact o linie sau un punct si o linie sau două puncte din schita. - + Cannot add a length constraint on an axis! Nu se poate adauga o constrangere de lungime pentru o axa! - - + + Select exactly one line or one point and one line or two points or two circles from the sketch. Selectaţi exact o linie sau un punct şi o linie sau două puncte sau două cercuri din schiţă. - + This constraint does not make sense for non-linear curves. Această constrângere nu are sens pentru curbe neliniare. - + Endpoint to edge tangency was applied instead. Tangența la margine a fost aplicată în schimb. - - - - - - + + + + + + Select the right things from the sketch. Selectaţi lucruri corecte din schiță. - - - - - - - - - + + + + + + + + - - - - - - - - + + + + + + + + + Select an edge that is not a B-spline weight. Selectaţi o muchie care nu este o greutate B-spline. @@ -2723,87 +2723,87 @@ invalid constraints, degenerated geometry, etc. Unul sau două puncte ale constrângerii (constrângerilor) obiectului(lor) au fost șterse, deoarece ultima constrângere aplicată intern se aplică și punct-la-obiect. - + Select either several points, or several conics for concentricity. Selectaţi fie mai multe puncte, fie mai multe conice pentru concentrare. - + Select either one point and several curves, or one curve and several points Selectaţi fie un punct şi mai multe curbe sau o curbă şi mai multe puncte - + Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. Selectaţi fie un punct şi mai multe curbe sau o curbă şi mai multe puncte pentru pointOnObject, sau mai multe puncte pentru coincidenţă, sau mai multe conice pentru concentrare. - + None of the selected points were constrained onto the respective curves, either because they are parts of the same element, or because they are both external geometry. Nici unul dintre punctele selectate nu trece prin curbele respective, sau pentru că ele fac parte din același element sau pentru că ele sunt amândouă exterioare din punct de vedere geometric. - + Cannot add a length constraint on this selection! Nu se poate adăuga o constrângere pe lungime la această selecție! - - - - + + + + Select exactly one line or up to two points from the sketch. Selectati exact o linie sau maxim doua puncte din schita. - + Cannot add a horizontal length constraint on an axis! Nu se poate adauga o constrangere de lungime orizontala pentru o axa! - + Cannot add a fixed x-coordinate constraint on the origin point! Nu se poate adăuga o constrângere fixă la coordonatele x pe punctul de origine! - - + + This constraint only makes sense on a line segment or a pair of points. Această constrângere are sens doar pe un segment de linie sau pe o pereche de puncte. - + Cannot add a vertical length constraint on an axis! Nu se poate adauga o constrangere verticala pentru o axa! - + Cannot add a fixed y-coordinate constraint on the origin point! Nu se poate adăuga o constrângere fixă la coordonatele y pe punctul de origine! - + Select two or more lines from the sketch. Selectati doua sau mai multe linii din schita. - + One selected edge is not a valid line. O margine selectată nu este o linie validă. - - + + Select at least two lines from the sketch. Selectati cel putin doua linii din schita. - + The selected edge is not a valid line. Marginea selectată nu este o linie validă. - + There is a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2812,35 +2812,35 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Se acceptă combinațiile: două curbe; un punct extrem şi o curbă; două puncte extreme; două curbe şi un punct. - + Select some geometry from the sketch. perpendicular constraint Selectaţi o geometrie din schiță. - - + + Cannot add a perpendicularity constraint at an unconnected point! Nu pot adauga o constrângere perpendiculară pentru un punct neconectat! - - + + One of the selected edges should be a line. Una dintre marginile selectate trebuie sa fie o linie. - + Endpoint to endpoint tangency was applied. The coincident constraint was deleted. Punct final la punctul final de tangenţă a fost aplicat. Coincident restricţia a fost şters. - + Endpoint to edge tangency was applied. The point on object constraint was deleted. A fost aplicat punctul final de la margine tangenței. Punctul de pe obiect a fost șters. - + There are a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2848,61 +2848,61 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Există un număr de moduri în care se poate aplica această constrângere. Se accepta combinațiile: două curbe; un punct extrem şi o curbă; două puncte extreme; două curbe şi un punct. - + Select some geometry from the sketch. tangent constraint Selectaţi o geometrie din schiță. - - - + + + Cannot add a tangency constraint at an unconnected point! Nu pot adauga constrângere tangenţială pentru un punct neconectat! - - + + Tangent constraint at B-spline knot is only supported with lines! Constrângerea tangentă la nodul B-spline este suportată doar cu linii! - + B-spline knot to endpoint tangency was applied instead. Tangenţa B-spline până la final a fost aplicată. - - + + Wrong number of selected objects! Număr greșit al obiectelor selectate! - - + + With 3 objects, there must be 2 curves and 1 point. Cu 3 obiecte, trebuie să existe 2 curbe și un punct. - - - - - - + + + + + + Select one or more arcs or circles from the sketch. Selectaţi doar un arc sau un cerc din schiţă. - - - + + + Constraint only applies to arcs or circles. Restricţia se aplică numai pentru arce de cerc sau cercuri. - - + + Select one or two lines from the sketch. Or select two edges and a point. Selectaţi una sau două linii din schiță, sau selectaţi două margini şi un punct. @@ -2917,87 +2917,87 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c O constrângere unghiulară nu poate fi aplicată la două linii paralele. - + Cannot add an angle constraint on an axis! Nu pot adăuga o constrângere de unghi pe o axă! - + Select two edges from the sketch. Selectaţi două margini din schiţă. - + Select two or more compatible edges. Selectaţi două sau mai multe margini compatibile. - + Sketch axes cannot be used in equality constraints. Axele schiţei nu pot fi folosite în constrângerile de egalitate. - + Equality for B-spline edge currently unsupported. Egalitate pentru muchiile curbelor B-spline, în prezent, nu sunt suportate. - - - + + + Select two or more edges of similar type. Selectaţi două sau mai multe margini de tip similar. - - - - - + + + + + Select two points and a symmetry line, two points and a symmetry point or a line and a symmetry point from the sketch. Selectaţi două puncte şi o linie de simetrie, două puncte şi un punct de simetrie sau o linie si un punct de simetrie din schiță. - - + + Cannot add a symmetry constraint between a line and its end points. Nu se poate adăuga o constrângere de simetrie între o linie și punctele sale de sfârșit. - - - - + + + + Cannot add a symmetry constraint between a line and its end points! Nu se poate adăuga o constrângere de simetrie între o linie şi punctele ei de capăt! - + Selected objects are not just geometry from one sketch. Obiectele selectate nu sunt geometria doar unui sketch. - + Cannot create constraint with external geometry only. Nu se poate crea constrângere doar cu geometrie externă. - + Incompatible geometry is selected. Geometria incompatibilă este selectată. - + Select one dimensional constraint from the sketch. Selectaţi o constrângere dimensională din schiţă. - - - - - + + + + + Select constraints from the sketch. Selectează constrângerile din schiță. @@ -3538,12 +3538,12 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Lungime: - + Refractive index ratio Procentul indicelui de refracție - + Ratio n2/n1: Raportul n2/n1: @@ -5189,8 +5189,8 @@ Acest lucru se realizează prin analizarea geometrelor și constrângerilor schi Sketcher_ConstrainDiameter - - + + Fix the diameter of a circle or an arc Fixează diametrul unui cerc sau arc de cerc @@ -5342,64 +5342,74 @@ Acest lucru se realizează prin analizarea geometrelor și constrângerilor schi Sketcher_MapSketch - + No sketch found Nu s-a găsit nici o Schiță - + + Cannot attach sketch to itself! + Cannot attach sketch to itself! + + + The document doesn't have a sketch Documentul nu conține nici o schiță - + Select sketch Selecționați o schiță - + + Select a sketch (some sketches not shown to prevent a circular dependency) + Select a sketch (some sketches not shown to prevent a circular dependency) + + + Select a sketch from the list Selectaţi o schita din lista - + (incompatible with selection) (incompatibil cu selecţie) - + (current) (curent) - + (suggested) (propus) - + Sketch attachment Atașamentul schiței - + Current attachment mode is incompatible with the new selection. Select the method to attach this sketch to selected objects. Modul de atașare curent este incompatibil cu noua selecție. Selectați metoda pentru a atașa această schiță la obiectele selectate. - + Select the method to attach this sketch to selected objects. Selecționați metoda de atașare a acestei schițe la obiectele selectatate. - + Map sketch Aplicați schița - + Can't map a sketch to support: %1 Imposibil de aplicat schița pe suport: %1 @@ -5929,22 +5939,22 @@ Schimbarea spațierii grilei dacă devine mai mică decât acest număr de pixel GridSpaceAction - + Grid auto spacing Spațiere automată grilă - + Resize grid automatically depending on zoom. Redimensionează grila automat în funcție de zoom. - + Spacing Spațiere - + Distance between two subsequent grid lines. Distanța dintre două linii grilă ulterioare. @@ -5952,17 +5962,17 @@ Schimbarea spațierii grilei dacă devine mai mică decât acest număr de pixel Notifications - + The Sketch has malformed constraints! Schița a malformat constrângerile! - + The Sketch has partially redundant constraints! Schița are constrângeri parțial redundante! - + Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! Parabolele au fost migrate. Fișierele migrate nu vor fi deschise în versiunile anterioare de FreeCAD! @@ -6041,8 +6051,8 @@ Schimbarea spațierii grilei dacă devine mai mică decât acest număr de pixel - - + + Invalid Constraint Constrângere invalidă @@ -6249,34 +6259,34 @@ Schimbarea spațierii grilei dacă devine mai mică decât acest număr de pixel SnapSpaceAction - + Snap to objects Aleargă la obiecte - + New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. Punctele noi se vor fixa la obiectul preselectat în prezent. De asemenea, se va fixa în mijlocul liniilor şi arcurilor. - + Snap to grid Pozează pe grilă - + New points will snap to the nearest grid line. Points must be set closer than a fifth of the grid spacing to a grid line to snap. Punctele noi se vor fixa la cea mai apropiată linie de grilă. Punctele trebuie să fie mai apropiate de o cincime din spațierea grilei de o linie grilă pentru ancorare. - + Snap angle Unghiul de ancorare - + Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. Etapa unghiulară pentru instrumentele care folosesc „Snap at Angle” (de exemplu, linia). Țineți apăsat CTRL pentru a activa 'Snap la Angle'. Unghiul începe de la axa X pozitivă a schiței. @@ -6284,23 +6294,23 @@ Punctele trebuie să fie mai apropiate de o cincime din spațierea grilei de o l RenderingOrderAction - - - + + + Normal Geometry Geometrie normală - - - + + + Construction Geometry Geometria construcției - - - + + + External Geometry Geometrie externă @@ -6308,12 +6318,12 @@ Punctele trebuie să fie mai apropiate de o cincime din spațierea grilei de o l CmdRenderingOrder - + Configure rendering order Configurați ordinea de redare - + Reorder the items in the list to configure rendering order. Reordonați elementele din listă pentru a configura comanda. @@ -6321,12 +6331,12 @@ Punctele trebuie să fie mai apropiate de o cincime din spațierea grilei de o l CmdSketcherGrid - + Toggle grid Comutare grilă - + Toggle the grid in the sketch. In the menu you can change grid settings. Comută grila în schiţă. În meniu puteţi modifica setările grilei. @@ -6334,12 +6344,12 @@ Punctele trebuie să fie mai apropiate de o cincime din spațierea grilei de o l CmdSketcherSnap - + Toggle snap Comută ancora - + Toggle all snap functionality. In the menu you can toggle 'Snap to grid' and 'Snap to objects' individually, and change further snap settings. Comutați toate funcțiile de ancorare. În meniu puteți comuta 'Snap to grid' și 'Snap to objs' individual, și să modificați setările de ancorare. @@ -6373,12 +6383,12 @@ Punctele trebuie să fie mai apropiate de o cincime din spațierea grilei de o l CmdSketcherDimension - + Dimension Dimensiune - + Constrain contextually based on your selection. Depending on your selection you might have several constraints available. You can cycle through them using M key. Left clicking on empty space will validate the current constraint. Right clicking or pressing Esc will cancel. @@ -6416,12 +6426,12 @@ Click stânga pe spațiul gol va valida constrângerea curentă. Apăsarea din d CmdSketcherConstrainRadius - + Constrain radius Rază constrânsă - + Fix the radius of a circle or an arc Fixează raza unui cerc sau arc @@ -6556,12 +6566,12 @@ Click stânga pe spațiul gol va valida constrângerea curentă. Apăsarea din d Ştergeţi geometriile originale (U) - + Apply equal constraints Apply equal constraints - + If this option is selected dimensional constraints are excluded from the operation. Instead equal constraints are applied between the original objects and their copies. If this option is selected dimensional constraints are excluded from the operation. @@ -6633,12 +6643,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherCompHorizontalVertical - + Constrain horizontal/vertical Constrain horizontal/vertical - + Constrains a single line to either horizontal or vertical. Constrângeți o singură linie fie orizontală, fie verticală. @@ -6646,12 +6656,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainHorVer - + Constrain horizontal/vertical Constrain horizontal/vertical - + Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. Constrângeți o singură linie fie orizontală, fie verticală, oricare dintre acestea este mai apropiată de alinierea curentă. @@ -6698,12 +6708,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainCoincidentUnified - + Constrain coincident Constrângere coincidentă - + Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses Crează o constrângere coincidentă între puncte, sau fixează un punct pe margine, sau o constrângere concentrată între cercuri, arcuri și elipse @@ -6989,7 +6999,7 @@ Instead equal constraints are applied between the original objects and their cop TaskSketcherTool_p4_rotate - + Copies (+'U'/ -'J') Copii (+'U'/ -'J') @@ -7237,12 +7247,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainTangent - + Constrain tangent or collinear Constrângere tangentă sau liniară - + Create a tangent or collinear constraint between two entities Creează o constrângere tangentă sau lineară între două entități @@ -7250,12 +7260,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherChangeDimensionConstraint - + Change value Modificaţi valoarea - + Change the value of a dimensional constraint Modifică valoarea unei constrângeri dimensionale @@ -7321,8 +7331,8 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadius - - + + Fix the radius of an arc or a circle Fix the radius of an arc or a circle @@ -7330,8 +7340,8 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadiam - - + + Fix the radius/diameter of an arc or a circle Fix the radius/diameter of an arc or a circle diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ru.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ru.ts index ca66cc86f21b..7d65ae196257 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ru.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ru.ts @@ -128,27 +128,27 @@ CmdSketcherCompConstrainRadDia - + Constrain arc or circle Ограничение дуги или окружности - + Constrain an arc or a circle Ограничение дуги или окружности - + Constrain radius Ограничение радиуса - + Constrain diameter Ограничение диаметра - + Constrain auto radius/diameter Ограничение радиуса/диаметра автоматически @@ -307,12 +307,12 @@ CmdSketcherConstrainAngle - + Constrain angle Ограничение угла - + Fix the angle of a line or the angle between two lines Фиксировать угол отрезка или угол между двумя отрезками @@ -320,12 +320,12 @@ CmdSketcherConstrainBlock - + Constrain block Ограничение перемещения - + Block the selected edge from moving Блокировать выбранный край от перемещения @@ -333,12 +333,12 @@ CmdSketcherConstrainCoincident - + Constrain coincident Ограничение наложения точек - + Create a coincident constraint between points, or a concentric constraint between circles, arcs, and ellipses Создать ограничение совпадения между точками или ограничение концентричности между кругами, дугами и эллипсами @@ -346,12 +346,12 @@ CmdSketcherConstrainDiameter - + Constrain diameter Ограничение диаметра - + Fix the diameter of a circle or an arc Задать диаметр окружности или дуги @@ -359,12 +359,12 @@ CmdSketcherConstrainDistance - + Constrain distance Ограничение расстояния - + Fix a length of a line or the distance between a line and a vertex or between two circles Исправить длину линии или расстояние между линией и вершиной или между двумя кругами @@ -372,12 +372,12 @@ CmdSketcherConstrainDistanceX - + Constrain horizontal distance Ограничение расстояния по горизонтали - + Fix the horizontal distance between two points or line ends Фиксировать расстояние по горизонтали между двумя точками или концами отрезка @@ -385,12 +385,12 @@ CmdSketcherConstrainDistanceY - + Constrain vertical distance Ограничение расстояния по вертикали - + Fix the vertical distance between two points or line ends Фиксировать расстояние по вертикали между двумя точками или концами отрезка @@ -398,12 +398,12 @@ CmdSketcherConstrainEqual - + Constrain equal Ограничение эквивалентностью - + Create an equality constraint between two lines or between circles and arcs Создать ограничение равенства между двумя отрезками или между окружностями и дугами @@ -411,12 +411,12 @@ CmdSketcherConstrainHorizontal - + Constrain horizontal Ограничить горизонталь - + Create a horizontal constraint on the selected item Создать ограничение горизонтальности для выбранных линий @@ -424,12 +424,12 @@ CmdSketcherConstrainLock - + Constrain lock Ограничение положения - + Create both a horizontal and a vertical distance constraint on the selected vertex Создать ограничение расстояния горизонтального и вертикального расстояния @@ -439,12 +439,12 @@ on the selected vertex CmdSketcherConstrainParallel - + Constrain parallel Ограничение параллельности - + Create a parallel constraint between two lines Создать ограничение параллельности между двумя линиями @@ -452,12 +452,12 @@ on the selected vertex CmdSketcherConstrainPerpendicular - + Constrain perpendicular Ограничение перпендикулярности - + Create a perpendicular constraint between two lines Создать ограничение перпендикулярности между двумя линиями @@ -465,12 +465,12 @@ on the selected vertex CmdSketcherConstrainPointOnObject - + Constrain point on object Ограничить точку на объекте - + Fix a point onto an object Привязать точку к объекту @@ -478,12 +478,12 @@ on the selected vertex CmdSketcherConstrainRadiam - + Constrain auto radius/diameter Ограничение радиуса/диаметра автоматически - + Fix the diameter if a circle is chosen, or the radius if an arc/spline pole is chosen Назначает диаметр, если выбран круг или радиус, если выбран полюс дуга/сплайн @@ -491,12 +491,12 @@ on the selected vertex CmdSketcherConstrainSnellsLaw - + Constrain refraction (Snell's law) Ограничение преломления (закон Снеллиуса) - + Create a refraction law (Snell's law)constraint between two endpoints of rays and an edge as an interface. Создать ограничение по закону преломления света (закон Снеллиуса) между двумя конечными точками лучей и отрезком в качестве границы раздела сред. @@ -505,12 +505,12 @@ and an edge as an interface. CmdSketcherConstrainSymmetric - + Constrain symmetric Ограничить симметричность - + Create a symmetry constraint between two points with respect to a line or a third point Создать ограничение симметрии между двумя точками относительно линии или третьей точки @@ -519,12 +519,12 @@ with respect to a line or a third point CmdSketcherConstrainVertical - + Constrain vertical Ограничить вертикаль - + Create a vertical constraint on the selected item Создать ограничение вертикальности для выделенных линий @@ -1066,7 +1066,7 @@ then call this command, then choose the desired sketch. затем вызовите эту команду, затем выберите нужный эскиз. - + Some of the selected objects depend on the sketch to be mapped. Circular dependencies are not allowed. Некоторые из выбранных объектов зависят от эскиза, который будет отображен. Циклические зависимости не допускаются. @@ -1074,22 +1074,22 @@ then call this command, then choose the desired sketch. CmdSketcherMergeSketches - + Merge sketches Объединить эскизы - + Create a new sketch from merging two or more selected sketches. Создать новый эскиз из слияния двух или более выбранных эскизов. - + Wrong selection Неправильный выбор - + Select at least two sketches. Выберите как минимум два эскиза. @@ -1097,12 +1097,12 @@ then call this command, then choose the desired sketch. CmdSketcherMirrorSketch - + Mirror sketch Отразить эскиз зеркально - + Creates a new mirrored sketch for each selected sketch by using the X or Y axes, or the origin point, as mirroring reference. @@ -1111,12 +1111,12 @@ as mirroring reference. как точку отсчета зеркального отображения. - + Wrong selection Неправильное выделение - + Select one or more sketches. Выберите один или несколько эскизов. @@ -1370,12 +1370,12 @@ This will clear the 'AttachmentSupport' property, if any. CmdSketcherToggleActiveConstraint - + Activate/deactivate constraint Вкл/выкл ограничение - + Activates or deactivates the selected constraints Вкл/выкл выбранные ограничения @@ -1396,12 +1396,12 @@ This will clear the 'AttachmentSupport' property, if any. CmdSketcherToggleDrivingConstraint - + Toggle driving/reference constraint Переключить ограничения в построительные/основные - + Set the toolbar, or the selected constraints, into driving or reference mode Переключает панель инструментов или преобразует выбранные ограничения, в режим построительной/основной геометрии @@ -1423,23 +1423,23 @@ into driving or reference mode CmdSketcherValidateSketch - + Validate sketch... Проверить эскиз... - + Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. Проверяет эскиз, просматривая отсутствующие совпадения, недействительные ограничения, вырожденную геометрию и т. д. - + Wrong selection Неправильное выделение - + Select only one sketch. Выберите только один эскиз. @@ -1447,12 +1447,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSection - + View section Просмотр сечения - + When in edit mode, switch between section view and full view. В режиме редактирования переключайте между видом секции и полным видом. @@ -1460,12 +1460,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSketch - + View sketch Просмотр эскиза - + When in edit mode, set the camera orientation perpendicular to the sketch plane. В режиме редактирования, установить ориентацию камеры перпендикулярно плоскости эскиза. @@ -1473,69 +1473,69 @@ invalid constraints, degenerated geometry, etc. Command - + Add 'Lock' constraint Добавить 'Блокирующее' ограничение - + Add relative 'Lock' constraint Добавить относительное ограничение 'Блокировка' - + Add fixed constraint Добавить фиксированное ограничение - + Add 'Block' constraint Добавить ограничение 'Блок' - + Add block constraint Добавить ограничение блока - - + + Add coincident constraint Добавить ограничение совпадения - - + + Add distance from horizontal axis constraint Добавить ограничение расстояния от горизонтальной оси - - + + Add distance from vertical axis constraint Добавить ограничение расстояния от вертикальной оси - - + + Add point to point distance constraint Добавить точку к ограничению расстояния до точки - - + + Add point to line Distance constraint Добавить точку к ограничению расстояния до линии - - + + Add circle to circle distance constraint Добавить круг к ограничениям расстояния круга - + Add circle to line distance constraint Добавить круг к ограниченияю линейного расстояния @@ -1544,16 +1544,16 @@ invalid constraints, degenerated geometry, etc. - - - + + + Add length constraint Добавить ограничение длины - + Dimension Размер @@ -1570,7 +1570,7 @@ invalid constraints, degenerated geometry, etc. - + Add Distance constraint Добавить ограничение по расстоянию @@ -1648,7 +1648,7 @@ invalid constraints, degenerated geometry, etc. Добавить ограничение радиуса - + Activate/Deactivate constraints Вкл/выкл ограничение @@ -1664,23 +1664,23 @@ invalid constraints, degenerated geometry, etc. Добавить ограничения концентричность и равенство длины - + Add DistanceX constraint Добавить ограничение расстояния по X - + Add DistanceY constraint Добавить ограничение расстояния по Y - + Add point to circle Distance constraint Добавить точку в Ограничение расстояния круга - - + + Add point on object constraint Добавить точку на ограничение объекта @@ -1691,143 +1691,143 @@ invalid constraints, degenerated geometry, etc. Добавить ограничение длины дуги - - + + Add point to point horizontal distance constraint Добавить точку к ограничению расстояния по горизонтали - + Add fixed x-coordinate constraint Добавить фиксированное ограничение X-координаты - - + + Add point to point vertical distance constraint Добавить точку к ограничению расстояния по вертикали - + Add fixed y-coordinate constraint Добавить фиксированное ограничение Y-координаты - - + + Add parallel constraint Добавить ограничение параллельности - - - - - - - + + + + + + + Add perpendicular constraint Добавить ограничение перпендикулярности - + Add perpendicularity constraint Добавить ограничение перпендикулярности - + Swap coincident+tangency with ptp tangency Поменять совпадение + касание на ptp касание - - - - - - - + + + + + + + Add tangent constraint Добавить касательное ограничение - - - - - - - - - - - - - - + + + + + + + + + + + + + + Add tangent constraint point Добавить точку касательного ограничения - - - - + + + + Add radius constraint Добавить ограничение радиуса - - - - + + + + Add diameter constraint Добавить ограничение диаметра - - - - + + + + Add radiam constraint Добавить ограничение радиуса - - - - + + + + Add angle constraint Добавить ограничение угла - + Swap point on object and tangency with point to curve tangency Поменять местами точку на объекте и касание с точкой на касание кривой - - + + Add equality constraint Добавить ограничение равенства - - - - - + + + + + Add symmetric constraint Добавить ограничение симметричности - + Add Snell's law constraint Добавить ограничение по закону Снеллиуса - + Toggle constraint to driving/reference Переключить ограничения в построительные/основные @@ -1847,22 +1847,22 @@ invalid constraints, degenerated geometry, etc. Переориентировать эскиз - + Attach sketch Прикрепить эскиз - + Detach sketch Открепить эскиз - + Create a mirrored sketch for each selected sketch Создать зеркальный эскиз для каждого выбранного эскиза - + Merge sketches Объединить эскизы @@ -2036,7 +2036,7 @@ invalid constraints, degenerated geometry, etc. Обновить ограничения виртуального пространства - + Add auto constraints Добавить автоматические ограничения @@ -2144,59 +2144,59 @@ invalid constraints, degenerated geometry, etc. Exceptions - + Unable to guess intersection of curves. Try adding a coincident constraint between the vertices of the curves you are intending to fillet. Не удалось рассчитать пересечение кривых. Попробуйте добавить ограничение совпадения между вершинами кривых, которые вы намерены скруглить. - + You are requesting no change in knot multiplicity. Вы не запрашиваете никаких изменений в множественности узлов. - - + + B-spline Geometry Index (GeoID) is out of bounds. Индекс геометрии B-сплайна (GeoID) выходит за пределы допустимого диапазона. - - + + The Geometry Index (GeoId) provided is not a B-spline. Предоставленный индекс геометрии (GeoId) не является B-сплайном. - + The knot index is out of bounds. Note that in accordance with OCC notation, the first knot has index 1 and not zero. Индекс узла выходит за границы. Обратите внимание, что в соответствии с нотацией OCC первый узел имеет индекс 1, а не ноль. - + The multiplicity cannot be increased beyond the degree of the B-spline. Кратность не может быть увеличена сверх степени B-сплайна. - + The multiplicity cannot be decreased beyond zero. Кратность не может быть уменьшена ниже нуля. - + OCC is unable to decrease the multiplicity within the maximum tolerance. OCC неспособен уменьшить кратность в пределах максимального допуска. - + Knot cannot have zero multiplicity. Узел не может иметь нулевой кратности. - + Knot multiplicity cannot be higher than the degree of the B-spline. Кратность узла не может быть выше степени B-сплайна. - + Knot cannot be inserted outside the B-spline parameter range. Узел не может быть вставлен за пределами диапазона параметров B-сплайна. @@ -2306,7 +2306,7 @@ invalid constraints, degenerated geometry, etc. - + Don't attach Не присоединять @@ -2328,123 +2328,123 @@ invalid constraints, degenerated geometry, etc. - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + - - - - - - + + + + + + + + @@ -2510,116 +2510,116 @@ invalid constraints, degenerated geometry, etc. Один из выбранных должен находиться на эскизе. - + Select an edge from the sketch. Выбирите ребро в эскизе. - - - - - - + + + + + + Impossible constraint Ограничение невозможно - - + + The selected edge is not a line segment. Выбранное ребро не является сегментом линии. - - - + + + Double constraint Избыточное ограничение - + The selected edge already has a horizontal constraint! Выбранная линия уже имеет ограничение горизонтальности! - + The selected edge already has a vertical constraint! Выбранная линия уже имеет ограничение вертикальности! - - - + + + The selected edge already has a Block constraint! Выбранная линия уже имеет Блочное ограничение! - + There are more than one fixed points selected. Select a maximum of one fixed point! Выбрано несколько фиксированных точек. Выберите максимум одну фиксированную точку! - - - + + + Select vertices from the sketch. Выберите вершины из эскиза. - + Select one vertex from the sketch other than the origin. Выберите одну вершину из эскиза, кроме начальной. - + Select only vertices from the sketch. The last selected vertex may be the origin. Выберите только вершины из эскиза. Последняя выбранная вершина может быть начальной. - + Wrong solver status Неправильный статус решателя - + A Block constraint cannot be added if the sketch is unsolved or there are redundant and conflicting constraints. Блокирующее ограничение не может быть добавлено, если эскиз не решаем или имеются избыточные или конфликтующие ограничения. - + Select one edge from the sketch. Выберите одну линию из эскиза. - + Select only edges from the sketch. Выберите линии из эскиза. - + None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. Ни одна из выбранных точек не была ограничена соответствующими кривыми, поскольку они являются частью одного и того же элемента, обе представляют собой внешнюю геометрию или край не подходит. - + Only tangent-via-point is supported with a B-spline. Поддерживается только точка касательная с B-сплайном. - - + + Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. Выберите либо только один или несколько полюсов B-сплайна, либо только одну или несколько дуг или окружностей из эскиза, но не смешанные. - + Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. Constraint_SnellsLaw Выберите две конечные точки линий, которые будут выступать в качестве лучей, и ребро, представляющее границу. Первая выбранная точка соответствует индексу n1, вторая — n2, а значение задает отношение n2/n1. - + Number of selected objects is not 3 Количество выбранных объектов не 3 @@ -2636,80 +2636,80 @@ invalid constraints, degenerated geometry, etc. Неожиданная ошибка. Дополнительные сведения могут быть доступны в представлении отчета. - + The selected item(s) can't accept a horizontal or vertical constraint! Выбранные элементы не могут принимать горизонтальное или вертикальное ограничение! - + Endpoint to endpoint tangency was applied instead. Вместо конечной точки применена касательная. - + Select two or more vertices from the sketch for a coincident constraint, or two or more circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Выберите две или более вершины из эскиза для ограничения совпадения, или два или более кругов, эллипсов, дуг или дуг эллипса для концентрационного ограничения. - + Select two vertices from the sketch for a coincident constraint, or two circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Выберите две вершины из эскиза для ограничения совпадения, или два круга, эллипса, дуги или дуги эллипса для ограничения концентрации. - + Select exactly one line or one point and one line or two points from the sketch. Выделите либо один отрезок, либо точку и отрезок, либо две точки. - + Cannot add a length constraint on an axis! Нельзя наложить ограничение длины на ось! - - + + Select exactly one line or one point and one line or two points or two circles from the sketch. Выделить ровно одну линию или одну точку и одну линию или две точки или два круга из эскиза. - + This constraint does not make sense for non-linear curves. Это ограничение не имеет смысла для нелинейных кривых. - + Endpoint to edge tangency was applied instead. Вместо этого было применено касание конечной точки к краю. - - - - - - + + + + + + Select the right things from the sketch. Выберите нужные объекты из эскиза. - - - - - - - - - + + + + + + + + - - - - - - - - + + + + + + + + + Select an edge that is not a B-spline weight. Выберите край, который не является B-сплайном. @@ -2719,87 +2719,87 @@ invalid constraints, degenerated geometry, etc. Одна или две точки ограничения объекта были удалены, поскольку последнее ограничение, применяемое внутри, также применяется к точке на объекте. - + Select either several points, or several conics for concentricity. Выберите либо несколько точек, либо несколько окружностей для концентричности. - + Select either one point and several curves, or one curve and several points Выберите либо одну точку и несколько кривых, либо одну кривую и несколько точек - + Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. Выберите либо одну точку и несколько кривых, либо одну кривую и несколько точек для точкиНаОбъекте, либо несколько точек для совпадения, либо несколько окружностей для концентричности. - + None of the selected points were constrained onto the respective curves, either because they are parts of the same element, or because they are both external geometry. Ни одна из выбранных точек не была ограничена соответствующими кривыми либо потому, что они являются частями одного и того же элемента, либо потому, что они являются внешней геометрией. - + Cannot add a length constraint on this selection! Невозможно добавить ограничение длины для этого выделения! - - - - + + + + Select exactly one line or up to two points from the sketch. Выберите один отрезок или две точки эскиза. - + Cannot add a horizontal length constraint on an axis! Нельзя наложить ограничение длины на ось! - + Cannot add a fixed x-coordinate constraint on the origin point! Невозможно ограничить X-координату точки начала координат! - - + + This constraint only makes sense on a line segment or a pair of points. Это ограничение имеет смысл только для сегмента линии или пары точек. - + Cannot add a vertical length constraint on an axis! Нельзя наложить ограничение длины на ось! - + Cannot add a fixed y-coordinate constraint on the origin point! Невозможно ограничить Y-координату точки начала координат! - + Select two or more lines from the sketch. Выберите два или более отрезков эскиза. - + One selected edge is not a valid line. Одно выбранное ребро не является допустимой линией. - - + + Select at least two lines from the sketch. Нужно выделить как минимум две линии. - + The selected edge is not a valid line. Выделенное ребро некорректно. - + There is a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2809,35 +2809,35 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Допустимы следующие комбинации: две кривые; концевая точка и кривая; две концевых точки; две кривых и точка. - + Select some geometry from the sketch. perpendicular constraint Выделите геометрические элементы на эскизе. - - + + Cannot add a perpendicularity constraint at an unconnected point! Не удаётся наложить ограничение перпендикулярности на точку, так как выделенная точка не является концом кривой. - - + + One of the selected edges should be a line. Один из выбранных элементов должен быть линией. - + Endpoint to endpoint tangency was applied. The coincident constraint was deleted. Применена касательность конечной точки к конечной точке. Ограничение совпадения было удалено. - + Endpoint to edge tangency was applied. The point on object constraint was deleted. Было применено касание конечной точки к краю. Точка ограничения объекта удалена. - + There are a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2845,61 +2845,61 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Существует несколько способов применения этого ограничения. Допустимые комбинации: две кривые; конечная точка и кривая; две конечные точки; две кривые и точка. - + Select some geometry from the sketch. tangent constraint Выделите геометрические элементы на эскизе. - - - + + + Cannot add a tangency constraint at an unconnected point! Не удаётся наложить ограничение касательности на точку, так как выделенная точка не является концом кривой. - - + + Tangent constraint at B-spline knot is only supported with lines! Зависимость касательной в узле B-сплайн поддерживается только линиями! - + B-spline knot to endpoint tangency was applied instead. Вместо этого был применен узел B-сплайна к касанию конечной точки. - - + + Wrong number of selected objects! Неправильное количество выбранных объектов! - - + + With 3 objects, there must be 2 curves and 1 point. С 3 объектами должно быть 2 кривых и 1 точка. - - - - - - + + + + + + Select one or more arcs or circles from the sketch. Сначала выделите одну или несколько окружностей или дуг окружности из эскиза. - - - + + + Constraint only applies to arcs or circles. Ограничение применимо только к дугам или окружностям. - - + + Select one or two lines from the sketch. Or select two edges and a point. Нужно выделить одну линию, или две линии, или две кривые и точку. @@ -2914,87 +2914,87 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Задать ограничение угла между параллельными линиями невозможно. - + Cannot add an angle constraint on an axis! Наложить ограничение угла на ось невозможно! - + Select two edges from the sketch. Выберите два ребра в эскизе. - + Select two or more compatible edges. Выберите совместимые рёбра, два или более. - + Sketch axes cannot be used in equality constraints. Оси эскиза нельзя использовать в ограничениях равенства. - + Equality for B-spline edge currently unsupported. Равенство для края B-сплайна в настоящее время не поддерживается. - - - + + + Select two or more edges of similar type. Выберите рёбра аналогичного типа, два или более. - - - - - + + + + + Select two points and a symmetry line, two points and a symmetry point or a line and a symmetry point from the sketch. Выделите две точки и линию симметрии, либо две точки и точку симметрии, либо линию и точку симметрии. - - + + Cannot add a symmetry constraint between a line and its end points. Невозможно добавить ограничение симметрии между линией и её конечными точками. - - - - + + + + Cannot add a symmetry constraint between a line and its end points! Не удается добавить ограничение симметрии, так как обе точки являются концами линии, задающей ось симметрии. - + Selected objects are not just geometry from one sketch. Выбранные объекты не являются только геометрией из одного эскиза. - + Cannot create constraint with external geometry only. Невозможно создать ограничение с использованием только внешней геометрии. - + Incompatible geometry is selected. Выбрана несовместимая геометрия. - + Select one dimensional constraint from the sketch. Выберите одно мерное ограничение на эскизе. - - - - - + + + + + Select constraints from the sketch. Выделить ограничения в эскизе. @@ -3535,12 +3535,12 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Длина: - + Refractive index ratio Отношение показателей преломления - + Ratio n2/n1: Отношение n2/n1: @@ -5186,8 +5186,8 @@ This is done by analyzing the sketch geometries and constraints. Sketcher_ConstrainDiameter - - + + Fix the diameter of a circle or an arc Задать диаметр окружности или дуги @@ -5339,64 +5339,74 @@ This is done by analyzing the sketch geometries and constraints. Sketcher_MapSketch - + No sketch found Эскиз не найден - + + Cannot attach sketch to itself! + Cannot attach sketch to itself! + + + The document doesn't have a sketch В документе отсутствует эскиз - + Select sketch Выберите эскиз - + + Select a sketch (some sketches not shown to prevent a circular dependency) + Select a sketch (some sketches not shown to prevent a circular dependency) + + + Select a sketch from the list Выберите эскиз из списка - + (incompatible with selection) (несовместимо с выбором) - + (current) (текущий) - + (suggested) (предложенный) - + Sketch attachment Вложенный эскиз - + Current attachment mode is incompatible with the new selection. Select the method to attach this sketch to selected objects. Текущий режим вложения несовместим с новым выбором. Выберите метод присоединения этого эскиза к выбранным объектам. - + Select the method to attach this sketch to selected objects. Выберите способ прикрепления эскиза к выбранному объекту. - + Map sketch Карта эскиза - + Can't map a sketch to support: %1 Не поддерживаемая карта эскиза: %1 @@ -5925,22 +5935,22 @@ The grid spacing change if it becomes smaller than this number of pixel. GridSpaceAction - + Grid auto spacing Автоматический шаг сетки - + Resize grid automatically depending on zoom. Автоматическое изменение размера сетки в зависимости от масштаба. - + Spacing Интервал - + Distance between two subsequent grid lines. Расстояние между соседними линиями сетки. @@ -5948,17 +5958,17 @@ The grid spacing change if it becomes smaller than this number of pixel. Notifications - + The Sketch has malformed constraints! В эскизе неправильно сформированы ограничения! - + The Sketch has partially redundant constraints! Sketch имеет частично избыточные ограничения! - + Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! Параболы были перенесены. Перемещенные файлы не будут открыты в предыдущих версиях FreeCAD!! @@ -6037,8 +6047,8 @@ The grid spacing change if it becomes smaller than this number of pixel. - - + + Invalid Constraint Недопустимое ограничение @@ -6245,34 +6255,34 @@ The grid spacing change if it becomes smaller than this number of pixel. SnapSpaceAction - + Snap to objects Привязка к объектам - + New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. Новые точки привязываются к заранее выбранному объекту, а также привязываются к середине линий и дуг. - + Snap to grid Привязать к сетке - + New points will snap to the nearest grid line. Points must be set closer than a fifth of the grid spacing to a grid line to snap. Новые точки будут привязаны к ближайшей линии сетки. Точки должны быть установлены ближе, чем пятая часть шага сетки к линии сетки для привязки. - + Snap angle Угол привязки - + Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. Угловой шаг для инструментов, использующих "Угловую привязку" (например, линия). Удерживайте CTRL, чтобы включить функцию "Угловая привязка". Угол осчитывается от положительного направлекния оси X эскиза. @@ -6280,23 +6290,23 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna RenderingOrderAction - - - + + + Normal Geometry Основная геометрия - - - + + + Construction Geometry Вспомогательная геометрия - - - + + + External Geometry Внешняя геометрия @@ -6304,12 +6314,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdRenderingOrder - + Configure rendering order Настройка порядка прорисовки - + Reorder the items in the list to configure rendering order. Измените порядок элементов в списке, чтобы настроить порядок рендеринга. @@ -6317,12 +6327,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherGrid - + Toggle grid Переключить сетку - + Toggle the grid in the sketch. In the menu you can change grid settings. Переключение сетки в эскизе. В меню можно изменить настройки сетки. @@ -6330,12 +6340,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherSnap - + Toggle snap Переключить привязку - + Toggle all snap functionality. In the menu you can toggle 'Snap to grid' and 'Snap to objects' individually, and change further snap settings. Включить/выключить привязку. В меню можно выбрать "Привязку к сетке" и "Привязку к объектам" по отдельности, а также изменить другие настройки привязки. @@ -6369,12 +6379,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherDimension - + Dimension Размер - + Constrain contextually based on your selection. Depending on your selection you might have several constraints available. You can cycle through them using M key. Left clicking on empty space will validate the current constraint. Right clicking or pressing Esc will cancel. @@ -6412,12 +6422,12 @@ Left clicking on empty space will validate the current constraint. Right clickin CmdSketcherConstrainRadius - + Constrain radius Ограничение радиуса - + Fix the radius of a circle or an arc Зафиксировать радиус окружности или дуги @@ -6552,12 +6562,12 @@ Left clicking on empty space will validate the current constraint. Right clickin Удалить оригинальные геометрии (U) - + Apply equal constraints Применить ограничения равности - + If this option is selected dimensional constraints are excluded from the operation. Instead equal constraints are applied between the original objects and their copies. Если выбран этот параметр, размерные ограничения исключаются из операции. Вместо этого между исходными объектами и их копиями применяются равные ограничения. @@ -6628,12 +6638,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherCompHorizontalVertical - + Constrain horizontal/vertical Ограничить горизонтальность/вертикальность - + Constrains a single line to either horizontal or vertical. Ограничивает одну линию горизонтальной или вертикальной. @@ -6641,12 +6651,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainHorVer - + Constrain horizontal/vertical Ограничить горизонтальность/вертикальность - + Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. Ограничивает одну линию горизонталью или вертикалью, в зависимости от того, что ближе к текущему выравниванию. @@ -6693,12 +6703,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainCoincidentUnified - + Constrain coincident Ограничение наложения точек - + Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses Создайте зависимость совпадения между точками или зафиксируйте точку на ребре, или зависимость концентричности между кругами, дугами и эллипсами @@ -6984,7 +6994,7 @@ Instead equal constraints are applied between the original objects and their cop TaskSketcherTool_p4_rotate - + Copies (+'U'/ -'J') Копии (+U'/ -'J') @@ -7232,12 +7242,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainTangent - + Constrain tangent or collinear Ограничить касательную или коллинеарность - + Create a tangent or collinear constraint between two entities Создание касательной или коллинеарной зависимости между двумя объектами @@ -7245,12 +7255,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherChangeDimensionConstraint - + Change value Изменить значение - + Change the value of a dimensional constraint Изменение значения размерного ограничения @@ -7316,8 +7326,8 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadius - - + + Fix the radius of an arc or a circle Исправить радиус дуги или круга @@ -7325,8 +7335,8 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadiam - - + + Fix the radius/diameter of an arc or a circle Исправьте радиус/диаметр дуги или круга diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_sl.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_sl.ts index 614bc791f927..fc55bb3e5e68 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_sl.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_sl.ts @@ -128,27 +128,27 @@ CmdSketcherCompConstrainRadDia - + Constrain arc or circle Omeji krožni lok ali krožnico - + Constrain an arc or a circle Omeji krožni lok ali krožnico - + Constrain radius Omeji polmer - + Constrain diameter Omeji premer - + Constrain auto radius/diameter Samodejno omeji polmer/premer @@ -307,12 +307,12 @@ CmdSketcherConstrainAngle - + Constrain angle Kotno omejilo - + Fix the angle of a line or the angle between two lines Določi kót daljice ali kót med dvema daljicama @@ -320,12 +320,12 @@ CmdSketcherConstrainBlock - + Constrain block Omeji zbir - + Block the selected edge from moving Prepreči premikanje izbranega robu @@ -333,12 +333,12 @@ CmdSketcherConstrainCoincident - + Constrain coincident Omeji sovpadanje - + Create a coincident constraint between points, or a concentric constraint between circles, arcs, and ellipses Ustvari sovpadno omejilo za točke ali sosrediščno omejilo za kroge, loke in elipse @@ -346,12 +346,12 @@ CmdSketcherConstrainDiameter - + Constrain diameter Omeji premer - + Fix the diameter of a circle or an arc Določi premer krožnice ali krožnega loka @@ -359,12 +359,12 @@ CmdSketcherConstrainDistance - + Constrain distance Omeji razdaljo - + Fix a length of a line or the distance between a line and a vertex or between two circles Določi dolžino daljice ali razdaljo med daljico in ogliščem oz. med dvema krogoma @@ -372,12 +372,12 @@ CmdSketcherConstrainDistanceX - + Constrain horizontal distance Omeji vodoravno razdaljo - + Fix the horizontal distance between two points or line ends Določi vodoravno razdaljo med dvema točkama ali krajiščema @@ -385,12 +385,12 @@ CmdSketcherConstrainDistanceY - + Constrain vertical distance Omeji navpično razdaljo - + Fix the vertical distance between two points or line ends Določi navpično razdaljo med dvema točkama ali krajiščema @@ -398,12 +398,12 @@ CmdSketcherConstrainEqual - + Constrain equal Omeji na enakost - + Create an equality constraint between two lines or between circles and arcs Ustvari enakostno omejilo med dvema črtama ali med krogi in loki @@ -411,12 +411,12 @@ CmdSketcherConstrainHorizontal - + Constrain horizontal Constrain horizontal - + Create a horizontal constraint on the selected item Ustvari vodoravno omejilo na izbranem predmetu @@ -424,12 +424,12 @@ CmdSketcherConstrainLock - + Constrain lock Zaklenjeno omejilo - + Create both a horizontal and a vertical distance constraint on the selected vertex Ustvari omejilo navpične in vodoravne oddaljenosti izbranega oglišča @@ -438,12 +438,12 @@ on the selected vertex CmdSketcherConstrainParallel - + Constrain parallel Omeji z vzporednostjo - + Create a parallel constraint between two lines Ustvari omejilo vzporednosti med dvema črtama @@ -451,12 +451,12 @@ on the selected vertex CmdSketcherConstrainPerpendicular - + Constrain perpendicular Omeji s pravokotnostjo - + Create a perpendicular constraint between two lines Ustvari pravokotno omejilo med dvema črtama @@ -464,12 +464,12 @@ on the selected vertex CmdSketcherConstrainPointOnObject - + Constrain point on object Constrain point on object - + Fix a point onto an object Pritrdi točko na predmet @@ -477,12 +477,12 @@ on the selected vertex CmdSketcherConstrainRadiam - + Constrain auto radius/diameter Samodejno omeji polmer/premer - + Fix the diameter if a circle is chosen, or the radius if an arc/spline pole is chosen Zakleni premer, če izbran krog, oz. polmer, če je izbran lok/tečaj zlepka @@ -490,12 +490,12 @@ on the selected vertex CmdSketcherConstrainSnellsLaw - + Constrain refraction (Snell's law) Lomno omejilo (lomni zakon) - + Create a refraction law (Snell's law)constraint between two endpoints of rays and an edge as an interface. Ustvari omejitev lomnega zakona med dvema končnima točkama žarkov @@ -505,12 +505,12 @@ in robom, ki predstavlja mejo. CmdSketcherConstrainSymmetric - + Constrain symmetric Constrain symmetric - + Create a symmetry constraint between two points with respect to a line or a third point Ustvari omejitev somernosti med dvema točkama @@ -520,12 +520,12 @@ glede na črto ali tretjo točko CmdSketcherConstrainVertical - + Constrain vertical Constrain vertical - + Create a vertical constraint on the selected item Ustvari navpičnostno omejilo na izbranem predmetu @@ -1067,7 +1067,7 @@ First select the supporting geometry, for example, a face or an edge of a solid then call this command, then choose the desired sketch. - + Some of the selected objects depend on the sketch to be mapped. Circular dependencies are not allowed. Nekateri izbrani predmeti so odvisni od odslikave očrta. Krožne odvisnosti niso dopustne. @@ -1075,22 +1075,22 @@ then call this command, then choose the desired sketch. CmdSketcherMergeSketches - + Merge sketches Združi očrte - + Create a new sketch from merging two or more selected sketches. Z združevanjem dveh ali več izbranih očrtov ustvari nov očrt. - + Wrong selection Napačna izbira - + Select at least two sketches. Izberite najmanj dva očrta. @@ -1098,12 +1098,12 @@ then call this command, then choose the desired sketch. CmdSketcherMirrorSketch - + Mirror sketch Zrcali očrt - + Creates a new mirrored sketch for each selected sketch by using the X or Y axes, or the origin point, as mirroring reference. @@ -1112,12 +1112,12 @@ by using the X or Y axes, or the origin point, as mirroring reference. - + Wrong selection Napačna izbira - + Select one or more sketches. Izberite enega ali več očrtov. @@ -1371,12 +1371,12 @@ This will clear the 'AttachmentSupport' property, if any. CmdSketcherToggleActiveConstraint - + Activate/deactivate constraint Omogoči/onemogoči omejilo - + Activates or deactivates the selected constraints Omogoči ali onemogoči izbrana omejila @@ -1397,12 +1397,12 @@ This will clear the 'AttachmentSupport' property, if any. CmdSketcherToggleDrivingConstraint - + Toggle driving/reference constraint Preklopi med gonilnim in sklicnim omejilom - + Set the toolbar, or the selected constraints, into driving or reference mode Nastavi orodno vrstico ali mejilo @@ -1425,24 +1425,24 @@ na gnani oz. sklicni način CmdSketcherValidateSketch - + Validate sketch... Preveri veljavnost očrta ... - + Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. - + Wrong selection Napačna izbira - + Select only one sketch. Izberite le en očrt. @@ -1450,12 +1450,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSection - + View section Pogled prereza - + When in edit mode, switch between section view and full view. V urejevalnem načinu preklopi med pogledom odseka in celotnim pogledom. @@ -1463,12 +1463,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSketch - + View sketch Pokaži očrt - + When in edit mode, set the camera orientation perpendicular to the sketch plane. V urejevalnem načinu nastavi kamero tako, da je usmerjena pravokotno na očrtno ravnino. @@ -1476,69 +1476,69 @@ invalid constraints, degenerated geometry, etc. Command - + Add 'Lock' constraint Dodaj zaklepno omejilo - + Add relative 'Lock' constraint Dodaj odnosno zaklepno omejilo - + Add fixed constraint Dodaj pritrditveno omejilo - + Add 'Block' constraint Dodaj zbirno omejilo - + Add block constraint Dodaj zbirno omejilo - - + + Add coincident constraint Dodaj omejilo sovpadanja - - + + Add distance from horizontal axis constraint Dodaj omejilo oddaljenosti od vodoravne osi - - + + Add distance from vertical axis constraint Dodaj omejilo oddaljenosti od navpične osi - - + + Add point to point distance constraint Dodaj omejilo razdalje med točkama - - + + Add point to line Distance constraint Dodaj omejilo razdalje med točko in daljico - - + + Add circle to circle distance constraint Dodaj omejilo razdalje med krogoma - + Add circle to line distance constraint Dodaj omejilo razdalje med krogom in črto @@ -1547,16 +1547,16 @@ invalid constraints, degenerated geometry, etc. - - - + + + Add length constraint Dodaj dolžinsko omejilo - + Dimension Mera @@ -1573,7 +1573,7 @@ invalid constraints, degenerated geometry, etc. - + Add Distance constraint Dodaj omejilo razdalje @@ -1651,7 +1651,7 @@ invalid constraints, degenerated geometry, etc. Dodaj polmerno omejilo - + Activate/Deactivate constraints Activate/Deactivate constraints @@ -1667,23 +1667,23 @@ invalid constraints, degenerated geometry, etc. Dodaj sosrediščno in dolžinsko omejilo - + Add DistanceX constraint Dodaj omejilo razdalje po X-u - + Add DistanceY constraint Dodaj omejilo razdalje po Y-u - + Add point to circle Distance constraint Dodaj omejilo razdalje med točko in krožnico - - + + Add point on object constraint Dodaj točko predmetnemu omejilu @@ -1694,143 +1694,143 @@ invalid constraints, degenerated geometry, etc. Add arc length constraint - - + + Add point to point horizontal distance constraint Dodaj omejilo vodoravne razdalje med točkama - + Add fixed x-coordinate constraint Dodaj omejilo nespremelnjive sorednice x - - + + Add point to point vertical distance constraint Dodaj omejilo navpične razdalje med točkama - + Add fixed y-coordinate constraint Dodaj omejilo nespremelnjive sorednice y - - + + Add parallel constraint Dodaj vzporednostno omejilo - - - - - - - + + + + + + + Add perpendicular constraint Dodaj pravokotnostno omejilo - + Add perpendicularity constraint Dodaj pravokotnostno omejilo - + Swap coincident+tangency with ptp tangency Zamenjaj sovpadanje + dotikalnost z dotikalnostjo vzporednice skozi točko - - - - - - - + + + + + + + Add tangent constraint Dodaj dotikalnostno omejilo - - - - - - - - - - - - - - + + + + + + + + + + + + + + Add tangent constraint point Dodaj točko dotikalnega omejila - - - - + + + + Add radius constraint Dodaj polmerno omejilo - - - - + + + + Add diameter constraint Dodaj premerno omejilo - - - - + + + + Add radiam constraint Dodaj polmer-premerno omejilo - - - - + + + + Add angle constraint Dodaj kotno omejilo - + Swap point on object and tangency with point to curve tangency Swap point on object and tangency with point to curve tangency - - + + Add equality constraint Dodaj enakostno omejilo - - - - - + + + + + Add symmetric constraint Dodaj somernostno omejilo - + Add Snell's law constraint Dodaj lomno omejilo - + Toggle constraint to driving/reference Preklapi med gonilnostjo/gnanostjo omejila @@ -1850,22 +1850,22 @@ invalid constraints, degenerated geometry, etc. Preusmeri očrt - + Attach sketch Pripni očrt - + Detach sketch Odpni očrt - + Create a mirrored sketch for each selected sketch Vsakemu izbranemu očrtu naredi zrcalni očrt - + Merge sketches Združi očrte @@ -2039,7 +2039,7 @@ invalid constraints, degenerated geometry, etc. Posodobi navidezni prostor omejila - + Add auto constraints Dodaj samodejna omejila @@ -2147,59 +2147,59 @@ invalid constraints, degenerated geometry, etc. Exceptions - + Unable to guess intersection of curves. Try adding a coincident constraint between the vertices of the curves you are intending to fillet. Ni mogoče uganiti presečišča krivulj. Poskusite dodati omejilo sovpadanja med vozlišči krivulj, ki jih nameravate zaokrožiti. - + You are requesting no change in knot multiplicity. Ne zahtevate spremembe večkratnosti vozla. - - + + B-spline Geometry Index (GeoID) is out of bounds. B-spline Geometry Index (GeoID) is out of bounds. - - + + The Geometry Index (GeoId) provided is not a B-spline. The Geometry Index (GeoId) provided is not a B-spline. - + The knot index is out of bounds. Note that in accordance with OCC notation, the first knot has index 1 and not zero. Oznaka vozla je izven meja. Upoštevajte, da ima v skladu z OCC zapisom prvi vozel oznako 1 in ne nič. - + The multiplicity cannot be increased beyond the degree of the B-spline. Večkratnost ne more biti povečana preko stopnje B-zlepka. - + The multiplicity cannot be decreased beyond zero. Večkratnost ne more biti zmanjšana pod ničlo. - + OCC is unable to decrease the multiplicity within the maximum tolerance. OCC ne more zmanjšati večkratnost znotraj največjega dopustnega odstopanja. - + Knot cannot have zero multiplicity. Večkratnost vozla ne more biti nič. - + Knot multiplicity cannot be higher than the degree of the B-spline. Knot multiplicity cannot be higher than the degree of the B-spline. - + Knot cannot be inserted outside the B-spline parameter range. Knot cannot be inserted outside the B-spline parameter range. @@ -2309,7 +2309,7 @@ invalid constraints, degenerated geometry, etc. - + Don't attach Ne pripnite @@ -2331,123 +2331,123 @@ invalid constraints, degenerated geometry, etc. - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + - - - - - - + + + + + + + + @@ -2513,116 +2513,116 @@ invalid constraints, degenerated geometry, etc. Eden izmed izbranih mora biti v očrtu. - + Select an edge from the sketch. Izberite rob z očrta. - - - - - - + + + + + + Impossible constraint Nemogočo omejilo - - + + The selected edge is not a line segment. Izbrani rob ni črtni odsek. - - - + + + Double constraint Dvojna omejitev - + The selected edge already has a horizontal constraint! Izbran rob je že omejen na vodoravnost! - + The selected edge already has a vertical constraint! Izbran rob je že omejen na navpičnost! - - - + + + The selected edge already has a Block constraint! Izbran rob je že zbirno omejen! - + There are more than one fixed points selected. Select a maximum of one fixed point! Izbrana je več kot ena nepremična točka. Izberite največ eno nepremično točko! - - - + + + Select vertices from the sketch. Izberite oglišča z očrta. - + Select one vertex from the sketch other than the origin. Izberite oglišče z očrta, ki ni izhodišče. - + Select only vertices from the sketch. The last selected vertex may be the origin. Izberite le oglišča z očrta. Zadnje izbrano oglišče je lahko izhodišče. - + Wrong solver status Napačen stanje reševalnika - + A Block constraint cannot be added if the sketch is unsolved or there are redundant and conflicting constraints. Zbirnega omejila ni mogoče dodati, če očrt ni rešen ali ima čezmerna in nasprotujoča si omejila. - + Select one edge from the sketch. Izberite en rob na očrtu. - + Select only edges from the sketch. Izberite le robove z očrta. - + None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. - + Only tangent-via-point is supported with a B-spline. Only tangent-via-point is supported with a B-spline. - - + + Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. - + Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. Constraint_SnellsLaw Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. - + Number of selected objects is not 3 Niso izbrani 3 predmeti @@ -2639,80 +2639,80 @@ invalid constraints, degenerated geometry, etc. Nepričakovana napaka. Več lahko najdete v poročevalnem pogledu. - + The selected item(s) can't accept a horizontal or vertical constraint! The selected item(s) can't accept a horizontal or vertical constraint! - + Endpoint to endpoint tangency was applied instead. Namesto tega je bila uporabljena tangentnost med končnima točkama. - + Select two or more vertices from the sketch for a coincident constraint, or two or more circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Izberite dve ali več oglišč na očrtu za sovpadno omejilo ali dva kroga, loka, eliptična loka ali dve elipsi za sosrediščno omejilo. - + Select two vertices from the sketch for a coincident constraint, or two circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Izberite na očrtu dve oglišči za sovpadno omejilo ali dva kroga, loka, eliptična loka ali dve elipsi za sosrediščno omejilo. - + Select exactly one line or one point and one line or two points from the sketch. Izberite natanko eno črto ali točko in eno črto ali dve točki na skici. - + Cannot add a length constraint on an axis! Omejitve dolžine ni mogoče dodati na os! - - + + Select exactly one line or one point and one line or two points or two circles from the sketch. Izberite na očrtu natanko eno črto ali točko in eno črto ali dve točki ali pa dva kroga. - + This constraint does not make sense for non-linear curves. To omejilo ni smiselno za nepreme krivulje. - + Endpoint to edge tangency was applied instead. Namesto tega je bila uporabljena dotikalnost iz krajišča na rob. - - - - - - + + + + + + Select the right things from the sketch. Izberite prave stvari na skici. - - - - - - - - - + + + + + + + + - - - - - - - - + + + + + + + + + Select an edge that is not a B-spline weight. Izberite rob, ki ni utež B-zlepka. @@ -2722,87 +2722,87 @@ invalid constraints, degenerated geometry, etc. One or two point on object constraint(s) was/were deleted, since the latest constraint being applied internally applies point-on-object as well. - + Select either several points, or several conics for concentricity. Select either several points, or several conics for concentricity. - + Select either one point and several curves, or one curve and several points Select either one point and several curves, or one curve and several points - + Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. - + None of the selected points were constrained onto the respective curves, either because they are parts of the same element, or because they are both external geometry. Nobena od izbranih točk ni bila omejena na ustrezno krivuljo, ker ali so del istega elementa ali sta obe zunanji geometriji. - + Cannot add a length constraint on this selection! Cannot add a length constraint on this selection! - - - - + + + + Select exactly one line or up to two points from the sketch. Izberite v očrtu natanko eno daljico ali največ dve točki. - + Cannot add a horizontal length constraint on an axis! Omejitve vodoravne dolžine ni mogoče dodati na os! - + Cannot add a fixed x-coordinate constraint on the origin point! Omejila z nespremenljivo sorednico x ni mogoče dodati na izhodiščno točko! - - + + This constraint only makes sense on a line segment or a pair of points. To omejilo je smiselno le za raven odsek ali par točk. - + Cannot add a vertical length constraint on an axis! Omejitve navpične dolžine ni mogoče dodati na os! - + Cannot add a fixed y-coordinate constraint on the origin point! Omejila z nespremenljivo sorednico y ni mogoče dodati na izhodiščno točko! - + Select two or more lines from the sketch. Izberite v očrtu dve daljici ali več. - + One selected edge is not a valid line. One selected edge is not a valid line. - - + + Select at least two lines from the sketch. Izberite v očrtu vsaj dve daljici. - + The selected edge is not a valid line. Izbrani rob ni veljavna črta. - + There is a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2812,35 +2812,35 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Dovoljene kombinacije: dve krivulji, končna točka in krivulja, dve končni točki, dve krivulji in točka. - + Select some geometry from the sketch. perpendicular constraint Izberite v očrtu neko geometrijo. - - + + Cannot add a perpendicularity constraint at an unconnected point! Pravokotne omejitve ni mogoče dodati na nepovezano točko! - - + + One of the selected edges should be a line. En od izbranih robov mora biti črta. - + Endpoint to endpoint tangency was applied. The coincident constraint was deleted. Uporabljena je bla dotikalnost med krajiščema. Omejilo sovpadanja je bilo izbrisano. - + Endpoint to edge tangency was applied. The point on object constraint was deleted. Uporabljena je bila dotikalnost med krajiščem in robom. Omejitev točke na predmet je bila izbrisana. - + There are a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2850,61 +2850,61 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Dovoljene kombinacije: dve krivulji, končna točka in krivulja, dve končni točki, dve krivulji in točka. - + Select some geometry from the sketch. tangent constraint Izberite v očrtu neko geometrijo. - - - + + + Cannot add a tangency constraint at an unconnected point! Tangentne omejitve ni mogoče dodati na nepovezano točko! - - + + Tangent constraint at B-spline knot is only supported with lines! Dotikalno omejilo v vozlu B-zlepka je podprto le za daljice! - + B-spline knot to endpoint tangency was applied instead. Namesto tega je bila uporabljena dotikalnost vozla B-zlepka na krajišče. - - + + Wrong number of selected objects! Napačno število izbranih objektov! - - + + With 3 objects, there must be 2 curves and 1 point. Pri 3-h objektih morata obstajati 2 krivulji in 1 točka. - - - - - - + + + + + + Select one or more arcs or circles from the sketch. Izberite v očrtu enega ali več lokov oz. krogov. - - - + + + Constraint only applies to arcs or circles. Omejitev velja samo za loke ali krožnice. - - + + Select one or two lines from the sketch. Or select two edges and a point. Izberite v očrtu bodisi eno ali dve daljici, bodisi dva robova in točko. @@ -2919,87 +2919,87 @@ Dovoljene kombinacije: dve krivulji, končna točka in krivulja, dve končni to Kotnega omejila ni mogoče nastaviti za dve vzporedni črti. - + Cannot add an angle constraint on an axis! Kotne omejitve ni mogoče dodati na os! - + Select two edges from the sketch. Izberite v očrtu dva robova. - + Select two or more compatible edges. Izberite dva ali več primernih robov. - + Sketch axes cannot be used in equality constraints. Osi očrta ni mogoče uporabiti z enakostnimi omejili. - + Equality for B-spline edge currently unsupported. Enakost za B-zlepek rob je trenutno nepodprta. - - - + + + Select two or more edges of similar type. Izberite dva ali več robov podobne vrste. - - - - - + + + + + Select two points and a symmetry line, two points and a symmetry point or a line and a symmetry point from the sketch. Izberite dve točki in somernico, dve točki in točko somernosti ali črto in točko somernosti na očrtu. - - + + Cannot add a symmetry constraint between a line and its end points. Somernostnega omejila ni mogoče dati med črto in njenima krajiščema. - - - - + + + + Cannot add a symmetry constraint between a line and its end points! Omejitve somernosti ni mogoče dodati med črto in njenima krajiščema! - + Selected objects are not just geometry from one sketch. Izbrani predmeti niso le geometrija v očrtu. - + Cannot create constraint with external geometry only. Omejila ni mogoče ustvariti le z zunanjimi geometrijami. - + Incompatible geometry is selected. Izbrana je nezdružljiva geometrija. - + Select one dimensional constraint from the sketch. Izberite na očrtu eno omejitev mere. - - - - - + + + + + Select constraints from the sketch. Izberite omejila v očrtu. @@ -3541,12 +3541,12 @@ Zaustavljati, Zapirati (pot), Zastirati (svetlobo, pogled) Dolžina: - + Refractive index ratio Lomni količnik - + Ratio n2/n1: Razmerje n2/n1: @@ -5192,8 +5192,8 @@ Izvede se s pregledom geometrij in omejil očrta. Sketcher_ConstrainDiameter - - + + Fix the diameter of a circle or an arc Določi premer krožnice ali krožnega loka @@ -5345,64 +5345,74 @@ Izvede se s pregledom geometrij in omejil očrta. Sketcher_MapSketch - + No sketch found Ni najdenega očrta - + + Cannot attach sketch to itself! + Cannot attach sketch to itself! + + + The document doesn't have a sketch Dokument ne vsebuje očrta - + Select sketch Izberi očrt - + + Select a sketch (some sketches not shown to prevent a circular dependency) + Select a sketch (some sketches not shown to prevent a circular dependency) + + + Select a sketch from the list Izberite očrt s seznama - + (incompatible with selection) (nezdružljivo z izborom) - + (current) (trenutno) - + (suggested) (predlagano) - + Sketch attachment Pripenjanje očrta - + Current attachment mode is incompatible with the new selection. Select the method to attach this sketch to selected objects. Trenutni način pripenjanja je nezdružljiv z novim izborom. Izberi način pripenjanja tega očrta na izbrane predmete. - + Select the method to attach this sketch to selected objects. Izberi metodo pripenjanja tega očrta na izbrane predmete. - + Map sketch Preslikaj očrt - + Can't map a sketch to support: %1 Ni mogoče preslikati očrta na podporo: @@ -5933,22 +5943,22 @@ Medčrtna razdalja se spremeni, če postane manjša od tega števila slikovnih t GridSpaceAction - + Grid auto spacing Samodejna gostota mreže - + Resize grid automatically depending on zoom. Samodejno prevelikosti mrežo glede na povečavo. - + Spacing Razmik - + Distance between two subsequent grid lines. Razdalja med zaporednima mrežnima črtama. @@ -5956,17 +5966,17 @@ Medčrtna razdalja se spremeni, če postane manjša od tega števila slikovnih t Notifications - + The Sketch has malformed constraints! Očrt vsebuje narobe oblikovana omejila! - + The Sketch has partially redundant constraints! Očrt vsebuje deloma čezmerna omejila! - + Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! Parabole so bile preseljene. Preseljenih datotek ne bo mogoče odpreti v prejšnjih FreeCADih! @@ -6045,8 +6055,8 @@ Medčrtna razdalja se spremeni, če postane manjša od tega števila slikovnih t - - + + Invalid Constraint Neveljavno omejilo @@ -6253,34 +6263,34 @@ Medčrtna razdalja se spremeni, če postane manjša od tega števila slikovnih t SnapSpaceAction - + Snap to objects Pripenjanje na predmete - + New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. Nove točke se bodo pripenjale na trenutno predizbrane predmete, prav tako pa na razpolovišče daljic in lokov. - + Snap to grid Pripni na mrežo - + New points will snap to the nearest grid line. Points must be set closer than a fifth of the grid spacing to a grid line to snap. Nove točke se bodo pripenjale na najbližje črte mreže. Da bi se pripele, morajo biti točke oddaljene od črte do eno petino polja mreže. - + Snap angle Pripenjanje na kót - + Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. Kotni korak pri orodjih ki uporabljajo "Pripenjanje na kót" (npr. črte). Za omogočenje "Pripenjanja na kót" držite CTRL. Kót začne na pozitivni osi x očrta. @@ -6288,23 +6298,23 @@ Da bi se pripele, morajo biti točke oddaljene od črte do eno petino polja mre RenderingOrderAction - - - + + + Normal Geometry Osnovna geometrija - - - + + + Construction Geometry Pomožna geometrija - - - + + + External Geometry Zunanja geometrija @@ -6312,12 +6322,12 @@ Da bi se pripele, morajo biti točke oddaljene od črte do eno petino polja mre CmdRenderingOrder - + Configure rendering order Nastavite zaporede izrisovanja - + Reorder the items in the list to configure rendering order. Določite zaporedje izrisovanja s prerazvrstitvijo predmetov v seznamu. @@ -6325,12 +6335,12 @@ Da bi se pripele, morajo biti točke oddaljene od črte do eno petino polja mre CmdSketcherGrid - + Toggle grid Preklopi mrežo - + Toggle the grid in the sketch. In the menu you can change grid settings. Preklopi mrežo v očrtu. V meniju lahko spremenite nastavitve mreže. @@ -6338,12 +6348,12 @@ Da bi se pripele, morajo biti točke oddaljene od črte do eno petino polja mre CmdSketcherSnap - + Toggle snap Preklopi pripenjanje - + Toggle all snap functionality. In the menu you can toggle 'Snap to grid' and 'Snap to objects' individually, and change further snap settings. Preklopi celotno pripenjanje. V meniju lahko posamično preklapljate "Pripenjanje na mrežo" in "Pripenjanje na predmete" in spreminjate še druge nastavitve pripenjanja. @@ -6377,12 +6387,12 @@ Da bi se pripele, morajo biti točke oddaljene od črte do eno petino polja mre CmdSketcherDimension - + Dimension Mera - + Constrain contextually based on your selection. Depending on your selection you might have several constraints available. You can cycle through them using M key. Left clicking on empty space will validate the current constraint. Right clicking or pressing Esc will cancel. @@ -6420,12 +6430,12 @@ Left clicking on empty space will validate the current constraint. Right clickin CmdSketcherConstrainRadius - + Constrain radius Omeji polmer - + Fix the radius of a circle or an arc Določi polmer kroga ali loka @@ -6560,12 +6570,12 @@ Left clicking on empty space will validate the current constraint. Right clickin Delete original geometries (U) - + Apply equal constraints Apply equal constraints - + If this option is selected dimensional constraints are excluded from the operation. Instead equal constraints are applied between the original objects and their copies. If this option is selected dimensional constraints are excluded from the operation. @@ -6637,12 +6647,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherCompHorizontalVertical - + Constrain horizontal/vertical Constrain horizontal/vertical - + Constrains a single line to either horizontal or vertical. Constrains a single line to either horizontal or vertical. @@ -6650,12 +6660,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainHorVer - + Constrain horizontal/vertical Constrain horizontal/vertical - + Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. @@ -6702,12 +6712,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainCoincidentUnified - + Constrain coincident Omeji sovpadanje - + Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses @@ -6993,7 +7003,7 @@ Instead equal constraints are applied between the original objects and their cop TaskSketcherTool_p4_rotate - + Copies (+'U'/ -'J') Copies (+'U'/ -'J') @@ -7241,12 +7251,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainTangent - + Constrain tangent or collinear Constrain tangent or collinear - + Create a tangent or collinear constraint between two entities Create a tangent or collinear constraint between two entities @@ -7254,12 +7264,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherChangeDimensionConstraint - + Change value Spremeni vrednost - + Change the value of a dimensional constraint Spremeni vrednost omejila mere @@ -7325,8 +7335,8 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadius - - + + Fix the radius of an arc or a circle Fix the radius of an arc or a circle @@ -7334,8 +7344,8 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadiam - - + + Fix the radius/diameter of an arc or a circle Fix the radius/diameter of an arc or a circle 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 832038d41768..b6b6a210a788 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_sr-CS.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_sr-CS.ts @@ -128,27 +128,27 @@ CmdSketcherCompConstrainRadDia - + Constrain arc or circle Ograničenje kružnog luka ili kruga - + Constrain an arc or a circle Kotiraj kružni luk ili krug - + Constrain radius Ograničenje poluprečnika - + Constrain diameter Ograničenje prečnika - + Constrain auto radius/diameter Automatsko ograničenje poluprečnika i prečnika @@ -307,12 +307,12 @@ CmdSketcherConstrainAngle - + Constrain angle Ograničenje ugla - + Fix the angle of a line or the angle between two lines Kotiraj ugao duži ili ugao između dve duži @@ -320,12 +320,12 @@ CmdSketcherConstrainBlock - + Constrain block Ograničenje blokiranjem - + Block the selected edge from moving Blokira pomeranje izabrane ivice @@ -333,12 +333,12 @@ CmdSketcherConstrainCoincident - + Constrain coincident Ograničenje podudarnosti - + Create a coincident constraint between points, or a concentric constraint between circles, arcs, and ellipses Napravi ograničenje podudarnosti između tačaka, ili koncentrično ograničenje između krugova, lukova i elipsa @@ -346,12 +346,12 @@ CmdSketcherConstrainDiameter - + Constrain diameter Ograničenje prečnika - + Fix the diameter of a circle or an arc Kotiraj prečnik kruga ili luka @@ -359,12 +359,12 @@ CmdSketcherConstrainDistance - + Constrain distance Ograničenje rastojanja - + Fix a length of a line or the distance between a line and a vertex or between two circles Kotiraj dužinu linije, rastojanje između linije i temena ili rastojanje između dva kruga @@ -372,12 +372,12 @@ CmdSketcherConstrainDistanceX - + Constrain horizontal distance Ograničenje horizontalnog rastojanja - + Fix the horizontal distance between two points or line ends Kotiraj horizontalno rastojanje između dve tačke ili dve krajnje tačke @@ -385,12 +385,12 @@ CmdSketcherConstrainDistanceY - + Constrain vertical distance Ograničenje vertikalnog rastojanja - + Fix the vertical distance between two points or line ends Kotiraj vertikalno rastojanje između dve tačke ili dve krajnje tačke @@ -398,12 +398,12 @@ CmdSketcherConstrainEqual - + Constrain equal Ograničenje jednakosti - + Create an equality constraint between two lines or between circles and arcs Napravi ograničenje jednakosti između dve duži ili između krugova i lukova @@ -411,12 +411,12 @@ CmdSketcherConstrainHorizontal - + Constrain horizontal Ograničenje horizontalnosti - + Create a horizontal constraint on the selected item Napravi ograničenje horizontalnosti na izabranoj stavki @@ -424,12 +424,12 @@ CmdSketcherConstrainLock - + Constrain lock Ograničenje zaključavanjem - + Create both a horizontal and a vertical distance constraint on the selected vertex Napravi ograničenje horizontalnog i vertikalnog rastojanja na izabranom temenu @@ -438,12 +438,12 @@ on the selected vertex CmdSketcherConstrainParallel - + Constrain parallel Ograničenje paralelnosti - + Create a parallel constraint between two lines Napravi ograničenje paralelnosti između dve duži @@ -451,12 +451,12 @@ on the selected vertex CmdSketcherConstrainPerpendicular - + Constrain perpendicular Ograničenje upravnosti - + Create a perpendicular constraint between two lines Napravi ograničenje upravnosti između dva geometrijska elementa @@ -464,12 +464,12 @@ on the selected vertex CmdSketcherConstrainPointOnObject - + Constrain point on object Ograničenje tačka na objektu - + Fix a point onto an object Ograničenje tačke da bude vezana za objekat @@ -477,12 +477,12 @@ on the selected vertex CmdSketcherConstrainRadiam - + Constrain auto radius/diameter Automatsko ograničenje poluprečnika i prečnika - + Fix the diameter if a circle is chosen, or the radius if an arc/spline pole is chosen Kotiraj prečnik ako izabereš krug ili poluprečnik ako izabereš luk ili pol splajna @@ -490,12 +490,12 @@ on the selected vertex CmdSketcherConstrainSnellsLaw - + Constrain refraction (Snell's law) Ograničenje refrakcije (Snellov zakon) - + Create a refraction law (Snell's law)constraint between two endpoints of rays and an edge as an interface. Napravi ograničenje refrakcije (Snellov zakon) između dve krajnje tačke zraka @@ -505,12 +505,12 @@ i neke ivice koja predstavlja granicu. CmdSketcherConstrainSymmetric - + Constrain symmetric Ograničenje simetričnosti - + Create a symmetry constraint between two points with respect to a line or a third point Napravi ograničenje simetričnosti između dve tačke @@ -520,12 +520,12 @@ u odnosu na pravu ili treću tačku CmdSketcherConstrainVertical - + Constrain vertical Ograničenje vertikalnosti - + Create a vertical constraint on the selected item Napravi ograničenje vertikalnosti na izabranoj stavki @@ -813,7 +813,7 @@ u odnosu na pravu ili treću tačku Create a polyline in the sketch. 'M' Key cycles behaviour - Napravi izlomljenu liniju na skici. Tipka 'M' menja ponašanje + Napravi izlomljenu liniju na skici. Taster 'M' menja ponašanje @@ -1067,7 +1067,7 @@ Prvo izaberi na čemu će da leži skica, na primer stranicu ili ivicu punog tel zatim pozovi ovu komandu i izaberi željenu skicu. - + Some of the selected objects depend on the sketch to be mapped. Circular dependencies are not allowed. Neki od izabranih objekata zavise od skice koju treba mapirati. Kružne zavisnosti nisu dozvoljene. @@ -1075,22 +1075,22 @@ zatim pozovi ovu komandu i izaberi željenu skicu. CmdSketcherMergeSketches - + Merge sketches Objedini skice - + Create a new sketch from merging two or more selected sketches. Napravi novu skicu objedinjavanjem dve ili više izabranih skica. - + Wrong selection Pogrešan izbor - + Select at least two sketches. Izaberi najmanje dve skice. @@ -1098,12 +1098,12 @@ zatim pozovi ovu komandu i izaberi željenu skicu. CmdSketcherMirrorSketch - + Mirror sketch Simetrično preslikaj skicu - + Creates a new mirrored sketch for each selected sketch by using the X or Y axes, or the origin point, as mirroring reference. @@ -1111,12 +1111,12 @@ as mirroring reference. u odnosu na koordinatni početak ili ose X i Y. - + Wrong selection Pogrešan izbor - + Select one or more sketches. Izaberi jednu ili više skica. @@ -1370,12 +1370,12 @@ Ovo će obrisati osobinu osnovu ('AttachmentSupport'), ako postoji. CmdSketcherToggleActiveConstraint - + Activate/deactivate constraint Aktiviraj/deaktiviraj ograničenje - + Activates or deactivates the selected constraints Aktivira ili deaktivira izabrana ograničenja @@ -1396,12 +1396,12 @@ Ovo će obrisati osobinu osnovu ('AttachmentSupport'), ako postoji. CmdSketcherToggleDrivingConstraint - + Toggle driving/reference constraint Ograničavajuće/referentne kote - + Set the toolbar, or the selected constraints, into driving or reference mode Podesite paletu sa alatkama ili izabrana ograničenja, @@ -1424,24 +1424,24 @@ u referentni ili režim ograničavanja CmdSketcherValidateSketch - + Validate sketch... Popravi skicu... - + Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. Popravi skicu proveravajući podudarnosti koje nedostaju, nevažeća ograničenja, degenerisanu geometriju, itd. - + Wrong selection Pogrešan izbor - + Select only one sketch. Izaberi samo jednu skicu. @@ -1449,12 +1449,12 @@ nevažeća ograničenja, degenerisanu geometriju, itd. CmdSketcherViewSection - + View section Prikaži zaklonjenu skicu - + When in edit mode, switch between section view and full view. Prikaži/sakrij detalje 3D modela koji se nalaze ispred skice koju uređuješ. @@ -1462,12 +1462,12 @@ nevažeća ograničenja, degenerisanu geometriju, itd. CmdSketcherViewSketch - + View sketch Prikaži skicu - + When in edit mode, set the camera orientation perpendicular to the sketch plane. Kada si u režimu za uređivanje, postavlja orijentaciju kamere normalno na ravan skice. @@ -1475,69 +1475,69 @@ nevažeća ograničenja, degenerisanu geometriju, itd. Command - + Add 'Lock' constraint Dodaj ograničenje zaključavanjem - + Add relative 'Lock' constraint Dodaj relativno ograničenje zaključavanjem - + Add fixed constraint Add fixed constraint - + Add 'Block' constraint Dodaj ograničenje blokiranjem - + Add block constraint Dodaj ograničenje blokiranjem - - + + Add coincident constraint Dodaj ograničenje podudarnosti - - + + Add distance from horizontal axis constraint Dodaj kotu rastojanja od horizontalne ose - - + + Add distance from vertical axis constraint Dodaj kotu rastojanja od vertikalne ose - - + + Add point to point distance constraint Dodaj kotu vertikalnog rastojanja od tačke do tačke - - + + Add point to line Distance constraint Dodaj kotu rastojanja od tačke do linije - - + + Add circle to circle distance constraint Dodaj ograničenje između dva kruga - + Add circle to line distance constraint Dodaj ograničenje rastojanja od kruga do linije @@ -1546,16 +1546,16 @@ nevažeća ograničenja, degenerisanu geometriju, itd. - - - + + + Add length constraint Dodaj ograničenje dužine - + Dimension Kotiranje - Dimenziona ograničenja @@ -1572,7 +1572,7 @@ nevažeća ograničenja, degenerisanu geometriju, itd. - + Add Distance constraint Dodaj ograničenje rastojanja @@ -1650,7 +1650,7 @@ nevažeća ograničenja, degenerisanu geometriju, itd. Dodaj ograničenje poluprečnika - + Activate/Deactivate constraints Aktiviraj/deaktiviraj ograničenja @@ -1666,23 +1666,23 @@ nevažeća ograničenja, degenerisanu geometriju, itd. Dodaj ograničenje koncentričnosti i rastojanja - + Add DistanceX constraint Dodaj ograničenje rastojanje X - + Add DistanceY constraint Dodaj ograničenje rastojanje Y - + Add point to circle Distance constraint Dodaj ograničenje rastojanja od tačke do kružnice - - + + Add point on object constraint Dodaj tačku na ograničenje objekta @@ -1693,143 +1693,143 @@ nevažeća ograničenja, degenerisanu geometriju, itd. Dodaj ograničenje dužine luka - - + + Add point to point horizontal distance constraint Dodaj ograničenje horizontalnog rastojanja od tačke do tačke - + Add fixed x-coordinate constraint Dodaj ograničenje fiksne x-koordinate - - + + Add point to point vertical distance constraint Dodaj ograničenje vertikalnog rastojanja od tačke do tačke - + Add fixed y-coordinate constraint Dodaj ograničenje fiksne y-koordinate - - + + Add parallel constraint Dodaj ograničenje paralelnosti - - - - - - - + + + + + + + Add perpendicular constraint Dodaj ograničenje upravnosti - + Add perpendicularity constraint Dodaj ograničenje upravnosti - + Swap coincident+tangency with ptp tangency Zameni podudarnost+tangentnost na tangentnost tačaka - - - - - - - + + + + + + + Add tangent constraint Dodaj ograničenje tangentnosti - - - - - - - - - - - - - - + + + + + + + + + + + + + + Add tangent constraint point Dodaj tačku ograničenja tangentnosti - - - - + + + + Add radius constraint Dodaj ograničenje poluprečnika - - - - + + + + Add diameter constraint Dodaj ograničenje prečnika - - - - + + + + Add radiam constraint Dodaj ograničenje poluprečnik-prečnik - - - - + + + + Add angle constraint Dodaj ograničenje ugla - + Swap point on object and tangency with point to curve tangency Swap point on object and tangency with point to curve tangency - - + + Add equality constraint Dodaj ograničenje jednakosti - - - - - + + + + + Add symmetric constraint Dodaj ograničenje simetričnosti - + Add Snell's law constraint Dodaj ograničenje na osnovu Snellovog zakona - + Toggle constraint to driving/reference Prebaci između referentnog i ograničavajućeg režima kota @@ -1849,22 +1849,22 @@ nevažeća ograničenja, degenerisanu geometriju, itd. Preorjentiši skicu - + Attach sketch Pridruži skicu - + Detach sketch Odvoji skicu - + Create a mirrored sketch for each selected sketch Napravi simetričnu skicu za svaku izabranu skicu - + Merge sketches Objedini skice @@ -2038,7 +2038,7 @@ nevažeća ograničenja, degenerisanu geometriju, itd. Ažuriraj virtuelni prostor ograničenja - + Add auto constraints Dodaj automatska ograničenja @@ -2146,59 +2146,59 @@ nevažeća ograničenja, degenerisanu geometriju, itd. Exceptions - + Unable to guess intersection of curves. Try adding a coincident constraint between the vertices of the curves you are intending to fillet. Nije moguće odrediti presečnu tačku krivih. Pokušaj da dodaš ograničenje podudarnosti između tačaka krivih gde nameravaš da napraviš zaobljenje. - + You are requesting no change in knot multiplicity. Ne zahtevate promenu u višestrukosti čvorova. - - + + B-spline Geometry Index (GeoID) is out of bounds. Indeks B-Splajn geometrije (GeoID) je van granica. - - + + The Geometry Index (GeoId) provided is not a B-spline. Navedeni Geometrijski index (GeoId) nije B-splajn kriva. - + The knot index is out of bounds. Note that in accordance with OCC notation, the first knot has index 1 and not zero. Indeks čvorova je van granica. Imajte na umu da u skladu sa OCC napomenom, prvi čvor ima indeks 1, a ne nula. - + The multiplicity cannot be increased beyond the degree of the B-spline. Višestrukost se ne može povećati iznad stepena B-splajn krive. - + The multiplicity cannot be decreased beyond zero. Višestrukost ne može biti manje od nule. - + OCC is unable to decrease the multiplicity within the maximum tolerance. OCC nije u stanju da smanji višestrukost unutar maksimalne tolerancije. - + Knot cannot have zero multiplicity. Čvor ne može imati nultu višestrukost. - + Knot multiplicity cannot be higher than the degree of the B-spline. Višestrukost čvorova ne može biti veća od stepena B-Splajn krive. - + Knot cannot be inserted outside the B-spline parameter range. Čvor se ne može umetnuti izvan opsega parametara B-Splajna. @@ -2308,7 +2308,7 @@ nevažeća ograničenja, degenerisanu geometriju, itd. - + Don't attach Nemoj prikačiti @@ -2330,123 +2330,123 @@ nevažeća ograničenja, degenerisanu geometriju, itd. - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + - - - - - - + + + + + + + + @@ -2512,116 +2512,116 @@ nevažeća ograničenja, degenerisanu geometriju, itd. Jedan od izabranih mora biti na skici. - + Select an edge from the sketch. Izaberi ivicu sa skice. - - - - - - + + + + + + Impossible constraint Nemoguće ograničenje - - + + The selected edge is not a line segment. Izabrana ivica nije linijski segment. - - - + + + Double constraint Duplo ograničenje - + The selected edge already has a horizontal constraint! Izabrana ivica već ima horizontalno ograničenje! - + The selected edge already has a vertical constraint! Izabrana ivica već ima vertikalno ograničenje! - - - + + + The selected edge already has a Block constraint! Izabrana ivica je već ograničena blokiranjem! - + There are more than one fixed points selected. Select a maximum of one fixed point! Izabrano je više od jedne fiksne tačke. Izaberi najviše jednu fiksnu tačku! - - - + + + Select vertices from the sketch. Izaberi temena sa skice. - + Select one vertex from the sketch other than the origin. Izaberi jedno teme sa skice osim koordinatnog početka. - + Select only vertices from the sketch. The last selected vertex may be the origin. Izaberi samo temena sa skice. Poslednje izabrano teme može biti koordinatni početak. - + Wrong solver status Pogrešan status algoritma za rešavanje - + A Block constraint cannot be added if the sketch is unsolved or there are redundant and conflicting constraints. Ograničenje blokiranjem se ne može dodati ako je skica nerešena ili postoje suvišna i konfliktna ograničenja. - + Select one edge from the sketch. Izaberi jednu ivicu sa skice. - + Select only edges from the sketch. Izaberi samo ivice sa skice. - + None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. Nijedna od izabranih tačaka nije bila ograničena na dotične krive. Razlozi: jer su delovi istog elementa, jer su obe spoljašnje geometrije ili zato što ivica nije prihvatljiva. - + Only tangent-via-point is supported with a B-spline. Na B-Splajn je moguće primeniti ograničenje tangentnosti samo kada su krajnje tačke podudarne. - - + + Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. Izaberi samo jedan ili više polova B-splajn krive ili samo jedan ili više lukova ili krugova sa skice, ali ne pomešano. - + Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. Constraint_SnellsLaw Izaberi dve krajnje tačke linija koje će delovati kao zraci i ivicu koja predstavlja granicu. Prva izabrana tačka odgovara indeksu loma n1, druga n2, a odnos n2/n1 je relativni indeks loma. - + Number of selected objects is not 3 Broj izabranih objekata nije 3 @@ -2638,80 +2638,80 @@ nevažeća ograničenja, degenerisanu geometriju, itd. Neočekivana greška. Potražite više informacija u Pregledaču objava. - + The selected item(s) can't accept a horizontal or vertical constraint! Na izabranu geometriju se ne može primeniti ograničenje horizontalnosti ili vertikalnosti! - + Endpoint to endpoint tangency was applied instead. Umesto toga je primenjena tangentnost u krajnjim tačkama. - + Select two or more vertices from the sketch for a coincident constraint, or two or more circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Izaberi dva ili više temena sa skice za ograničenje podudarnosti, ili dva ili više krugova, elipsa, lukova ili lukova elipse za ograničenje koncentričnosti. - + Select two vertices from the sketch for a coincident constraint, or two circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Izaberi dva temena sa skice za ograničenje podudarnosti, ili dva kruga, elipse, lukove ili lukove elipse za ograničenje koncentričnosti. - + Select exactly one line or one point and one line or two points from the sketch. Izaberi tačno jednu liniju ili jednu tačku i jednu liniju, ili dve tačke sa skice. - + Cannot add a length constraint on an axis! Nije moguće kotirati osu ravni! - - + + Select exactly one line or one point and one line or two points or two circles from the sketch. Izaberi tačno jednu liniju, jednu tačku i jednu liniju, dve tačke ili dva kruga na skici. - + This constraint does not make sense for non-linear curves. Ovo ograničenje nema smisla za nelinearne krive. - + Endpoint to edge tangency was applied instead. Umesto toga je primenjena tangentnost ivice u krajnjoj tački. - - - - - - + + + + + + Select the right things from the sketch. Izaberi prave stvari sa skice. - - - - - - - - - + + + + + + + + - - - - - - - - + + + + + + + + + Select an edge that is not a B-spline weight. Izaberi ivicu koja nije težina B-splajn kontrolne tačke. @@ -2721,87 +2721,87 @@ nevažeća ograničenja, degenerisanu geometriju, itd. One or two point on object constraint(s) was/were deleted, since the latest constraint being applied internally applies point-on-object as well. - + Select either several points, or several conics for concentricity. Za Ograničenje koncentričnosti izaberi nekoliko tačaka ili nekoliko kružnica, lukova ili elipsa. - + Select either one point and several curves, or one curve and several points Izaberi ili jednu tačku i nekoliko krivih, ili jednu krivu i nekoliko tačaka - + Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. Izaberi jednu tačku i nekoliko krivih ili jednu krivu i nekoliko tačaka za Ograničenje tačka na objektu, nekoliko tačaka za Ograničenje podudarnosti ili nekoliko kružnica, lukova ili elipsa za Ograničenje koncentričnosti. - + None of the selected points were constrained onto the respective curves, either because they are parts of the same element, or because they are both external geometry. Nijedna od izabranih tačaka nije bila ograničena na odgovarajuće krive, bilo zato što su delovi istog elementa, ili zato što su obe spoljašnje geometrije. - + Cannot add a length constraint on this selection! Nije moguće napraviti kotu za izabrani geometrijski element! - - - - + + + + Select exactly one line or up to two points from the sketch. Izaberi tačno jednu liniju ili najviše dve tačke sa skice. - + Cannot add a horizontal length constraint on an axis! Nije moguće napraviti horizotalnu kotu na osi ravni! - + Cannot add a fixed x-coordinate constraint on the origin point! Nije moguće ograničiti x-koordinatu koordinatnog početka! - - + + This constraint only makes sense on a line segment or a pair of points. Ovo ograničenje ima smisla samo na segmentu linije ili paru tačaka. - + Cannot add a vertical length constraint on an axis! Nije moguće napraviti vertikalnu kotu na osi ravni! - + Cannot add a fixed y-coordinate constraint on the origin point! Nije moguće ograničiti y-koordinatu koordinatnog početka! - + Select two or more lines from the sketch. Izaberi dve ili više linija sa skice. - + One selected edge is not a valid line. Izabrana ivica nije važeća linija. - - + + Select at least two lines from the sketch. Izaberi najmanje dve linije sa skice. - + The selected edge is not a valid line. Izabrana ivica nije važeća linija. - + There is a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2811,35 +2811,35 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Prihvatljive kombinacije: dve krive; krajnja tačka i kriva; dve krajnje tačke; dve krive i tačka. - + Select some geometry from the sketch. perpendicular constraint Izaberi neku geometriju sa skice. - - + + Cannot add a perpendicularity constraint at an unconnected point! Ne može se dodati ograničenje upravnosti na tačku pošto ona nije krajnja tačka! - - + + One of the selected edges should be a line. Jedna od izabranih ivica bi trebala biti linija. - + Endpoint to endpoint tangency was applied. The coincident constraint was deleted. Primenjena je tangentnost na krajnje tačke. Ograničenje podudarnosti je izbrisano. - + Endpoint to edge tangency was applied. The point on object constraint was deleted. Primenjena je tangentnost između krajnje tačke i ivice. Ograničenje tačka na objektu je obrisano. - + There are a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2849,61 +2849,61 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Prihvaćene kombinacije: dve krive; krajnja tačka i kriva; dve krajnje tačke; dve krive i tačka. - + Select some geometry from the sketch. tangent constraint Izaberi neku geometriju sa skice. - - - + + + Cannot add a tangency constraint at an unconnected point! Ne može se dodati ograničenje tangentnosti u tačkama koje se ne poklapaju! - - + + Tangent constraint at B-spline knot is only supported with lines! Ograničenje tangentnosti se može primeniti na čvor B-splajna samo ako je u pitanju linija! - + B-spline knot to endpoint tangency was applied instead. Umesto toga je primenjena tangentnost između čvora B-splajna i krajnje tačke. - - + + Wrong number of selected objects! Pogrešan broj izabranih objekata! - - + + With 3 objects, there must be 2 curves and 1 point. Kod 3 objekta, moraju postojati 2 krive i 1 tačka. - - - - - - + + + + + + Select one or more arcs or circles from the sketch. Izaberi jedan ili više lukova ili krugova sa skice. - - - + + + Constraint only applies to arcs or circles. Ograničenje se odnosi samo na lukove i kružnice. - - + + Select one or two lines from the sketch. Or select two edges and a point. Izaberi jednu ili dve linije sa skice, ili izaberi dve ivice i tačku. @@ -2918,87 +2918,87 @@ Prihvaćene kombinacije: dve krive; krajnja tačka i kriva; dve krajnje tačke; Za dve paralelne prave ne može se postaviti ograničenje ugla. - + Cannot add an angle constraint on an axis! Ne možete dodati ograničenje ugla na osu! - + Select two edges from the sketch. Izaberi dve ivice sa skice. - + Select two or more compatible edges. Izaberi dve ili više kompatibilnih ivica. - + Sketch axes cannot be used in equality constraints. Na ose skice se ne može primeniti ograničenje jednakosti. - + Equality for B-spline edge currently unsupported. Primena ograničenja jednakosti na B-splajn krivu trenutno nije podržana. - - - + + + Select two or more edges of similar type. Izaberi dve ili više ivica sličnog tipa. - - - - - + + + + + Select two points and a symmetry line, two points and a symmetry point or a line and a symmetry point from the sketch. Izaberi dve tačke i liniju simetrije, dve tačke i tačku simetrije ili pravu i tačku simetrije sa skice. - - + + Cannot add a symmetry constraint between a line and its end points. Nije moguće dodati ograničenje simetričnosti između linije i njenih krajnjih tačaka. - - - - + + + + Cannot add a symmetry constraint between a line and its end points! Nije moguće dodati ograničenje simetričnosti između linije i njenih krajnjih tačaka! - + Selected objects are not just geometry from one sketch. Izabrani objekti nisu samo geometrija iz jedne skice. - + Cannot create constraint with external geometry only. Nije moguće kreirati ograničenje samo sa spoljnom geometrijom. - + Incompatible geometry is selected. Izabrana je nekompatibilna geometrija. - + Select one dimensional constraint from the sketch. Izaberi jedno dimenzionalno ograničenje sa skice. - - - - - + + + + + Select constraints from the sketch. Izaberi ograničenja sa skice. @@ -3539,12 +3539,12 @@ Prihvaćene kombinacije: dve krive; krajnja tačka i kriva; dve krajnje tačke; Dužina: - + Refractive index ratio Relativni indeks loma - + Ratio n2/n1: Odnos n2/n1: @@ -5192,8 +5192,8 @@ Ovo se radi analizom geometrije i ograničenja skice. Sketcher_ConstrainDiameter - - + + Fix the diameter of a circle or an arc Kotiraj prečnik kruga ili luka @@ -5345,64 +5345,74 @@ Ovo se radi analizom geometrije i ograničenja skice. Sketcher_MapSketch - + No sketch found Nije pronađena skica - + + Cannot attach sketch to itself! + Cannot attach sketch to itself! + + + The document doesn't have a sketch Dokument nema skicu - + Select sketch Izaberi skicu - + + Select a sketch (some sketches not shown to prevent a circular dependency) + Select a sketch (some sketches not shown to prevent a circular dependency) + + + Select a sketch from the list Izaberi skicu iz liste - + (incompatible with selection) (nekompatibilno sa izborom) - + (current) (trenutni) - + (suggested) (predloženi) - + Sketch attachment Prilog skici - + Current attachment mode is incompatible with the new selection. Select the method to attach this sketch to selected objects. Trenutni režim pridruživanja nije kompatibilan sa novim izborom. Izaberi metod za pridruživanje ove skice na izabrane objekte. - + Select the method to attach this sketch to selected objects. Izaberi metod za vezivanje ove skice na izabrane objekte. - + Map sketch Mapiraj skicu - + Can't map a sketch to support: %1 Ne mogu mapirati skicu na osnovu: @@ -5933,22 +5943,22 @@ Razmak mreže se menja ako postane manji od ovog broja piksela. GridSpaceAction - + Grid auto spacing Automatski razmak koordinatne mreže - + Resize grid automatically depending on zoom. Promenite veličinu koordinatne mreže automatski u zavisnosti od zuma. - + Spacing Razmak - + Distance between two subsequent grid lines. Rastojanje između dve naredne linije koordinatne mreže. @@ -5956,17 +5966,17 @@ Razmak mreže se menja ako postane manji od ovog broja piksela. Notifications - + The Sketch has malformed constraints! Skica ima deformisana ograničenja! - + The Sketch has partially redundant constraints! Skica ima delimično suvišna ograničenja! - + Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! Parabole su migrirale. Migrirane datoteke neće biti moguće otvarati u prethodnim verzijama FreeCAD-a!! @@ -6045,8 +6055,8 @@ Razmak mreže se menja ako postane manji od ovog broja piksela. - - + + Invalid Constraint Neispravno ograničenje @@ -6253,34 +6263,34 @@ Razmak mreže se menja ako postane manji od ovog broja piksela. SnapSpaceAction - + Snap to objects Uhvati objekat - + New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. Nove tačke će se uhvatiti za trenutno izabrani objekat. Takođe će se uhvatiti za sredinu linija i lukova. - + Snap to grid Uhvati koordinatnu mrežu - + New points will snap to the nearest grid line. Points must be set closer than a fifth of the grid spacing to a grid line to snap. Nove tačke će se uhvatiti za najbližu liniju koordinatne mreže. Tačke se moraju nalaziti na udaljenosti manjoj od 1/5 razmaka linija mreže da bi se uhvatile za liniju mreže. - + Snap angle Uhvati ugao - + Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. Ugaoni korak za alatke koje koriste 'Uhvati pod uglom' (na primer linija). Drži CTRL da bi omogućio 'Uhvati pod uglom'. Ugao počinje od horizontalne ose usmerene nadesno. @@ -6288,23 +6298,23 @@ Tačke se moraju nalaziti na udaljenosti manjoj od 1/5 razmaka linija mreže da RenderingOrderAction - - - + + + Normal Geometry Regularna geometrija - - - + + + Construction Geometry Pomoćna geometrija - - - + + + External Geometry Spoljašnja geometrija @@ -6312,12 +6322,12 @@ Tačke se moraju nalaziti na udaljenosti manjoj od 1/5 razmaka linija mreže da CmdRenderingOrder - + Configure rendering order Podesi redosled iscrtavanja - + Reorder the items in the list to configure rendering order. Promeni redosled stavki na listi da bi podesio redosled iscrtavanja. @@ -6325,12 +6335,12 @@ Tačke se moraju nalaziti na udaljenosti manjoj od 1/5 razmaka linija mreže da CmdSketcherGrid - + Toggle grid Sakrij/Prikaži koordinatnu mrežu - + Toggle the grid in the sketch. In the menu you can change grid settings. Uključi/Isključi koordinatnu mrežu na skici. U meniju možeš promeniti podešavanja koordinatne mreže. @@ -6338,12 +6348,12 @@ Tačke se moraju nalaziti na udaljenosti manjoj od 1/5 razmaka linija mreže da CmdSketcherSnap - + Toggle snap Uključi/Isključi hvatanje - + Toggle all snap functionality. In the menu you can toggle 'Snap to grid' and 'Snap to objects' individually, and change further snap settings. Uključi/Isključi sve funkcije hvatanja. U meniju možeš pojedinačno da prebacuješ 'Uhvati koordinatnu mrežu', 'Uhvati objekte' a takođe i ostala podešavanja hvatanja. @@ -6377,12 +6387,12 @@ Tačke se moraju nalaziti na udaljenosti manjoj od 1/5 razmaka linija mreže da CmdSketcherDimension - + Dimension Kotiranje - Dimenzionalna ograničenja - + Constrain contextually based on your selection. Depending on your selection you might have several constraints available. You can cycle through them using M key. Left clicking on empty space will validate the current constraint. Right clicking or pressing Esc will cancel. @@ -6420,12 +6430,12 @@ Levi klik na prazan prostor potvrdiće trenutno ograničenje. Desni klik ili pr CmdSketcherConstrainRadius - + Constrain radius Ograničenje poluprečnika - + Fix the radius of a circle or an arc Kotiraj poluprečnik kruga ili luka @@ -6560,12 +6570,12 @@ Levi klik na prazan prostor potvrdiće trenutno ograničenje. Desni klik ili pr Obriši originalnu geometriju (U) - + Apply equal constraints Primeni ograničenja jednakosti - + If this option is selected dimensional constraints are excluded from the operation. Instead equal constraints are applied between the original objects and their copies. Ako je izabrana ova opcija, kote se isključuju iz operacije. @@ -6637,12 +6647,12 @@ Umesto toga, između originalnih objekata i njihovih kopija se primenjuju ograni CmdSketcherCompHorizontalVertical - + Constrain horizontal/vertical Ograničenje horizontalnosti ili vertikalnosti - + Constrains a single line to either horizontal or vertical. Ograniči duž da bude horizontalna ili vertikalna. @@ -6650,12 +6660,12 @@ Umesto toga, između originalnih objekata i njihovih kopija se primenjuju ograni CmdSketcherConstrainHorVer - + Constrain horizontal/vertical Ograničenje horizontalnosti ili vertikalnosti - + Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. Ograniči duž da bude horizontalna ili vertikalna. Izaberi ono stanje koje je bliže trenutnom položaju. @@ -6702,12 +6712,12 @@ Umesto toga, između originalnih objekata i njihovih kopija se primenjuju ograni CmdSketcherConstrainCoincidentUnified - + Constrain coincident Ograničenje podudarnosti - + Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses Napravi ograničenje podudarnosti između tačaka ili ograniči tačku za neki ivicu ili napravi ograničenje koncentričnosti između krugova, lukova i elipsa @@ -6993,7 +7003,7 @@ Umesto toga, između originalnih objekata i njihovih kopija se primenjuju ograni TaskSketcherTool_p4_rotate - + Copies (+'U'/ -'J') Kopije (+'U'/-'J') @@ -7241,12 +7251,12 @@ Umesto toga, između originalnih objekata i njihovih kopija se primenjuju ograni CmdSketcherConstrainTangent - + Constrain tangent or collinear Ograničenje tangentnosti ili kolinearnosti - + Create a tangent or collinear constraint between two entities Napravi ograničenje tangentnosti ili kolinearnosti između dva geometrijska elementa @@ -7254,12 +7264,12 @@ Umesto toga, između originalnih objekata i njihovih kopija se primenjuju ograni CmdSketcherChangeDimensionConstraint - + Change value Promeni vrednost - + Change the value of a dimensional constraint Promeni vrednost dimenzionalnog ograničenja @@ -7288,7 +7298,7 @@ Umesto toga, između originalnih objekata i njihovih kopija se primenjuju ograni Create a polyline in the sketch. 'M' Key cycles behaviour - Napravi izlomljenu liniju na skici. Tipka 'M' menja ponašanje + Napravi izlomljenu liniju na skici. Taster 'M' menja ponašanje @@ -7325,8 +7335,8 @@ Umesto toga, između originalnih objekata i njihovih kopija se primenjuju ograni Sketcher_ConstrainRadius - - + + Fix the radius of an arc or a circle Kotiraj poluprečnik kruga ili luka @@ -7334,8 +7344,8 @@ Umesto toga, između originalnih objekata i njihovih kopija se primenjuju ograni Sketcher_ConstrainRadiam - - + + Fix the radius/diameter of an arc or a circle Kotiraj poluprečnik/prečnik kruga ili luka diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_sr.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_sr.ts index c1d3143d2648..b6855f1f4ee7 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_sr.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_sr.ts @@ -128,27 +128,27 @@ CmdSketcherCompConstrainRadDia - + Constrain arc or circle Ограничење кружног лука или круга - + Constrain an arc or a circle Котирај кружни лук или круг - + Constrain radius Ограничење полупречника - + Constrain diameter Ограничење пречника - + Constrain auto radius/diameter Аутоматско ограничење полупречника и пречника @@ -307,12 +307,12 @@ CmdSketcherConstrainAngle - + Constrain angle Ограничење угла - + Fix the angle of a line or the angle between two lines Котирај угао дужи или угао између две дужи @@ -320,12 +320,12 @@ CmdSketcherConstrainBlock - + Constrain block Ограничење блокирањем - + Block the selected edge from moving Блокира померање изабране ивице @@ -333,12 +333,12 @@ CmdSketcherConstrainCoincident - + Constrain coincident Ограничење подударности - + Create a coincident constraint between points, or a concentric constraint between circles, arcs, and ellipses Направи ограничење подударности између тачака или концентрично ограничење између кругова, лукова и елипса @@ -346,12 +346,12 @@ CmdSketcherConstrainDiameter - + Constrain diameter Ограничење пречника - + Fix the diameter of a circle or an arc Котирај пречник круга или лука @@ -359,12 +359,12 @@ CmdSketcherConstrainDistance - + Constrain distance Ограничење растојања - + Fix a length of a line or the distance between a line and a vertex or between two circles Котирај дужину линије, растојање између линије и темена или растојање између два круга @@ -372,12 +372,12 @@ CmdSketcherConstrainDistanceX - + Constrain horizontal distance Ограничење хоризонталног растојања - + Fix the horizontal distance between two points or line ends Котирај хоризонтално растојање између две тачке или две крајње тачке @@ -385,12 +385,12 @@ CmdSketcherConstrainDistanceY - + Constrain vertical distance Ограничење вертикалног растојања - + Fix the vertical distance between two points or line ends Котирај вертикално растојање између две тачке или две крајње тачке @@ -398,12 +398,12 @@ CmdSketcherConstrainEqual - + Constrain equal Ограничење једнакости - + Create an equality constraint between two lines or between circles and arcs Направи ограничење једнакости између две дужи или између кругова и лукова @@ -411,12 +411,12 @@ CmdSketcherConstrainHorizontal - + Constrain horizontal Ограничење хоризонталности - + Create a horizontal constraint on the selected item Направи ограничење хоризонталности на изабраној ставки @@ -424,12 +424,12 @@ CmdSketcherConstrainLock - + Constrain lock Ограничење закључавањем - + Create both a horizontal and a vertical distance constraint on the selected vertex Направи ограничење хоризонталног и вертикалног растојања на изабраном темену @@ -438,12 +438,12 @@ on the selected vertex CmdSketcherConstrainParallel - + Constrain parallel Ограничење паралелности - + Create a parallel constraint between two lines Направи ограничење паралелности између две дужи @@ -451,12 +451,12 @@ on the selected vertex CmdSketcherConstrainPerpendicular - + Constrain perpendicular Ограничење управности - + Create a perpendicular constraint between two lines Направи ограничење управности између два геометријска елемента @@ -464,12 +464,12 @@ on the selected vertex CmdSketcherConstrainPointOnObject - + Constrain point on object Ограничење тачке на објекту - + Fix a point onto an object Ограничење тачке да буде везана за објекат @@ -477,12 +477,12 @@ on the selected vertex CmdSketcherConstrainRadiam - + Constrain auto radius/diameter Аутоматско ограничење полупречника и пречника - + Fix the diameter if a circle is chosen, or the radius if an arc/spline pole is chosen Котирај пречник ако изабереш круг или полупречник ако изабереш лук или пол сплајна @@ -490,12 +490,12 @@ on the selected vertex CmdSketcherConstrainSnellsLaw - + Constrain refraction (Snell's law) Ограничење рефракције (Снеллов закон) - + Create a refraction law (Snell's law)constraint between two endpoints of rays and an edge as an interface. Направи ограничење рефракције (Снеллов закон) између две крајње тачке зрака @@ -505,12 +505,12 @@ and an edge as an interface. CmdSketcherConstrainSymmetric - + Constrain symmetric Ограничење симетричности - + Create a symmetry constraint between two points with respect to a line or a third point Направи ограничење симетричности између две тачке @@ -520,12 +520,12 @@ with respect to a line or a third point CmdSketcherConstrainVertical - + Constrain vertical Ограничење вертикалности - + Create a vertical constraint on the selected item Направи ограничење вертикалности на изабраној ставки @@ -813,7 +813,7 @@ with respect to a line or a third point Create a polyline in the sketch. 'M' Key cycles behaviour - Направи изломљену линију на скици. Типка 'M' мења понашање + Направи изломљену линију на скици. Тастер 'M' мења понашање @@ -1067,7 +1067,7 @@ then call this command, then choose the desired sketch. затим позови ову команду и изабери жељену скицу. - + Some of the selected objects depend on the sketch to be mapped. Circular dependencies are not allowed. Неки од изабраних објеката зависе од скице коју треба мапирати. Кружне зависности нису дозвољене. @@ -1075,22 +1075,22 @@ then call this command, then choose the desired sketch. CmdSketcherMergeSketches - + Merge sketches Обједини скице - + Create a new sketch from merging two or more selected sketches. Направи нову скицу обједињавањем две или више изабраних скица. - + Wrong selection Погрешан избор - + Select at least two sketches. Изабери најмање две скице. @@ -1098,12 +1098,12 @@ then call this command, then choose the desired sketch. CmdSketcherMirrorSketch - + Mirror sketch Симетрично пресликај скицу - + Creates a new mirrored sketch for each selected sketch by using the X or Y axes, or the origin point, as mirroring reference. @@ -1111,12 +1111,12 @@ as mirroring reference. у односу на координатни почетак или осе X и Y. - + Wrong selection Погрешан избор - + Select one or more sketches. Изабери једну или више скица. @@ -1370,12 +1370,12 @@ This will clear the 'AttachmentSupport' property, if any. CmdSketcherToggleActiveConstraint - + Activate/deactivate constraint Активирај/деактивирај ограничење - + Activates or deactivates the selected constraints Активира или деактивира изабрана ограничења @@ -1396,12 +1396,12 @@ This will clear the 'AttachmentSupport' property, if any. CmdSketcherToggleDrivingConstraint - + Toggle driving/reference constraint Ограничавајуће/референтне коте - + Set the toolbar, or the selected constraints, into driving or reference mode Подеси палету са алаткама или изабрана ограничења, @@ -1424,24 +1424,24 @@ into driving or reference mode CmdSketcherValidateSketch - + Validate sketch... Поправи скицу... - + Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. Поправи скицу проверавајући подударности које недостају, неважећа ограничења, дегенерисану геометрију, итд. - + Wrong selection Погрешан избор - + Select only one sketch. Изабери само једну скицу. @@ -1449,12 +1449,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSection - + View section Прикажи заклоњену скицу - + When in edit mode, switch between section view and full view. Прикажи/сакриј детаље 3Д модела који се налазе испред скице коју уређујеш. @@ -1462,12 +1462,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSketch - + View sketch Прикажи скицу - + When in edit mode, set the camera orientation perpendicular to the sketch plane. Када си у режиму за уређивање, поставља оријентацију камере нормално на раван скице. @@ -1475,69 +1475,69 @@ invalid constraints, degenerated geometry, etc. Command - + Add 'Lock' constraint Додај ограничење закључавањем - + Add relative 'Lock' constraint Додај релативно ограничење закључавањем - + Add fixed constraint Add fixed constraint - + Add 'Block' constraint Додај ограничење блокирањем - + Add block constraint Додај ограничење блокирањем - - + + Add coincident constraint Додај ограничење подударности - - + + Add distance from horizontal axis constraint Додај коту растојања од хоризонталне осе - - + + Add distance from vertical axis constraint Додај коту растојања од вертикалне осе - - + + Add point to point distance constraint Додај коту вертикалног растојања од тачке до тачке - - + + Add point to line Distance constraint Додај коту растојања од тачке до линије - - + + Add circle to circle distance constraint Додај ограничење између два круга - + Add circle to line distance constraint Додај ограничење растојања од круга до линије @@ -1546,16 +1546,16 @@ invalid constraints, degenerated geometry, etc. - - - + + + Add length constraint Додај ограничење дужине - + Dimension Котирање - Димензиона ограничења @@ -1572,7 +1572,7 @@ invalid constraints, degenerated geometry, etc. - + Add Distance constraint Додај ограничење растојања @@ -1650,7 +1650,7 @@ invalid constraints, degenerated geometry, etc. Додај ограничење полупречника - + Activate/Deactivate constraints Активирај/деактивирај ограничења @@ -1666,23 +1666,23 @@ invalid constraints, degenerated geometry, etc. Додај ограничење концентричности и растојања - + Add DistanceX constraint Додај ограничење растојање X - + Add DistanceY constraint Додај ограничење растојање Y - + Add point to circle Distance constraint Додај ограничење растојања од тачке до кружнице - - + + Add point on object constraint Додај тачку на ограничење објекта @@ -1693,143 +1693,143 @@ invalid constraints, degenerated geometry, etc. Додај ограничење дужина лука - - + + Add point to point horizontal distance constraint Додај ограничење хоризонталног растојања од тачке до тачке - + Add fixed x-coordinate constraint Додај ограничење фиксне x-координате - - + + Add point to point vertical distance constraint Додај ограничење вертикалног растојања од тачке до тачке - + Add fixed y-coordinate constraint Додај ограничење фиксне y-координате - - + + Add parallel constraint Додај ограничење паралелности - - - - - - - + + + + + + + Add perpendicular constraint Додај ограничење управности - + Add perpendicularity constraint Додај ограничење управности - + Swap coincident+tangency with ptp tangency Замени подударност+тангентност на тангентност тачака - - - - - - - + + + + + + + Add tangent constraint Додај ограничење тангентности - - - - - - - - - - - - - - + + + + + + + + + + + + + + Add tangent constraint point Додај тачку ограничења тангентности - - - - + + + + Add radius constraint Додај ограничење полупречника - - - - + + + + Add diameter constraint Додај ограничење пречника - - - - + + + + Add radiam constraint Додај ограничење полупречник-пречник - - - - + + + + Add angle constraint Додај ограничење угла - + Swap point on object and tangency with point to curve tangency Swap point on object and tangency with point to curve tangency - - + + Add equality constraint Додај ограничење једнакости - - - - - + + + + + Add symmetric constraint Додај ограничење симетричности - + Add Snell's law constraint Додај ограничење на основу Снелловог закона - + Toggle constraint to driving/reference Пребаци између референтног и ограничавајућег режима кота @@ -1849,22 +1849,22 @@ invalid constraints, degenerated geometry, etc. Преорјентиши скицу - + Attach sketch Придружи скицу - + Detach sketch Одвоји скицу - + Create a mirrored sketch for each selected sketch Направи симетричну скицу за сваку изабрану скицу - + Merge sketches Обједини скице @@ -2038,7 +2038,7 @@ invalid constraints, degenerated geometry, etc. Ажурирај виртуелни простор ограничења - + Add auto constraints Додај аутоматска ограничења @@ -2146,59 +2146,59 @@ invalid constraints, degenerated geometry, etc. Exceptions - + Unable to guess intersection of curves. Try adding a coincident constraint between the vertices of the curves you are intending to fillet. Није могуће одредити пресечну тачку кривих. Покушај да додаш ограничење подударности између тачака кривих где намераваш да направиш заобљење. - + You are requesting no change in knot multiplicity. Не захтевате промену у вишеструкости чворова. - - + + B-spline Geometry Index (GeoID) is out of bounds. Индекс Б-Сплајн геометрије (GeoID) је ван граница. - - + + The Geometry Index (GeoId) provided is not a B-spline. Наведени Геометријски индеx (GeoId) није Б-сплајн крива. - + The knot index is out of bounds. Note that in accordance with OCC notation, the first knot has index 1 and not zero. Индекс чворова је ван граница. Имајте на уму да у складу са ОЦЦ напоменом, први чвор има индекс 1, а не нула. - + The multiplicity cannot be increased beyond the degree of the B-spline. Вишеструкост се не може повећати изнад степена Б-сплајн криве. - + The multiplicity cannot be decreased beyond zero. Вишеструкост не може бити мање од нуле. - + OCC is unable to decrease the multiplicity within the maximum tolerance. OCC није у стању да смањи вишеструкост унутар максималне толеранције. - + Knot cannot have zero multiplicity. Чвор не може имати нулту вишеструкост. - + Knot multiplicity cannot be higher than the degree of the B-spline. Вишеструкост чворова не може бити већа од степена Б-Сплајн криве. - + Knot cannot be inserted outside the B-spline parameter range. Чвор се не може уметнути изван опсега параметара Б-Сплајна. @@ -2308,7 +2308,7 @@ invalid constraints, degenerated geometry, etc. - + Don't attach Немој прикачити @@ -2330,123 +2330,123 @@ invalid constraints, degenerated geometry, etc. - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + - - - - - - + + + + + + + + @@ -2512,116 +2512,116 @@ invalid constraints, degenerated geometry, etc. Један од изабраних мора бити на скици. - + Select an edge from the sketch. Изабери ивицу из скице. - - - - - - + + + + + + Impossible constraint Немогуће ограничење - - + + The selected edge is not a line segment. Изабрана ивица није линијски сегмент. - - - + + + Double constraint Дупло ограничење - + The selected edge already has a horizontal constraint! Изабрана ивица већ има хоризонтално ограничење! - + The selected edge already has a vertical constraint! Изабрана ивица већ има вертикално ограничење! - - - + + + The selected edge already has a Block constraint! Изабрана ивица је већ ограничена блокирањем! - + There are more than one fixed points selected. Select a maximum of one fixed point! Изабрано је више од једне фиксне тачке. Изабери највише једну фиксну тачку! - - - + + + Select vertices from the sketch. Изабери темена са скице. - + Select one vertex from the sketch other than the origin. Изабери једно теме са скице осим координатног почетка. - + Select only vertices from the sketch. The last selected vertex may be the origin. Изабери само темена са скице. Последње изабрано теме може бити координатни почетак. - + Wrong solver status Погрешан статус алгоритма за решавање - + A Block constraint cannot be added if the sketch is unsolved or there are redundant and conflicting constraints. Ограничење блокирањем се не може додати ако је скица нерешена или постоје сувишна и конфликтна ограничења. - + Select one edge from the sketch. Изабери једну ивицу са скице. - + Select only edges from the sketch. Изабери само ивице са скице. - + None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. Ниједна од изабраних тачака није била ограничена на дотичне криве. Разлози: јер су делови истог елемента, јер су обе спољашње геометрије или зато што ивица није прихватљива. - + Only tangent-via-point is supported with a B-spline. На Б-Сплајн је могуће применити ограничење тангентности само када су крајње тачке подударне. - - + + Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. Изабери само један или више полова Б-сплајн криве или само један или више лукова или кругова са скице, али не помешано. - + Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. Constraint_SnellsLaw Изабери две крајње тачке линија које ће деловати као зраци и ивицу која представља границу. Прва изабрана тачка одговара индексу лома н1, друга н2, а однос н2/н1 је релативни индекс лома. - + Number of selected objects is not 3 Број изабраних објеката није 3 @@ -2638,80 +2638,80 @@ invalid constraints, degenerated geometry, etc. Неочекивана грешка. Потражите више информација у Прегледачу објава. - + The selected item(s) can't accept a horizontal or vertical constraint! На изабрану геометрију се не може применити ограничење хоризонталности или вертикалности! - + Endpoint to endpoint tangency was applied instead. Уместо тога је примењена тангентност у крајњим тачкама. - + Select two or more vertices from the sketch for a coincident constraint, or two or more circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Изабери два или више темена са скице за ограничење подударности, или два или више кругова, елипса, лукова или лукова елипсе за ограничење концентричности. - + Select two vertices from the sketch for a coincident constraint, or two circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Изабери два темена са скице за ограничење подударности, или два круга, елипсе, лукове или лукове елипсе за ограничење концентричности. - + Select exactly one line or one point and one line or two points from the sketch. Изабери тачно једну линију или једну тачку и једну линију, или две тачке из скице. - + Cannot add a length constraint on an axis! Није могуће котирати осу равни! - - + + Select exactly one line or one point and one line or two points or two circles from the sketch. Изабери тачно једну линију, једну тачку и једну линију, две тачке или два круга на скици. - + This constraint does not make sense for non-linear curves. Ово ограничење нема смисла за нелинеарне криве. - + Endpoint to edge tangency was applied instead. Уместо тога је примењена тангентност ивице у крајњој тачки. - - - - - - + + + + + + Select the right things from the sketch. Изабери праве ствари са скице. - - - - - - - - - + + + + + + + + - - - - - - - - + + + + + + + + + Select an edge that is not a B-spline weight. Изабери ивицу која није тежина Б-сплајн контролне тачке. @@ -2721,87 +2721,87 @@ invalid constraints, degenerated geometry, etc. One or two point on object constraint(s) was/were deleted, since the latest constraint being applied internally applies point-on-object as well. - + Select either several points, or several conics for concentricity. За Ограничење концентричности изабери неколико тачака или неколико кружница, лукова или елипса. - + Select either one point and several curves, or one curve and several points Изабери или једну тачку и неколико кривих, или једну криву и неколико тачака - + Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. Изабери једну тачку и неколико кривих или једну криву и неколико тачака за Ограничење тачка на објекту, неколико тачака за Ограничење подударности или неколико кружница, лукова или елипса за Ограничење концентричности. - + None of the selected points were constrained onto the respective curves, either because they are parts of the same element, or because they are both external geometry. Ниједна од изабраних тачака није била ограничена на одговарајуће криве, било зато што су делови истог елемента, или зато што су обе спољашње геометрије. - + Cannot add a length constraint on this selection! Није могуће направити коту за изабрани геометријски елемент! - - - - + + + + Select exactly one line or up to two points from the sketch. Изабери тачно једну линију или највише две тачке са скице. - + Cannot add a horizontal length constraint on an axis! Није могуће направити хоризоталну коту на оси равни! - + Cannot add a fixed x-coordinate constraint on the origin point! Није могуће ограничити x-координату координатног почетка! - - + + This constraint only makes sense on a line segment or a pair of points. Ово ограничење има смисла само на сегменту линије или пару тачака. - + Cannot add a vertical length constraint on an axis! Није могуће направити вертикалну коту на оси равни! - + Cannot add a fixed y-coordinate constraint on the origin point! Није могуће ограничити y-координату координатног почетка! - + Select two or more lines from the sketch. Изабери две или више линија са скице. - + One selected edge is not a valid line. Изабрана ивица није важећа линија. - - + + Select at least two lines from the sketch. Изабери најмање две линије са скице. - + The selected edge is not a valid line. Изабрана ивица није важећа линија. - + There is a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2811,35 +2811,35 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Прихватљиве комбинације: две криве; крајња тачка и крива; две крајње тачке; две криве и тачка. - + Select some geometry from the sketch. perpendicular constraint Изабери неку геометрију из скице. - - + + Cannot add a perpendicularity constraint at an unconnected point! Не може се додати ограничење управности на тачку пошто она није крајња тачка! - - + + One of the selected edges should be a line. Једна од изабраних ивица би требала бити линија. - + Endpoint to endpoint tangency was applied. The coincident constraint was deleted. Примењена је тангентност на крајње тачке. Ограничење подударности је избрисано. - + Endpoint to edge tangency was applied. The point on object constraint was deleted. Примењена је тангентност између крајње тачке и ивице. Ограничење тачка на објекту је обрисано. - + There are a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2849,61 +2849,61 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Прихваћене комбинације: две криве; крајња тачка и крива; две крајње тачке; две криве и тачка. - + Select some geometry from the sketch. tangent constraint Изабери неку геометрију из скице. - - - + + + Cannot add a tangency constraint at an unconnected point! Не може се додати ограничење тангентности у тачкама које се не поклапају! - - + + Tangent constraint at B-spline knot is only supported with lines! Ограничење тангентности се може применити на чвор Б-сплајна само ако је у питању линија! - + B-spline knot to endpoint tangency was applied instead. Уместо тога је примењена тангентност између чвора Б-сплајна и крајње тачке. - - + + Wrong number of selected objects! Погрешан број изабраних објеката! - - + + With 3 objects, there must be 2 curves and 1 point. Код 3 објекта, морају постојати 2 криве и 1 тачка. - - - - - - + + + + + + Select one or more arcs or circles from the sketch. Изабери један или више лукова или кругова са скице. - - - + + + Constraint only applies to arcs or circles. Ограничење се односи само на лукове и кружнице. - - + + Select one or two lines from the sketch. Or select two edges and a point. Изабери једну или две линије са скице, или изаберите две ивице и тачку. @@ -2918,87 +2918,87 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c За две паралелне праве не може се поставити ограничење угла. - + Cannot add an angle constraint on an axis! Не можете додати ограничење угла на осу! - + Select two edges from the sketch. Изабери две ивице са скице. - + Select two or more compatible edges. Изабери две или више компатибилних ивица. - + Sketch axes cannot be used in equality constraints. На осе скице се не може применити ограничење једнакости. - + Equality for B-spline edge currently unsupported. Примена ограничења једнакости на Б-сплајн криву тренутно није подржана. - - - + + + Select two or more edges of similar type. Изабери две или више ивица сличног типа. - - - - - + + + + + Select two points and a symmetry line, two points and a symmetry point or a line and a symmetry point from the sketch. Изабери две тачке и линију симетрије, две тачке и тачку симетрије или праву и тачку симетрије са скице. - - + + Cannot add a symmetry constraint between a line and its end points. Није могуће додати ограничење симетричности између линије и њених крајњих тачака. - - - - + + + + Cannot add a symmetry constraint between a line and its end points! Није могуће додати ограничење симетричности између линије и њених крајњих тачака! - + Selected objects are not just geometry from one sketch. Изабрани објекти нису само геометрија из једне скице. - + Cannot create constraint with external geometry only. Није могуће креирати ограничење само са спољном геометријом. - + Incompatible geometry is selected. Изабрана је некомпатибилна геометрија. - + Select one dimensional constraint from the sketch. Изабери једно димензионално ограничење са скице. - - - - - + + + + + Select constraints from the sketch. Изабери ограничења са скице. @@ -3539,12 +3539,12 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Дужина: - + Refractive index ratio Релативни индекс лома - + Ratio n2/n1: Однос n2/n1: @@ -5192,8 +5192,8 @@ This is done by analyzing the sketch geometries and constraints. Sketcher_ConstrainDiameter - - + + Fix the diameter of a circle or an arc Котирај пречник круга или лука @@ -5345,64 +5345,74 @@ This is done by analyzing the sketch geometries and constraints. Sketcher_MapSketch - + No sketch found Није пронађена скица - + + Cannot attach sketch to itself! + Cannot attach sketch to itself! + + + The document doesn't have a sketch Документ нема скицу - + Select sketch Изабери скицу - + + Select a sketch (some sketches not shown to prevent a circular dependency) + Select a sketch (some sketches not shown to prevent a circular dependency) + + + Select a sketch from the list Изабери скицу из листе - + (incompatible with selection) (некомпатибилно са избором) - + (current) (тренутни) - + (suggested) (предложени) - + Sketch attachment Прилог скици - + Current attachment mode is incompatible with the new selection. Select the method to attach this sketch to selected objects. Тренутни режим придруживања није компатибилан са новим избором. Изабери метод за придруживање ове скице на изабране објекте. - + Select the method to attach this sketch to selected objects. Изабери метод за везивање ове скице на изабране објекте. - + Map sketch Мапирај скицу - + Can't map a sketch to support: %1 Не могу мапирати скицу на основу: @@ -5933,22 +5943,22 @@ The grid spacing change if it becomes smaller than this number of pixel. GridSpaceAction - + Grid auto spacing Аутоматски размак координатне мреже - + Resize grid automatically depending on zoom. Промените величину координатне мреже аутоматски у зависности од зума. - + Spacing Размак - + Distance between two subsequent grid lines. Растојање између две наредне линије координатне мреже. @@ -5956,17 +5966,17 @@ The grid spacing change if it becomes smaller than this number of pixel. Notifications - + The Sketch has malformed constraints! Скица има деформисана ограничења! - + The Sketch has partially redundant constraints! Скица има делимично сувишна ограничења! - + Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! Параболе су мигрирале. Мигриране датотеке неће бити могуће отварати у претходним верзијама FreeCAD-а!! @@ -6045,8 +6055,8 @@ The grid spacing change if it becomes smaller than this number of pixel. - - + + Invalid Constraint Неисправно ограничење @@ -6253,34 +6263,34 @@ The grid spacing change if it becomes smaller than this number of pixel. SnapSpaceAction - + Snap to objects Ухвати објекат - + New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. Нове тачке ће се ухватити за тренутно изабрани објекат. Такође ће се ухватити за средину линија и лукова. - + Snap to grid Ухвати координатну мрежу - + New points will snap to the nearest grid line. Points must be set closer than a fifth of the grid spacing to a grid line to snap. Нове тачке ће се ухватити за најближу линију координатне мреже. Тачке се морају налазити на удаљености мањој од 1/5 размака линија мреже да би се ухватиле за линију мреже. - + Snap angle Ухвати угао - + Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. Угаони корак за алатке које користе 'Ухвати под углом' (на пример линија). Држи CTRL да би омогућио 'Ухвати под углом'. Угао почиње од хоризонталне осе усмерене надесно. @@ -6288,23 +6298,23 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna RenderingOrderAction - - - + + + Normal Geometry Регуларна геометрија - - - + + + Construction Geometry Помоћна геометрија - - - + + + External Geometry Спољашња геометрија @@ -6312,12 +6322,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdRenderingOrder - + Configure rendering order Подеси редослед исцртавања - + Reorder the items in the list to configure rendering order. Промени редослед ставки на листи да би подесио редослед исцртавања. @@ -6325,12 +6335,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherGrid - + Toggle grid Сакриј/Прикажи координатну мрежу - + Toggle the grid in the sketch. In the menu you can change grid settings. Укључи/Искључи координатну мрежу на скици. У менију можеш променити подешавања координатне мреже. @@ -6338,12 +6348,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherSnap - + Toggle snap Укључи/Искључи хватање - + Toggle all snap functionality. In the menu you can toggle 'Snap to grid' and 'Snap to objects' individually, and change further snap settings. Укључи/Искључи све функције хватања. У менију можеш појединачно да пребацујеш 'Ухвати координатну мрежу', 'Ухвати објекте' а такође и остала подешавања хватања. @@ -6377,12 +6387,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherDimension - + Dimension Котирање - Димензионална ограничења - + Constrain contextually based on your selection. Depending on your selection you might have several constraints available. You can cycle through them using M key. Left clicking on empty space will validate the current constraint. Right clicking or pressing Esc will cancel. @@ -6420,12 +6430,12 @@ Left clicking on empty space will validate the current constraint. Right clickin CmdSketcherConstrainRadius - + Constrain radius Ограничење полупречника - + Fix the radius of a circle or an arc Котирај полупречник круга или лука @@ -6560,12 +6570,12 @@ Left clicking on empty space will validate the current constraint. Right clickin Обриши оригиналну геометрију (У) - + Apply equal constraints Примени ограничења једнакости - + If this option is selected dimensional constraints are excluded from the operation. Instead equal constraints are applied between the original objects and their copies. Ако је изабрана ова опција, коте се искључују из операције. @@ -6637,12 +6647,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherCompHorizontalVertical - + Constrain horizontal/vertical Ограничење хоризонталности или вертикалности - + Constrains a single line to either horizontal or vertical. Ограничи дуж да буде хоризонтална или вертикална. @@ -6650,12 +6660,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainHorVer - + Constrain horizontal/vertical Ограничење хоризонталности или вертикалности - + Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. Ограничи дуж да буде хоризонтална или вертикална. Изабери оно стање које је ближе тренутном положају. @@ -6702,12 +6712,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainCoincidentUnified - + Constrain coincident Ограничење подударности - + Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses Направи ограничење подударности између тачака или ограничи тачку за неки ивицу или направи ограничење концентричности између кругова, лукова и елипса @@ -6993,7 +7003,7 @@ Instead equal constraints are applied between the original objects and their cop TaskSketcherTool_p4_rotate - + Copies (+'U'/ -'J') Копије (+'У'/ -'Ј') @@ -7241,12 +7251,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainTangent - + Constrain tangent or collinear Ограничење тангентности или колинеарности - + Create a tangent or collinear constraint between two entities Направи ограничење тангентности или колинеарности између два геометријска елемента @@ -7254,12 +7264,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherChangeDimensionConstraint - + Change value Промени вредност - + Change the value of a dimensional constraint Промени вредност димензионалног ограничења @@ -7288,7 +7298,7 @@ Instead equal constraints are applied between the original objects and their cop Create a polyline in the sketch. 'M' Key cycles behaviour - Направи изломљену линију на скици. Типка 'M' мења понашање + Направи изломљену линију на скици. Тастер 'M' мења понашање @@ -7325,8 +7335,8 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadius - - + + Fix the radius of an arc or a circle Котирај полупречник круга или лука @@ -7334,8 +7344,8 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadiam - - + + Fix the radius/diameter of an arc or a circle Котирај полупречник/пречник круга или лука 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 f66b4e542c76..ffc1e8104336 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_sv-SE.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_sv-SE.ts @@ -128,27 +128,27 @@ CmdSketcherCompConstrainRadDia - + Constrain arc or circle Begränsa båge eller cirkel - + Constrain an arc or a circle Begränsa en båge eller cirkel - + Constrain radius Begränsa radie - + Constrain diameter Begränsa diameter - + Constrain auto radius/diameter Constrain auto radius/diameter @@ -307,12 +307,12 @@ CmdSketcherConstrainAngle - + Constrain angle Begränsa vinkel - + Fix the angle of a line or the angle between two lines Fixera en linjes vinkel eller vinkeln mellan två linjer @@ -320,12 +320,12 @@ CmdSketcherConstrainBlock - + Constrain block Constrain block - + Block the selected edge from moving Block the selected edge from moving @@ -333,12 +333,12 @@ CmdSketcherConstrainCoincident - + Constrain coincident Begränsa sammanfallande - + Create a coincident constraint between points, or a concentric constraint between circles, arcs, and ellipses Begränsa punkter att vara sammanfallande, eller cirklar, bågar och ellipser att vara koncentriska @@ -346,12 +346,12 @@ CmdSketcherConstrainDiameter - + Constrain diameter Begränsa diameter - + Fix the diameter of a circle or an arc Fixera diametern av en cirkel eller en båge @@ -359,12 +359,12 @@ CmdSketcherConstrainDistance - + Constrain distance Begränsningsavstånd - + Fix a length of a line or the distance between a line and a vertex or between two circles Fix a length of a line or the distance between a line and a vertex or between two circles @@ -372,12 +372,12 @@ CmdSketcherConstrainDistanceX - + Constrain horizontal distance Begränsa horisontellt avstånd - + Fix the horizontal distance between two points or line ends Fixera det horisontella avståndet mellan två punkter eller linjeändar @@ -385,12 +385,12 @@ CmdSketcherConstrainDistanceY - + Constrain vertical distance Begränsa vertikalt avstånd - + Fix the vertical distance between two points or line ends Fixera det vertikala avståndet mellan två punkter eller linjeändar @@ -398,12 +398,12 @@ CmdSketcherConstrainEqual - + Constrain equal Begränsa lika - + Create an equality constraint between two lines or between circles and arcs Skapa en jämlikhetsbegränsning mellan två linjer eller mellan cirklar och cirkelbågar @@ -411,12 +411,12 @@ CmdSketcherConstrainHorizontal - + Constrain horizontal Constrain horizontal - + Create a horizontal constraint on the selected item Skapa en horisontell begränsning på den valda detaljen @@ -424,12 +424,12 @@ CmdSketcherConstrainLock - + Constrain lock Begränsa lås - + Create both a horizontal and a vertical distance constraint on the selected vertex Create both a horizontal and a vertical distance constraint @@ -439,12 +439,12 @@ on the selected vertex CmdSketcherConstrainParallel - + Constrain parallel Begränsa parallellt - + Create a parallel constraint between two lines Skapa en parallell begränsning mellan två linjer @@ -452,12 +452,12 @@ on the selected vertex CmdSketcherConstrainPerpendicular - + Constrain perpendicular Begränsa vinkelrätt - + Create a perpendicular constraint between two lines Skapa en vinkelrät begränsning mellan två linjer @@ -465,12 +465,12 @@ on the selected vertex CmdSketcherConstrainPointOnObject - + Constrain point on object Constrain point on object - + Fix a point onto an object Fixera en punkt på ett objekt @@ -478,12 +478,12 @@ on the selected vertex CmdSketcherConstrainRadiam - + Constrain auto radius/diameter Constrain auto radius/diameter - + Fix the diameter if a circle is chosen, or the radius if an arc/spline pole is chosen Fix the diameter if a circle is chosen, or the radius if an arc/spline pole is chosen @@ -491,12 +491,12 @@ on the selected vertex CmdSketcherConstrainSnellsLaw - + Constrain refraction (Snell's law) Constrain refraction (Snell's law) - + Create a refraction law (Snell's law)constraint between two endpoints of rays and an edge as an interface. Create a refraction law (Snell's law)constraint between two endpoints of rays @@ -506,12 +506,12 @@ and an edge as an interface. CmdSketcherConstrainSymmetric - + Constrain symmetric Constrain symmetric - + Create a symmetry constraint between two points with respect to a line or a third point Skapa en symmetribegränsning mellan två punkter @@ -521,12 +521,12 @@ med avseende på en linje eller tredje punkt CmdSketcherConstrainVertical - + Constrain vertical Constrain vertical - + Create a vertical constraint on the selected item Skapa en vertikal begränsning på den markerade detaljen @@ -1068,7 +1068,7 @@ First select the supporting geometry, for example, a face or an edge of a solid then call this command, then choose the desired sketch. - + Some of the selected objects depend on the sketch to be mapped. Circular dependencies are not allowed. Some of the selected objects depend on the sketch to be mapped. Circular dependencies are not allowed. @@ -1076,22 +1076,22 @@ then call this command, then choose the desired sketch. CmdSketcherMergeSketches - + Merge sketches Sammanfoga skisser - + Create a new sketch from merging two or more selected sketches. Skapa ny skiss genom att sammanfoga två eller fler markerade skisser. - + Wrong selection Fel val - + Select at least two sketches. Markera minst två skisser. @@ -1099,12 +1099,12 @@ then call this command, then choose the desired sketch. CmdSketcherMirrorSketch - + Mirror sketch Spegla skiss - + Creates a new mirrored sketch for each selected sketch by using the X or Y axes, or the origin point, as mirroring reference. @@ -1113,12 +1113,12 @@ by using the X or Y axes, or the origin point, as mirroring reference. - + Wrong selection Fel val - + Select one or more sketches. Markera en eller flera skisser. @@ -1372,12 +1372,12 @@ This will clear the 'AttachmentSupport' property, if any. CmdSketcherToggleActiveConstraint - + Activate/deactivate constraint Aktivera/inaktivera begränsning - + Activates or deactivates the selected constraints Aktiverar eller inaktiverar markerade begränsningar @@ -1398,12 +1398,12 @@ This will clear the 'AttachmentSupport' property, if any. CmdSketcherToggleDrivingConstraint - + Toggle driving/reference constraint Toggle driving/reference constraint - + Set the toolbar, or the selected constraints, into driving or reference mode Set the toolbar, or the selected constraints, @@ -1426,24 +1426,24 @@ into driving or reference mode CmdSketcherValidateSketch - + Validate sketch... Validera skiss - + Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. - + Wrong selection Fel val - + Select only one sketch. Select only one sketch. @@ -1451,12 +1451,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSection - + View section Visa snitt - + When in edit mode, switch between section view and full view. I redigeringsläge, växla mellan snittvy och fullständig vy. @@ -1464,12 +1464,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSketch - + View sketch Visa skiss - + When in edit mode, set the camera orientation perpendicular to the sketch plane. I redigeringsläge, rikta kameran vinkelrätt mot skissplanet. @@ -1477,69 +1477,69 @@ invalid constraints, degenerated geometry, etc. Command - + Add 'Lock' constraint Add 'Lock' constraint - + Add relative 'Lock' constraint Add relative 'Lock' constraint - + Add fixed constraint Add fixed constraint - + Add 'Block' constraint Add 'Block' constraint - + Add block constraint Add block constraint - - + + Add coincident constraint Add coincident constraint - - + + Add distance from horizontal axis constraint Add distance from horizontal axis constraint - - + + Add distance from vertical axis constraint Add distance from vertical axis constraint - - + + Add point to point distance constraint Add point to point distance constraint - - + + Add point to line Distance constraint Add point to line Distance constraint - - + + Add circle to circle distance constraint Add circle to circle distance constraint - + Add circle to line distance constraint Add circle to line distance constraint @@ -1548,16 +1548,16 @@ invalid constraints, degenerated geometry, etc. - - - + + + Add length constraint Add length constraint - + Dimension Dimension @@ -1574,7 +1574,7 @@ invalid constraints, degenerated geometry, etc. - + Add Distance constraint Add Distance constraint @@ -1652,7 +1652,7 @@ invalid constraints, degenerated geometry, etc. Add Radius constraint - + Activate/Deactivate constraints Aktivera/inaktivera begränsningar @@ -1668,23 +1668,23 @@ invalid constraints, degenerated geometry, etc. Add concentric and length constraint - + Add DistanceX constraint Add DistanceX constraint - + Add DistanceY constraint Add DistanceY constraint - + Add point to circle Distance constraint Add point to circle Distance constraint - - + + Add point on object constraint Add point on object constraint @@ -1695,143 +1695,143 @@ invalid constraints, degenerated geometry, etc. Add arc length constraint - - + + Add point to point horizontal distance constraint Add point to point horizontal distance constraint - + Add fixed x-coordinate constraint Add fixed x-coordinate constraint - - + + Add point to point vertical distance constraint Add point to point vertical distance constraint - + Add fixed y-coordinate constraint Add fixed y-coordinate constraint - - + + Add parallel constraint Add parallel constraint - - - - - - - + + + + + + + Add perpendicular constraint Add perpendicular constraint - + Add perpendicularity constraint Add perpendicularity constraint - + Swap coincident+tangency with ptp tangency Swap coincident+tangency with ptp tangency - - - - - - - + + + + + + + Add tangent constraint Add tangent constraint - - - - - - - - - - - - - - + + + + + + + + + + + + + + Add tangent constraint point Add tangent constraint point - - - - + + + + Add radius constraint Add radius constraint - - - - + + + + Add diameter constraint Add diameter constraint - - - - + + + + Add radiam constraint Add radiam constraint - - - - + + + + Add angle constraint Add angle constraint - + Swap point on object and tangency with point to curve tangency Swap point on object and tangency with point to curve tangency - - + + Add equality constraint Add equality constraint - - - - - + + + + + Add symmetric constraint Add symmetric constraint - + Add Snell's law constraint Add Snell's law constraint - + Toggle constraint to driving/reference Toggle constraint to driving/reference @@ -1851,22 +1851,22 @@ invalid constraints, degenerated geometry, etc. Reorient sketch - + Attach sketch Bifoga skiss - + Detach sketch Detach sketch - + Create a mirrored sketch for each selected sketch Create a mirrored sketch for each selected sketch - + Merge sketches Sammanfoga skisser @@ -2040,7 +2040,7 @@ invalid constraints, degenerated geometry, etc. Update constraint's virtual space - + Add auto constraints Add auto constraints @@ -2148,59 +2148,59 @@ invalid constraints, degenerated geometry, etc. Exceptions - + Unable to guess intersection of curves. Try adding a coincident constraint between the vertices of the curves you are intending to fillet. Kan inte finna skärning mellan kurvorna. Försök att lägga till en sammanfallande-begränsning mellan ändpunkterna på kurvorna du vill avrunda. - + You are requesting no change in knot multiplicity. Du efterfrågar ingen ändring i knutmultipliciteten. - - + + B-spline Geometry Index (GeoID) is out of bounds. B-spline Geometry Index (GeoID) is out of bounds. - - + + The Geometry Index (GeoId) provided is not a B-spline. The Geometry Index (GeoId) provided is not a B-spline. - + The knot index is out of bounds. Note that in accordance with OCC notation, the first knot has index 1 and not zero. Knutindex är inte giltigt. Notera att i enlighet med OCC-notation så har första knuten index 1 och inte index 0. - + The multiplicity cannot be increased beyond the degree of the B-spline. Multipliciteten kan inte ökas mer än graden av B-spline:n. - + The multiplicity cannot be decreased beyond zero. Multipliciteten kan inte minskas under 0. - + OCC is unable to decrease the multiplicity within the maximum tolerance. OCC kan inte minsta multipliciteten inom den maximala toleransen. - + Knot cannot have zero multiplicity. Knot cannot have zero multiplicity. - + Knot multiplicity cannot be higher than the degree of the B-spline. Knot multiplicity cannot be higher than the degree of the B-spline. - + Knot cannot be inserted outside the B-spline parameter range. Knot cannot be inserted outside the B-spline parameter range. @@ -2310,7 +2310,7 @@ invalid constraints, degenerated geometry, etc. - + Don't attach Koppla inte till @@ -2332,123 +2332,123 @@ invalid constraints, degenerated geometry, etc. - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + - - - - - - + + + + + + + + @@ -2514,116 +2514,116 @@ invalid constraints, degenerated geometry, etc. One of the selected has to be on the sketch. - + Select an edge from the sketch. Välj en kant från skissen. - - - - - - + + + + + + Impossible constraint Omöjlig begränsning - - + + The selected edge is not a line segment. The selected edge is not a line segment. - - - + + + Double constraint Dubbelbegränsning - + The selected edge already has a horizontal constraint! Den valda kanten har redan en horisontell begränsning! - + The selected edge already has a vertical constraint! Den valda kanten har redan en vertikal begränsning! - - - + + + The selected edge already has a Block constraint! Den valda kanten har redan en blockeringsbegränsning! - + There are more than one fixed points selected. Select a maximum of one fixed point! Mer än en fast punkt är vald. Välj högst en fast punkt! - - - + + + Select vertices from the sketch. Välj hörnpunkter från skissen. - + Select one vertex from the sketch other than the origin. Välj en hörnpunkt från skissen som inte är origo. - + Select only vertices from the sketch. The last selected vertex may be the origin. Välj endast hörnpunkter från skissen. Den sist valda hörnpunkten kan vara origo. - + Wrong solver status Ogiltig status från problemlösaren - + A Block constraint cannot be added if the sketch is unsolved or there are redundant and conflicting constraints. A Block constraint cannot be added if the sketch is unsolved or there are redundant and conflicting constraints. - + Select one edge from the sketch. Välj en kant i skissen. - + Select only edges from the sketch. Välj endast kanter i skissen. - + None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. - + Only tangent-via-point is supported with a B-spline. Only tangent-via-point is supported with a B-spline. - - + + Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. - + Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. Constraint_SnellsLaw Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. - + Number of selected objects is not 3 Number of selected objects is not 3 @@ -2640,80 +2640,80 @@ invalid constraints, degenerated geometry, etc. Unexpected error. More information may be available in the Report View. - + The selected item(s) can't accept a horizontal or vertical constraint! The selected item(s) can't accept a horizontal or vertical constraint! - + Endpoint to endpoint tangency was applied instead. Slutpunkt till slutpunkt-tangering tillämpades istället. - + Select two or more vertices from the sketch for a coincident constraint, or two or more circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Select two or more vertices from the sketch for a coincident constraint, or two or more circles, ellipses, arcs or arcs of ellipse for a concentric constraint. - + Select two vertices from the sketch for a coincident constraint, or two circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Select two vertices from the sketch for a coincident constraint, or two circles, ellipses, arcs or arcs of ellipse for a concentric constraint. - + Select exactly one line or one point and one line or two points from the sketch. Välj exakt en linje eller en punkt och en linje eller två punkter från skissen. - + Cannot add a length constraint on an axis! Kan inte lägga till längdbegränsning på en axel! - - + + Select exactly one line or one point and one line or two points or two circles from the sketch. Select exactly one line or one point and one line or two points or two circles from the sketch. - + This constraint does not make sense for non-linear curves. This constraint does not make sense for non-linear curves. - + Endpoint to edge tangency was applied instead. Endpoint to edge tangency was applied instead. - - - - - - + + + + + + Select the right things from the sketch. Välj de rätta sakerna från skissen. - - - - - - - - - + + + + + + + + - - - - - - - - + + + + + + + + + Select an edge that is not a B-spline weight. Select an edge that is not a B-spline weight. @@ -2723,87 +2723,87 @@ invalid constraints, degenerated geometry, etc. One or two point on object constraint(s) was/were deleted, since the latest constraint being applied internally applies point-on-object as well. - + Select either several points, or several conics for concentricity. Select either several points, or several conics for concentricity. - + Select either one point and several curves, or one curve and several points Select either one point and several curves, or one curve and several points - + Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. - + None of the selected points were constrained onto the respective curves, either because they are parts of the same element, or because they are both external geometry. Ingen av de valda punkterna begränsades till de respektive kurvorna, antingen för att de är delar av samma element eller för att båda är yttre geometri. - + Cannot add a length constraint on this selection! Cannot add a length constraint on this selection! - - - - + + + + Select exactly one line or up to two points from the sketch. Välj exakt en linje eller upp till två punkter från skissen. - + Cannot add a horizontal length constraint on an axis! Kan inte lägga till en horisontell längdbegränsning på en axel! - + Cannot add a fixed x-coordinate constraint on the origin point! Kan inte lägga till en fast x-koordinatsbegränsning på origo! - - + + This constraint only makes sense on a line segment or a pair of points. This constraint only makes sense on a line segment or a pair of points. - + Cannot add a vertical length constraint on an axis! Kan inte lägga till en vertikal längdbegränsning på en axel! - + Cannot add a fixed y-coordinate constraint on the origin point! Kan inte lägga till en fast y-koordinatsbegränsning på origo! - + Select two or more lines from the sketch. Välj två eller flera linjer från skissen. - + One selected edge is not a valid line. One selected edge is not a valid line. - - + + Select at least two lines from the sketch. Välj åtminstone två linjer från skissen. - + The selected edge is not a valid line. The selected edge is not a valid line. - + There is a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2813,35 +2813,35 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Accepterade kombinationer: två kurvor; en slutpunkt och en kurva; två slutpunkter; två kurvor och en punkt. - + Select some geometry from the sketch. perpendicular constraint Välj geometri(er) från skissen. - - + + Cannot add a perpendicularity constraint at an unconnected point! Kan inte lägga till en vinkelräthetsbegränsning vid en oansluten punkt! - - + + One of the selected edges should be a line. En av de markerade kanterna ska vara en linje. - + Endpoint to endpoint tangency was applied. The coincident constraint was deleted. Slutpunkt till slutpunkt-tangering tillämpades. Sammanfallningsbegränsningen raderades. - + Endpoint to edge tangency was applied. The point on object constraint was deleted. Endpoint to edge tangency was applied. The point on object constraint was deleted. - + There are a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2851,61 +2851,61 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Accepterade kombinationer: två kurvor; en slutpunkt och en kurva; två slutpunkter; två kurvor och en punkt. - + Select some geometry from the sketch. tangent constraint Välj geometri(er) från skissen. - - - + + + Cannot add a tangency constraint at an unconnected point! Kan inte lägga till ett tangensbegränsning vid en oansluten punkt! - - + + Tangent constraint at B-spline knot is only supported with lines! Tangent constraint at B-spline knot is only supported with lines! - + B-spline knot to endpoint tangency was applied instead. B-spline knot to endpoint tangency was applied instead. - - + + Wrong number of selected objects! Felaktigt antal valda objekt! - - + + With 3 objects, there must be 2 curves and 1 point. Med tre objekt måste det vara två kurvor och en punkt. - - - - - - + + + + + + Select one or more arcs or circles from the sketch. Markera en eller fler bågar eller cirklar från skissen. - - - + + + Constraint only applies to arcs or circles. Begränsning tillämpas bara på bågar eller cirklar. - - + + Select one or two lines from the sketch. Or select two edges and a point. Välj en eller två linjer från skissen, eller två kanter och en punkt. @@ -2920,87 +2920,87 @@ Accepterade kombinationer: två kurvor; en slutpunkt och en kurva; två slutpunk En vinkelbegränsning kan inte tillämpas på två parallella linjer. - + Cannot add an angle constraint on an axis! Kan inte lägga till vinkelbegränsning på en axel! - + Select two edges from the sketch. Välj två kanter från skissen. - + Select two or more compatible edges. Select two or more compatible edges. - + Sketch axes cannot be used in equality constraints. Sketch axes cannot be used in equality constraints. - + Equality for B-spline edge currently unsupported. Likhet för B-spline-kant stöds inte just nu. - - - + + + Select two or more edges of similar type. Select two or more edges of similar type. - - - - - + + + + + Select two points and a symmetry line, two points and a symmetry point or a line and a symmetry point from the sketch. Välj två punkter och en symmetrilinje, två punkter och en symmetripunkt eller en linje och en symmetripunkt från skissen. - - + + Cannot add a symmetry constraint between a line and its end points. Cannot add a symmetry constraint between a line and its end points. - - - - + + + + Cannot add a symmetry constraint between a line and its end points! Kan inte lägga till symmetribegränsning mellan en linje och dess ändpunkter! - + Selected objects are not just geometry from one sketch. Valda objekt är inte geometri från endast en skiss. - + Cannot create constraint with external geometry only. Cannot create constraint with external geometry only. - + Incompatible geometry is selected. Incompatible geometry is selected. - + Select one dimensional constraint from the sketch. Select one dimensional constraint from the sketch. - - - - - + + + + + Select constraints from the sketch. Select constraints from the sketch. @@ -3541,12 +3541,12 @@ Accepterade kombinationer: två kurvor; en slutpunkt och en kurva; två slutpunk Längd: - + Refractive index ratio Brytningsindexsförhållande - + Ratio n2/n1: Förhållande n2/n1: @@ -5193,8 +5193,8 @@ This is done by analyzing the sketch geometries and constraints. Sketcher_ConstrainDiameter - - + + Fix the diameter of a circle or an arc Fixera diametern av en cirkel eller en båge @@ -5346,64 +5346,74 @@ This is done by analyzing the sketch geometries and constraints. Sketcher_MapSketch - + No sketch found Ingen skiss hittades - + + Cannot attach sketch to itself! + Cannot attach sketch to itself! + + + The document doesn't have a sketch Dokumentet innehåller inte någon skiss - + Select sketch Välj skiss - + + Select a sketch (some sketches not shown to prevent a circular dependency) + Select a sketch (some sketches not shown to prevent a circular dependency) + + + Select a sketch from the list Välj en skiss från listan - + (incompatible with selection) (inkompatibel med markering) - + (current) (nuvarande) - + (suggested) (föreslagen) - + Sketch attachment Skisskoppling - + Current attachment mode is incompatible with the new selection. Select the method to attach this sketch to selected objects. Current attachment mode is incompatible with the new selection. Select the method to attach this sketch to selected objects. - + Select the method to attach this sketch to selected objects. Välj metod för att koppla den här skissen till valda objekt. - + Map sketch Kartera skiss - + Can't map a sketch to support: %1 Kan inte kartera en skiss till stöd: @@ -5934,22 +5944,22 @@ The grid spacing change if it becomes smaller than this number of pixel. GridSpaceAction - + Grid auto spacing Grid auto spacing - + Resize grid automatically depending on zoom. Resize grid automatically depending on zoom. - + Spacing Spacing - + Distance between two subsequent grid lines. Distance between two subsequent grid lines. @@ -5957,17 +5967,17 @@ The grid spacing change if it becomes smaller than this number of pixel. Notifications - + The Sketch has malformed constraints! The Sketch has malformed constraints! - + The Sketch has partially redundant constraints! The Sketch has partially redundant constraints! - + Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! @@ -6046,8 +6056,8 @@ The grid spacing change if it becomes smaller than this number of pixel. - - + + Invalid Constraint Invalid Constraint @@ -6254,34 +6264,34 @@ The grid spacing change if it becomes smaller than this number of pixel. SnapSpaceAction - + Snap to objects Snap to objects - + New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. - + Snap to grid Snap to grid - + New points will snap to the nearest grid line. Points must be set closer than a fifth of the grid spacing to a grid line to snap. New points will snap to the nearest grid line. Points must be set closer than a fifth of the grid spacing to a grid line to snap. - + Snap angle Snap angle - + Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. @@ -6289,23 +6299,23 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna RenderingOrderAction - - - + + + Normal Geometry Normal geometri - - - + + + Construction Geometry Konstruktionsgeometri - - - + + + External Geometry Extern geometri @@ -6313,12 +6323,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdRenderingOrder - + Configure rendering order Configure rendering order - + Reorder the items in the list to configure rendering order. Reorder the items in the list to configure rendering order. @@ -6326,12 +6336,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherGrid - + Toggle grid Växla rutnät - + Toggle the grid in the sketch. In the menu you can change grid settings. Toggle the grid in the sketch. In the menu you can change grid settings. @@ -6339,12 +6349,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherSnap - + Toggle snap Toggle snap - + Toggle all snap functionality. In the menu you can toggle 'Snap to grid' and 'Snap to objects' individually, and change further snap settings. Toggle all snap functionality. In the menu you can toggle 'Snap to grid' and 'Snap to objects' individually, and change further snap settings. @@ -6378,12 +6388,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherDimension - + Dimension Dimension - + Constrain contextually based on your selection. Depending on your selection you might have several constraints available. You can cycle through them using M key. Left clicking on empty space will validate the current constraint. Right clicking or pressing Esc will cancel. @@ -6421,12 +6431,12 @@ Left clicking on empty space will validate the current constraint. Right clickin CmdSketcherConstrainRadius - + Constrain radius Begränsa radie - + Fix the radius of a circle or an arc Fixera cirkelns eller cirkelbågens radie @@ -6561,12 +6571,12 @@ Left clicking on empty space will validate the current constraint. Right clickin Delete original geometries (U) - + Apply equal constraints Apply equal constraints - + If this option is selected dimensional constraints are excluded from the operation. Instead equal constraints are applied between the original objects and their copies. If this option is selected dimensional constraints are excluded from the operation. @@ -6638,12 +6648,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherCompHorizontalVertical - + Constrain horizontal/vertical Constrain horizontal/vertical - + Constrains a single line to either horizontal or vertical. Constrains a single line to either horizontal or vertical. @@ -6651,12 +6661,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainHorVer - + Constrain horizontal/vertical Constrain horizontal/vertical - + Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. @@ -6703,12 +6713,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainCoincidentUnified - + Constrain coincident Begränsa sammanfallande - + Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses @@ -6994,7 +7004,7 @@ Instead equal constraints are applied between the original objects and their cop TaskSketcherTool_p4_rotate - + Copies (+'U'/ -'J') Copies (+'U'/ -'J') @@ -7242,12 +7252,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainTangent - + Constrain tangent or collinear Constrain tangent or collinear - + Create a tangent or collinear constraint between two entities Create a tangent or collinear constraint between two entities @@ -7255,12 +7265,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherChangeDimensionConstraint - + Change value Ändra värde - + Change the value of a dimensional constraint Change the value of a dimensional constraint @@ -7326,8 +7336,8 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadius - - + + Fix the radius of an arc or a circle Fix the radius of an arc or a circle @@ -7335,8 +7345,8 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadiam - - + + Fix the radius/diameter of an arc or a circle Fix the radius/diameter of an arc or a circle diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_tr.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_tr.ts index 7598c3792df4..6e0d71ac304d 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_tr.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_tr.ts @@ -128,27 +128,27 @@ CmdSketcherCompConstrainRadDia - + Constrain arc or circle Yay ya da çemberi kısıtla - + Constrain an arc or a circle Bir yayı ya da bir çemberi kısıtla - + Constrain radius Yarıçapı sınırla - + Constrain diameter Çapı kısıtla - + Constrain auto radius/diameter Yarı çapı/çapı otomatik kısıtla @@ -307,12 +307,12 @@ CmdSketcherConstrainAngle - + Constrain angle Açı kısıtlaması - + Fix the angle of a line or the angle between two lines Bir çizginin açısını veya iki çizgi arasındaki açıyı düzeltin @@ -320,12 +320,12 @@ CmdSketcherConstrainBlock - + Constrain block Kısıtlamayı Engelle - + Block the selected edge from moving Seçilen kenarın hareket etmesini engelle @@ -333,12 +333,12 @@ CmdSketcherConstrainCoincident - + Constrain coincident Çakıştır - + Create a coincident constraint between points, or a concentric constraint between circles, arcs, and ellipses Noktalar arasında çakışık veya daireler, yaylar ve elipsler arasında eşmerkezli bir kısıtlama oluşturun @@ -346,12 +346,12 @@ CmdSketcherConstrainDiameter - + Constrain diameter Çapı kısıtla - + Fix the diameter of a circle or an arc Bir çemberin veya bir yayın yarıçapını düzelt @@ -359,12 +359,12 @@ CmdSketcherConstrainDistance - + Constrain distance Mesafeyi kısıtla - + Fix a length of a line or the distance between a line and a vertex or between two circles Bir çizginin uzunluğunu veya bir çizgi ile bir tepe noktası arasındaki veya iki daire arasındaki mesafeyi sabitleyin @@ -372,12 +372,12 @@ CmdSketcherConstrainDistanceX - + Constrain horizontal distance Yatay mesafeyi kısıtla - + Fix the horizontal distance between two points or line ends İki nokta veya çizgi uçları arasındaki yatay mesafeyi sabitleyin @@ -385,12 +385,12 @@ CmdSketcherConstrainDistanceY - + Constrain vertical distance Dikey mesafeyi kısıtla - + Fix the vertical distance between two points or line ends İki nokta veya çizgi ucu arasındaki dikey mesafeyi düzeltin @@ -398,12 +398,12 @@ CmdSketcherConstrainEqual - + Constrain equal Eşitle - + Create an equality constraint between two lines or between circles and arcs İki çizginin veya dairelerin ve yayların değerlerini eşitleyin (kısıtlaması oluşturun) @@ -411,12 +411,12 @@ CmdSketcherConstrainHorizontal - + Constrain horizontal Yatay olarak sınırlama - + Create a horizontal constraint on the selected item Seçili öğede yatay bir sınırlama oluşturur @@ -424,12 +424,12 @@ CmdSketcherConstrainLock - + Constrain lock Kısıtlama kilidi - + Create both a horizontal and a vertical distance constraint on the selected vertex Hem yatay hem de dikey mesafe kısıtlaması oluşturun @@ -439,12 +439,12 @@ seçilen köşe noktasında CmdSketcherConstrainParallel - + Constrain parallel Paralel yap - + Create a parallel constraint between two lines İki çizgi arasında paralel kısıtlama oluşturun @@ -452,12 +452,12 @@ seçilen köşe noktasında CmdSketcherConstrainPerpendicular - + Constrain perpendicular Dikey yap - + Create a perpendicular constraint between two lines İki çizgi arasında dikey bir kısıtlama oluşturun @@ -465,12 +465,12 @@ seçilen köşe noktasında CmdSketcherConstrainPointOnObject - + Constrain point on object Noktayı nesneye çakıştır - + Fix a point onto an object Teğetsel kısıtlama oluştur @@ -478,12 +478,12 @@ seçilen köşe noktasında CmdSketcherConstrainRadiam - + Constrain auto radius/diameter Yarı çapı/çapı otomatik kısıtla - + Fix the diameter if a circle is chosen, or the radius if an arc/spline pole is chosen Fix the diameter if a circle is chosen, or the radius if an arc/spline pole is chosen @@ -491,12 +491,12 @@ seçilen köşe noktasında CmdSketcherConstrainSnellsLaw - + Constrain refraction (Snell's law) Kırılmayı kısıtla (Snell yasası) - + Create a refraction law (Snell's law)constraint between two endpoints of rays and an edge as an interface. Create a refraction law (Snell's law)constraint between two endpoints of rays @@ -506,12 +506,12 @@ and an edge as an interface. CmdSketcherConstrainSymmetric - + Constrain symmetric Constrain symmetric - + Create a symmetry constraint between two points with respect to a line or a third point Bir çizgi veya üçüncü bir noktaya göre, iki nokta arasında simetri sınırlaması oluştur @@ -520,12 +520,12 @@ with respect to a line or a third point CmdSketcherConstrainVertical - + Constrain vertical Constrain vertical - + Create a vertical constraint on the selected item Seçilen öğeye dikey kısıtlama oluşturun @@ -1067,7 +1067,7 @@ First select the supporting geometry, for example, a face or an edge of a solid then call this command, then choose the desired sketch. - + Some of the selected objects depend on the sketch to be mapped. Circular dependencies are not allowed. Seçilen nesnelerden bazıları eşleştirilecek taslağa bağlı. Dairesel bağımlılıklara izin verilmiyor. @@ -1075,22 +1075,22 @@ then call this command, then choose the desired sketch. CmdSketcherMergeSketches - + Merge sketches Eskizleri birleştir - + Create a new sketch from merging two or more selected sketches. Seçilen iki veya daha fazla taslağın birleşiminden yeni bir taslak oluşturun. - + Wrong selection Yanlış seçim - + Select at least two sketches. En az iki eskiz seçin. @@ -1098,12 +1098,12 @@ then call this command, then choose the desired sketch. CmdSketcherMirrorSketch - + Mirror sketch Eskizi Aynala - + Creates a new mirrored sketch for each selected sketch by using the X or Y axes, or the origin point, as mirroring reference. @@ -1112,12 +1112,12 @@ by using the X or Y axes, or the origin point, as mirroring reference. - + Wrong selection Yanlış seçim - + Select one or more sketches. Bir veya daha fazla eskiz seçin. @@ -1371,12 +1371,12 @@ This will clear the 'AttachmentSupport' property, if any. CmdSketcherToggleActiveConstraint - + Activate/deactivate constraint Kısıtlamayı etkinleştir / devre dışı bırak - + Activates or deactivates the selected constraints Seçili kısıtlamaları etkinleştirir veya devre dışı bırakır @@ -1397,12 +1397,12 @@ This will clear the 'AttachmentSupport' property, if any. CmdSketcherToggleDrivingConstraint - + Toggle driving/reference constraint Sevk / referans kısıtlamasını değiştir - + Set the toolbar, or the selected constraints, into driving or reference mode Araç çubuğunu veya seçili kısıtlamaları, @@ -1425,24 +1425,24 @@ sevk veya referans moduna ayarlayın CmdSketcherValidateSketch - + Validate sketch... Eskizi doğrula... - + Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. - + Wrong selection Yanlış seçim - + Select only one sketch. Yalnızca bir eskiz seçin. @@ -1450,12 +1450,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSection - + View section Seçimi Görüntüle - + When in edit mode, switch between section view and full view. Düzenleme modundayken, kesit görünümü ile tam görünüm arasında geçiş yapın. @@ -1463,12 +1463,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSketch - + View sketch Eskizi göster - + When in edit mode, set the camera orientation perpendicular to the sketch plane. Düzenleme modundayken, kamera yönünü eskiz düzlemine dik olarak ayarlayın. @@ -1476,69 +1476,69 @@ invalid constraints, degenerated geometry, etc. Command - + Add 'Lock' constraint 'Kilitleme' sınırlaması ekle - + Add relative 'Lock' constraint Bağıl 'Kilitleme' sınırlaması ekle - + Add fixed constraint Sabitleme sınırlaması ekle - + Add 'Block' constraint 'Blok' kısıtlaması ekle - + Add block constraint Blok kısıtlaması ekle - - + + Add coincident constraint Çakışıklık sınırlaması ekle - - + + Add distance from horizontal axis constraint Yatay eksen sınırlamasından mesafe ekle - - + + Add distance from vertical axis constraint Dikey eksen sınırlamasından mesafe ekle - - + + Add point to point distance constraint 'Noktadan noktaya mesafe' sınırlaması ekle - - + + Add point to line Distance constraint 'Noktadan çizgiye mesafe' sınırlaması ekle - - + + Add circle to circle distance constraint Daireden daireye kısıtlama ekle - + Add circle to line distance constraint Daireden çizgiye kısıtlama ekle @@ -1547,16 +1547,16 @@ invalid constraints, degenerated geometry, etc. - - - + + + Add length constraint Uzunluk sınırlaması ekle - + Dimension Boyut @@ -1573,7 +1573,7 @@ invalid constraints, degenerated geometry, etc. - + Add Distance constraint Mesafe sınırlaması ekle @@ -1651,7 +1651,7 @@ invalid constraints, degenerated geometry, etc. Yarıçap kısıtlaması ekle - + Activate/Deactivate constraints Activate/Deactivate constraints @@ -1667,23 +1667,23 @@ invalid constraints, degenerated geometry, etc. Eşmerkezlilik ve uzunluk kısıtlaması ekle - + Add DistanceX constraint X eksenine uzaklık kısıtlaması ekle - + Add DistanceY constraint Y eksenine uzaklık kısıtlaması ekle - + Add point to circle Distance constraint Çember merkez noktasına mesafe kısıtlaması ekle - - + + Add point on object constraint 'Nesne üzerindeki bir nokta' sınırlaması ekle @@ -1694,143 +1694,143 @@ invalid constraints, degenerated geometry, etc. Add arc length constraint - - + + Add point to point horizontal distance constraint 'Noktadan noktaya yatay mesafe' sınırlaması ekle - + Add fixed x-coordinate constraint Sabit x koordinatı sınırlaması ekle - - + + Add point to point vertical distance constraint 'Noktadan noktaya dikey mesafe' sınırlaması ekle - + Add fixed y-coordinate constraint Sabit y koordinatı sınırlaması ekle - - + + Add parallel constraint Paralellik sınırlaması ekle - - - - - - - + + + + + + + Add perpendicular constraint Diklik sınırlaması ekle - + Add perpendicularity constraint Diklik kısıtlaması ekle - + Swap coincident+tangency with ptp tangency Çakışıklık+teğetliği noktadan noktaya teğetlik ile değiştir - - - - - - - + + + + + + + Add tangent constraint Teğetlik sınırlaması ekle - - - - - - - - - - - - - - + + + + + + + + + + + + + + Add tangent constraint point Teğetlik sınırlama noktası ekle - - - - + + + + Add radius constraint Yarıçap sınırlaması ekle - - - - + + + + Add diameter constraint Çap sınırlaması ekle - - - - + + + + Add radiam constraint Yarıçap kısıtlaması ekle - - - - + + + + Add angle constraint Açı sınırlaması ekle - + Swap point on object and tangency with point to curve tangency Swap point on object and tangency with point to curve tangency - - + + Add equality constraint Eşitlik sınırlaması ekle - - - - - + + + + + Add symmetric constraint Simetriklik sınırlaması ekle - + Add Snell's law constraint 'Snell kanunu' sınırlaması ekle - + Toggle constraint to driving/reference Kısıtlamayı sevk/referans olarak değiştir @@ -1850,22 +1850,22 @@ invalid constraints, degenerated geometry, etc. Eskizi yeniden yönlendir - + Attach sketch Eskiz ekleyin - + Detach sketch Eskizi ayır - + Create a mirrored sketch for each selected sketch Seçilen her eskiz için aynalanmış bir eskiz oluşturun - + Merge sketches Eskizleri birleştir @@ -2039,7 +2039,7 @@ invalid constraints, degenerated geometry, etc. Kısıtlamanın sanal alanını güncelleyin - + Add auto constraints Otomatik kısıtlamalar ekleyin @@ -2147,59 +2147,59 @@ invalid constraints, degenerated geometry, etc. Exceptions - + Unable to guess intersection of curves. Try adding a coincident constraint between the vertices of the curves you are intending to fillet. Eğrilerin kesişimini tahmin edemiyoruz. Dilimlemeyi planladığınız eğrilerin köşeleri arasında çakışan bir kısıtlama eklemeyi deneyin. - + You are requesting no change in knot multiplicity. Düğüm çokluğunda herhangi bir değişiklik istemiyorsunuz. - - + + B-spline Geometry Index (GeoID) is out of bounds. B-spline Geometry Index (GeoID) is out of bounds. - - + + The Geometry Index (GeoId) provided is not a B-spline. The Geometry Index (GeoId) provided is not a B-spline. - + The knot index is out of bounds. Note that in accordance with OCC notation, the first knot has index 1 and not zero. Düğüm endeksi sınırların dışındadır. OCC gösterimine göre, ilk düğümün indeks 1'i olduğunu ve sıfır olmadığını unutmayın. - + The multiplicity cannot be increased beyond the degree of the B-spline. Çeşitlilik, B-spline'nın derecesinin ötesinde artırılamaz. - + The multiplicity cannot be decreased beyond zero. Çokluk sıfırdan aşağıya düşürülemez. - + OCC is unable to decrease the multiplicity within the maximum tolerance. OCC, maksimum tolerans dahilinde çokluğu azaltamıyor. - + Knot cannot have zero multiplicity. Düğümün çokluğu sıfır olamaz. - + Knot multiplicity cannot be higher than the degree of the B-spline. Knot multiplicity cannot be higher than the degree of the B-spline. - + Knot cannot be inserted outside the B-spline parameter range. Knot cannot be inserted outside the B-spline parameter range. @@ -2309,7 +2309,7 @@ invalid constraints, degenerated geometry, etc. - + Don't attach İliştirilmez @@ -2331,123 +2331,123 @@ invalid constraints, degenerated geometry, etc. - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + - - - - - - + + + + + + + + @@ -2513,116 +2513,116 @@ invalid constraints, degenerated geometry, etc. One of the selected has to be on the sketch. - + Select an edge from the sketch. Taslaktan bir kenar seç - - - - - - + + + + + + Impossible constraint İmkansız kısıt - - + + The selected edge is not a line segment. The selected edge is not a line segment. - - - + + + Double constraint Çift kısıtlama - + The selected edge already has a horizontal constraint! Seçilen kenar zaten yatay bir kısıtlamaya sahip! - + The selected edge already has a vertical constraint! Seçilen kenar zaten dikey bir kısıtlamaya sahip! - - - + + + The selected edge already has a Block constraint! Seçilen kenarın zaten bir Blok kısıtlaması var! - + There are more than one fixed points selected. Select a maximum of one fixed point! Seçilen birden fazla sabit nokta vardır. En fazla bir tane sabit nokta seçin! - - - + + + Select vertices from the sketch. Eskiden krokileri seçin. - + Select one vertex from the sketch other than the origin. Köşeden başka bir taslaktan bir köşe seçin. - + Select only vertices from the sketch. The last selected vertex may be the origin. Eskiden sadece köşeleri seçin. Son seçilen köşe orijin olabili. - + Wrong solver status Yanlış çözücü durumu - + A Block constraint cannot be added if the sketch is unsolved or there are redundant and conflicting constraints. Çizim çözülmediyse veya gereksiz ve çelişen kısıtlamalar varsa bir Blok kısıtlaması eklenemez. - + Select one edge from the sketch. Eskizden bir kenar seçin. - + Select only edges from the sketch. Eskizden sadece kenarları seçin. - + None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. - + Only tangent-via-point is supported with a B-spline. Only tangent-via-point is supported with a B-spline. - - + + Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. - + Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. Constraint_SnellsLaw Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. - + Number of selected objects is not 3 Number of selected objects is not 3 @@ -2639,80 +2639,80 @@ invalid constraints, degenerated geometry, etc. Unexpected error. More information may be available in the Report View. - + The selected item(s) can't accept a horizontal or vertical constraint! The selected item(s) can't accept a horizontal or vertical constraint! - + Endpoint to endpoint tangency was applied instead. Bunun yerine, uç noktalar arasında teğetsel bir kısıtlama uygulandı. - + Select two or more vertices from the sketch for a coincident constraint, or two or more circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Select two or more vertices from the sketch for a coincident constraint, or two or more circles, ellipses, arcs or arcs of ellipse for a concentric constraint. - + Select two vertices from the sketch for a coincident constraint, or two circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Select two vertices from the sketch for a coincident constraint, or two circles, ellipses, arcs or arcs of ellipse for a concentric constraint. - + Select exactly one line or one point and one line or two points from the sketch. Çizimden tam olarak bir çizgi veya bir nokta ve bir çizgi veya iki nokta seçin. - + Cannot add a length constraint on an axis! Bir eksende bir uzunluk sınırlaması eklenemiyor! - - + + Select exactly one line or one point and one line or two points or two circles from the sketch. Select exactly one line or one point and one line or two points or two circles from the sketch. - + This constraint does not make sense for non-linear curves. This constraint does not make sense for non-linear curves. - + Endpoint to edge tangency was applied instead. Bunun yerine, kenar teğetliğine bitiş noktası uygulandı. - - - - - - + + + + + + Select the right things from the sketch. Eskiden eskizlerden birini seçin. - - - - - - - - - + + + + + + + + - - - - - - - - + + + + + + + + + Select an edge that is not a B-spline weight. Select an edge that is not a B-spline weight. @@ -2722,87 +2722,87 @@ invalid constraints, degenerated geometry, etc. One or two point on object constraint(s) was/were deleted, since the latest constraint being applied internally applies point-on-object as well. - + Select either several points, or several conics for concentricity. Select either several points, or several conics for concentricity. - + Select either one point and several curves, or one curve and several points Select either one point and several curves, or one curve and several points - + Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. - + None of the selected points were constrained onto the respective curves, either because they are parts of the same element, or because they are both external geometry. Seçilen noktalardan hiçbiri ilgili eğrilere aynı elemanın parçaları olduğu için ya da ikisi de harici geometri olduğu için kısıtlanmış değildi. - + Cannot add a length constraint on this selection! Cannot add a length constraint on this selection! - - - - + + + + Select exactly one line or up to two points from the sketch. Çizimden tam olarak bir çizgi veya en fazla iki nokta seçin. - + Cannot add a horizontal length constraint on an axis! Bir eksene yatay uzunluk kısıtlaması eklenemez! - + Cannot add a fixed x-coordinate constraint on the origin point! Orijin noktasına sabit bir x-koordinat kısıtlaması eklenemiyor! - - + + This constraint only makes sense on a line segment or a pair of points. This constraint only makes sense on a line segment or a pair of points. - + Cannot add a vertical length constraint on an axis! Bir eksene dikey uzunluk kısıtı eklenemiyor! - + Cannot add a fixed y-coordinate constraint on the origin point! Orijin noktasına sabit bir y-koordinat kısıtlaması eklenemiyor! - + Select two or more lines from the sketch. Eskizden iki veya daha fazla çizgi seçin. - + One selected edge is not a valid line. One selected edge is not a valid line. - - + + Select at least two lines from the sketch. Çizimden en az iki satır seçin. - + The selected edge is not a valid line. Seçilen kenar geçerli bir çizgi değil. - + There is a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2812,35 +2812,35 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Kabul edilen kombinasyonlar: iki eğri; bir son nokta ve bir eğri; iki uç nokta; iki eğri ve bir nokta. - + Select some geometry from the sketch. perpendicular constraint Eskizden bazı geometriyi seçin. - - + + Cannot add a perpendicularity constraint at an unconnected point! Bağlantısız bir noktaya diklik kısıtı eklenemiyor! - - + + One of the selected edges should be a line. Seçilen kenarlardan bir tanesi bir çizgi olmalıdır. - + Endpoint to endpoint tangency was applied. The coincident constraint was deleted. Uç noktalar arasında teğetsel bir kısıtlama uygulandı. Çakışık kısıtlama silindi. - + Endpoint to edge tangency was applied. The point on object constraint was deleted. Kenar teğetliğine bitiş noktası uygulandı. 'Nesne üzerinde nokta' kısıtlaması silindi. - + There are a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2850,61 +2850,61 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Kabul edilen kombinasyonlar: iki eğri; bir son nokta ve bir eğri; iki uç nokta; iki eğri ve bir nokta. - + Select some geometry from the sketch. tangent constraint Eskizden bazı geometriyi seçin. - - - + + + Cannot add a tangency constraint at an unconnected point! Bağlantısız bir noktaya bir teğet sınırlaması eklenemiyor! - - + + Tangent constraint at B-spline knot is only supported with lines! Tangent constraint at B-spline knot is only supported with lines! - + B-spline knot to endpoint tangency was applied instead. B-spline knot to endpoint tangency was applied instead. - - + + Wrong number of selected objects! Seçilen nesnelerin sayısı yanlış! - - + + With 3 objects, there must be 2 curves and 1 point. 3 nesneyle 2 eğri ve 1 nokta olmalıdır. - - - - - - + + + + + + Select one or more arcs or circles from the sketch. Eskizden bir veya daha fazla yay veya daire seçin. - - - + + + Constraint only applies to arcs or circles. Kısıtlama yalnızca yaylar veya daireler için geçerlidir. - - + + Select one or two lines from the sketch. Or select two edges and a point. Çizimden bir veya iki çizgi seçin. Ya da iki kenar ve bir nokta seçin. @@ -2919,87 +2919,87 @@ Kabul edilen kombinasyonlar: iki eğri; bir son nokta ve bir eğri; iki uç nokt İki paralel çizgi için açı sınırlaması ayarlanamaz. - + Cannot add an angle constraint on an axis! Bir eksene açı sınırlaması eklenemiyor! - + Select two edges from the sketch. Eskizden iki kenar seçin. - + Select two or more compatible edges. İki veya daha fazla uyumlu kenar seçin. - + Sketch axes cannot be used in equality constraints. Eskiz ekseni eşitlik kısıtlamalarında kullanılamaz. - + Equality for B-spline edge currently unsupported. B-spline kenarı için eşitlik şu anda desteklenmiyor. - - - + + + Select two or more edges of similar type. Benzer tipte iki veya daha fazla kenar seçin. - - - - - + + + + + Select two points and a symmetry line, two points and a symmetry point or a line and a symmetry point from the sketch. Eskizden iki nokta ve bir simetri çizgisi, iki nokta ve bir simetri noktası veya bir çizgi ve bir simetri noktası seçin. - - + + Cannot add a symmetry constraint between a line and its end points. Bir çizgi ve uç noktaları arasına simetrik kısıtlama eklenemez. - - - - + + + + Cannot add a symmetry constraint between a line and its end points! Bir çizgi ile bitiş noktaları arasında bir simetri kısıtı eklenemez! - + Selected objects are not just geometry from one sketch. Seçilen nesneler sadece bir taslaktaki geometri değildir. - + Cannot create constraint with external geometry only. Sadece dış geometri ile kısıtlama oluşturulamaz. - + Incompatible geometry is selected. Uyumsuz geometri seçildi. - + Select one dimensional constraint from the sketch. Select one dimensional constraint from the sketch. - - - - - + + + + + Select constraints from the sketch. Eskizden sınırlamaları seçin. @@ -3540,12 +3540,12 @@ Kabul edilen kombinasyonlar: iki eğri; bir son nokta ve bir eğri; iki uç nokt Uzunluk: - + Refractive index ratio Refraktif indeks oranı - + Ratio n2/n1: Oran n2/n1: @@ -5188,8 +5188,8 @@ This is done by analyzing the sketch geometries and constraints. Sketcher_ConstrainDiameter - - + + Fix the diameter of a circle or an arc Bir çemberin veya bir yayın yarıçapını düzelt @@ -5341,64 +5341,74 @@ This is done by analyzing the sketch geometries and constraints. Sketcher_MapSketch - + No sketch found Eskiz bulunamadı - + + Cannot attach sketch to itself! + Cannot attach sketch to itself! + + + The document doesn't have a sketch Belgede bir eskiz yok - + Select sketch Eskiz seçin - + + Select a sketch (some sketches not shown to prevent a circular dependency) + Select a sketch (some sketches not shown to prevent a circular dependency) + + + Select a sketch from the list Listeden bir eskiz seçin - + (incompatible with selection) (seçimle uyuşmaz) - + (current) (Mevcut) - + (suggested) (Önerilen) - + Sketch attachment Eskiz eki - + Current attachment mode is incompatible with the new selection. Select the method to attach this sketch to selected objects. Geçerli ekleme kipi yeni seçimle uyumlu değil. Bu taslağı seçilen nesnelere ekleme yöntemini seçin. - + Select the method to attach this sketch to selected objects. Bu eskizi seçilen nesnelere eklemek için yöntemi seçin. - + Map sketch Harita çizimi - + Can't map a sketch to support: %1 Desteklemek için bir eskiz eşleyemiyor: @@ -5929,22 +5939,22 @@ The grid spacing change if it becomes smaller than this number of pixel. GridSpaceAction - + Grid auto spacing Grid auto spacing - + Resize grid automatically depending on zoom. Resize grid automatically depending on zoom. - + Spacing Spacing - + Distance between two subsequent grid lines. Distance between two subsequent grid lines. @@ -5952,17 +5962,17 @@ The grid spacing change if it becomes smaller than this number of pixel. Notifications - + The Sketch has malformed constraints! The Sketch has malformed constraints! - + The Sketch has partially redundant constraints! The Sketch has partially redundant constraints! - + Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! @@ -6041,8 +6051,8 @@ The grid spacing change if it becomes smaller than this number of pixel. - - + + Invalid Constraint Invalid Constraint @@ -6249,34 +6259,34 @@ The grid spacing change if it becomes smaller than this number of pixel. SnapSpaceAction - + Snap to objects Snap to objects - + New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. - + Snap to grid Snap to grid - + New points will snap to the nearest grid line. Points must be set closer than a fifth of the grid spacing to a grid line to snap. New points will snap to the nearest grid line. Points must be set closer than a fifth of the grid spacing to a grid line to snap. - + Snap angle Snap angle - + Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. @@ -6284,23 +6294,23 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna RenderingOrderAction - - - + + + Normal Geometry Normal Geometry - - - + + + Construction Geometry Yapı Geometrisi - - - + + + External Geometry External Geometry @@ -6308,12 +6318,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdRenderingOrder - + Configure rendering order Configure rendering order - + Reorder the items in the list to configure rendering order. Reorder the items in the list to configure rendering order. @@ -6321,12 +6331,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherGrid - + Toggle grid Toggle grid - + Toggle the grid in the sketch. In the menu you can change grid settings. Toggle the grid in the sketch. In the menu you can change grid settings. @@ -6334,12 +6344,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherSnap - + Toggle snap Toggle snap - + Toggle all snap functionality. In the menu you can toggle 'Snap to grid' and 'Snap to objects' individually, and change further snap settings. Toggle all snap functionality. In the menu you can toggle 'Snap to grid' and 'Snap to objects' individually, and change further snap settings. @@ -6373,12 +6383,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherDimension - + Dimension Boyut - + Constrain contextually based on your selection. Depending on your selection you might have several constraints available. You can cycle through them using M key. Left clicking on empty space will validate the current constraint. Right clicking or pressing Esc will cancel. @@ -6416,12 +6426,12 @@ Left clicking on empty space will validate the current constraint. Right clickin CmdSketcherConstrainRadius - + Constrain radius Yarıçapı sınırla - + Fix the radius of a circle or an arc Bir dairenin veya bir yayın yarıçapını düzeltme @@ -6556,12 +6566,12 @@ Left clicking on empty space will validate the current constraint. Right clickin Delete original geometries (U) - + Apply equal constraints Apply equal constraints - + If this option is selected dimensional constraints are excluded from the operation. Instead equal constraints are applied between the original objects and their copies. If this option is selected dimensional constraints are excluded from the operation. @@ -6633,12 +6643,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherCompHorizontalVertical - + Constrain horizontal/vertical Constrain horizontal/vertical - + Constrains a single line to either horizontal or vertical. Constrains a single line to either horizontal or vertical. @@ -6646,12 +6656,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainHorVer - + Constrain horizontal/vertical Constrain horizontal/vertical - + Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. @@ -6698,12 +6708,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainCoincidentUnified - + Constrain coincident Çakıştır - + Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses @@ -6989,7 +6999,7 @@ Instead equal constraints are applied between the original objects and their cop TaskSketcherTool_p4_rotate - + Copies (+'U'/ -'J') Copies (+'U'/ -'J') @@ -7237,12 +7247,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainTangent - + Constrain tangent or collinear Constrain tangent or collinear - + Create a tangent or collinear constraint between two entities Create a tangent or collinear constraint between two entities @@ -7250,12 +7260,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherChangeDimensionConstraint - + Change value Değeri değiştir - + Change the value of a dimensional constraint Change the value of a dimensional constraint @@ -7321,8 +7331,8 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadius - - + + Fix the radius of an arc or a circle Fix the radius of an arc or a circle @@ -7330,8 +7340,8 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadiam - - + + Fix the radius/diameter of an arc or a circle Fix the radius/diameter of an arc or a circle diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_uk.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_uk.ts index 15da916eb16e..8275a8aa87d2 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_uk.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_uk.ts @@ -128,27 +128,27 @@ CmdSketcherCompConstrainRadDia - + Constrain arc or circle Обмеження для дуги або кола - + Constrain an arc or a circle Створює обмеження для дуги чи кола - + Constrain radius Обмеження за радіусом - + Constrain diameter Обмеження за діаметром - + Constrain auto radius/diameter Автоматичне обмеження за радіусом/діаметром @@ -307,12 +307,12 @@ CmdSketcherConstrainAngle - + Constrain angle Кутове обмеження - + Fix the angle of a line or the angle between two lines Задає кут нахилу лінії або кут між двома лініями @@ -320,12 +320,12 @@ CmdSketcherConstrainBlock - + Constrain block Обмеження переміщення - + Block the selected edge from moving Блокує переміщення вибраного ребра @@ -333,12 +333,12 @@ CmdSketcherConstrainCoincident - + Constrain coincident Обмеження збігу - + Create a coincident constraint between points, or a concentric constraint between circles, arcs, and ellipses Створити обмеження збігу між точками або концентричне обмеження між колами, дугами та еліпсами @@ -346,12 +346,12 @@ CmdSketcherConstrainDiameter - + Constrain diameter Обмеження за діаметром - + Fix the diameter of a circle or an arc Задає діаметр кола або дуги @@ -359,12 +359,12 @@ CmdSketcherConstrainDistance - + Constrain distance Обмеження відстані - + Fix a length of a line or the distance between a line and a vertex or between two circles Фіксує довжину лінії або відстань між лінією і вершиною або між двома колами @@ -372,12 +372,12 @@ CmdSketcherConstrainDistanceX - + Constrain horizontal distance Обмеження відстані по горизонталі - + Fix the horizontal distance between two points or line ends Задає відстань по горизонталі між двома точками або кінцями відрізку @@ -385,12 +385,12 @@ CmdSketcherConstrainDistanceY - + Constrain vertical distance Обмеження відстані по вертикалі - + Fix the vertical distance between two points or line ends Задає відстань по вертикалі між двома точками або кінцями відрізку @@ -398,12 +398,12 @@ CmdSketcherConstrainEqual - + Constrain equal Еквівалентне обмеження - + Create an equality constraint between two lines or between circles and arcs Створює обмеження еквівалентності між двома лініями, колами або дугами @@ -411,12 +411,12 @@ CmdSketcherConstrainHorizontal - + Constrain horizontal Обмеження по горизонталі - + Create a horizontal constraint on the selected item Створює обмеження горизонтальності для вибраного елементу @@ -424,12 +424,12 @@ CmdSketcherConstrainLock - + Constrain lock Обмеження фіксації - + Create both a horizontal and a vertical distance constraint on the selected vertex Створює обмеження на горизонтальну і вертикальну відстань для обраної вершини @@ -438,12 +438,12 @@ on the selected vertex CmdSketcherConstrainParallel - + Constrain parallel Паралельне обмеження - + Create a parallel constraint between two lines Створює обмеження паралельності між двома лініями @@ -451,12 +451,12 @@ on the selected vertex CmdSketcherConstrainPerpendicular - + Constrain perpendicular Перпендикулярне обмеження - + Create a perpendicular constraint between two lines Створює обмеження перпендикулярності між двома лініями @@ -464,12 +464,12 @@ on the selected vertex CmdSketcherConstrainPointOnObject - + Constrain point on object Прив'язати точку на обʼєкті - + Fix a point onto an object Фіксує точку на обʼєкті @@ -477,12 +477,12 @@ on the selected vertex CmdSketcherConstrainRadiam - + Constrain auto radius/diameter Автоматичне обмеження за радіусом/діаметром - + Fix the diameter if a circle is chosen, or the radius if an arc/spline pole is chosen Задає діаметр, якщо вибрано коло, або радіус, якщо вибрано полюс дуги/сплайна @@ -490,12 +490,12 @@ on the selected vertex CmdSketcherConstrainSnellsLaw - + Constrain refraction (Snell's law) Обмеження за законом заломлення (закон Снеліуса) - + Create a refraction law (Snell's law)constraint between two endpoints of rays and an edge as an interface. Створює обмеження за законом заломлення (закон Снеліуса) між @@ -505,12 +505,12 @@ and an edge as an interface. CmdSketcherConstrainSymmetric - + Constrain symmetric Обмеження за симетрією - + Create a symmetry constraint between two points with respect to a line or a third point Створює обмеження симетричності між двома @@ -520,12 +520,12 @@ with respect to a line or a third point CmdSketcherConstrainVertical - + Constrain vertical Обмеження по вертикалі - + Create a vertical constraint on the selected item Створює обмеження вертикальності для вибраного елементу @@ -1066,7 +1066,7 @@ then call this command, then choose the desired sketch. Спочатку виберіть опорну геометрію, наприклад, грань або ребро твердого об'єкта, потім викличте цю команду і виберіть потрібний ескіз. - + Some of the selected objects depend on the sketch to be mapped. Circular dependencies are not allowed. Деякі з вибраних об’єктів залежать від ескізу, який потрібно відобразити. Циклічні залежності не допускаються. @@ -1074,22 +1074,22 @@ then call this command, then choose the desired sketch. CmdSketcherMergeSketches - + Merge sketches Обʼєднати ескізи - + Create a new sketch from merging two or more selected sketches. Створює новий ескіз з обʼєднання двох або більше вибраних ескізів. - + Wrong selection Невірний вибір - + Select at least two sketches. Оберіть принаймні два ескізи. @@ -1097,12 +1097,12 @@ then call this command, then choose the desired sketch. CmdSketcherMirrorSketch - + Mirror sketch Віддзеркалити ескіз - + Creates a new mirrored sketch for each selected sketch by using the X or Y axes, or the origin point, as mirroring reference. @@ -1110,12 +1110,12 @@ as mirroring reference. вибраних ескізів відносно осі X, Y або початку координат. - + Wrong selection Невірний вибір - + Select one or more sketches. Виділіть один або кілька ескізів. @@ -1369,12 +1369,12 @@ This will clear the 'AttachmentSupport' property, if any. CmdSketcherToggleActiveConstraint - + Activate/deactivate constraint Активувати/деактивувати обмеження - + Activates or deactivates the selected constraints Активує або деактивує виділені обмеження @@ -1395,12 +1395,12 @@ This will clear the 'AttachmentSupport' property, if any. CmdSketcherToggleDrivingConstraint - + Toggle driving/reference constraint Перемкнути обмеження між допоміжними/основними - + Set the toolbar, or the selected constraints, into driving or reference mode Перемикає панель інструментів в режим допоміжної/основної геометрії або перетворює виділені обмеження в допоміжні/основні @@ -1422,24 +1422,24 @@ into driving or reference mode CmdSketcherValidateSketch - + Validate sketch... Перевірити ескіз... - + Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. Перевіряє ескіз на відсутність збігів, неприпустимі обмеження, вироджену геометрію тощо. - + Wrong selection Невірний вибір - + Select only one sketch. Виділіть лише один ескіз. @@ -1447,12 +1447,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSection - + View section Вид перерізу - + When in edit mode, switch between section view and full view. У режимі редагування перемикає між видами переріз/повний. @@ -1460,12 +1460,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSketch - + View sketch Переглянути ескіз - + When in edit mode, set the camera orientation perpendicular to the sketch plane. В режимі редагування, встановлює орієнтацію камери перпендикулярно площині ескізу. @@ -1473,69 +1473,69 @@ invalid constraints, degenerated geometry, etc. Command - + Add 'Lock' constraint Додати обмеження 'Фіксація' - + Add relative 'Lock' constraint Додайте обмеження відносна 'Фіксація' - + Add fixed constraint Додати фіксуюче обмеження - + Add 'Block' constraint Додати обмеження 'Блокування' - + Add block constraint Додати обмеження блокування - - + + Add coincident constraint Додати обмеження збігу - - + + Add distance from horizontal axis constraint Додати обмеження відстані від горизонтальної осі - - + + Add distance from vertical axis constraint Додати обмеження відстані від вертикальної осі - - + + Add point to point distance constraint Додати обмеження відстані між двома точками - - + + Add point to line Distance constraint Додати обмеження відстані між точкою та лінією - - + + Add circle to circle distance constraint Додати обмеження відстані між двома колами - + Add circle to line distance constraint Додати обмеження відстані між колом та лінією @@ -1544,16 +1544,16 @@ invalid constraints, degenerated geometry, etc. - - - + + + Add length constraint Додати обмеження довжини - + Dimension Розмірність @@ -1570,7 +1570,7 @@ invalid constraints, degenerated geometry, etc. - + Add Distance constraint Додати обмеження відстані @@ -1648,7 +1648,7 @@ invalid constraints, degenerated geometry, etc. Додати обмеження радіуса - + Activate/Deactivate constraints Активувати/Деактивувати обмеження @@ -1664,23 +1664,23 @@ invalid constraints, degenerated geometry, etc. Додати обмеження концентричності та довжини - + Add DistanceX constraint Додати обмеження відстані по X - + Add DistanceY constraint Додати обмеження відстані по Y - + Add point to circle Distance constraint Додати обмеження відстані від точки до кола - - + + Add point on object constraint Додати обмеження точки на об’єкті @@ -1691,143 +1691,143 @@ invalid constraints, degenerated geometry, etc. Додати обмеження довжини дуги - - + + Add point to point horizontal distance constraint Додати обмеження відстані за горизонталлю між двома точками - + Add fixed x-coordinate constraint Додати обмеження фіксованої X-координати - - + + Add point to point vertical distance constraint Додати обмеження відстані за вертикаллю між двома точками - + Add fixed y-coordinate constraint Додати обмеження фіксованої Y-координати - - + + Add parallel constraint Додати обмеження паралельності - - - - - - - + + + + + + + Add perpendicular constraint Додати обмеження перпендикуляру - + Add perpendicularity constraint Додати обмеження перпендикулярності - + Swap coincident+tangency with ptp tangency Перетворити збіг+дотик у дотик точка-точка - - - - - - - + + + + + + + Add tangent constraint Додати обмеження дотику - - - - - - - - - - - - - - + + + + + + + + + + + + + + Add tangent constraint point Додати обмеження дотику до точки - - - - + + + + Add radius constraint Додати обмеження радіусу - - - - + + + + Add diameter constraint Додати обмеження діаметру - - - - + + + + Add radiam constraint Додати обмеження радіусу/діаметру - - - - + + + + Add angle constraint Додати обмеження кута - + Swap point on object and tangency with point to curve tangency Замінити "точка на об'єкті + дотичність" на "дотичність до кривої" - - + + Add equality constraint Додати обмеження рівності - - - - - + + + + + Add symmetric constraint Додати обмеження симетрії - + Add Snell's law constraint Додати обмеження за законом заломлення Снеліуса - + Toggle constraint to driving/reference Перемкнути обмеження між допоміжними/основними @@ -1847,22 +1847,22 @@ invalid constraints, degenerated geometry, etc. Переорієнтувати ескіз - + Attach sketch Приєднати ескіз - + Detach sketch Від’єднати ескіз - + Create a mirrored sketch for each selected sketch Створити дзеркальний ескіз для кожного вибраного ескізу - + Merge sketches Обʼєднати ескізи @@ -2036,7 +2036,7 @@ invalid constraints, degenerated geometry, etc. Оновити віртуальний простір обмеження - + Add auto constraints Додати автообмеження @@ -2144,59 +2144,59 @@ invalid constraints, degenerated geometry, etc. Exceptions - + Unable to guess intersection of curves. Try adding a coincident constraint between the vertices of the curves you are intending to fillet. Не вдалося розрахувати перетин кривих. Спробуйте додати обмеження збігу між вершинами кривих, які ви хочете заокруглити. - + You are requesting no change in knot multiplicity. Ви просите не змінювати кратність вузлів. - - + + B-spline Geometry Index (GeoID) is out of bounds. Індекс геометрії B-сплайну (GeoID) знаходиться поза межами. - - + + The Geometry Index (GeoId) provided is not a B-spline. Наданий індекс геометрії (GeoId) не є B-сплайном. - + The knot index is out of bounds. Note that in accordance with OCC notation, the first knot has index 1 and not zero. Індекс вузла виходить за межі. Зверніть увагу, що відповідно до нотації OCC перший вузол має індекс 1, а не нуль. - + The multiplicity cannot be increased beyond the degree of the B-spline. Кратність не може бути збільшена понад ступінь B-сплайну. - + The multiplicity cannot be decreased beyond zero. Кратність не може бути зменшена нижче нуля. - + OCC is unable to decrease the multiplicity within the maximum tolerance. OCC нездатний зменшити кратність у межах максимального допуску. - + Knot cannot have zero multiplicity. Вузол не може мати нульову кратність. - + Knot multiplicity cannot be higher than the degree of the B-spline. Кратність вузлів не може бути вищою за степінь B-сплайна. - + Knot cannot be inserted outside the B-spline parameter range. Вузол не можна вставити за межами діапазону параметрів B-сплайна. @@ -2306,7 +2306,7 @@ invalid constraints, degenerated geometry, etc. - + Don't attach Не приєднувати @@ -2328,123 +2328,123 @@ invalid constraints, degenerated geometry, etc. - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + - - - - - - + + + + + + + + @@ -2510,116 +2510,116 @@ invalid constraints, degenerated geometry, etc. Один із вибраних має бути на ескізі. - + Select an edge from the sketch. Виділіть ребро на ескізі. - - - - - - + + + + + + Impossible constraint Неможливі обмеження - - + + The selected edge is not a line segment. Виділене ребро не є сегментом лінії. - - - + + + Double constraint Подвійне обмеження - + The selected edge already has a horizontal constraint! Виділене ребро вже має обмеження по горизонталі! - + The selected edge already has a vertical constraint! Виділене ребро вже має обмеження по вертикалі! - - - + + + The selected edge already has a Block constraint! Виділене ребро вже заблоковане! - + There are more than one fixed points selected. Select a maximum of one fixed point! Виділено декілька фіксованих точок. Оберіть максимум одну фіксовану точку! - - - + + + Select vertices from the sketch. Виділіть вершини на ескізі. - + Select one vertex from the sketch other than the origin. Виділіть одну вершину на ескізі, крім початкової. - + Select only vertices from the sketch. The last selected vertex may be the origin. Виділіть тільки вершини на ескізі. Остання виділена вершина може бути початковою. - + Wrong solver status Неправильний статус вирішувача - + A Block constraint cannot be added if the sketch is unsolved or there are redundant and conflicting constraints. Блокуюче обмеження не може бути додано, якщо ескіз не можна вирішати або є надлишкові/конфліктуючі обмеження. - + Select one edge from the sketch. Виділіть одне ребро на ескізі. - + Select only edges from the sketch. Виділіть лише ребра на ескізі. - + None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. Жодна з виділених точок не була обмежена відповідними кривими тому, що вони є частинами того ж елементу; вони є зовнішньою геометрією або тому, що ребро не підходить. - + Only tangent-via-point is supported with a B-spline. B-сплайном підтримується лише дотична до точки. - - + + Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. Виділіть на ескізі лише один чи декілька полюсів B-сплайну або лише одну чи декілька дуг чи кіл, але не змішуйте сплайни та дуги. - + Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. Constraint_SnellsLaw Виділіть два кінці ліній, які будуть виконувати роль променів, і ребро, що представляє межу розподілу середовищ. Перша обрана точка відповідає індексу n1, друга n2, а значення визначається співвідношенням n2 / n1. - + Number of selected objects is not 3 Кількість виділених об'єктів не 3 @@ -2636,80 +2636,80 @@ invalid constraints, degenerated geometry, etc. Неочікувана помилка. Більш детальна інформація доступна у Виді Звіт. - + The selected item(s) can't accept a horizontal or vertical constraint! Вибраний елемент(и) не може приймати обмеження по горизонталі або вертикалі! - + Endpoint to endpoint tangency was applied instead. Замість кінцевої точки застосовано дотичну. - + Select two or more vertices from the sketch for a coincident constraint, or two or more circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Виберіть дві або більше вершин з ескізу для обмеження збігу, або два або більше кіл, еліпсів, дуг або дуг еліпса для концентричного обмеження. - + Select two vertices from the sketch for a coincident constraint, or two circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Виберіть дві вершини з ескізу для обмеження збігу, або два кола, еліпси, дуги або дуги еліпса для концентричного обмеження. - + Select exactly one line or one point and one line or two points from the sketch. Виділіть на ескізі лише одну лінію, або одну точку та лінію, або дві точки. - + Cannot add a length constraint on an axis! Не можу додати обмеження довжини на вісь! - - + + Select exactly one line or one point and one line or two points or two circles from the sketch. Виділіть на ескізі рівно одну лінію або одну точку і одну лінію або дві точки, або два кола. - + This constraint does not make sense for non-linear curves. Це обмеження не має сенсу для нелінійних кривих. - + Endpoint to edge tangency was applied instead. Замість кінцевої точки застосовано дотичну до ребра. - - - - - - + + + + + + Select the right things from the sketch. Виділіть потрібні обʼєкти на ескізі. - - - - - - - - - + + + + + + + + - - - - - - - - + + + + + + + + + Select an edge that is not a B-spline weight. Виділіть ребро, яке не є вагою B-сплайну. @@ -2719,87 +2719,87 @@ invalid constraints, degenerated geometry, etc. Одне або два обмеження на об'єкт було видалено, оскільки останнє обмеження, яке застосовувалося, також було внутрішнім обмеженням на об'єкт. - + Select either several points, or several conics for concentricity. Виберіть або кілька точок, або кілька конусів для концентричності. - + Select either one point and several curves, or one curve and several points Виберіть або одну точку і кілька кривих, або одну криву і кілька точок - + Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. Виберіть або одну точку і кілька кривих, або одну криву і кілька точок для pointOnObject, або кілька точок для збігу, або кілька конусів для концентричності. - + None of the selected points were constrained onto the respective curves, either because they are parts of the same element, or because they are both external geometry. Жодна з виділених точок не була обмежена відповідними кривими тому, що вони є частинами того ж елементу або вони є зовнішньою геометрією. - + Cannot add a length constraint on this selection! Неможливо додати обмеження довжини до цього виділення! - - - - + + + + Select exactly one line or up to two points from the sketch. Виділіть на ескізі лише одну лінію або не більше двох точок. - + Cannot add a horizontal length constraint on an axis! Не можу додати горизонтального обмеження довжини на вісь! - + Cannot add a fixed x-coordinate constraint on the origin point! Не можна обмежити X-координату точки початку координат! - - + + This constraint only makes sense on a line segment or a pair of points. Це обмеження має сенс лише для відрізка або пари точок. - + Cannot add a vertical length constraint on an axis! Не можу додати вертикального обмеження довжини на вісь! - + Cannot add a fixed y-coordinate constraint on the origin point! Не можна обмежити Y-координату точки початку координат! - + Select two or more lines from the sketch. Виділіть на ескізі дві або більше ліній. - + One selected edge is not a valid line. Одне виділене ребро не є допустимою лінією. - - + + Select at least two lines from the sketch. Виділіть на ескізі принаймні дві лінії. - + The selected edge is not a valid line. Виділене ребро не є правильною лінією. - + There is a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2809,35 +2809,35 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Допустимі комбінації: дві криві; кінцева точка і крива; дві кінцевих точки; дві криві та точка. - + Select some geometry from the sketch. perpendicular constraint Виділіть деяку геометрію ескізу. - - + + Cannot add a perpendicularity constraint at an unconnected point! Не вдалося застосувати обмеження перпендикулярності, бо виділена точка не є частиною кривої! - - + + One of the selected edges should be a line. Одне з виділених ребер повинне бути лінією. - + Endpoint to endpoint tangency was applied. The coincident constraint was deleted. Застосовано обмеження дотичності між кінцевими точками. Обмеження збігу видалено. - + Endpoint to edge tangency was applied. The point on object constraint was deleted. Застосовано обмеження дотичності кінцевої точки до ребра. Обмеження точки на об’єкті було видалено. - + There are a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2847,61 +2847,61 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Допустимі комбінації: дві криві; кінцева точка та крива; дві кінцеві точки; дві криві та точка. - + Select some geometry from the sketch. tangent constraint Виділіть деяку геометрію ескізу. - - - + + + Cannot add a tangency constraint at an unconnected point! Не можу додати обмеження дотичної у точці, що не належить кривій! - - + + Tangent constraint at B-spline knot is only supported with lines! Дотичне обмеження на вузлі B-сплайна підтримується лише лініями! - + B-spline knot to endpoint tangency was applied instead. Замість цього застосовано дотичну вузла B-сплайна до кінцевої точки. - - + + Wrong number of selected objects! Неправильна кількість виділених обʼєктів! - - + + With 3 objects, there must be 2 curves and 1 point. Коли вибрано 3 елементи, це повинні бути 2 криві та одна точка. - - - - - - + + + + + + Select one or more arcs or circles from the sketch. Виділіть одну або кілька дуг чи кіл на ескізі. - - - + + + Constraint only applies to arcs or circles. Обмеження можна застосовувати лише до дуг або кіл. - - + + Select one or two lines from the sketch. Or select two edges and a point. Виділіть одну або дві лінії на ескізі. Або виділіть два ребра і точку. @@ -2916,87 +2916,87 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Обмеження кута не можна застосувати до паралельних ліній. - + Cannot add an angle constraint on an axis! Не можу додати обмеження кута на вісі! - + Select two edges from the sketch. Виділіть два ребра на ескізі. - + Select two or more compatible edges. Виділіть два або більше сумісних ребра. - + Sketch axes cannot be used in equality constraints. Вісі ескізу не можна використовувати в обмеженнях еквівалентності. - + Equality for B-spline edge currently unsupported. Обмеження рівності ребра B-сплайну не підтримується. - - - + + + Select two or more edges of similar type. Виділіть два або більше ребра однакового типу. - - - - - + + + + + Select two points and a symmetry line, two points and a symmetry point or a line and a symmetry point from the sketch. Виділіть на ескізі лише один чи декілька полюсів B-сплайну або лише одну чи декілька дуг чи кіл, але не змішуйте сплайни та дуги. - - + + Cannot add a symmetry constraint between a line and its end points. Неможливо додати обмеження симетрії між лінією та її кінцевими точками. - - - - + + + + Cannot add a symmetry constraint between a line and its end points! Неможливо додати обмеження симетрії між лінією та її кінцевими точками! - + Selected objects are not just geometry from one sketch. Виділені обʼєкти з різних ескізів. - + Cannot create constraint with external geometry only. Неможливо створити обмеження з використанням тільки зовнішньої геометрії. - + Incompatible geometry is selected. Виділено несумісну геометрію. - + Select one dimensional constraint from the sketch. Виберіть одне розмірне обмеження з ескізу. - - - - - + + + + + Select constraints from the sketch. Виділіть обмеження на ескізі. @@ -3537,12 +3537,12 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Довжина: - + Refractive index ratio Коефіцієнт заломлення - + Ratio n2/n1: Співвідношення n2/n1: @@ -5192,8 +5192,8 @@ This is done by analyzing the sketch geometries and constraints. Sketcher_ConstrainDiameter - - + + Fix the diameter of a circle or an arc Задає діаметр кола або дуги @@ -5345,64 +5345,74 @@ This is done by analyzing the sketch geometries and constraints. Sketcher_MapSketch - + No sketch found Ескіз не знайдено - + + Cannot attach sketch to itself! + Cannot attach sketch to itself! + + + The document doesn't have a sketch Документ без ескізу - + Select sketch Виберіть ескіз - + + Select a sketch (some sketches not shown to prevent a circular dependency) + Select a sketch (some sketches not shown to prevent a circular dependency) + + + Select a sketch from the list Виберіть ескіз зі списку - + (incompatible with selection) (несумісно з вибраним) - + (current) (поточний) - + (suggested) (запропонований) - + Sketch attachment Приєднання ескізу - + Current attachment mode is incompatible with the new selection. Select the method to attach this sketch to selected objects. Поточний режим вкладення несумісний із новим виділенням. Виберіть спосіб приєднання цього ескізу до виділених обʼєктів. - + Select the method to attach this sketch to selected objects. Виберіть спосіб приєднання ескізу до виділених обʼєктів. - + Map sketch Карта ескізу - + Can't map a sketch to support: %1 Не вдалося відобразити ескіз на базу: @@ -5933,22 +5943,22 @@ The grid spacing change if it becomes smaller than this number of pixel. GridSpaceAction - + Grid auto spacing Авто-крок сітки - + Resize grid automatically depending on zoom. Автоматично змінювати розмір сітки залежно від масштабу. - + Spacing Інтервал - + Distance between two subsequent grid lines. Встановлює відстань між двома наступними лініями сітки. @@ -5956,17 +5966,17 @@ The grid spacing change if it becomes smaller than this number of pixel. Notifications - + The Sketch has malformed constraints! Скетч має помилкові обмеження! - + The Sketch has partially redundant constraints! Скетч має частково надлишкові обмеження! - + Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! Перенесено параболи. Перенесені файли не відкриватимуться у попередніх версіях FreeCAD!!! @@ -6044,8 +6054,8 @@ The grid spacing change if it becomes smaller than this number of pixel. - - + + Invalid Constraint Неприпустиме обмеження @@ -6252,34 +6262,34 @@ The grid spacing change if it becomes smaller than this number of pixel. SnapSpaceAction - + Snap to objects Прив'язати до об'єктів - + New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. Нові точки прив'язуватимуться до поточного попередньо виділеного об'єкта. Вони також прив'язуватимуться до середини ліній і дуг. - + Snap to grid Прив'язати до сітки - + New points will snap to the nearest grid line. Points must be set closer than a fifth of the grid spacing to a grid line to snap. Нові точки будуть прив'язані до найближчої лінії сітки. Точки мають бути розташовані ближче, ніж на п'яту частину відстані між лініями сітки, щоб відбулася прив'язка. - + Snap angle Кут захоплення прив'язки - + Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. Встановлює крок кута для інструментів, які використовують "Прив'язка під кутом" (наприклад, лінія). Утримуйте клавішу CTRL, щоб увімкнути функцію "Прив'язка під кутом". Кут починається з позитивного напрямку осі Х ескізу. @@ -6287,23 +6297,23 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna RenderingOrderAction - - - + + + Normal Geometry Основна геометрія - - - + + + Construction Geometry Допоміжна геометрія - - - + + + External Geometry Зовнішня геометрія @@ -6311,12 +6321,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdRenderingOrder - + Configure rendering order Налаштувати порядок рендерингу - + Reorder the items in the list to configure rendering order. Впорядкуйте елементи у списку, щоб налаштувати порядок рендерингу. @@ -6324,12 +6334,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherGrid - + Toggle grid Показати або приховати сітку - + Toggle the grid in the sketch. In the menu you can change grid settings. Перемикання сітки в ескізі. В меню можна змінити налаштування сітки. @@ -6337,12 +6347,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherSnap - + Toggle snap Перемикання прив'язки - + Toggle all snap functionality. In the menu you can toggle 'Snap to grid' and 'Snap to objects' individually, and change further snap settings. Перемикає всі функцій прив'язки. У меню ви можете перемикати "Прив'язати до сітки" та "Прив'язати до об'єктів" окремо, а також змінювати інші параметри прив'язки. @@ -6376,12 +6386,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherDimension - + Dimension Розмірність - + Constrain contextually based on your selection. Depending on your selection you might have several constraints available. You can cycle through them using M key. Left clicking on empty space will validate the current constraint. Right clicking or pressing Esc will cancel. @@ -6419,12 +6429,12 @@ Left clicking on empty space will validate the current constraint. Right clickin CmdSketcherConstrainRadius - + Constrain radius Обмеження за радіусом - + Fix the radius of a circle or an arc Задає радіус кола або дуги @@ -6559,12 +6569,12 @@ Left clicking on empty space will validate the current constraint. Right clickin Видалити оригінальні геометрії (U) - + Apply equal constraints Застосувати однакові обмеження - + If this option is selected dimensional constraints are excluded from the operation. Instead equal constraints are applied between the original objects and their copies. Якщо цей параметр вибрано, то обмеження на розміри виключаються з операції. @@ -6636,12 +6646,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherCompHorizontalVertical - + Constrain horizontal/vertical Обмеження по горизонталі/вертикалі - + Constrains a single line to either horizontal or vertical. Обмежити окрему лінію відповідно до горизонталі або вертикалі. @@ -6649,12 +6659,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainHorVer - + Constrain horizontal/vertical Обмеження по горизонталі/вертикалі - + Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. Обмежує окрему лінію до горизонтального або вертикального положення, залежно від того, яке ближче до поточного. @@ -6701,12 +6711,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainCoincidentUnified - + Constrain coincident Обмеження збігу - + Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses Створіть обмеження збігу між точками, або зафіксуйте точку на ребрі, або концентричне обмеження між колами, дугами та еліпсами @@ -6992,7 +7002,7 @@ Instead equal constraints are applied between the original objects and their cop TaskSketcherTool_p4_rotate - + Copies (+'U'/ -'J') Копії (+'U'/ -'J') @@ -7240,12 +7250,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainTangent - + Constrain tangent or collinear Дотичне або колінеарне обмеження - + Create a tangent or collinear constraint between two entities Створити дотичне або колінеарне обмеження між двома об'єктами @@ -7253,12 +7263,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherChangeDimensionConstraint - + Change value Змінити значення - + Change the value of a dimensional constraint Змінити значення розмірного обмеження @@ -7324,8 +7334,8 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadius - - + + Fix the radius of an arc or a circle Зафіксувати радіус дуги або кола @@ -7333,8 +7343,8 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadiam - - + + Fix the radius/diameter of an arc or a circle Зафіксувати радіус/діаметр дуги або кола 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 059e6d3d9547..12636d3b752d 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_val-ES.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_val-ES.ts @@ -128,27 +128,27 @@ CmdSketcherCompConstrainRadDia - + Constrain arc or circle Restringeix l'arc o el cercle - + Constrain an arc or a circle Restringeix un arc o un cercle - + Constrain radius Restricció del radi - + Constrain diameter Restringeix el diàmetre - + Constrain auto radius/diameter Constrain auto radius/diameter @@ -307,12 +307,12 @@ CmdSketcherConstrainAngle - + Constrain angle Restricció d'angle - + Fix the angle of a line or the angle between two lines Fixa l'angle d'una línia o l'angle entre dues línies @@ -320,12 +320,12 @@ CmdSketcherConstrainBlock - + Constrain block Constrain block - + Block the selected edge from moving Block the selected edge from moving @@ -333,12 +333,12 @@ CmdSketcherConstrainCoincident - + Constrain coincident Restricció coincident - + Create a coincident constraint between points, or a concentric constraint between circles, arcs, and ellipses Create a coincident constraint between points, or a concentric constraint between circles, arcs, and ellipses @@ -346,12 +346,12 @@ CmdSketcherConstrainDiameter - + Constrain diameter Restringeix el diàmetre - + Fix the diameter of a circle or an arc Fixa el diàmetre d'un cercle o d'un arc @@ -359,12 +359,12 @@ CmdSketcherConstrainDistance - + Constrain distance Restricció de distància - + Fix a length of a line or the distance between a line and a vertex or between two circles Fix a length of a line or the distance between a line and a vertex or between two circles @@ -372,12 +372,12 @@ CmdSketcherConstrainDistanceX - + Constrain horizontal distance Constrain horizontal distance - + Fix the horizontal distance between two points or line ends Fixa la distància horitzontal entre dos punts o extrems de línia @@ -385,12 +385,12 @@ CmdSketcherConstrainDistanceY - + Constrain vertical distance Constrain vertical distance - + Fix the vertical distance between two points or line ends Fixa la distància vertical entre dos punts o extrems de línia @@ -398,12 +398,12 @@ CmdSketcherConstrainEqual - + Constrain equal Restricció d'igualtat - + Create an equality constraint between two lines or between circles and arcs Crea una restricció d'igualtat entre dues línies o entre cercles i arcs @@ -411,12 +411,12 @@ CmdSketcherConstrainHorizontal - + Constrain horizontal Constrain horizontal - + Create a horizontal constraint on the selected item Crea una restricció horitzontal en l'element seleccionat @@ -424,12 +424,12 @@ CmdSketcherConstrainLock - + Constrain lock Restricció de bloqueig - + Create both a horizontal and a vertical distance constraint on the selected vertex Create both a horizontal and a vertical distance constraint @@ -439,12 +439,12 @@ on the selected vertex CmdSketcherConstrainParallel - + Constrain parallel Restricció de parel·lelisme - + Create a parallel constraint between two lines Crea una restricció de paral·lelisme entre dues línies @@ -452,12 +452,12 @@ on the selected vertex CmdSketcherConstrainPerpendicular - + Constrain perpendicular Restricció de perpendicularitat - + Create a perpendicular constraint between two lines Crea una restricció de perpendicularitat entre dues línies @@ -465,12 +465,12 @@ on the selected vertex CmdSketcherConstrainPointOnObject - + Constrain point on object Constrain point on object - + Fix a point onto an object Fixa un punt sobre un objecte @@ -478,12 +478,12 @@ on the selected vertex CmdSketcherConstrainRadiam - + Constrain auto radius/diameter Constrain auto radius/diameter - + Fix the diameter if a circle is chosen, or the radius if an arc/spline pole is chosen Fix the diameter if a circle is chosen, or the radius if an arc/spline pole is chosen @@ -491,12 +491,12 @@ on the selected vertex CmdSketcherConstrainSnellsLaw - + Constrain refraction (Snell's law) Constrain refraction (Snell's law) - + Create a refraction law (Snell's law)constraint between two endpoints of rays and an edge as an interface. Create a refraction law (Snell's law)constraint between two endpoints of rays @@ -506,12 +506,12 @@ and an edge as an interface. CmdSketcherConstrainSymmetric - + Constrain symmetric Constrain symmetric - + Create a symmetry constraint between two points with respect to a line or a third point Create a symmetry constraint between two points @@ -521,12 +521,12 @@ with respect to a line or a third point CmdSketcherConstrainVertical - + Constrain vertical Constrain vertical - + Create a vertical constraint on the selected item Crea una restricció vertical en l'element seleccionat @@ -1068,7 +1068,7 @@ First select the supporting geometry, for example, a face or an edge of a solid then call this command, then choose the desired sketch. - + Some of the selected objects depend on the sketch to be mapped. Circular dependencies are not allowed. Some of the selected objects depend on the sketch to be mapped. Circular dependencies are not allowed. @@ -1076,22 +1076,22 @@ then call this command, then choose the desired sketch. CmdSketcherMergeSketches - + Merge sketches Fusiona els esbossos - + Create a new sketch from merging two or more selected sketches. Create a new sketch from merging two or more selected sketches. - + Wrong selection Selecció incorrecta - + Select at least two sketches. Select at least two sketches. @@ -1099,12 +1099,12 @@ then call this command, then choose the desired sketch. CmdSketcherMirrorSketch - + Mirror sketch Esbós en espill - + Creates a new mirrored sketch for each selected sketch by using the X or Y axes, or the origin point, as mirroring reference. @@ -1113,12 +1113,12 @@ by using the X or Y axes, or the origin point, as mirroring reference. - + Wrong selection Selecció incorrecta - + Select one or more sketches. Select one or more sketches. @@ -1372,12 +1372,12 @@ This will clear the 'AttachmentSupport' property, if any. CmdSketcherToggleActiveConstraint - + Activate/deactivate constraint Activate/deactivate constraint - + Activates or deactivates the selected constraints Activates or deactivates the selected constraints @@ -1398,12 +1398,12 @@ This will clear the 'AttachmentSupport' property, if any. CmdSketcherToggleDrivingConstraint - + Toggle driving/reference constraint Toggle driving/reference constraint - + Set the toolbar, or the selected constraints, into driving or reference mode Set the toolbar, or the selected constraints, @@ -1426,24 +1426,24 @@ into driving or reference mode CmdSketcherValidateSketch - + Validate sketch... Valida l'esbós... - + Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. - + Wrong selection Selecció incorrecta - + Select only one sketch. Select only one sketch. @@ -1451,12 +1451,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSection - + View section Visualitzar la selecció - + When in edit mode, switch between section view and full view. When in edit mode, switch between section view and full view. @@ -1464,12 +1464,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSketch - + View sketch Visualitza l'esbós - + When in edit mode, set the camera orientation perpendicular to the sketch plane. When in edit mode, set the camera orientation perpendicular to the sketch plane. @@ -1477,69 +1477,69 @@ invalid constraints, degenerated geometry, etc. Command - + Add 'Lock' constraint Add 'Lock' constraint - + Add relative 'Lock' constraint Add relative 'Lock' constraint - + Add fixed constraint Add fixed constraint - + Add 'Block' constraint Add 'Block' constraint - + Add block constraint Add block constraint - - + + Add coincident constraint Add coincident constraint - - + + Add distance from horizontal axis constraint Add distance from horizontal axis constraint - - + + Add distance from vertical axis constraint Add distance from vertical axis constraint - - + + Add point to point distance constraint Add point to point distance constraint - - + + Add point to line Distance constraint Add point to line Distance constraint - - + + Add circle to circle distance constraint Add circle to circle distance constraint - + Add circle to line distance constraint Add circle to line distance constraint @@ -1548,16 +1548,16 @@ invalid constraints, degenerated geometry, etc. - - - + + + Add length constraint Add length constraint - + Dimension Dimensió @@ -1574,7 +1574,7 @@ invalid constraints, degenerated geometry, etc. - + Add Distance constraint Add Distance constraint @@ -1652,7 +1652,7 @@ invalid constraints, degenerated geometry, etc. Add Radius constraint - + Activate/Deactivate constraints Activate/Deactivate constraints @@ -1668,23 +1668,23 @@ invalid constraints, degenerated geometry, etc. Add concentric and length constraint - + Add DistanceX constraint Add DistanceX constraint - + Add DistanceY constraint Add DistanceY constraint - + Add point to circle Distance constraint Add point to circle Distance constraint - - + + Add point on object constraint Add point on object constraint @@ -1695,143 +1695,143 @@ invalid constraints, degenerated geometry, etc. Add arc length constraint - - + + Add point to point horizontal distance constraint Add point to point horizontal distance constraint - + Add fixed x-coordinate constraint Add fixed x-coordinate constraint - - + + Add point to point vertical distance constraint Add point to point vertical distance constraint - + Add fixed y-coordinate constraint Add fixed y-coordinate constraint - - + + Add parallel constraint Add parallel constraint - - - - - - - + + + + + + + Add perpendicular constraint Add perpendicular constraint - + Add perpendicularity constraint Add perpendicularity constraint - + Swap coincident+tangency with ptp tangency Swap coincident+tangency with ptp tangency - - - - - - - + + + + + + + Add tangent constraint Add tangent constraint - - - - - - - - - - - - - - + + + + + + + + + + + + + + Add tangent constraint point Add tangent constraint point - - - - + + + + Add radius constraint Add radius constraint - - - - + + + + Add diameter constraint Add diameter constraint - - - - + + + + Add radiam constraint Add radiam constraint - - - - + + + + Add angle constraint Add angle constraint - + Swap point on object and tangency with point to curve tangency Swap point on object and tangency with point to curve tangency - - + + Add equality constraint Add equality constraint - - - - - + + + + + Add symmetric constraint Add symmetric constraint - + Add Snell's law constraint Add Snell's law constraint - + Toggle constraint to driving/reference Toggle constraint to driving/reference @@ -1851,22 +1851,22 @@ invalid constraints, degenerated geometry, etc. Reorient sketch - + Attach sketch Attach sketch - + Detach sketch Detach sketch - + Create a mirrored sketch for each selected sketch Create a mirrored sketch for each selected sketch - + Merge sketches Fusiona els esbossos @@ -2040,7 +2040,7 @@ invalid constraints, degenerated geometry, etc. Update constraint's virtual space - + Add auto constraints Add auto constraints @@ -2148,59 +2148,59 @@ invalid constraints, degenerated geometry, etc. Exceptions - + Unable to guess intersection of curves. Try adding a coincident constraint between the vertices of the curves you are intending to fillet. No s'ha trobat la intersecció de les corbes. Intenteu afegir una restricció coincident entre els vèrtexs de les corbes que esteu intentant arrodonir. - + You are requesting no change in knot multiplicity. Se us ha demanat que no canvieu la multiplicitat del nus. - - + + B-spline Geometry Index (GeoID) is out of bounds. B-spline Geometry Index (GeoID) is out of bounds. - - + + The Geometry Index (GeoId) provided is not a B-spline. The Geometry Index (GeoId) provided is not a B-spline. - + The knot index is out of bounds. Note that in accordance with OCC notation, the first knot has index 1 and not zero. L'índex del nus és fora dels límits. Tingueu en compte que d'acord amb la notació d'OCC, el primer nus té l'índex 1 i no zero. - + The multiplicity cannot be increased beyond the degree of the B-spline. La multiplicitat no es pot augmentar més enllà del grau del B-spline. - + The multiplicity cannot be decreased beyond zero. La multiplicitat no es pot reduir més enllà de zero. - + OCC is unable to decrease the multiplicity within the maximum tolerance. OCC no pot reduir la multiplicitat dins de la tolerància màxima. - + Knot cannot have zero multiplicity. Knot cannot have zero multiplicity. - + Knot multiplicity cannot be higher than the degree of the B-spline. Knot multiplicity cannot be higher than the degree of the B-spline. - + Knot cannot be inserted outside the B-spline parameter range. Knot cannot be inserted outside the B-spline parameter range. @@ -2310,7 +2310,7 @@ invalid constraints, degenerated geometry, etc. - + Don't attach No adjuntes @@ -2332,123 +2332,123 @@ invalid constraints, degenerated geometry, etc. - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + - - - - - - + + + + + + + + @@ -2514,116 +2514,116 @@ invalid constraints, degenerated geometry, etc. One of the selected has to be on the sketch. - + Select an edge from the sketch. Seleccioneu una aresta de l'esbós - - - - - - + + + + + + Impossible constraint Restricció impossible - - + + The selected edge is not a line segment. The selected edge is not a line segment. - - - + + + Double constraint Restricció doble - + The selected edge already has a horizontal constraint! L'aresta seleccionada ja té una restricció horitzontal. - + The selected edge already has a vertical constraint! L'aresta seleccionada ja té una restricció vertical. - - - + + + The selected edge already has a Block constraint! L'aresta seleccionada ja té una restricció de Bloc. - + There are more than one fixed points selected. Select a maximum of one fixed point! Hi ha més d'un punt fixe seleccionat! Seleccioneu-ne com a màxim un de fixe. - - - + + + Select vertices from the sketch. Seleccioneu vèrtexs de l'esbós - + Select one vertex from the sketch other than the origin. Seleccioneu un vèrtex de l'esbós diferent de l'origen - + Select only vertices from the sketch. The last selected vertex may be the origin. Seleccioneu només vèrtexs de l'esbós. L'últim vèrtex seleccionat pot ser l'origen. - + Wrong solver status Estat de sistema de resolució incorrecte - + A Block constraint cannot be added if the sketch is unsolved or there are redundant and conflicting constraints. A Block constraint cannot be added if the sketch is unsolved or there are redundant and conflicting constraints. - + Select one edge from the sketch. Seleccioneu una aresta de l'esbós. - + Select only edges from the sketch. Seleccioneu sols arestes de l'esbós. - + None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. - + Only tangent-via-point is supported with a B-spline. Only tangent-via-point is supported with a B-spline. - - + + Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. - + Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. Constraint_SnellsLaw Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. - + Number of selected objects is not 3 Number of selected objects is not 3 @@ -2640,80 +2640,80 @@ invalid constraints, degenerated geometry, etc. Unexpected error. More information may be available in the Report View. - + The selected item(s) can't accept a horizontal or vertical constraint! The selected item(s) can't accept a horizontal or vertical constraint! - + Endpoint to endpoint tangency was applied instead. En el seu lloc s'ha aplicat una tangència entre extrems. - + Select two or more vertices from the sketch for a coincident constraint, or two or more circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Select two or more vertices from the sketch for a coincident constraint, or two or more circles, ellipses, arcs or arcs of ellipse for a concentric constraint. - + Select two vertices from the sketch for a coincident constraint, or two circles, ellipses, arcs or arcs of ellipse for a concentric constraint. Select two vertices from the sketch for a coincident constraint, or two circles, ellipses, arcs or arcs of ellipse for a concentric constraint. - + Select exactly one line or one point and one line or two points from the sketch. Seleccioneu únicament una línia o un punt i una línia o dos punts de l'esbós - + Cannot add a length constraint on an axis! No es pot afegir una restricció de longitud sobre un eix. - - + + Select exactly one line or one point and one line or two points or two circles from the sketch. Select exactly one line or one point and one line or two points or two circles from the sketch. - + This constraint does not make sense for non-linear curves. This constraint does not make sense for non-linear curves. - + Endpoint to edge tangency was applied instead. Endpoint to edge tangency was applied instead. - - - - - - + + + + + + Select the right things from the sketch. Seleccioneu els elements correctes de l'esbós - - - - - - - - - + + + + + + + + - - - - - - - - + + + + + + + + + Select an edge that is not a B-spline weight. Select an edge that is not a B-spline weight. @@ -2723,87 +2723,87 @@ invalid constraints, degenerated geometry, etc. One or two point on object constraint(s) was/were deleted, since the latest constraint being applied internally applies point-on-object as well. - + Select either several points, or several conics for concentricity. Select either several points, or several conics for concentricity. - + Select either one point and several curves, or one curve and several points Select either one point and several curves, or one curve and several points - + Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. - + None of the selected points were constrained onto the respective curves, either because they are parts of the same element, or because they are both external geometry. Cap dels punts seleccionats s'han restringit a les corbes respectives, perquè són peces del mateix element o perquè ambdues són de geometria externa. - + Cannot add a length constraint on this selection! Cannot add a length constraint on this selection! - - - - + + + + Select exactly one line or up to two points from the sketch. Seleccioneu únicament una línia o fins a dos punts de l'esbós - + Cannot add a horizontal length constraint on an axis! No es pot afegir una restricció de longitud horitzontal sobre un eix. - + Cannot add a fixed x-coordinate constraint on the origin point! No es pot afegir una restricció de coordenada x fixa sobre el punt d'origen. - - + + This constraint only makes sense on a line segment or a pair of points. This constraint only makes sense on a line segment or a pair of points. - + Cannot add a vertical length constraint on an axis! No es pot afegir una restricció de longitud vertical sobre un eix. - + Cannot add a fixed y-coordinate constraint on the origin point! No es pot afegir una restricció de coordenada y fixa sobre el punt d'origen. - + Select two or more lines from the sketch. Seleccioneu una o més línies de l'esbós - + One selected edge is not a valid line. One selected edge is not a valid line. - - + + Select at least two lines from the sketch. Seleccioneu almenys dues línies de l'esbós - + The selected edge is not a valid line. The selected edge is not a valid line. - + There is a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2811,35 +2811,35 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Aquesta restricció es pot aplicar de diverses maneres. Les combinacions possibles són: dues corbes; un extrem i una corba; dos extrems; dues corbes i un punt. - + Select some geometry from the sketch. perpendicular constraint Seleccioneu alguna geometria de l'esbós - - + + Cannot add a perpendicularity constraint at an unconnected point! No es pot afegir una restricció de perpendicularitat en un punt no connectat. - - + + One of the selected edges should be a line. Una de les arestes seleccionades ha de ser una línia. - + Endpoint to endpoint tangency was applied. The coincident constraint was deleted. S'ha aplicat una tangència entre extrems. S'han suprimit les restriccions coincidents. - + Endpoint to edge tangency was applied. The point on object constraint was deleted. Endpoint to edge tangency was applied. The point on object constraint was deleted. - + There are a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2847,61 +2847,61 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Aquesta restricció es pot aplicar de diverses maneres. Les combinacions possibles són: dues corbes; un extrem i una corba; dos extrems; dues corbes i un punt. - + Select some geometry from the sketch. tangent constraint Seleccioneu alguna geometria de l'esbós - - - + + + Cannot add a tangency constraint at an unconnected point! No es pot afegir una restricció de tangència en un punt no connectat. - - + + Tangent constraint at B-spline knot is only supported with lines! Tangent constraint at B-spline knot is only supported with lines! - + B-spline knot to endpoint tangency was applied instead. B-spline knot to endpoint tangency was applied instead. - - + + Wrong number of selected objects! El nombre d'objectes seleccionats és incorrecte. - - + + With 3 objects, there must be 2 curves and 1 point. Amb 3 objectes, hi ha d'haver 2 corbes i 1 punt. - - - - - - + + + + + + Select one or more arcs or circles from the sketch. Seleccioneu un o diversos arcs o cercles de l'esbós - - - + + + Constraint only applies to arcs or circles. La restricció només s'aplica a arcs i cercles. - - + + Select one or two lines from the sketch. Or select two edges and a point. Seleccioneu una o dues línies de l'esbós. O seleccioneu dues arestes i un punt @@ -2916,87 +2916,87 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Una restricció d'angle no es pot definir per dues línies paral·leles. - + Cannot add an angle constraint on an axis! No es pot afegir una restricció d'angle sobre un eix. - + Select two edges from the sketch. Seleccioneu dues arestes de l'esbós - + Select two or more compatible edges. Select two or more compatible edges. - + Sketch axes cannot be used in equality constraints. Sketch axes cannot be used in equality constraints. - + Equality for B-spline edge currently unsupported. La igualtat per a la vora del B-spline no s'admet actualment. - - - + + + Select two or more edges of similar type. Select two or more edges of similar type. - - - - - + + + + + Select two points and a symmetry line, two points and a symmetry point or a line and a symmetry point from the sketch. Seleccioneu de l'esbós dos punts i una línia de simetria, dos punts i un punt de simetria o una línia i un punt de simetria - - + + Cannot add a symmetry constraint between a line and its end points. Cannot add a symmetry constraint between a line and its end points. - - - - + + + + Cannot add a symmetry constraint between a line and its end points! No es pot afegir una restricció de simetria entre una línia i els seus extrems. - + Selected objects are not just geometry from one sketch. Els objectes seleccionats no són només geometria d'un esbós. - + Cannot create constraint with external geometry only. Cannot create constraint with external geometry only. - + Incompatible geometry is selected. Incompatible geometry is selected. - + Select one dimensional constraint from the sketch. Select one dimensional constraint from the sketch. - - - - - + + + + + Select constraints from the sketch. Select constraints from the sketch. @@ -3537,12 +3537,12 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Length: - + Refractive index ratio Índex de refracció - + Ratio n2/n1: Relació n2/n1: @@ -5178,8 +5178,8 @@ This is done by analyzing the sketch geometries and constraints. Sketcher_ConstrainDiameter - - + + Fix the diameter of a circle or an arc Fixa el diàmetre d'un cercle o d'un arc @@ -5331,64 +5331,74 @@ This is done by analyzing the sketch geometries and constraints. Sketcher_MapSketch - + No sketch found No s'ha trobat cap esbós. - + + Cannot attach sketch to itself! + Cannot attach sketch to itself! + + + The document doesn't have a sketch El document no té cap esbós. - + Select sketch Seleccioneu un esbós - + + Select a sketch (some sketches not shown to prevent a circular dependency) + Select a sketch (some sketches not shown to prevent a circular dependency) + + + Select a sketch from the list Seleccioneu un esbós de la llista - + (incompatible with selection) (incompatible amb la selecció) - + (current) (actual) - + (suggested) (suggerit) - + Sketch attachment Adjunt d'esbós - + Current attachment mode is incompatible with the new selection. Select the method to attach this sketch to selected objects. Current attachment mode is incompatible with the new selection. Select the method to attach this sketch to selected objects. - + Select the method to attach this sketch to selected objects. Seleccioneu el mètode per a adjuntar aquest esbós als objectes seleccionats - + Map sketch Mapa l'esbós - + Can't map a sketch to support: %1 No es pot mapar un esbós al suport: %1 @@ -5916,22 +5926,22 @@ The grid spacing change if it becomes smaller than this number of pixel. GridSpaceAction - + Grid auto spacing Grid auto spacing - + Resize grid automatically depending on zoom. Resize grid automatically depending on zoom. - + Spacing Spacing - + Distance between two subsequent grid lines. Distance between two subsequent grid lines. @@ -5939,17 +5949,17 @@ The grid spacing change if it becomes smaller than this number of pixel. Notifications - + The Sketch has malformed constraints! The Sketch has malformed constraints! - + The Sketch has partially redundant constraints! The Sketch has partially redundant constraints! - + Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! @@ -6028,8 +6038,8 @@ The grid spacing change if it becomes smaller than this number of pixel. - - + + Invalid Constraint Invalid Constraint @@ -6236,34 +6246,34 @@ The grid spacing change if it becomes smaller than this number of pixel. SnapSpaceAction - + Snap to objects Snap to objects - + New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. - + Snap to grid Snap to grid - + New points will snap to the nearest grid line. Points must be set closer than a fifth of the grid spacing to a grid line to snap. New points will snap to the nearest grid line. Points must be set closer than a fifth of the grid spacing to a grid line to snap. - + Snap angle Snap angle - + Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. @@ -6271,23 +6281,23 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna RenderingOrderAction - - - + + + Normal Geometry Normal Geometry - - - + + + Construction Geometry Geometria de construcció - - - + + + External Geometry External Geometry @@ -6295,12 +6305,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdRenderingOrder - + Configure rendering order Configure rendering order - + Reorder the items in the list to configure rendering order. Reorder the items in the list to configure rendering order. @@ -6308,12 +6318,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherGrid - + Toggle grid Toggle grid - + Toggle the grid in the sketch. In the menu you can change grid settings. Toggle the grid in the sketch. In the menu you can change grid settings. @@ -6321,12 +6331,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherSnap - + Toggle snap Toggle snap - + Toggle all snap functionality. In the menu you can toggle 'Snap to grid' and 'Snap to objects' individually, and change further snap settings. Toggle all snap functionality. In the menu you can toggle 'Snap to grid' and 'Snap to objects' individually, and change further snap settings. @@ -6360,12 +6370,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherDimension - + Dimension Dimensió - + Constrain contextually based on your selection. Depending on your selection you might have several constraints available. You can cycle through them using M key. Left clicking on empty space will validate the current constraint. Right clicking or pressing Esc will cancel. @@ -6403,12 +6413,12 @@ Left clicking on empty space will validate the current constraint. Right clickin CmdSketcherConstrainRadius - + Constrain radius Restricció del radi - + Fix the radius of a circle or an arc Fixa el radi d'un cercle o arc @@ -6543,12 +6553,12 @@ Left clicking on empty space will validate the current constraint. Right clickin Delete original geometries (U) - + Apply equal constraints Apply equal constraints - + If this option is selected dimensional constraints are excluded from the operation. Instead equal constraints are applied between the original objects and their copies. If this option is selected dimensional constraints are excluded from the operation. @@ -6620,12 +6630,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherCompHorizontalVertical - + Constrain horizontal/vertical Constrain horizontal/vertical - + Constrains a single line to either horizontal or vertical. Constrains a single line to either horizontal or vertical. @@ -6633,12 +6643,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainHorVer - + Constrain horizontal/vertical Constrain horizontal/vertical - + Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. @@ -6685,12 +6695,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainCoincidentUnified - + Constrain coincident Restricció coincident - + Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses @@ -6975,7 +6985,7 @@ Instead equal constraints are applied between the original objects and their cop TaskSketcherTool_p4_rotate - + Copies (+'U'/ -'J') Copies (+'U'/ -'J') @@ -7223,12 +7233,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainTangent - + Constrain tangent or collinear Constrain tangent or collinear - + Create a tangent or collinear constraint between two entities Create a tangent or collinear constraint between two entities @@ -7236,12 +7246,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherChangeDimensionConstraint - + Change value Canvia el valor - + Change the value of a dimensional constraint Change the value of a dimensional constraint @@ -7307,8 +7317,8 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadius - - + + Fix the radius of an arc or a circle Fix the radius of an arc or a circle @@ -7316,8 +7326,8 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadiam - - + + Fix the radius/diameter of an arc or a circle Fix the radius/diameter of an arc or a circle 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 14ca7f628eae..ae6941a41dd1 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_zh-CN.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_zh-CN.ts @@ -128,27 +128,27 @@ CmdSketcherCompConstrainRadDia - + Constrain arc or circle 约束圆弧或圆 - + Constrain an arc or a circle 约束圆弧或圆 - + Constrain radius 半径约束 - + Constrain diameter 约束直径 - + Constrain auto radius/diameter 约束自动半径/直径 @@ -307,12 +307,12 @@ CmdSketcherConstrainAngle - + Constrain angle 角度约束 - + Fix the angle of a line or the angle between two lines 固定一直线角度或两直线夹角 @@ -320,12 +320,12 @@ CmdSketcherConstrainBlock - + Constrain block 约束块 - + Block the selected edge from moving 阻止选中的边移动 @@ -333,12 +333,12 @@ CmdSketcherConstrainCoincident - + Constrain coincident 重合约束 - + Create a coincident constraint between points, or a concentric constraint between circles, arcs, and ellipses 在点之间创建重合约束,或在圆、弧和椭圆之间的同心约束 @@ -346,12 +346,12 @@ CmdSketcherConstrainDiameter - + Constrain diameter 约束直径 - + Fix the diameter of a circle or an arc 固定圆或圆弧的直径 @@ -359,12 +359,12 @@ CmdSketcherConstrainDistance - + Constrain distance 距离约束 - + Fix a length of a line or the distance between a line and a vertex or between two circles 固定一条直线的长度,或者直线到一个顶点、两个圆之间的距离 @@ -372,12 +372,12 @@ CmdSketcherConstrainDistanceX - + Constrain horizontal distance 水平距离约束 - + Fix the horizontal distance between two points or line ends 固定两点(或线端点)之间的水平距离 @@ -385,12 +385,12 @@ CmdSketcherConstrainDistanceY - + Constrain vertical distance 限制垂直距离 - + Fix the vertical distance between two points or line ends 固定两点(或线端点)之间的垂直距离 @@ -398,12 +398,12 @@ CmdSketcherConstrainEqual - + Constrain equal 相等约束 - + Create an equality constraint between two lines or between circles and arcs 两直线或圆与圆弧间创建相等约束 @@ -411,12 +411,12 @@ CmdSketcherConstrainHorizontal - + Constrain horizontal 约束水平 - + Create a horizontal constraint on the selected item 在所选对象上创建水平约束 @@ -424,12 +424,12 @@ CmdSketcherConstrainLock - + Constrain lock 锁定约束 - + Create both a horizontal and a vertical distance constraint on the selected vertex 在选中的顶点上同时创建水平和垂直距离约束 @@ -438,12 +438,12 @@ on the selected vertex CmdSketcherConstrainParallel - + Constrain parallel 平行约束 - + Create a parallel constraint between two lines 两条线之间创建平行约束 @@ -451,12 +451,12 @@ on the selected vertex CmdSketcherConstrainPerpendicular - + Constrain perpendicular 垂直约束 - + Create a perpendicular constraint between two lines 为两条直线创建垂直约束 @@ -464,12 +464,12 @@ on the selected vertex CmdSketcherConstrainPointOnObject - + Constrain point on object 约束点在对象上 - + Fix a point onto an object 固定点至对象 @@ -477,12 +477,12 @@ on the selected vertex CmdSketcherConstrainRadiam - + Constrain auto radius/diameter 约束自动半径/直径 - + Fix the diameter if a circle is chosen, or the radius if an arc/spline pole is chosen 如果选中了圆,则固定直径,如果选中了圆弧/样条 极点,则固定半径 @@ -490,12 +490,12 @@ on the selected vertex CmdSketcherConstrainSnellsLaw - + Constrain refraction (Snell's law) 折射约束 (斯涅尔定律) - + Create a refraction law (Snell's law)constraint between two endpoints of rays and an edge as an interface. 通过指定两光线端点和一条边作为折射界面创建折射约束(斯涅尔定律) @@ -504,12 +504,12 @@ and an edge as an interface. CmdSketcherConstrainSymmetric - + Constrain symmetric 约束对称 - + Create a symmetry constraint between two points with respect to a line or a third point 对两点作关于一条直线或第三点的对称约束 @@ -518,12 +518,12 @@ with respect to a line or a third point CmdSketcherConstrainVertical - + Constrain vertical 约束垂直 - + Create a vertical constraint on the selected item 在所选对象上创建垂直约束 @@ -1063,7 +1063,7 @@ then call this command, then choose the desired sketch. - + Some of the selected objects depend on the sketch to be mapped. Circular dependencies are not allowed. 某些选定对象依赖于要映射的草图。不允许循环依赖。 @@ -1071,22 +1071,22 @@ then call this command, then choose the desired sketch. CmdSketcherMergeSketches - + Merge sketches 合并草图 - + Create a new sketch from merging two or more selected sketches. 通过合并两个或多个选定的草图创建一个新的草图。 - + Wrong selection 选择错误 - + Select at least two sketches. 请选择至少两个草图 @@ -1094,24 +1094,24 @@ then call this command, then choose the desired sketch. CmdSketcherMirrorSketch - + Mirror sketch 镜像草图 - + Creates a new mirrored sketch for each selected sketch by using the X or Y axes, or the origin point, as mirroring reference. 使用 X 轴、 Y 轴或原点作为镜像参考,为每个选定的草图创建一个新的镜像 - + Wrong selection 选择错误 - + Select one or more sketches. 选择一个或多个灯具。 @@ -1365,12 +1365,12 @@ This will clear the 'AttachmentSupport' property, if any. CmdSketcherToggleActiveConstraint - + Activate/deactivate constraint 激活/停用约束 - + Activates or deactivates the selected constraints 激活或停用选定的约束 @@ -1391,12 +1391,12 @@ This will clear the 'AttachmentSupport' property, if any. CmdSketcherToggleDrivingConstraint - + Toggle driving/reference constraint 切换驱动/参考约束 - + Set the toolbar, or the selected constraints, into driving or reference mode 设置工具栏或选定的约束, @@ -1419,23 +1419,23 @@ into driving or reference mode CmdSketcherValidateSketch - + Validate sketch... 校验草图… - + Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. 通过查看缺失的重合(约束)、巧合、无效的约束、退化的的图元等来验证草图。 - + Wrong selection 选择错误 - + Select only one sketch. 只选择一个草图。 @@ -1443,12 +1443,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSection - + View section 查看截面 - + When in edit mode, switch between section view and full view. 在编辑模式下,在截面视图和完整视图之间切换。 @@ -1456,12 +1456,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSketch - + View sketch 查看草图 - + When in edit mode, set the camera orientation perpendicular to the sketch plane. 在编辑模式下,设置相机方向垂直于草图平面。 @@ -1469,69 +1469,69 @@ invalid constraints, degenerated geometry, etc. Command - + Add 'Lock' constraint 添加“锁定”约束 - + Add relative 'Lock' constraint 添加相对的“锁定”约束 - + Add fixed constraint 添加固定约束 - + Add 'Block' constraint 添加“块”约束 - + Add block constraint 添加块约束 - - + + Add coincident constraint 添加并发约束 - - + + Add distance from horizontal axis constraint 从水平轴约束添加距离 - - + + Add distance from vertical axis constraint 从垂直轴约束添加距离 - - + + Add point to point distance constraint 添加点到点距离约束 - - + + Add point to line Distance constraint 添加点到线距离约束 - - + + Add circle to circle distance constraint 添加圆到圆距离约束 - + Add circle to line distance constraint 添加圆到线距离约束 @@ -1540,16 +1540,16 @@ invalid constraints, degenerated geometry, etc. - - - + + + Add length constraint 添加长度约束 - + Dimension 尺寸标注 @@ -1566,7 +1566,7 @@ invalid constraints, degenerated geometry, etc. - + Add Distance constraint 添加距离约束 @@ -1644,7 +1644,7 @@ invalid constraints, degenerated geometry, etc. 添加半径约束 - + Activate/Deactivate constraints 激活/停用约束 @@ -1660,23 +1660,23 @@ invalid constraints, degenerated geometry, etc. 添加精度和长度约束 - + Add DistanceX constraint 添加x距离约束 - + Add DistanceY constraint 添加y距离约束 - + Add point to circle Distance constraint 添加点到圆距离约束 - - + + Add point on object constraint 添加对象上点约束 @@ -1687,143 +1687,143 @@ invalid constraints, degenerated geometry, etc. 添加圆弧长度约束 - - + + Add point to point horizontal distance constraint 添加点到点水平距离约束 - + Add fixed x-coordinate constraint 添加固定x坐标约束 - - + + Add point to point vertical distance constraint 添加点到点垂直距离约束 - + Add fixed y-coordinate constraint 添加固定Y坐标约束 - - + + Add parallel constraint 添加平行约束 - - - - - - - + + + + + + + Add perpendicular constraint 添加垂直约束 - + Add perpendicularity constraint 添加垂直约束 - + Swap coincident+tangency with ptp tangency 切换边相切与ptp相切 - - - - - - - + + + + + + + Add tangent constraint 添加切线约束 - - - - - - - - - - - - - - + + + + + + + + + + + + + + Add tangent constraint point 添加正切约束点 - - - - + + + + Add radius constraint 添加半径约束 - - - - + + + + Add diameter constraint 添加直径约束 - - - - + + + + Add radiam constraint 添加半径约束 - - - - + + + + Add angle constraint 添加角度约束 - + Swap point on object and tangency with point to curve tangency 将对象上的点与切点交换为曲线的切点 - - + + Add equality constraint 添加相等约束 - - - - - + + + + + Add symmetric constraint 添加对称约束 - + Add Snell's law constraint 添加斯内尔定律约束 - + Toggle constraint to driving/reference 将约束切换到作用/参考 @@ -1843,22 +1843,22 @@ invalid constraints, degenerated geometry, etc. 调整草图方向 - + Attach sketch 附加草图 - + Detach sketch 拆分草图 - + Create a mirrored sketch for each selected sketch 为选定草图创建镜像草图 - + Merge sketches 合并草图 @@ -1981,7 +1981,7 @@ invalid constraints, degenerated geometry, etc. Cut in Sketcher - Cut in Sketcher + 剪切到草图 @@ -2032,7 +2032,7 @@ invalid constraints, degenerated geometry, etc. 更新约束的虚拟空间 - + Add auto constraints 添加自动约束 @@ -2140,59 +2140,59 @@ invalid constraints, degenerated geometry, etc. Exceptions - + Unable to guess intersection of curves. Try adding a coincident constraint between the vertices of the curves you are intending to fillet. 无法猜测曲线的交叉点。尝试在你打算做圆角的曲线顶点之间添加一个重合约束。 - + You are requesting no change in knot multiplicity. 你被要求不对多重性节点做任何修改。 - - + + B-spline Geometry Index (GeoID) is out of bounds. 贝赛尔样条几何图形索引(GeoID) 越界 - - + + The Geometry Index (GeoId) provided is not a B-spline. 提供的几何图形索引 (GeoId) 不是贝赛尔样条 - + The knot index is out of bounds. Note that in accordance with OCC notation, the first knot has index 1 and not zero. 结指数超出界限。请注意, 按照 OCC 符号, 第一个节点的索引为1, 而不是0。 - + The multiplicity cannot be increased beyond the degree of the B-spline. 无法重复增加到超过贝塞尔曲线的自由度。 - + The multiplicity cannot be decreased beyond zero. 多重性不能小于0. - + OCC is unable to decrease the multiplicity within the maximum tolerance. OCC 无法在最大公差范围内减少多重性。 - + Knot cannot have zero multiplicity. 节点不能有零倍数。 - + Knot multiplicity cannot be higher than the degree of the B-spline. 节点多重性不能高于BSpline的程度。 - + Knot cannot be inserted outside the B-spline parameter range. 不能在B样条参数范围之外插入节点。 @@ -2302,7 +2302,7 @@ invalid constraints, degenerated geometry, etc. - + Don't attach 不要附加 @@ -2324,123 +2324,123 @@ invalid constraints, degenerated geometry, etc. - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + - - - - - - + + + + + + + + @@ -2506,116 +2506,116 @@ invalid constraints, degenerated geometry, etc. 其中一个选择必须在草图上. - + Select an edge from the sketch. 从草图中选择边. - - - - - - + + + + + + Impossible constraint 不可约束 - - + + The selected edge is not a line segment. 选中的边缘不是线段。 - - - + + + Double constraint 双重约束 - + The selected edge already has a horizontal constraint! 所选边已有水平约束! - + The selected edge already has a vertical constraint! 所选边已有垂直约束! - - - + + + The selected edge already has a Block constraint! 所选边已有块约束! - + There are more than one fixed points selected. Select a maximum of one fixed point! 选取了多个固定点。最多只能选择一个固定点! - - - + + + Select vertices from the sketch. 从草绘选择顶点。 - + Select one vertex from the sketch other than the origin. 从草图中选取一个非原点的顶点。 - + Select only vertices from the sketch. The last selected vertex may be the origin. 从草图中仅选取顶点。最后选定的顶点可能是原点。 - + Wrong solver status 错误的求解状态 - + A Block constraint cannot be added if the sketch is unsolved or there are redundant and conflicting constraints. 如果草图未解决或有多余且相互冲突的约束,无法添加方块约束。 - + Select one edge from the sketch. 从草绘中选取一个边。 - + Select only edges from the sketch. 仅从草绘中选择边。 - + None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. 没有所选的点被约束到相应的曲线上,因为它们是同一元素的一部分、或者它们都是外部图元,或者该边缘不符合条件。 - + Only tangent-via-point is supported with a B-spline. 仅支持通过点的切线约束用于贝塞尔曲线。 - - + + Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. 要么只从草图中选择一个或多个贝塞尔曲线柱,或只选择一个或多个弧或圆,但不能同时。 - + Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. Constraint_SnellsLaw - Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. + 选取线段的两个端点做为射线,以及一条边缘做为边界,先选的点会编号为n1,后选的点则编号为n2,基准值设定为n2/n1。 - + Number of selected objects is not 3 选中对象的数目不是 3 @@ -2632,170 +2632,174 @@ invalid constraints, degenerated geometry, etc. 意外错误。报告视图中可能会有更多信息。 - + The selected item(s) can't accept a horizontal or vertical constraint! 选中的项目不能接受水平或垂直约束! - + Endpoint to endpoint tangency was applied instead. 已应用端点到端点相切作为替代方案。 - + Select two or more vertices from the sketch for a coincident constraint, or two or more circles, ellipses, arcs or arcs of ellipse for a concentric constraint. 从草图中选择两个或多个顶点以获取共一事件约束, 或两个或多个圆、椭圆、圆弧或椭圆的圆弧,以求达到一个精度限制。 - + Select two vertices from the sketch for a coincident constraint, or two circles, ellipses, arcs or arcs of ellipse for a concentric constraint. 从草图中选择两个顶点用于一个共事件约束,或两个圆圈、椭圆、弧或椭圆的圆形,用于一个精度限制。 - + Select exactly one line or one point and one line or two points from the sketch. 从草图仅选取一直线, 或一点和一直线, 或两点. - + Cannot add a length constraint on an axis! 无法在坐标轴上添加长度约束! - - + + Select exactly one line or one point and one line or two points or two circles from the sketch. 从草图中只选择一条直线或一条直线或两个点或两个圆。 - + This constraint does not make sense for non-linear curves. 此约束不适用于非线性曲线. - + Endpoint to edge tangency was applied instead. 使用边缘切线的端点。 - - - - - - + + + + + + Select the right things from the sketch. 从草绘选择正确的对象。 - - - - - - - - - + + + + + + + + - - - - - - - - + + + + + + + + + Select an edge that is not a B-spline weight. 选择非B样条重量的边缘。 One or two point on object constraint(s) was/were deleted, since the latest constraint being applied internally applies point-on-object as well. - One or two point on object constraint(s) was/were deleted, since the latest constraint being applied internally applies point-on-object as well. + 对象上的一个或两个点约束已被删除,因为内部的最新约束也应用了对象上的点。 - + Select either several points, or several conics for concentricity. - Select either several points, or several conics for concentricity. + 选择多个点或多个圆锥曲线来确定同心度。 - + Select either one point and several curves, or one curve and several points - Select either one point and several curves, or one curve and several points + 选择一个点和若干曲线,或者一条曲线和若干点。 - + Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. - Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. + 选择以下之一: +一个点和多条曲线,用于“点在物件上”约束; +一条曲线和多个点,用于“点在物件上”约束; +选择多个点,用于“重合”约束; +多条曲线,用于"同心度"约束。 - + None of the selected points were constrained onto the respective curves, either because they are parts of the same element, or because they are both external geometry. 所选的点没有一个被约束到各自的曲线上,因为它们是在同一元素上的一部分,或是它们都是外部几何形状。 - + Cannot add a length constraint on this selection! - Cannot add a length constraint on this selection! + 无法对选中项添加长度约束! - - - - + + + + Select exactly one line or up to two points from the sketch. 从草图选择一根线或两个点. - + Cannot add a horizontal length constraint on an axis! 无法在坐标轴上添加水平长度约束! - + Cannot add a fixed x-coordinate constraint on the origin point! 无法于原点加入固定x座标的约束! - - + + This constraint only makes sense on a line segment or a pair of points. 这种限制只对直线段或两点有意义。 - + Cannot add a vertical length constraint on an axis! 无法在坐标轴上添加垂直长度约束! - + Cannot add a fixed y-coordinate constraint on the origin point! 无法于原点加入固定y座标的约束! - + Select two or more lines from the sketch. 从草图选择两条或两条以上直线. - + One selected edge is not a valid line. - One selected edge is not a valid line. + 选中的边缘不是一条有效的线。 - - + + Select at least two lines from the sketch. 至少从草图选择两直线. - + The selected edge is not a valid line. 选中的边缘不是一个有效线。 - + There is a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2805,35 +2809,35 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c 接受的组合: 两条曲线; 一个端点和一个曲线; 两个端点; 两条曲线和一个点。 - + Select some geometry from the sketch. perpendicular constraint 从草图中选取一些几何属性 - - + + Cannot add a perpendicularity constraint at an unconnected point! 不能对没有连接点的两条线段添加"垂直"约束 - - + + One of the selected edges should be a line. 所选边之一须为直线. - + Endpoint to endpoint tangency was applied. The coincident constraint was deleted. 已应用端点到端点相切。已删除重合约束。 - + Endpoint to edge tangency was applied. The point on object constraint was deleted. 边缘切线端点已应用。对象约束上的点已删除。 - + There are a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2843,61 +2847,61 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c 接受的组合: 两条曲线; 一个端点和一个曲线; 两个端点; 两条曲线和一个点。 - + Select some geometry from the sketch. tangent constraint 从草图中选取一些几何属性 - - - + + + Cannot add a tangency constraint at an unconnected point! 不能对没有连接点的两条线段添加"相切"约束 - - + + Tangent constraint at B-spline knot is only supported with lines! B-样条节点的切约束只支持直线! - + B-spline knot to endpoint tangency was applied instead. 代之以使用 B-样条至端点切换。 - - + + Wrong number of selected objects! 选取对象的数量有误! - - + + With 3 objects, there must be 2 curves and 1 point. 3个对象时至少需有2条曲线及1个点。 - - - - - - + + + + + + Select one or more arcs or circles from the sketch. 从草图中选择一个或多个弧或圆。 - - - + + + Constraint only applies to arcs or circles. 约束只适用于圆弧或圆。 - - + + Select one or two lines from the sketch. Or select two edges and a point. 从草图中选择一或两条直线。或选择两条边和一个点。 @@ -2912,87 +2916,87 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c 不能为两条平行线设置角度约束。 - + Cannot add an angle constraint on an axis! 无法在坐标轴上添加角度约束! - + Select two edges from the sketch. 从草图选择两条边. - + Select two or more compatible edges. 选择两个或更多兼容的边缘。 - + Sketch axes cannot be used in equality constraints. 草图轴无法用于相等约束. - + Equality for B-spline edge currently unsupported. 目前不支持贝塞尔曲线条边缘的等值约束。 - - - + + + Select two or more edges of similar type. 选择两个或多个相似类型的边缘。 - - - - - + + + + + Select two points and a symmetry line, two points and a symmetry point or a line and a symmetry point from the sketch. 请从草图中选取2个点及对称线, 2个点及对称点或1条线及1对称点。 - - + + Cannot add a symmetry constraint between a line and its end points. 无法在行和端点之间添加对称约束。 - - - - + + + + Cannot add a symmetry constraint between a line and its end points! 无法在直线及其端点间添加对称约束! - + Selected objects are not just geometry from one sketch. 选取的物件并非来自于草图的几何形状。 - + Cannot create constraint with external geometry only. 无法仅通过外部几何图形创建约束 - + Incompatible geometry is selected. 选取了不相容的几何图形. - + Select one dimensional constraint from the sketch. - Select one dimensional constraint from the sketch. + 从草图中选择一个尺寸约束。 - - - - - + + + + + Select constraints from the sketch. 从草图中选择约束。 @@ -3043,17 +3047,17 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c At least one of the selected objects was not a B-spline and was ignored. - At least one of the selected objects was not a B-spline and was ignored. + 至少有一个所选对象不是 B-样条 曲线,已忽略。 Nothing is selected. Please select a B-spline. - Nothing is selected. Please select a B-spline. + 没有选择任何内容,请选择一个 B-样条 曲线。 Please select a B-spline to insert a knot (not a knot on it). If the curve is not a B-spline, please convert it into one first. - Please select a B-spline to insert a knot (not a knot on it). If the curve is not a B-spline, please convert it into one first. + 请选择 B-样条 曲线来插入节点(而不是在其上添加节点)。如果曲线不是 B-样条 曲线,请先将其转换为 B-样条 曲线。 @@ -3151,12 +3155,12 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Value Error - Value Error + 值错误 Fillet/Chamfer parameters - Fillet/Chamfer parameters + 圆角/倒角参数 @@ -3181,47 +3185,47 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Arc parameters - Arc parameters + 圆弧参数 Arc Slot parameters - Arc Slot parameters + 弧槽参数 Circle parameters - Circle parameters + 圆形参数 Ellipse parameters - Ellipse parameters + 椭圆参数 Rotate parameters - Rotate parameters + 旋转参数 Scale parameters - Scale parameters + 缩放参数 Translate parameters - Translate parameters + 平移参数 Symmetry parameters - Symmetry parameters + 对称参数 B-spline parameters - B-spline parameters + B-样条 参数 @@ -3282,7 +3286,7 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Coincident - Coincident + 重合 @@ -3392,12 +3396,12 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Selected constraints - Selected constraints + 选定的约束 Associated constraints - Associated constraints + 关联的约束 @@ -3405,7 +3409,7 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Select Elements - Select Elements + 选择元素 @@ -3503,7 +3507,7 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Insert weight - Insert weight + 插入权重 @@ -3533,12 +3537,12 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c 长度: - + Refractive index ratio 折射率比 - + Ratio n2/n1: 比例 n2/n1: @@ -3558,7 +3562,7 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Internal - Internal + 内部 @@ -3593,22 +3597,22 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Arc of circle - Arc of circle + 圆弧 Arc of ellipse - Arc of ellipse + 椭弧 Arc of hyperbola - Arc of hyperbola + 双曲线弧 Arc of parabola - Arc of parabola + 抛物线弧 @@ -3621,7 +3625,7 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Point Coincidence - Point Coincidence + 点重合 @@ -3631,22 +3635,22 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Vertical Constraint - Vertical Constraint + 竖直约束 Horizontal Constraint - Horizontal Constraint + 水平约束 Parallel Constraint - Parallel Constraint + 平行约束 Perpendicular Constraint - Perpendicular Constraint + 垂直约束 @@ -3666,12 +3670,12 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Block Constraint - Block Constraint + 固定约束 Lock Constraint - Lock Constraint + 锁定约束 @@ -3686,27 +3690,27 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Length Constraint - Length Constraint + 长度约束 Radius Constraint - Radius Constraint + 半径约束 Diameter Constraint - Diameter Constraint + 直径约束 Radiam Constraint - Radiam Constraint + 直径/半径约束 Angle Constraint - Angle Constraint + 角度约束 @@ -3716,22 +3720,22 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Select Constraints - Select Constraints + 选择约束 Select Origin - Select Origin + 选择原点 Select Horizontal Axis - Select Horizontal Axis + 选择水平轴 Select Vertical Axis - Select Vertical Axis + 选择垂直轴 @@ -3741,12 +3745,12 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Layer 0 - Layer 0 + 图层 0 Layer 1 - Layer 1 + 图层 1 @@ -3957,7 +3961,7 @@ reflected on copies Number of sides: - Number of sides: + 边数: @@ -3976,7 +3980,7 @@ reflected on copies Task panel widgets - Task panel widgets + 任务面板部件 @@ -4590,12 +4594,12 @@ However, no constraints linking to the endpoints were found. Extended information (in widget) - Extended information (in widget) + 扩展信息(小部件) Hide internal alignment (in widget) - Hide internal alignment (in widget) + 隐藏内部对齐(小部件) @@ -4606,12 +4610,12 @@ However, no constraints linking to the endpoints were found. Impossible to update visibility tracking - Impossible to update visibility tracking + 无法更新可见性跟踪 Impossible to update visibility tracking: - Impossible to update visibility tracking: + 无法更新可见性跟踪: @@ -4619,12 +4623,12 @@ However, no constraints linking to the endpoints were found. Check to toggle filters - Check to toggle filters + 选中以切换过滤器 Click to show filters - Click to show filters + 点击以显示过滤器 @@ -4675,7 +4679,7 @@ However, no constraints linking to the endpoints were found. Internal - Internal + 内部 @@ -4770,32 +4774,32 @@ However, no constraints linking to the endpoints were found. Executes a recomputation of active document after every sketch action - Executes a recomputation of active document after every sketch action + 每次草图操作后执行活动文档的重新计算 Click to select these conflicting constraints. - Click to select these conflicting constraints. + 点击选中那些冲突的约束。 Click to select these redundant constraints. - Click to select these redundant constraints. + 点击选中那些冗余的约束。 The sketch has unconstrained elements giving rise to those Degrees Of Freedom. Click to select these unconstrained elements. - The sketch has unconstrained elements giving rise to those Degrees Of Freedom. Click to select these unconstrained elements. + 草图仍有未约束的元素,从而导致了这些自由度。点击以选中那些未约束的元素。 Click to select these malformed constraints. - Click to select these malformed constraints. + 点击选中那些异常的约束。 Some constraints in combination are partially redundant. Click to select these partially redundant constraints. - Some constraints in combination are partially redundant. Click to select these partially redundant constraints. + 某些约束组合存在部分冗余,点击选中那些冗余的约束。 @@ -4816,7 +4820,7 @@ However, no constraints linking to the endpoints were found. Open and non-manifold vertexes - Open and non-manifold vertexes + 开放和非流形顶点 @@ -4828,7 +4832,7 @@ This is purely based on topological shape of the sketch and not on its geometry/ Highlight troublesome vertexes - Highlight troublesome vertexes + 高亮显示有问题的顶点 @@ -4848,12 +4852,12 @@ This is purely based on topological shape of the sketch and not on its geometry/ Defines the X/Y tolerance inside which missing coincidences are searched. - Defines the X/Y tolerance inside which missing coincidences are searched. + 定义X/Y公差,在该公差内搜索未重合的点。 If checked, construction geometries are ignored in the search - If checked, construction geometries are ignored in the search + 如果选中,则在搜索中忽略构造几何图形 @@ -4890,17 +4894,17 @@ This is done by analyzing the sketch geometries and constraints. Finds invalid/malformed constrains in the sketch - Finds invalid/malformed constrains in the sketch + 在草图中查找无效/格式错误的约束 Tries to fix found invalid constraints - Tries to fix found invalid constraints + 尝试修复发现的无效约束 Deletes constraints referring to external geometry - Deletes constraints referring to external geometry + 删除参考外部几何的约束 @@ -4910,17 +4914,17 @@ This is done by analyzing the sketch geometries and constraints. Degenerated geometry - Degenerated geometry + 退化几何 Finds degenerated geometries in the sketch - Finds degenerated geometries in the sketch + 在草图中查找退化几何 Tries to fix found degenerated geometries - Tries to fix found degenerated geometries + 尝试修复找到的退化几何 @@ -4930,7 +4934,7 @@ This is done by analyzing the sketch geometries and constraints. Finds reversed external geometries - Finds reversed external geometries + 寻找反向的外部几何 @@ -4950,7 +4954,7 @@ This is done by analyzing the sketch geometries and constraints. Enables/updates constraint orientation locking - Enables/updates constraint orientation locking + 启用/更新约束方向锁定 @@ -4960,7 +4964,7 @@ This is done by analyzing the sketch geometries and constraints. Disables constraint orientation locking - Disables constraint orientation locking + 禁用约束方向锁定 @@ -5023,22 +5027,22 @@ This is done by analyzing the sketch geometries and constraints. The following constraint is partially redundant: - The following constraint is partially redundant: + 以下约束有一部分是多余的: The following constraints are partially redundant: - The following constraints are partially redundant: + 以下约束有一部分是冗余的: Please remove the following malformed constraint: - Please remove the following malformed constraint: + 请删除以下格式不正确的约束: Please remove the following malformed constraints: - Please remove the following malformed constraints: + 请删除以下格式不正确的约束: @@ -5048,32 +5052,32 @@ This is done by analyzing the sketch geometries and constraints. Over-constrained: - Over-constrained: + 过度约束: Malformed constraints: - Malformed constraints: + 错误约束: Redundant constraints: - Redundant constraints: + 冗余约束: Partially redundant: - Partially redundant: + 部分冗余: Solver failed to converge - Solver failed to converge + 求解器未能收敛 Under-constrained: - Under-constrained: + 约束不足: @@ -5085,7 +5089,7 @@ This is done by analyzing the sketch geometries and constraints. Fully constrained - Fully constrained + 完全约束 @@ -5181,8 +5185,8 @@ This is done by analyzing the sketch geometries and constraints. Sketcher_ConstrainDiameter - - + + Fix the diameter of a circle or an arc 固定圆或圆弧的直径 @@ -5212,12 +5216,12 @@ This is done by analyzing the sketch geometries and constraints. By control points - By control points + 依赖控制点 By knots - By knots + 依赖结点 @@ -5296,7 +5300,7 @@ This is done by analyzing the sketch geometries and constraints. Create a centered rectangle - Create a centered rectangle + 创建中心矩形 @@ -5334,64 +5338,74 @@ This is done by analyzing the sketch geometries and constraints. Sketcher_MapSketch - + No sketch found 未发现草图 - + + Cannot attach sketch to itself! + Cannot attach sketch to itself! + + + The document doesn't have a sketch 此文档无草图 - + Select sketch 选择草图 - + + Select a sketch (some sketches not shown to prevent a circular dependency) + Select a sketch (some sketches not shown to prevent a circular dependency) + + + Select a sketch from the list 从清单中选择草图 - + (incompatible with selection) (与选择不兼容) - + (current) (当前) - + (suggested) (建议) - + Sketch attachment 草图附加 - + Current attachment mode is incompatible with the new selection. Select the method to attach this sketch to selected objects. Current attachment mode is incompatible with the new selection. Select the method to attach this sketch to selected objects. - + Select the method to attach this sketch to selected objects. 选要如何将此草图附加到所选物件 - + Map sketch 映射草图 - + Can't map a sketch to support: %1 无法映射草图以支持: @@ -5921,22 +5935,22 @@ The grid spacing change if it becomes smaller than this number of pixel. GridSpaceAction - + Grid auto spacing 网格自动间距 - + Resize grid automatically depending on zoom. Resize grid automatically depending on zoom. - + Spacing 间距 - + Distance between two subsequent grid lines. Distance between two subsequent grid lines. @@ -5944,17 +5958,17 @@ The grid spacing change if it becomes smaller than this number of pixel. Notifications - + The Sketch has malformed constraints! The Sketch has malformed constraints! - + The Sketch has partially redundant constraints! The Sketch has partially redundant constraints! - + Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! @@ -6033,8 +6047,8 @@ The grid spacing change if it becomes smaller than this number of pixel. - - + + Invalid Constraint Invalid Constraint @@ -6057,47 +6071,47 @@ The grid spacing change if it becomes smaller than this number of pixel. Cannot create arc of hyperbola - Cannot create arc of hyperbola + 无法创建双曲线弧 Cannot create arc of parabola - Cannot create arc of parabola + 无法创建抛物线弧 Error creating B-spline - Error creating B-spline + 创建 B-样条 时出错 Error deleting last pole/knot - Error deleting last pole/knot + 删除最后一个极点/结点时出错 Error adding B-spline pole/knot - Error adding B-spline pole/knot + 添加 B-样条 极点/结点时出错 Failed to add carbon copy - Failed to add carbon copy + 添加副本失败 Failed to add circle - Failed to add circle + 添加圆形失败 Failed to extend edge - Failed to extend edge + 扩展边缘失败 Failed to add external geometry - Failed to add external geometry + 添加外部几何失败 @@ -6108,7 +6122,7 @@ The grid spacing change if it becomes smaller than this number of pixel. Failed to add line - Failed to add line + 添加直线失败 @@ -6129,39 +6143,39 @@ The grid spacing change if it becomes smaller than this number of pixel. Failed to add point - Failed to add point + 添加点失败 Failed to add polygon - Failed to add polygon + 添加多边形失败 Failed to add box - Failed to add box + 添加矩形失败 Failed to add slot - Failed to add slot + 添加槽失败 Failed to add edge - Failed to add edge + 添加边缘失败 Failed to trim edge - Failed to trim edge + 修剪边缘失败 Value Error - Value Error + 值错误 @@ -6196,12 +6210,12 @@ The grid spacing change if it becomes smaller than this number of pixel. Failed to add arc slot - Failed to add arc slot + 添加弧槽失败 Failed to add ellipse - Failed to add ellipse + 添加椭圆失败 @@ -6241,34 +6255,34 @@ The grid spacing change if it becomes smaller than this number of pixel. SnapSpaceAction - + Snap to objects 吸附到对象 - + New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. - + Snap to grid 吸附到网格 - + New points will snap to the nearest grid line. Points must be set closer than a fifth of the grid spacing to a grid line to snap. New points will snap to the nearest grid line. Points must be set closer than a fifth of the grid spacing to a grid line to snap. - + Snap angle 吸附角度 - + Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. @@ -6276,23 +6290,23 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna RenderingOrderAction - - - + + + Normal Geometry 普通几何元素 - - - + + + Construction Geometry 辅助几何图形 - - - + + + External Geometry 外部几何元素 @@ -6300,12 +6314,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdRenderingOrder - + Configure rendering order 配置渲染顺序 - + Reorder the items in the list to configure rendering order. Reorder the items in the list to configure rendering order. @@ -6313,12 +6327,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherGrid - + Toggle grid 切换网格 - + Toggle the grid in the sketch. In the menu you can change grid settings. Toggle the grid in the sketch. In the menu you can change grid settings. @@ -6326,12 +6340,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherSnap - + Toggle snap 切换吸附 - + Toggle all snap functionality. In the menu you can toggle 'Snap to grid' and 'Snap to objects' individually, and change further snap settings. 切换所有吸附功能。在菜单中,您可以切换“吸附到网格”和“吸附到对象”,并进一步更改吸附设置。 @@ -6365,12 +6379,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherDimension - + Dimension 尺寸标注 - + Constrain contextually based on your selection. Depending on your selection you might have several constraints available. You can cycle through them using M key. Left clicking on empty space will validate the current constraint. Right clicking or pressing Esc will cancel. @@ -6408,12 +6422,12 @@ Left clicking on empty space will validate the current constraint. Right clickin CmdSketcherConstrainRadius - + Constrain radius 半径约束 - + Fix the radius of a circle or an arc 固定圆或圆弧的半径 @@ -6548,12 +6562,12 @@ Left clicking on empty space will validate the current constraint. Right clickin 删除原始几何图形 (U) - + Apply equal constraints Apply equal constraints - + If this option is selected dimensional constraints are excluded from the operation. Instead equal constraints are applied between the original objects and their copies. If this option is selected dimensional constraints are excluded from the operation. @@ -6625,12 +6639,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherCompHorizontalVertical - + Constrain horizontal/vertical Constrain horizontal/vertical - + Constrains a single line to either horizontal or vertical. Constrains a single line to either horizontal or vertical. @@ -6638,12 +6652,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainHorVer - + Constrain horizontal/vertical Constrain horizontal/vertical - + Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. @@ -6690,12 +6704,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainCoincidentUnified - + Constrain coincident 重合约束 - + Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses @@ -6981,7 +6995,7 @@ Instead equal constraints are applied between the original objects and their cop TaskSketcherTool_p4_rotate - + Copies (+'U'/ -'J') Copies (+'U'/ -'J') @@ -7229,12 +7243,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainTangent - + Constrain tangent or collinear Constrain tangent or collinear - + Create a tangent or collinear constraint between two entities Create a tangent or collinear constraint between two entities @@ -7242,12 +7256,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherChangeDimensionConstraint - + Change value 更改值 - + Change the value of a dimensional constraint Change the value of a dimensional constraint @@ -7313,8 +7327,8 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadius - - + + Fix the radius of an arc or a circle Fix the radius of an arc or a circle @@ -7322,8 +7336,8 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadiam - - + + Fix the radius/diameter of an arc or a circle Fix the radius/diameter of an arc or a circle 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 45f156fe4426..619fb717205c 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_zh-TW.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_zh-TW.ts @@ -128,27 +128,27 @@ CmdSketcherCompConstrainRadDia - + Constrain arc or circle 約束弧或圓的直/半徑 - + Constrain an arc or a circle 約束單一圓弧或圓的直/半徑 - + Constrain radius 半徑拘束 - + Constrain diameter 直徑拘束 - + Constrain auto radius/diameter 自動拘束半徑/直徑 @@ -307,12 +307,12 @@ CmdSketcherConstrainAngle - + Constrain angle 角度拘束 - + Fix the angle of a line or the angle between two lines 固定線之角度或兩線間角度 @@ -320,12 +320,12 @@ CmdSketcherConstrainBlock - + Constrain block 定位拘束 - + Block the selected edge from moving 阻止選定邊的移動 @@ -333,12 +333,12 @@ CmdSketcherConstrainCoincident - + Constrain coincident 共點拘束 - + Create a coincident constraint between points, or a concentric constraint between circles, arcs, and ellipses 在點之間創建重合拘束,或在圓、弧和橢圓之間建立同心拘束 @@ -346,12 +346,12 @@ CmdSketcherConstrainDiameter - + Constrain diameter 直徑拘束 - + Fix the diameter of a circle or an arc 固定一個圓或弧的直徑 @@ -359,12 +359,12 @@ CmdSketcherConstrainDistance - + Constrain distance 距離拘束 - + Fix a length of a line or the distance between a line and a vertex or between two circles 修正一條線的長度,或者修正一條線與頂點之間的距離,或兩個圓之間的距離 @@ -372,12 +372,12 @@ CmdSketcherConstrainDistanceX - + Constrain horizontal distance 水平距離拘束 - + Fix the horizontal distance between two points or line ends 固定兩點或線終點水平距離 @@ -385,12 +385,12 @@ CmdSketcherConstrainDistanceY - + Constrain vertical distance 垂直距離拘束 - + Fix the vertical distance between two points or line ends 固定兩點或線段的垂直距離 @@ -398,12 +398,12 @@ CmdSketcherConstrainEqual - + Constrain equal 相等拘束 - + Create an equality constraint between two lines or between circles and arcs 於兩線/圓/弧之間建立相等拘束 @@ -411,12 +411,12 @@ CmdSketcherConstrainHorizontal - + Constrain horizontal 水平拘束 - + Create a horizontal constraint on the selected item 於所選項目建立水平拘束 @@ -424,12 +424,12 @@ CmdSketcherConstrainLock - + Constrain lock 鎖定拘束 - + Create both a horizontal and a vertical distance constraint on the selected vertex 對所選頂點建立水平和垂直距離拘束 @@ -438,12 +438,12 @@ on the selected vertex CmdSketcherConstrainParallel - + Constrain parallel 平行拘束 - + Create a parallel constraint between two lines 於兩條線間建立平行拘束 @@ -451,12 +451,12 @@ on the selected vertex CmdSketcherConstrainPerpendicular - + Constrain perpendicular 垂直拘束 - + Create a perpendicular constraint between two lines 於兩條線間建立垂直拘束 @@ -464,12 +464,12 @@ on the selected vertex CmdSketcherConstrainPointOnObject - + Constrain point on object 拘束點於物件上 - + Fix a point onto an object 固定點於物件上 @@ -477,25 +477,25 @@ on the selected vertex CmdSketcherConstrainRadiam - + Constrain auto radius/diameter 自動拘束半徑/直徑 - + Fix the diameter if a circle is chosen, or the radius if an arc/spline pole is chosen - 如果選擇圓,則固定直徑,如果選擇圓弧/spline 極點,則固定半徑 + 如果選擇圓,則固定直徑,如果選擇圓弧/spline 曲線極點,則固定半徑 CmdSketcherConstrainSnellsLaw - + Constrain refraction (Snell's law) 折射拘束(司乃耳定律) - + Create a refraction law (Snell's law)constraint between two endpoints of rays and an edge as an interface. 在兩條光線的端點和一個邊作為界面之間建立折射定律(司乃耳定律)約束。 @@ -504,12 +504,12 @@ and an edge as an interface. CmdSketcherConstrainSymmetric - + Constrain symmetric 對稱拘束 - + Create a symmetry constraint between two points with respect to a line or a third point 於兩個點間藉由一條線或第3點建立一個對稱拘束 @@ -518,12 +518,12 @@ with respect to a line or a third point CmdSketcherConstrainVertical - + Constrain vertical 垂直拘束 - + Create a vertical constraint on the selected item 建立垂直拘束 @@ -902,7 +902,7 @@ with respect to a line or a third point Decreases the degree of the B-spline - 增加 B 雲形線的多項式次數 + 減少 B 雲形線的多項式次數 @@ -1065,7 +1065,7 @@ then call this command, then choose the desired sketch. 然後調用此命令,並選擇所需的草圖。 - + Some of the selected objects depend on the sketch to be mapped. Circular dependencies are not allowed. 部分選定的物件取決於要對映的草圖。循環相依不允許。 @@ -1073,22 +1073,22 @@ then call this command, then choose the desired sketch. CmdSketcherMergeSketches - + Merge sketches 合併草圖 - + Create a new sketch from merging two or more selected sketches. 通過合併兩個或更多個選定草圖以建立新草圖。 - + Wrong selection 錯誤的選取 - + Select at least two sketches. 請至少選擇兩個草圖。 @@ -1096,12 +1096,12 @@ then call this command, then choose the desired sketch. CmdSketcherMirrorSketch - + Mirror sketch 鏡射草圖 - + Creates a new mirrored sketch for each selected sketch by using the X or Y axes, or the origin point, as mirroring reference. @@ -1109,12 +1109,12 @@ as mirroring reference. 為每個選定的草圖建立一個新的鏡像草圖。 - + Wrong selection 錯誤的選取 - + Select one or more sketches. 請選擇一個或多個草圖。 @@ -1362,18 +1362,18 @@ This will clear the 'AttachmentSupport' property, if any. Creates symmetric of selected geometry. After starting the tool select the reference line or point. - 創建選定幾何體的對稱體。啟動工具後,選擇參考線或參考點。 + 建立選定幾何體的對稱體。啟動工具後,選擇參考線或參考點。 CmdSketcherToggleActiveConstraint - + Activate/deactivate constraint 啟動/關閉拘束 - + Activates or deactivates the selected constraints 啟用或關閉選擇拘束 @@ -1394,12 +1394,12 @@ This will clear the 'AttachmentSupport' property, if any. CmdSketcherToggleDrivingConstraint - + Toggle driving/reference constraint 切換驅動/參考拘束 - + Set the toolbar, or the selected constraints, into driving or reference mode 設置工具列,或選定的拘束,進入驅動或參考模式 @@ -1421,23 +1421,23 @@ into driving or reference mode CmdSketcherValidateSketch - + Validate sketch... 檢查草圖... - + Validates a sketch by looking at missing coincidences, invalid constraints, degenerated geometry, etc. 通過檢查缺失的重合點、無效拘束、退化幾何體等來驗證草圖。 - + Wrong selection 錯誤的選取 - + Select only one sketch. 只選擇一個草圖 @@ -1445,12 +1445,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSection - + View section 查看剖面 - + When in edit mode, switch between section view and full view. 在編輯模式下,在剖面視圖和全視圖之間切換。 @@ -1458,12 +1458,12 @@ invalid constraints, degenerated geometry, etc. CmdSketcherViewSketch - + View sketch 查看草圖 - + When in edit mode, set the camera orientation perpendicular to the sketch plane. 當在編輯模式時,設定相機方向與草圖平面垂直。 @@ -1471,69 +1471,69 @@ invalid constraints, degenerated geometry, etc. Command - + Add 'Lock' constraint 添加定位拘束 - + Add relative 'Lock' constraint 添加相對定位拘束 - + Add fixed constraint 添加固定拘束 - + Add 'Block' constraint 添加定位拘束 - + Add block constraint 添加定位拘束 - - + + Add coincident constraint 添加共點約束 - - + + Add distance from horizontal axis constraint 添加與水平軸拘束的距離 - - + + Add distance from vertical axis constraint 添加與垂直軸拘束的距離 - - + + Add point to point distance constraint 添加點到點的距離約束 - - + + Add point to line Distance constraint 添加點到線的距離約束 - - + + Add circle to circle distance constraint 添加圓到圓的距離約束 - + Add circle to line distance constraint 添加圓到線的距離約束 @@ -1542,18 +1542,18 @@ invalid constraints, degenerated geometry, etc. - - - + + + Add length constraint 添加長度拘束 - + Dimension - 標註 + 標註尺寸 @@ -1568,7 +1568,7 @@ invalid constraints, degenerated geometry, etc. - + Add Distance constraint 添加距離拘束 @@ -1646,7 +1646,7 @@ invalid constraints, degenerated geometry, etc. 添加半徑拘束 - + Activate/Deactivate constraints 啟動/關閉拘束 @@ -1662,23 +1662,23 @@ invalid constraints, degenerated geometry, etc. 添加同心與長度拘度 - + Add DistanceX constraint 添加 X 距離拘束 - + Add DistanceY constraint 添加 Y 距離拘束 - + Add point to circle Distance constraint 添加點到圓的距離拘束 - - + + Add point on object constraint 在物件拘束上添加點 @@ -1689,143 +1689,143 @@ invalid constraints, degenerated geometry, etc. 添加弧長度拘束 - - + + Add point to point horizontal distance constraint 添加點到點的水平距離約束 - + Add fixed x-coordinate constraint 添加固定的 x 座標拘束 - - + + Add point to point vertical distance constraint 添加點到點的垂直距離約束 - + Add fixed y-coordinate constraint 添加固定的 y 座標拘束 - - + + Add parallel constraint 添加平行拘束 - - - - - - - + + + + + + + Add perpendicular constraint 添加垂直拘束 - + Add perpendicularity constraint 添加垂直度拘束 - + Swap coincident+tangency with ptp tangency 以 ptp 相切交換共點+相切 - - - - - - - + + + + + + + Add tangent constraint 添加切線拘束 - - - - - - - - - - - - - - + + + + + + + + + + + + + + Add tangent constraint point 添加切線拘束點 - - - - + + + + Add radius constraint 添加半徑拘束 - - - - + + + + Add diameter constraint 添加直徑拘束 - - - - + + + + Add radiam constraint 添加半徑拘束 - - - - + + + + Add angle constraint 添加角度拘束 - + Swap point on object and tangency with point to curve tangency 將「點在物件上」和「相切」拘束替換為「點對曲線相切」拘束 - - + + Add equality constraint 添加相等拘束 - - - - - + + + + + Add symmetric constraint 添加對稱拘束 - + Add Snell's law constraint 添加司乃耳定律拘束 - + Toggle constraint to driving/reference 切換拘束以作驅動/參考 @@ -1845,22 +1845,22 @@ invalid constraints, degenerated geometry, etc. 調整草圖方向 - + Attach sketch 附加草圖 - + Detach sketch 分離草圖 - + Create a mirrored sketch for each selected sketch 由每個選擇之草圖來建立鏡射草圖 - + Merge sketches 合併草圖 @@ -2034,7 +2034,7 @@ invalid constraints, degenerated geometry, etc. 更新拘束的虛擬空間 - + Add auto constraints 添加自動拘束 @@ -2118,7 +2118,7 @@ invalid constraints, degenerated geometry, etc. Add sketch B-spline - 添加草圖 B-spline + 添加草圖 B 雲形線 @@ -2142,61 +2142,61 @@ invalid constraints, degenerated geometry, etc. Exceptions - + Unable to guess intersection of curves. Try adding a coincident constraint between the vertices of the curves you are intending to fillet. 無法猜測曲線交叉點。試著添加共點拘束在你要倒圓角的點及曲線間。 - + You are requesting no change in knot multiplicity. 您正在要求不要改變結點多重性 - - + + B-spline Geometry Index (GeoID) is out of bounds. - B-spline 幾何索引 (GeoID) 超出範圍。 + B 雲形線幾何索引 (GeoID) 超出範圍。 - - + + The Geometry Index (GeoId) provided is not a B-spline. 提供的幾何索引 (GeoID) 不是 B-spline。 - + The knot index is out of bounds. Note that in accordance with OCC notation, the first knot has index 1 and not zero. 結點索引超過範圍。請注意在 OCC 表示中,第一個結點的索引為 1 而不是 0。 - + The multiplicity cannot be increased beyond the degree of the B-spline. 結點多重性不能比 B 雲形線之多項式次數高 - + The multiplicity cannot be decreased beyond zero. 多重性不能減少到超過零。 - + OCC is unable to decrease the multiplicity within the maximum tolerance. OCC 無法在最大容差範圍內降低多重性。 - + Knot cannot have zero multiplicity. 結點之多重性不能為零。 - + Knot multiplicity cannot be higher than the degree of the B-spline. - 結點重複度不能高於 B-spline 的階數。 + 結點重複度不能高於 B 雲形線的階數。 - + Knot cannot be inserted outside the B-spline parameter range. - 結點不能在 B-spline 參數範圍外面插入 + 結點不能在 B 雲形線參數範圍外面插入 @@ -2304,7 +2304,7 @@ invalid constraints, degenerated geometry, etc. - + Don't attach 不要附加上去 @@ -2326,123 +2326,123 @@ invalid constraints, degenerated geometry, etc. - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + - - - - - - + + + + + + + + @@ -2473,7 +2473,7 @@ invalid constraints, degenerated geometry, etc. Dimensional constraint - 尺度拘束 + 標註尺寸拘束 @@ -2508,116 +2508,116 @@ invalid constraints, degenerated geometry, etc. 被選擇之一必須在草圖上。 - + Select an edge from the sketch. 於草圖中選擇邊 - - - - - - + + + + + + Impossible constraint 無法拘束 - - + + The selected edge is not a line segment. 所選之邊非為線段. - - - + + + Double constraint 雙重拘束 - + The selected edge already has a horizontal constraint! 選取的邊線已經有水平拘束! - + The selected edge already has a vertical constraint! 選取的邊線已經有垂直拘束! - - - + + + The selected edge already has a Block constraint! 所選邊線已套用定位拘束! - + There are more than one fixed points selected. Select a maximum of one fixed point! 選取超過一個固定點. 請選取最多一個固定點! - - - + + + Select vertices from the sketch. 從草圖中選取頂點 - + Select one vertex from the sketch other than the origin. 從草圖中選取一個非原點之頂點 - + Select only vertices from the sketch. The last selected vertex may be the origin. 從草圖中只選擇端點。 最後選擇的頂點可能是原點。 - + Wrong solver status 求解器狀態錯誤 - + A Block constraint cannot be added if the sketch is unsolved or there are redundant and conflicting constraints. 如果草圖中的求解器無法解出或存在冗餘、衝突的約束,則不能再添加定位約束。 - + Select one edge from the sketch. 從草圖中選取一邊線 - + Select only edges from the sketch. 僅有邊線能從草圖中被選取 - + None of the selected points were constrained onto the respective curves, because they are part of the same element, they are both external geometry, or the edge is not eligible. 所選的點均未被拘束到相應的曲線上,因為它們是同一元件的一部分,它們都是外部幾何體,或者邊緣不符合條件。 - + Only tangent-via-point is supported with a B-spline. - 僅支援通過點的切線拘束與 B-spline 一起使用。 + 僅支援通過點的切線拘束與 B 雲形線一起使用。 - - + + Select either only one or more B-spline poles or only one or more arcs or circles from the sketch, but not mixed. - 從草圖中僅選擇一個或多個 B-spline 極點或僅選擇一個或多個圓弧或圓,但不要混合。 + 從草圖中僅選擇一個或多個 B 雲形線極點或僅選擇一個或多個圓弧或圓,但不要混合。 - + Select two endpoints of lines to act as rays, and an edge representing a boundary. The first selected point corresponds to index n1, second to n2, and the value sets the ratio n2/n1. Constraint_SnellsLaw 選擇兩個線段的端點作為光線,並選擇一條邊作為邊界。第一個選擇的點對應於索引 n1,第二個點對應於 n2,該值設置為比率 n2/n1。 - + Number of selected objects is not 3 選取之物件數量非為3 @@ -2634,80 +2634,80 @@ invalid constraints, degenerated geometry, etc. 未預期錯誤:更新資訊可以自報告檢視中獲得。 - + The selected item(s) can't accept a horizontal or vertical constraint! 所選項目無法接受水平或垂直拘束! - + Endpoint to endpoint tangency was applied instead. 已被取代為終點對終點相切 - + Select two or more vertices from the sketch for a coincident constraint, or two or more circles, ellipses, arcs or arcs of ellipse for a concentric constraint. 要創建一個重合拘束,請在草圖中選擇兩個或多個頂點,或者要創建同心拘束,請選擇兩個或多個圓、橢圓、弧或橢圓弧。 - + Select two vertices from the sketch for a coincident constraint, or two circles, ellipses, arcs or arcs of ellipse for a concentric constraint. 選擇草圖中的兩個頂點以創建重合拘束,或者選擇兩個圓、橢圓、弧或橢圓弧以創建同心拘束。 - + Select exactly one line or one point and one line or two points from the sketch. 由草圖中選取一條線或一個點,以及一條線或兩個點。 - + Cannot add a length constraint on an axis! 無法於軸上增加長度拘束! - - + + Select exactly one line or one point and one line or two points or two circles from the sketch. 從草圖中選擇正好一條線或一個點和一條線,或者兩個點,或兩個圓。 - + This constraint does not make sense for non-linear curves. 此拘束條件在非線性曲線上並不合理. - + Endpoint to edge tangency was applied instead. 改為應用端點到邊相切。 - - - - - - + + + + + + Select the right things from the sketch. 從草圖中選取正確的圖元 - - - - - - - - - + + + + + + + + - - - - - - - - + + + + + + + + + Select an edge that is not a B-spline weight. 選擇不是 B 雲形線權重的邊 @@ -2717,17 +2717,17 @@ invalid constraints, degenerated geometry, etc. 一個或多個「點在物件上」拘束已被刪除,因為最新內部的拘束也同樣套用在「點在物件上」。 - + Select either several points, or several conics for concentricity. 選擇多個點或多個圓錐曲線以設置同心性。 - + Select either one point and several curves, or one curve and several points 選擇一個點和多條曲線,或一條曲線和多個點。 - + Select either one point and several curves or one curve and several points for pointOnObject, or several points for coincidence, or several conics for concentricity. 選擇以下之一: 一個點和多條曲線,用於「點在物件上」拘束; @@ -2736,72 +2736,72 @@ invalid constraints, degenerated geometry, etc. 多個圓錐曲線,用於「同心度」約束。 - + None of the selected points were constrained onto the respective curves, either because they are parts of the same element, or because they are both external geometry. 沒有任何被選擇點被拘束在其個別的曲線上,要麼因為它們都是同一元件的一部份,或是因為他們都是外部幾何。 - + Cannot add a length constraint on this selection! 無法對此選擇添加長度拘束! - - - - + + + + Select exactly one line or up to two points from the sketch. 於草圖中選取一條線或最多兩個點。 - + Cannot add a horizontal length constraint on an axis! 無法於軸上增加水平長度拘束! - + Cannot add a fixed x-coordinate constraint on the origin point! 在原點上無法加入固定X軸拘束! - - + + This constraint only makes sense on a line segment or a pair of points. 此拘束只針對線段或是一對點有意義。 - + Cannot add a vertical length constraint on an axis! 無法於軸上增加垂直長度拘束! - + Cannot add a fixed y-coordinate constraint on the origin point! 在原點上無法加入固定Y軸拘束! - + Select two or more lines from the sketch. 由草圖中選取兩條或以上線條。 - + One selected edge is not a valid line. 一個被選的邊不是有效線段。 - - + + Select at least two lines from the sketch. 由草圖中選取至少兩條線。 - + The selected edge is not a valid line. 所選之邊非為有效線段. - + There is a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2809,35 +2809,35 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c 此拘束尚有許多方式可以使用,可用的組合有:兩條曲線、兩個端點、兩條曲線及一個點。 - + Select some geometry from the sketch. perpendicular constraint 從草圖中選取一些幾何。 - - + + Cannot add a perpendicularity constraint at an unconnected point! 無法於未連接點上建立垂直拘束! - - + + One of the selected edges should be a line. 所選之邊中需有一條線。 - + Endpoint to endpoint tangency was applied. The coincident constraint was deleted. 已套用點對點相切拘束,共點拘束已被刪除 - + Endpoint to edge tangency was applied. The point on object constraint was deleted. 終點到邊已套用相切(拘束)。因此點到物件之拘束被刪除。 - + There are a number of ways this constraint can be applied. Accepted combinations: two curves; an endpoint and a curve; two endpoints; two curves and a point. @@ -2847,61 +2847,61 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c 可接受的組合:二條曲線; 一個終止點及一條曲線;二個終主點;二條曲線及一點。 - + Select some geometry from the sketch. tangent constraint 從草圖中選取一些幾何。 - - - + + + Cannot add a tangency constraint at an unconnected point! 無法於未連接點上建立相切拘束! - - + + Tangent constraint at B-spline knot is only supported with lines! - 在 B-spline 曲線結點上僅支持與直線的切線拘束! + 在 B 雲形線結點上僅支持與直線的切線拘束! - + B-spline knot to endpoint tangency was applied instead. - 取而代之套用了 B-spline 曲線結點到終點的切線。 + 取而代之套用了 B 雲形線結點到終點的切線。 - - + + Wrong number of selected objects! 選取之物件數量有誤! - - + + With 3 objects, there must be 2 curves and 1 point. 三個物件時至少需有2條曲線及1個點。 - - - - - - + + + + + + Select one or more arcs or circles from the sketch. 從草圖中選取一個或多個弧或圓。 - - - + + + Constraint only applies to arcs or circles. 拘束僅能用在圓弧或圓上 - - + + Select one or two lines from the sketch. Or select two edges and a point. 從草圖中選取一或兩條線條,或選取兩個邊及一個點。 @@ -2916,87 +2916,87 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c 無法於兩條平行線間建立角度拘束。 - + Cannot add an angle constraint on an axis! 無法於軸上建立角度拘束! - + Select two edges from the sketch. 由草圖中選取兩個邊。 - + Select two or more compatible edges. 選擇兩個或更多相容之邊. - + Sketch axes cannot be used in equality constraints. 草圖軸不能用在相等拘束。 - + Equality for B-spline edge currently unsupported. 不支援B雲形線的等長拘束。 - - - + + + Select two or more edges of similar type. 選取兩個或更多相似類型之邊. - - - - - + + + + + Select two points and a symmetry line, two points and a symmetry point or a line and a symmetry point from the sketch. 請從草圖中選取兩個點及對稱線,兩個點及對稱點或一條線擊對稱點。 - - + + Cannot add a symmetry constraint between a line and its end points. 無法在一條線及其端點間添加對稱拘束。 - - - - + + + + Cannot add a symmetry constraint between a line and its end points! 無法於線及其終點建立對稱拘束! - + Selected objects are not just geometry from one sketch. 選取之物件並非來自於草圖之幾何。 - + Cannot create constraint with external geometry only. 僅用外部幾何無法建立拘束. - + Incompatible geometry is selected. 選取了不相容的幾何. - + Select one dimensional constraint from the sketch. 從草圖中選擇一個標註尺寸拘束。 - - - - - + + + + + Select constraints from the sketch. 從草圖中選取拘束 @@ -3047,17 +3047,17 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c At least one of the selected objects was not a B-spline and was ignored. - 所選物件中至少有一個不是 B-spline 故被忽略 + 所選物件中至少有一個不是 B 雲形線故被忽略 Nothing is selected. Please select a B-spline. - 沒有選取任何物件。請選取 B-spline。 + 沒有選取任何物件。請選取 B 雲形線。 Please select a B-spline to insert a knot (not a knot on it). If the curve is not a B-spline, please convert it into one first. - 請選擇一條 B-spline 來插入結點(不是其上的結點)。如果曲線不是 B-spline,請先將其轉換。 + 請選擇一條 B 雲形線來插入結點(不是其上的結點)。如果曲線不是 B 雲形線,請先將其轉換。 @@ -3225,7 +3225,7 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c B-spline parameters - B-spline 參數 + B 雲形線參數 @@ -3537,12 +3537,12 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c 長度: - + Refractive index ratio 折射率比例 - + Ratio n2/n1: 比例 n2/n1: @@ -3617,7 +3617,7 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c B-spline - B-spline 曲線 + B 雲形線 (B-spline) @@ -3801,7 +3801,7 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Name (optional) - 名稱(選擇性) + 名稱(選填) @@ -3811,7 +3811,7 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Reference (or constraint) dimension - 參考 (或拘束) 尺寸 + 參考 (或拘束) 標註尺寸 @@ -3943,7 +3943,7 @@ with respect to the others using construction lines If selected, it substitutes dimensional constraints by geometric constraints in the copies, so that a change in the original element is directly reflected on copies - 如選擇,副本中的尺寸拘束將被幾何拘束替換,原始圖元的每個改變將直接反應到副本中。 + 如選擇,副本中的標註尺寸拘束將被幾何拘束替換,原始圖元的每個改變將直接反應到副本中。 @@ -4194,12 +4194,12 @@ This setting is only for the toolbar. Whichever you choose, all tools are always Font size - 字型尺寸 + 字體大小 Font size used for labels and constraints. - 拘束及標籤的文字大小. + 用於標籤和拘束的字體大小。 @@ -4241,12 +4241,12 @@ Supports all unit systems except 'US customary' and 'Building US/Euro'. A dialog will pop up to input a value for new dimensional constraints. - 一個對話框將會彈出以輸入新尺寸拘束的值。 + 一個對話框將會彈出以輸入新標註尺寸拘束的值。 Ask for value after creating a dimensional constraint - 建立一尺寸拘束後將要求輸入一數值 + 建立一標註尺寸拘束後將要求輸入一數值 @@ -4276,12 +4276,12 @@ Supports all unit systems except 'US customary' and 'Building US/Euro'. If checked, displays the name on dimensional constraints (if exists). - 如果勾選,則顯示名稱在尺寸拘束上(如果存在的話)。 + 如果勾選,則顯示名稱在標註尺寸拘束上(如果存在的話)。 Show dimensional constraint name with format - 以格式顯示尺寸拘束名稱 + 以格式顯示標註尺寸拘束名稱 @@ -4295,10 +4295,11 @@ Defaults to: %N = %V %N - name parameter %V - dimension value - 尺寸拘束字串格式表示式: + 標註尺寸拘束字串格式表示式。 預設:%N = %V + %N - 名稱參數 -%V - 尺寸值 +%V - 標註值 @@ -4740,7 +4741,7 @@ However, no constraints linking to the endpoints were found. B-spline - B-spline 曲線 + B 雲形線 (B-spline) @@ -4961,7 +4962,7 @@ This is done by analyzing the sketch geometries and constraints. Disables constraint orientation locking - 禁用方向鎖定拘束 + 停用方向鎖定拘束 @@ -5182,8 +5183,8 @@ This is done by analyzing the sketch geometries and constraints. Sketcher_ConstrainDiameter - - + + Fix the diameter of a circle or an arc 固定一個圓或弧的直徑 @@ -5335,63 +5336,73 @@ This is done by analyzing the sketch geometries and constraints. Sketcher_MapSketch - + No sketch found 未發現草圖 - + + Cannot attach sketch to itself! + Cannot attach sketch to itself! + + + The document doesn't have a sketch 此檔案無草圖 - + Select sketch 選擇草圖 - + + Select a sketch (some sketches not shown to prevent a circular dependency) + Select a sketch (some sketches not shown to prevent a circular dependency) + + + Select a sketch from the list 從清單中選擇草圖 - + (incompatible with selection) (與選擇不相容) - + (current) (目前) - + (suggested) (建議) - + Sketch attachment 草圖附加 - + Current attachment mode is incompatible with the new selection. Select the method to attach this sketch to selected objects. 目前附加模式不相容於新的選擇,請選擇要如何將此草圖附加至所選物件 - + Select the method to attach this sketch to selected objects. 選擇要如何將此草圖附加到所選物件 - + Map sketch 對應草圖 - + Can't map a sketch to support: %1 無法將此草圖對應到:%1 @@ -5822,7 +5833,7 @@ Eigen Sparse QR 算法針對稀疏矩陣進行了優化;通常更快 Automatically adapt grid spacing based on the viewer dimensions. - 根據查看器的標註尺寸自動調整格線間距。 + 根據檢視器的標註尺寸自動調整格線間距。 @@ -5918,22 +5929,22 @@ The grid spacing change if it becomes smaller than this number of pixel. GridSpaceAction - + Grid auto spacing 網格自動間距 - + Resize grid automatically depending on zoom. 根據縮放來自動調整網格線大小。 - + Spacing 間距 - + Distance between two subsequent grid lines. 兩條相鄰網格線的距離. @@ -5941,17 +5952,17 @@ The grid spacing change if it becomes smaller than this number of pixel. Notifications - + The Sketch has malformed constraints! 此草圖有格式錯誤的拘束! - + The Sketch has partially redundant constraints! 此草圖有部分冗餘拘束! - + Parabolas were migrated. Migrated files won't open in previous versions of FreeCAD!! 拋物線已被遷移。遷移的檔案將無法在 FreeCAD 的舊版本中打開! @@ -6030,8 +6041,8 @@ The grid spacing change if it becomes smaller than this number of pixel. - - + + Invalid Constraint 無效的拘束 @@ -6074,7 +6085,7 @@ The grid spacing change if it becomes smaller than this number of pixel. Error adding B-spline pole/knot - 添加 B-Spline 極/結點時出現錯誤 + 添加 B 雲形線 極/結點時出現錯誤 @@ -6226,46 +6237,46 @@ The grid spacing change if it becomes smaller than this number of pixel. B-spline by knots - 以結點來建立 B-spline 曲線 + 以結點來建立 B 雲形線 Create a B-spline by knots - 以結點來建立 B-spline 曲線 + 以結點來建立 B 雲形線 SnapSpaceAction - + Snap to objects 貼齊至物件 - + New points will snap to the currently preselected object. It will also snap to the middle of lines and arcs. 新的點將貼齊到當前預選的物件。它還會捕捉到線和弧的中心點。 - + Snap to grid 貼齊格線 - + New points will snap to the nearest grid line. Points must be set closer than a fifth of the grid spacing to a grid line to snap. 新的點將貼齊到最近的網格線。 點必須設定在網格線的五分之一間距以內,才能貼齊。 - + Snap angle 貼齊角度 - + Angular step for tools that use 'Snap at Angle' (line for instance). Hold CTRL to enable 'Snap at Angle'. The angle starts from the positive X axis of the sketch. 工具使用 '貼齊到角度' (例如線條),用於設定角度的角度步進。按住 CTRL 鍵以啟用 '貼齊到角度'。角度從草圖的正 X 軸開始計算。 @@ -6273,23 +6284,23 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna RenderingOrderAction - - - + + + Normal Geometry 常規幾何 - - - + + + Construction Geometry 建構用幾何圖元 - - - + + + External Geometry 外部幾何 @@ -6297,12 +6308,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdRenderingOrder - + Configure rendering order 設置算繪順序 - + Reorder the items in the list to configure rendering order. 重新排序列表中的項目以配置算繪順序。 @@ -6310,12 +6321,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherGrid - + Toggle grid 切換格線 - + Toggle the grid in the sketch. In the menu you can change grid settings. 在草圖中切換格線。在選單中可以更改網格設定。 @@ -6323,12 +6334,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna CmdSketcherSnap - + Toggle snap 切換鎖點 - + Toggle all snap functionality. In the menu you can toggle 'Snap to grid' and 'Snap to objects' individually, and change further snap settings. 切換所有貼齊功能。在選單中,您可以單獨切換 '貼齊到格線' 和 '貼齊到物件',並更改進一步的貼齊設定。 @@ -6338,12 +6349,12 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna Create B-spline by knots - 以結點來建立 B-spline 曲線 + 以結點來建立 B 雲形線 Create a B-spline by knots, i.e. by interpolation, in the sketch. - 在草圖中通過結點建立 B-spline 曲線,換句話說通過內插法。 + 在草圖中通過結點建立 B 雲形線,換句話說通過內插法。 @@ -6356,18 +6367,18 @@ Points must be set closer than a fifth of the grid spacing to a grid line to sna Create a periodic B-spline by knots, i.e. by interpolation, in the sketch. - 在草圖中通過結點建立週期性 B-spline 曲線,換句話說通過內插法。 + 在草圖中通過結點建立週期性 B 雲形線,換句話說通過內插法。 CmdSketcherDimension - + Dimension - 標註 + 標註尺寸 - + Constrain contextually based on your selection. Depending on your selection you might have several constraints available. You can cycle through them using M key. Left clicking on empty space will validate the current constraint. Right clicking or pressing Esc will cancel. @@ -6392,7 +6403,7 @@ Left clicking on empty space will validate the current constraint. Right clickin Dimension - 標註 + 標註尺寸 @@ -6403,12 +6414,12 @@ Left clicking on empty space will validate the current constraint. Right clickin CmdSketcherConstrainRadius - + Constrain radius 半徑拘束 - + Fix the radius of a circle or an arc 固定圓或弧之半徑 @@ -6543,12 +6554,12 @@ Left clicking on empty space will validate the current constraint. Right clickin 刪除原始幾何體 (U) - + Apply equal constraints 套用相同拘束 - + If this option is selected dimensional constraints are excluded from the operation. Instead equal constraints are applied between the original objects and their copies. 如果選擇了此選項,則標註尺寸拘束將被排除在操作之外。反之將在原始物件及其複製品之間應用相等拘束。 @@ -6619,12 +6630,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherCompHorizontalVertical - + Constrain horizontal/vertical 水平/垂直拘束 - + Constrains a single line to either horizontal or vertical. 將單一線條設為水平或垂直拘束。 @@ -6632,12 +6643,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainHorVer - + Constrain horizontal/vertical 水平/垂直拘束 - + Constrains a single line to either horizontal or vertical, whichever is closer to current alignment. 將單一線條設為為水平或垂直拘束,取決於更接近當前對齊的方向。 @@ -6684,12 +6695,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainCoincidentUnified - + Constrain coincident 共點拘束 - + Create a coincident constraint between points, or fix a point on an edge, or a concentric constraint between circles, arcs, and ellipses 在點之間建立重合拘束,或將點固定在邊緣上,或在圓、弧和橢圓之間創建同心拘束。 @@ -6934,7 +6945,7 @@ Instead equal constraints are applied between the original objects and their cop Dimensional constraint - 尺度拘束 + 標註尺寸拘束 @@ -6975,7 +6986,7 @@ Instead equal constraints are applied between the original objects and their cop TaskSketcherTool_p4_rotate - + Copies (+'U'/ -'J') 複製(+'U'/-'J') @@ -7223,12 +7234,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherConstrainTangent - + Constrain tangent or collinear 相切或共線拘束 - + Create a tangent or collinear constraint between two entities 在兩個實體之間建立相切或共線拘束 @@ -7236,12 +7247,12 @@ Instead equal constraints are applied between the original objects and their cop CmdSketcherChangeDimensionConstraint - + Change value 變更值 - + Change the value of a dimensional constraint 更改標註尺寸拘束的值 @@ -7251,13 +7262,13 @@ Instead equal constraints are applied between the original objects and their cop Periodic B-spline by knots - 以結點來建立週期性 B-spline 曲線 + 以結點來建立週期性 B 雲形線 Create a periodic B-spline by knots - 以結點來建立週期性 B-spline 曲線 + 以結點來建立週期性 B 雲形線 @@ -7301,14 +7312,14 @@ Instead equal constraints are applied between the original objects and their cop Create a periodic B-spline. - 建立一週期性的 B-spline。 + 建立一週期性的 B 雲形線。 Sketcher_ConstrainRadius - - + + Fix the radius of an arc or a circle 固定弧或圓之半徑 @@ -7316,8 +7327,8 @@ Instead equal constraints are applied between the original objects and their cop Sketcher_ConstrainRadiam - - + + Fix the radius/diameter of an arc or a circle 固定一個弧或圓的半徑/直徑 @@ -7333,7 +7344,7 @@ Instead equal constraints are applied between the original objects and their cop If this option is selected dimensional constraints are excluded from the operation. Instead equal constraints are applied between the original objects and their copies. - 如果選中此選項,將排除尺寸拘束。相反,將在原始物件及其複製品之間套用相同拘束。 + 如果選中此選項,將排除標註尺寸拘束。反之將在原始物件及其複製品之間套用相同拘束。 diff --git a/src/Mod/Sketcher/Gui/TaskSketcherConstraints.cpp b/src/Mod/Sketcher/Gui/TaskSketcherConstraints.cpp index 107052084675..095255a16c00 100644 --- a/src/Mod/Sketcher/Gui/TaskSketcherConstraints.cpp +++ b/src/Mod/Sketcher/Gui/TaskSketcherConstraints.cpp @@ -814,6 +814,7 @@ FilterValueBitset ConstraintFilterList::getMultiFilter() TaskSketcherConstraints::TaskSketcherConstraints(ViewProviderSketch* sketchView) : TaskBox(Gui::BitmapFactory().pixmap("Sketcher_CreateLineAngleLength"), tr("Constraints"), true, nullptr) + , specialFilterMode{SpecialFilterType::None} , sketchView(sketchView) , inEditMode(false) , ui(new Ui_TaskSketcherConstraints) diff --git a/src/Mod/Sketcher/Gui/TaskSketcherValidation.cpp b/src/Mod/Sketcher/Gui/TaskSketcherValidation.cpp index 7fdfceb51f5a..95a5bac2ac16 100644 --- a/src/Mod/Sketcher/Gui/TaskSketcherValidation.cpp +++ b/src/Mod/Sketcher/Gui/TaskSketcherValidation.cpp @@ -287,7 +287,7 @@ void SketcherValidation::onFindReversedClicked() *sketch, tr("Reversed external geometry"), tr("%1 reversed external-geometry arcs were found. Their endpoints are" - " encircled in 3d view.\n\n" + " encircled in 3D view.\n\n" "%2 constraints are linking to the endpoints. The constraints have" " been listed in Report view (menu View -> Panels -> Report view).\n\n" "Click \"Swap endpoints in constraints\" button to reassign endpoints." @@ -302,7 +302,7 @@ void SketcherValidation::onFindReversedClicked() *sketch, tr("Reversed external geometry"), tr("%1 reversed external-geometry arcs were found. Their endpoints are " - "encircled in 3d view.\n\n" + "encircled in 3D view.\n\n" "However, no constraints linking to the endpoints were found.") .arg(points.size() / 2)); diff --git a/src/Mod/Spreadsheet/Gui/Command.cpp b/src/Mod/Spreadsheet/Gui/Command.cpp index e644b0ffc6fa..1ef8e34660a6 100644 --- a/src/Mod/Spreadsheet/Gui/Command.cpp +++ b/src/Mod/Spreadsheet/Gui/Command.cpp @@ -627,6 +627,7 @@ CmdSpreadsheetStyleBold::CmdSpreadsheetStyleBold() sWhatsThis = "Spreadsheet_StyleBold"; sStatusTip = sToolTipText; sPixmap = "SpreadsheetStyleBold"; + sAccel = "Ctrl+B"; } void CmdSpreadsheetStyleBold::activated(int iMsg) @@ -710,6 +711,7 @@ CmdSpreadsheetStyleItalic::CmdSpreadsheetStyleItalic() sWhatsThis = "Spreadsheet_StyleItalic"; sStatusTip = sToolTipText; sPixmap = "SpreadsheetStyleItalic"; + sAccel = "Ctrl+I"; } void CmdSpreadsheetStyleItalic::activated(int iMsg) @@ -793,6 +795,7 @@ CmdSpreadsheetStyleUnderline::CmdSpreadsheetStyleUnderline() sWhatsThis = "Spreadsheet_StyleUnderline"; sStatusTip = sToolTipText; sPixmap = "SpreadsheetStyleUnderline"; + sAccel = "Ctrl+U"; } void CmdSpreadsheetStyleUnderline::activated(int iMsg) diff --git a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet.ts b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet.ts index ffe98df357de..c586cbc7e647 100644 --- a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet.ts +++ b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet.ts @@ -716,7 +716,7 @@ Spreadsheet.my_alias_name instead of Spreadsheet.B1 - + Spreadsheet @@ -1125,7 +1125,8 @@ Defaults to: %V = %A Py - + + Unnamed diff --git a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_be.ts b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_be.ts index c537785b18f1..09a5985a120e 100644 --- a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_be.ts +++ b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_be.ts @@ -735,7 +735,7 @@ Spreadsheet.my_alias_name instead of Spreadsheet.B1 Аркуш.імя_псеўданіма замест Аркуш.В1 - + Spreadsheet Аркуш @@ -1176,7 +1176,8 @@ Defaults to: %V = %A Py - + + Unnamed Без назвы diff --git a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_ca.ts b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_ca.ts index 2086e6619173..599648360a35 100644 --- a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_ca.ts +++ b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_ca.ts @@ -732,7 +732,7 @@ Spreadsheet.my_alias_name instead of Spreadsheet.B1 Spreadsheet.my_alias_name enlloc de Spreadsheet.B1 - + Spreadsheet Full de càlcul @@ -1156,7 +1156,8 @@ Per defecte: %V = %A Py - + + Unnamed Sense nom diff --git a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_cs.ts b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_cs.ts index 538a1d570f7d..e775ed921267 100644 --- a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_cs.ts +++ b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_cs.ts @@ -740,7 +740,7 @@ Spreadsheet.my_alias_name instead of Spreadsheet.B1 Spreadsheet.alias_nazev místo Spreadsheet.B1 - + Spreadsheet Tabulka @@ -1181,7 +1181,8 @@ Výchozí hodnota: %V = %A Py - + + Unnamed Nepojmenovaný diff --git a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_da.ts b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_da.ts index c5208e1dbcc2..d4d9698b3ac8 100644 --- a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_da.ts +++ b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_da.ts @@ -740,7 +740,7 @@ Spreadsheet.my_alias_name instead of Spreadsheet.B1 Regneark.mit_alias_navn i stedet for Regneark.B1 - + Spreadsheet Regneark @@ -1165,7 +1165,8 @@ Defaults to: %V = %A Py - + + Unnamed Unavngivet diff --git a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_de.ts b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_de.ts index 486d79626d72..0210d96cbcf5 100644 --- a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_de.ts +++ b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_de.ts @@ -737,7 +737,7 @@ Spreadsheet.my_alias_name instead of Spreadsheet.B1 Tabelle.mein_Alias_name anstelle von Tabelle.B1 - + Spreadsheet Spreadsheet @@ -1161,7 +1161,8 @@ Standard: %V = %A Py - + + Unnamed Unbenannt diff --git a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_el.ts b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_el.ts index 209da873e4e4..19ea47222bc7 100644 --- a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_el.ts +++ b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_el.ts @@ -728,7 +728,7 @@ Spreadsheet.my_alias_name instead of Spreadsheet.B1 Spreadsheet.my_alias_name αντί του Spreadsheet.B1 - + Spreadsheet Υπολογιστικό Φύλλο @@ -1153,7 +1153,8 @@ Defaults to: %V = %A Py - + + Unnamed Ανώνυμο diff --git a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_es-AR.ts b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_es-AR.ts index 75164894bd09..452670c3e622 100644 --- a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_es-AR.ts +++ b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_es-AR.ts @@ -741,7 +741,7 @@ Spreadsheet.mi_nombre_de_alias en lugar de Spreadsheet.B1 - + Spreadsheet Hoja de cálculo @@ -1167,7 +1167,8 @@ Por defecto a: %V = %A Py - + + Unnamed Sin nombre diff --git a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_es-ES.ts b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_es-ES.ts index f3001b64833a..315f2461a079 100644 --- a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_es-ES.ts +++ b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_es-ES.ts @@ -740,7 +740,7 @@ Spreadsheet.my_alias_name instead of Spreadsheet.B1 Spreadsheet.my_alias_name en lugar de Spreadsheet.B1 - + Spreadsheet Spreadsheet @@ -1165,7 +1165,8 @@ Por defecto: %V = %A Py - + + Unnamed Sin nombre diff --git a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_eu.ts b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_eu.ts index cb68221f4072..64bdd215d9b5 100644 --- a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_eu.ts +++ b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_eu.ts @@ -740,7 +740,7 @@ Spreadsheet.my_alias_name instead of Spreadsheet.B1 'KalkuluOrria.nire_aliasa' erabili 'KalkuluOrria.B1' erabili ordez - + Spreadsheet Kalkulu-orria @@ -1165,7 +1165,8 @@ Lehenespenak: %V = %A Py - + + Unnamed Izenik gabea diff --git a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_fi.ts b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_fi.ts index 9d8f28571906..cb413d33c3ca 100644 --- a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_fi.ts +++ b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_fi.ts @@ -740,7 +740,7 @@ Spreadsheet.my_alias_name instead of Spreadsheet.B1 Spreadsheet.my_alias_name sijasta Spreadsheet.B1 - + Spreadsheet Laskentataulukko @@ -1165,7 +1165,8 @@ Defaults to: %V = %A Py - + + Unnamed Nimetön diff --git a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_fr.ts b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_fr.ts index fc24466a7d51..772351ffe12d 100644 --- a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_fr.ts +++ b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_fr.ts @@ -739,7 +739,7 @@ Spreadsheet.my_alias_name instead of Spreadsheet.B1 Spreadsheet.my_alias_name au lieu de Spreadsheet.B1 - + Spreadsheet Spreadsheet @@ -1163,7 +1163,8 @@ Par défaut : %V = %A Py - + + Unnamed Nouveau diff --git a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_hr.ts b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_hr.ts index 52bf90d61980..280b864fbc7c 100644 --- a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_hr.ts +++ b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_hr.ts @@ -666,7 +666,7 @@ promijeniti konfiguraciju dizajna. Objekt će se stvoriti ako ne postoji. Text for the unit - Text for the unit + Tekst za mjernu jedinicu @@ -746,7 +746,7 @@ Spreadsheet.my_alias_name umjesto Spreadsheet.B1 - + Spreadsheet Proračunska tablica @@ -1180,7 +1180,8 @@ Zadano: %V = %A Py - + + Unnamed Neimenovano diff --git a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_hu.ts b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_hu.ts index 3255fff3aab2..efd2439844b4 100644 --- a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_hu.ts +++ b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_hu.ts @@ -740,7 +740,7 @@ Spreadsheet.my_alias_name instead of Spreadsheet.B1 Spreadsheet.my_alias_name helyett Spreadsheet.B1 - + Spreadsheet Számolótábla @@ -1165,7 +1165,8 @@ Alapértelmezett értéke: %V = %A Py - + + Unnamed Névtelen diff --git a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_it.ts b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_it.ts index 9d8e887c4afb..660857cb3cda 100644 --- a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_it.ts +++ b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_it.ts @@ -738,7 +738,7 @@ Spreadsheet.my_alias_name instead of Spreadsheet.B1 Spreadsheet.my_alias_name invece di Spreadsheet.B1 - + Spreadsheet Foglio di calcolo @@ -1163,7 +1163,8 @@ Predefinito a: %V = %A Py - + + Unnamed Senza nome diff --git a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_ja.ts b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_ja.ts index 816ad1595b6c..81353278f060 100644 --- a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_ja.ts +++ b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_ja.ts @@ -733,7 +733,7 @@ Spreadsheet.my_alias_name instead of Spreadsheet.B1 Spreadsheet.my_alias_name のように、エイリアスでセルを参照してください。 - + Spreadsheet スプレッドシート @@ -1150,7 +1150,8 @@ Defaults to: %V = %A Py - + + Unnamed Unnamed diff --git a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_ka.ts b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_ka.ts index 412a26099ece..b91a978b79fa 100644 --- a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_ka.ts +++ b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_ka.ts @@ -731,7 +731,7 @@ Spreadsheet.my_alias_name instead of Spreadsheet.B1 Spreadsheet.my_alias_name ნაცვლად Spreadsheet.B1 - + Spreadsheet ელცხრილი @@ -1157,7 +1157,8 @@ Defaults to: %V = %A Py - + + Unnamed უსახელო diff --git a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_ko.ts b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_ko.ts index 42fa85cda79c..6af6ab3a265b 100644 --- a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_ko.ts +++ b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_ko.ts @@ -740,7 +740,7 @@ Spreadsheet.my_alias_name instead of Spreadsheet.B1 Spreadsheet.my_alias_name instead of Spreadsheet.B1 - + Spreadsheet 스프레드시트 @@ -1157,7 +1157,8 @@ Defaults to: %V = %A Py - + + Unnamed 이름없음 diff --git a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_lt.ts b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_lt.ts index 2250116698ac..42aaf8558e07 100644 --- a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_lt.ts +++ b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_lt.ts @@ -740,7 +740,7 @@ Spreadsheet.my_alias_name instead of Spreadsheet.B1 Spreadsheet.my_alias_name instead of Spreadsheet.B1 - + Spreadsheet Skaičiuoklė @@ -1181,7 +1181,8 @@ Defaults to: %V = %A Py - + + Unnamed Be pavadinimo diff --git a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_nl.ts b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_nl.ts index dfb1e8796194..45199ed0e409 100644 --- a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_nl.ts +++ b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_nl.ts @@ -729,7 +729,7 @@ Spreadsheet.my_alias_name instead of Spreadsheet.B1 Spreadsheet.mijn_alias_naam in plaats van Spreadsheet.B1 - + Spreadsheet Rekenblad @@ -1154,7 +1154,8 @@ waarbij: Py - + + Unnamed Naamloos diff --git a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_pl.ts b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_pl.ts index 48826359ff18..b21af551c0f5 100644 --- a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_pl.ts +++ b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_pl.ts @@ -739,7 +739,7 @@ Spreadsheet.my_alias_name instead of Spreadsheet.B1 Arkusz.mój_alias zamiast Arkusz.B1 - + Spreadsheet Arkusz kalkulacyjny @@ -1180,7 +1180,8 @@ Domyślnie %V = %A Py - + + Unnamed Nienazwany diff --git a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_pt-BR.ts b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_pt-BR.ts index c4887c875184..45a0713f27a8 100644 --- a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_pt-BR.ts +++ b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_pt-BR.ts @@ -732,7 +732,7 @@ Spreadsheet.my_alias_name instead of Spreadsheet.B1 Planilha.meu_nome em vez de Planilha.B1 - + Spreadsheet Planilha @@ -1157,7 +1157,8 @@ Padrão para: %V = %A Py - + + Unnamed Sem nome diff --git a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_pt-PT.ts b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_pt-PT.ts index 66883400032f..dc6f5e28299f 100644 --- a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_pt-PT.ts +++ b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_pt-PT.ts @@ -740,7 +740,7 @@ Spreadsheet.my_alias_name instead of Spreadsheet.B1 Spreadsheet.my_alias_name em vez de Spreadsheet.B1 - + Spreadsheet Folha de cálculo @@ -1165,7 +1165,8 @@ Defaults to: %V = %A Py - + + Unnamed Sem nome diff --git a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_ro.ts b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_ro.ts index 6aad747d2e16..6d73e84a7e31 100644 --- a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_ro.ts +++ b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_ro.ts @@ -738,7 +738,7 @@ Spreadsheet.my_alias_name instead of Spreadsheet.B1 Spreadsheet.my_alias_name în loc de Spreadsheet.B1 - + Spreadsheet Foaie de calcul @@ -1171,7 +1171,8 @@ Implicit la: %V = %A Py - + + Unnamed Nedenumit diff --git a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_ru.ts b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_ru.ts index 1c55d455b1e0..0d2d47f018dc 100644 --- a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_ru.ts +++ b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_ru.ts @@ -737,7 +737,7 @@ Spreadsheet.my_alias_name instead of Spreadsheet.B1 Spreadsheet.my_alias_name вместо Spreadsheet.B1 - + Spreadsheet Электронная таблица @@ -1178,7 +1178,8 @@ Defaults to: %V = %A Py - + + Unnamed Безымянный diff --git a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_sl.ts b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_sl.ts index bb1e07da2eb6..427f77e00012 100644 --- a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_sl.ts +++ b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_sl.ts @@ -738,7 +738,7 @@ Spreadsheet.my_alias_name instead of Spreadsheet.B1 Preglednica.ime_ki_sem_ga_določil namesto Preglednica.B1 - + Spreadsheet Preglednica @@ -1179,7 +1179,8 @@ Privzeto: %V = %A Py - + + Unnamed Neimenovan diff --git a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_sr-CS.ts b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_sr-CS.ts index 8c69e286e8e9..3aafecf19f5f 100644 --- a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_sr-CS.ts +++ b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_sr-CS.ts @@ -740,7 +740,7 @@ Spreadsheet.my_alias_name instead of Spreadsheet.B1 Spreadsheet.moje_alternativno_ime umesto Spreadsheet.B1 - + Spreadsheet Tabela @@ -1173,7 +1173,8 @@ Defaults to: %V = %A Py - + + Unnamed Bez imena diff --git a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_sr.ts b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_sr.ts index 807fc0a10995..3b6e681c83e3 100644 --- a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_sr.ts +++ b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_sr.ts @@ -740,7 +740,7 @@ Spreadsheet.my_alias_name instead of Spreadsheet.B1 Spreadsheet.моје_алтернативно_име уместо Spreadsheet.B1 - + Spreadsheet Табела @@ -1173,7 +1173,8 @@ Defaults to: %V = %A Py - + + Unnamed Без имена diff --git a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_sv-SE.ts b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_sv-SE.ts index 62a62911fa4f..7160bfd000aa 100644 --- a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_sv-SE.ts +++ b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_sv-SE.ts @@ -740,7 +740,7 @@ Spreadsheet.my_alias_name instead of Spreadsheet.B1 Spreadsheet.my_alias_name, istället för Spreadsheet.B1 - + Spreadsheet Kalkylark @@ -1165,7 +1165,8 @@ Defaults to: %V = %A Py - + + Unnamed Namnlös diff --git a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_tr.ts b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_tr.ts index a2ebac84578b..7d77455cc0b5 100644 --- a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_tr.ts +++ b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_tr.ts @@ -739,7 +739,7 @@ Spreadsheet.my_alias_name instead of Spreadsheet.B1 Hücreye alias'lı bir isim atayın, örneğin Spreadsheet.B1 yerine Spreadsheet.my_alias_name - + Spreadsheet Hesap Tablosu @@ -1163,7 +1163,8 @@ Defaults to: %V = %A Py - + + Unnamed İsimsiz diff --git a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_uk.ts b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_uk.ts index dccd27fa1fda..009cbebc4e2b 100644 --- a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_uk.ts +++ b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_uk.ts @@ -739,7 +739,7 @@ Spreadsheet.my_alias_name instead of Spreadsheet.B1 Spreadsheet.my_alias_name замість Spreadsheet.B1 - + Spreadsheet Таблиця @@ -1180,7 +1180,8 @@ Defaults to: %V = %A Py - + + Unnamed Без назви diff --git a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_val-ES.ts b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_val-ES.ts index 3b80c15ae0b4..f559c0ae164c 100644 --- a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_val-ES.ts +++ b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_val-ES.ts @@ -740,7 +740,7 @@ Spreadsheet.my_alias_name instead of Spreadsheet.B1 Spreadsheet.my_alias_name instead of Spreadsheet.B1 - + Spreadsheet Full de càlcul @@ -1165,7 +1165,8 @@ Defaults to: %V = %A Py - + + Unnamed Sense nom diff --git a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_zh-CN.ts b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_zh-CN.ts index c76095a4bb93..ae21e5a7f15c 100644 --- a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_zh-CN.ts +++ b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_zh-CN.ts @@ -740,7 +740,7 @@ Spreadsheet.my_alias_name instead of Spreadsheet.B1 Spreadsheet.my_alias_name代替Spreadsheet.B1 - + Spreadsheet 电子表格 @@ -1157,7 +1157,8 @@ Defaults to: %V = %A Py - + + Unnamed 未命名 diff --git a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_zh-TW.ts b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_zh-TW.ts index b74415d34b98..6208afece2c7 100644 --- a/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_zh-TW.ts +++ b/src/Mod/Spreadsheet/Gui/Resources/translations/Spreadsheet_zh-TW.ts @@ -406,12 +406,12 @@ First cell in range - First cell in range + 範圍內的第一個儲存格 Last cell in range - Last cell in range + 範圍內的最後一個儲存格 @@ -421,12 +421,12 @@ Start cell address - Start cell address + 開始儲存格位址 End cell address - End cell address + 結束儲存格位址 @@ -491,7 +491,7 @@ Useful to avoid cyclic dependencies, but use with caution! Cell range: - Cell range: + 儲存格範圍: @@ -555,7 +555,7 @@ switch the design configuration. The property will be created if not exist. Optional property group name. - Optional property group name. + 可選的屬性群組名稱。 @@ -664,7 +664,7 @@ switch the design configuration. The property will be created if not exist. Text for the unit - Text for the unit + 單位的文字 @@ -683,7 +683,7 @@ switch the design configuration. The property will be created if not exist. CSV (*.csv *.CSV);;All (*) - CSV (*.csv *.CSV);;All (*) + CSV (*.csv *.CSV);;所有 (*) @@ -740,7 +740,7 @@ Spreadsheet.my_alias_name instead of Spreadsheet.B1 Spreadsheet.my_alias_name取代Spreadsheet.B1 - + Spreadsheet 試算表 @@ -1157,7 +1157,8 @@ Defaults to: %V = %A Py - + + Unnamed 未命名 diff --git a/src/Mod/Start/Gui/Manipulator.cpp b/src/Mod/Start/Gui/Manipulator.cpp index 03522ada4ecf..07cc4604620e 100644 --- a/src/Mod/Start/Gui/Manipulator.cpp +++ b/src/Mod/Start/Gui/Manipulator.cpp @@ -45,8 +45,8 @@ CmdStart::CmdStart() { sAppModule = "Start"; sGroup = QT_TR_NOOP("Start"); - sMenuText = QT_TR_NOOP("Start"); - sToolTipText = QT_TR_NOOP("Displays the Start in an MDI view"); + sMenuText = QT_TR_NOOP("Start Page"); + sToolTipText = QT_TR_NOOP("Displays the Start Page"); sWhatsThis = "Start_Start"; sStatusTip = sToolTipText; sPixmap = "StartCommandIcon"; @@ -75,6 +75,10 @@ void StartGui::Manipulator::modifyMenuBar(Gui::MenuItem* menuBar) Gui::MenuItem* helpMenu = menuBar->findItem("&Help"); Gui::MenuItem* loadStart = new Gui::MenuItem(); + Gui::MenuItem* loadSeparator = new Gui::MenuItem(); loadStart->setCommand("Start_Start"); - helpMenu->appendItem(loadStart); + loadSeparator->setCommand("Separator"); + Gui::MenuItem* firstItem = helpMenu->findItem("Std_FreeCADUserHub"); + helpMenu->insertItem(firstItem, loadStart); + helpMenu->insertItem(firstItem, loadSeparator); } diff --git a/src/Mod/Start/Gui/Resources/translations/StartPage.ts b/src/Mod/Start/Gui/Resources/translations/StartPage.ts index 1bbb83e14df0..fcaf78c2e9b7 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage.ts @@ -59,87 +59,87 @@ StartGui::StartView - + Empty file - + Create a new empty FreeCAD file - + Open File - + Open an existing CAD file or 3D model - + Parametric Part - + Create a part with the Part Design workbench - + Assembly - + Create an assembly project - + 2D Draft - + Create a 2D Draft with the Draft workbench - + BIM/Architecture - + Create an architectural project - + New File - + Examples - + Recent Files - + Open first start setup - + Don't show this Start page again (start with blank screen) @@ -147,7 +147,7 @@ Workbench - + Start @@ -155,44 +155,44 @@ StartGui::ThemeSelectorWidget - + FreeCAD Classic - + FreeCAD Dark - + FreeCAD Light - + Theme - + Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. - + FreeCAD Dark Visual theme name - + FreeCAD Light Visual theme name - + FreeCAD Classic Visual theme name diff --git a/src/Mod/Start/Gui/Resources/translations/StartPage_be.ts b/src/Mod/Start/Gui/Resources/translations/StartPage_be.ts index 5c7d925fc5ef..9f221aa8e878 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage_be.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage_be.ts @@ -59,87 +59,87 @@ StartGui::StartView - + Empty file Пусты файл - + Create a new empty FreeCAD file Стварыць новы пусты файл FreeCAD - + Open File Адчыніць файл - + Open an existing CAD file or 3D model Адчыніць файл CAD, які існуе, ці трохмерную мадэль - + Parametric Part Параметрычная дэталь - + Create a part with the Part Design workbench Стварыць дэталь з дапамогай варштату Праектавання дэталі - + Assembly Зборка - + Create an assembly project Стварыць праект зборкі - + 2D Draft Двухмерны чарнавік - + Create a 2D Draft with the Draft workbench Стварыць двухмерны чарнавік з дапамогай варштату Чарнавік - + BIM/Architecture BIM/Архітэктура - + Create an architectural project Стварыць архітэктурны праект - + New File Новы файл - + Examples Прыклады - + Recent Files Апошнія файлы - + Open first start setup Адчыніць налады пры першым запуску - + Don't show this Start page again (start with blank screen) Больш не паказваць гэтую стартавую старонку (пачаць з пустога экрану) @@ -147,7 +147,7 @@ Workbench - + Start Пачаць @@ -155,45 +155,45 @@ StartGui::ThemeSelectorWidget - + FreeCAD Classic Класічны FreeCAD - + FreeCAD Dark Цёмны FreeCAD - + FreeCAD Light Светлы FreeCAD - + Theme Тэма - + Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. Патрэбныя яшчэ тэмы? Вы можаце атрымаць іх з <a href="freecad:Std_AddonMgr">Кіравання дадаткамі</a>. - + FreeCAD Dark Visual theme name Цёмны FreeCAD - + FreeCAD Light Visual theme name Светлы FreeCAD - + FreeCAD Classic Visual theme name Класічны FreeCAD diff --git a/src/Mod/Start/Gui/Resources/translations/StartPage_ca.ts b/src/Mod/Start/Gui/Resources/translations/StartPage_ca.ts index e50304538779..45a20dcaeac3 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage_ca.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage_ca.ts @@ -59,87 +59,87 @@ StartGui::StartView - + Empty file Fitxer buit - + Create a new empty FreeCAD file Crear un nou fitxer buit de FreeCAD - + Open File Obrir fitxer - + Open an existing CAD file or 3D model Obrir un model 3D o fitxer CAD existent - + Parametric Part Peça Paramètrica - + Create a part with the Part Design workbench Crea una peça amb el banc de treball PartDesign - + Assembly Muntatge - + Create an assembly project Crear un projecte de muntatge - + 2D Draft Esbós 2D - + Create a 2D Draft with the Draft workbench Crea un esbós 2D amb el banc de treball d'Esbós - + BIM/Architecture BIM/Arquitectura - + Create an architectural project Crea un projecte d'arquitectura - + New File Fitxer nou - + Examples Exemples - + Recent Files Fitxers recents - + Open first start setup Obre la configuració del primer inici - + Don't show this Start page again (start with blank screen) No mostris més aquesta pàgina d'inici (començar amb una pantalla en blanc) @@ -147,7 +147,7 @@ Workbench - + Start Inicia @@ -155,44 +155,44 @@ StartGui::ThemeSelectorWidget - + FreeCAD Classic FreeCAD Clàssic - + FreeCAD Dark FreeCAD Fosc - + FreeCAD Light FreeCAD Clar - + Theme Tema - + Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. Busques més temes? En pots obtenir utilitzant el <a href="freecad:Std_AddonMgr">Gestor de Complements</a>. - + FreeCAD Dark Visual theme name FreeCAD Fosc - + FreeCAD Light Visual theme name FreeCAD Clar - + FreeCAD Classic Visual theme name FreeCAD Clàssic diff --git a/src/Mod/Start/Gui/Resources/translations/StartPage_cs.ts b/src/Mod/Start/Gui/Resources/translations/StartPage_cs.ts index 7afb92549137..59a1f4ae82a9 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage_cs.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage_cs.ts @@ -59,87 +59,87 @@ StartGui::StartView - + Empty file Prázdný soubor - + Create a new empty FreeCAD file Vytvořit prázdný soubor FreeCADu - + Open File Otevřít soubor - + Open an existing CAD file or 3D model Otevřít existující CAD soubor nebo 3D model - + Parametric Part Parametrický díl - + Create a part with the Part Design workbench Vytvořit díl v prostředí návrhu dílu - + Assembly Sestava - + Create an assembly project Vytvořit projekt sestavy - + 2D Draft 2D návrh - + Create a 2D Draft with the Draft workbench Vytvořit 2D návrh v prostředí návrhu - + BIM/Architecture BIM/Architektura - + Create an architectural project Vytvořit projekt architektury - + New File Nový soubor - + Examples Příklady - + Recent Files Nedávné soubory - + Open first start setup Otevřít nastavení prvního spuštění - + Don't show this Start page again (start with blank screen) Nezobrazovat příště tuto úvodní stránku (začít s prázdnou obrazovkou) @@ -147,7 +147,7 @@ Workbench - + Start Start @@ -155,44 +155,44 @@ StartGui::ThemeSelectorWidget - + FreeCAD Classic Klasický FreeCAD - + FreeCAD Dark Tmavý FreeCAD - + FreeCAD Light Světlý FreeCAD - + Theme Motiv - + Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. Hledáte více motivů? Můžete je získat prostřednictvím <a href="freecad:Std_AddonMgr">Správce doplňků</a>. - + FreeCAD Dark Visual theme name Tmavý FreeCAD - + FreeCAD Light Visual theme name Světlý FreeCAD - + FreeCAD Classic Visual theme name Klasický FreeCAD diff --git a/src/Mod/Start/Gui/Resources/translations/StartPage_da.ts b/src/Mod/Start/Gui/Resources/translations/StartPage_da.ts index aab0de6901e2..604cb1d9a3b4 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage_da.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage_da.ts @@ -59,87 +59,87 @@ StartGui::StartView - + Empty file Tom fil - + Create a new empty FreeCAD file Opret en ny tom FreeCAD-fil - + Open File Åbn fil - + Open an existing CAD file or 3D model Åbn en eksisterende CAD-fil eller 3D-model - + Parametric Part Parametrisk komponent - + Create a part with the Part Design workbench Opret en ny komponent eller åbn en eksisterende - + Assembly Samling - + Create an assembly project Opret en samling af komponenter - + 2D Draft 2D Udkast - + Create a 2D Draft with the Draft workbench Opret eller rediger et udkast i 2D - + BIM/Architecture BIM/Arkitektur - + Create an architectural project Opret et arkitekturprojekt - + New File Ny Fil - + Examples Eksempler - + Recent Files Seneste filer - + Open first start setup Open first start setup - + Don't show this Start page again (start with blank screen) Vis ikke startsiden igen (start med tom skærm) @@ -147,7 +147,7 @@ Workbench - + Start Start @@ -155,44 +155,44 @@ StartGui::ThemeSelectorWidget - + FreeCAD Classic FreeCAD Classic - + FreeCAD Dark FreeCAD Dark - + FreeCAD Light FreeCAD Light - + Theme Tema - + Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. - + FreeCAD Dark Visual theme name FreeCAD Dark - + FreeCAD Light Visual theme name FreeCAD Light - + FreeCAD Classic Visual theme name FreeCAD Classic diff --git a/src/Mod/Start/Gui/Resources/translations/StartPage_de.ts b/src/Mod/Start/Gui/Resources/translations/StartPage_de.ts index 8a67e03e2812..ff0962eea3d1 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage_de.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage_de.ts @@ -59,87 +59,87 @@ StartGui::StartView - + Empty file Leere Datei - + Create a new empty FreeCAD file Erstellt eine neue, leere FreeCAD-Datei - + Open File Datei öffnen - + Open an existing CAD file or 3D model Öffnet eine vorhandene CAD-Datei oder ein 3D-Modell - + Parametric Part Parametrisches Bauteil - + Create a part with the Part Design workbench Erstellt ein Bauteil mit dem Arbeitsbereich Part Design - + Assembly Baugruppe - + Create an assembly project Erstellt ein Baugruppenprojekt - + 2D Draft 2D-Zeichnung - + Create a 2D Draft with the Draft workbench Erstellt eine 2D-Zeichnung mit dem Arbeitsbereich Draft - + BIM/Architecture BIM/Architektur - + Create an architectural project Erstellt ein Architekturprojekt - + New File Neue Datei - + Examples Beispiele - + Recent Files Zuletzt verwendete Dateien - + Open first start setup Ersteinrichtung öffnen - + Don't show this Start page again (start with blank screen) Diese Startseite nicht mehr anzeigen (mit leerem Bildschirm beginnen) @@ -147,7 +147,7 @@ Workbench - + Start Start @@ -155,44 +155,44 @@ StartGui::ThemeSelectorWidget - + FreeCAD Classic FreeCAD Classic - + FreeCAD Dark FreeCAD Dark - + FreeCAD Light FreeCAD Light - + Theme Theme - + Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. Auf der Suche nach weiteren Themes? Über den <a href="freecad:Std_AddonMgr">Addon-Manager</a> abrufen. - + FreeCAD Dark Visual theme name FreeCAD Dark - + FreeCAD Light Visual theme name FreeCAD Light - + FreeCAD Classic Visual theme name FreeCAD Classic diff --git a/src/Mod/Start/Gui/Resources/translations/StartPage_el.ts b/src/Mod/Start/Gui/Resources/translations/StartPage_el.ts index 069aac131c43..741df39e5c19 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage_el.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage_el.ts @@ -59,87 +59,87 @@ StartGui::StartView - + Empty file Κενό αρχείο - + Create a new empty FreeCAD file Δημιουργήστε ένα κενό αρχείο FreeCAD - + Open File Άνοιγμα Αρχείου - + Open an existing CAD file or 3D model Άνοιγμα ενός υπάρχοντος αρχείου CAD ή 3D μοντέλου - + Parametric Part Παραμετρικό Μέρος - + Create a part with the Part Design workbench Δημιουργήστε ένα τμήμα με τον πάγκο εργασίας Σχεδίου Εξαρτήματος - + Assembly Συγκρότημα - + Create an assembly project Δημιουργία έργου συναρμολόγησης - + 2D Draft 2D Σχέδιο - + Create a 2D Draft with the Draft workbench Δημιουργήστε ένα 2D σχέδιο με τον πάγκο εργασίας του Σχέδια - + BIM/Architecture BIM/Αρχιτεκτονική - + Create an architectural project Δημιουργήστε ένα έργο αρχιτεκτονικής - + New File Νέο αρχείο - + Examples Παραδείγματα - + Recent Files Πρόσφατα αρχεία - + Open first start setup Open first start setup - + Don't show this Start page again (start with blank screen) Να μην εμφανιστεί ξανά αυτή η αρχική σελίδα (έναρξη με κενή οθόνη) @@ -147,7 +147,7 @@ Workbench - + Start Εκκίνηση @@ -155,44 +155,44 @@ StartGui::ThemeSelectorWidget - + FreeCAD Classic FreeCAD Κλασικό - + FreeCAD Dark FreeCAD Σκούρο - + FreeCAD Light FreeCAD Φωτεινό - + Theme Θέμα - + Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. Ψάχνετε για περισσότερα θέματα? Μπορείτε να τα αποκτήσετε χρησιμοποιώντας <a href="freecad:Std_AddonMgr">Addon Manager</a>. - + FreeCAD Dark Visual theme name FreeCAD Σκούρο - + FreeCAD Light Visual theme name FreeCAD Φωτεινό - + FreeCAD Classic Visual theme name FreeCAD Κλασικό 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 9e5f17bcef4c..b007e2a64f7b 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage_es-AR.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage_es-AR.ts @@ -59,87 +59,87 @@ StartGui::StartView - + Empty file Archivo vacío - + Create a new empty FreeCAD file Crear un nuevo archivo FreeCAD vacío - + Open File Abrir archivo - + Open an existing CAD file or 3D model Abrir un archivo CAD existente o modelo 3D - + Parametric Part Parte paramétrica - + Create a part with the Part Design workbench Crear una pieza con el banco de trabajo Part Design - + Assembly Ensamblaje - + Create an assembly project Crea un proyecto de ensamblado - + 2D Draft Dibujo 2D - + Create a 2D Draft with the Draft workbench Crear un borrador 2D con el banco de trabajo Draft - + BIM/Architecture BIM/Arquitectura - + Create an architectural project Crear un proyecto arquitectónico - + New File Nuevo archivo - + Examples Ejemplos - + Recent Files Archivos recientes - + Open first start setup - Abrir configuración de primer inicio + Abrir primera configuración inicial - + Don't show this Start page again (start with blank screen) No volver a mostrar esta página de inicio (empezar con la pantalla en blanco) @@ -147,7 +147,7 @@ Workbench - + Start Inicio @@ -155,44 +155,44 @@ StartGui::ThemeSelectorWidget - + FreeCAD Classic FreeCAD Clásico - + FreeCAD Dark FreeCAD Oscuro - + FreeCAD Light FreeCAD Claro - + Theme Tema - + Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. ¿Busca más temas? Puede obtenerlos usando el <a href="freecad:Std_AddonMgr">Administrador de complementos</a>. - + FreeCAD Dark Visual theme name FreeCAD Oscuro - + FreeCAD Light Visual theme name FreeCAD Claro - + FreeCAD Classic Visual theme name FreeCAD Clásico 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 eb1d2f6fe77d..67a48078672c 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage_es-ES.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage_es-ES.ts @@ -59,87 +59,87 @@ StartGui::StartView - + Empty file Archivo vacío - + Create a new empty FreeCAD file Crear un nuevo archivo de FreeCAD vacío - + Open File Abrir archivo - + Open an existing CAD file or 3D model Abrir un archivo CAD existente o un modelo 3D - + Parametric Part Parte paramétrica - + Create a part with the Part Design workbench Crear una pieza con el banco de trabajo Part Design - + Assembly Ensamblaje - + Create an assembly project Crear un proyecto de ensamblaje - + 2D Draft Dibujo 2D - + Create a 2D Draft with the Draft workbench Crear un borrador 2D con el banco de trabajo Draft - + BIM/Architecture BIM/Arquitectura - + Create an architectural project Crear un proyecto de arquitectura - + New File Archivo nuevo - + Examples Ejemplos - + Recent Files Archivos recientes - + Open first start setup Abrir configuración de primer inicio - + Don't show this Start page again (start with blank screen) No volver a mostrar esta página de inicio (empezar con la pantalla en blanco) @@ -147,7 +147,7 @@ Workbench - + Start Inicio @@ -155,44 +155,44 @@ StartGui::ThemeSelectorWidget - + FreeCAD Classic FreeCAD Clásico - + FreeCAD Dark FreeCAD Oscuro - + FreeCAD Light FreeCAD Claro - + Theme Tema - + Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. ¿Busca más temas? Puede obtenerlos usando el <a href="freecad:Std_AddonMgr">Administrador de complementos</a>. - + FreeCAD Dark Visual theme name FreeCAD Oscuro - + FreeCAD Light Visual theme name FreeCAD Claro - + FreeCAD Classic Visual theme name FreeCAD Clásico diff --git a/src/Mod/Start/Gui/Resources/translations/StartPage_eu.ts b/src/Mod/Start/Gui/Resources/translations/StartPage_eu.ts index d506dbad0557..3de214b60095 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage_eu.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage_eu.ts @@ -59,87 +59,87 @@ StartGui::StartView - + Empty file Fitxategi hutsa - + Create a new empty FreeCAD file Sortu FreeCAD fitxategi huts berri bat - + Open File Ireki fitxategia - + Open an existing CAD file or 3D model Ireki lehendik dagoen CAD fitxategi bat edo 3D eredu bat - + Parametric Part Pieza parametrikoa - + Create a part with the Part Design workbench Sortu pieza bat Piezen Diseinua laneko mahaiarekin - + Assembly Muntaketa - + Create an assembly project Muntaia proiektu bat sortu - + 2D Draft 2D zirriborroa - + Create a 2D Draft with the Draft workbench Sortu 2D zirriborroa Zirriborroa lan mahaiarekin - + BIM/Architecture BIM/Arkitektura - + Create an architectural project Proiektu arkitektoniko bat sortu - + New File Fitxategi berria - + Examples Adibideak - + Recent Files Azken fitxategiak - + Open first start setup Ireki hasierako lehen konfigurazioa - + Don't show this Start page again (start with blank screen) Ez erakutsi hasierako orri hau berriro (hasi pantaila hutsarekin) @@ -147,7 +147,7 @@ Workbench - + Start Hasi @@ -155,44 +155,44 @@ StartGui::ThemeSelectorWidget - + FreeCAD Classic FreeCAD klasikoa - + FreeCAD Dark FreeCAD iluna - + FreeCAD Light FreeCAD argia - + Theme Gaia - + Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. Gai gehiagoren bila? <a href="freecad:Std_AddonMgr">Gehigarrien kudeatzailea</a> erabiliz lor ditzakezu. - + FreeCAD Dark Visual theme name FreeCAD iluna - + FreeCAD Light Visual theme name FreeCAD argia - + FreeCAD Classic Visual theme name FreeCAD klasikoa diff --git a/src/Mod/Start/Gui/Resources/translations/StartPage_fi.ts b/src/Mod/Start/Gui/Resources/translations/StartPage_fi.ts index 938b84045914..7990e93c90ed 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage_fi.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage_fi.ts @@ -59,87 +59,87 @@ StartGui::StartView - + Empty file Tyhjä tiedosto - + Create a new empty FreeCAD file Luo uusi tyhjä FreeCAD tiedosto - + Open File Avaa tiedosto - + Open an existing CAD file or 3D model Avaa olemassa oleva CAD-tiedosto tai 3D-malli - + Parametric Part Parametrinen osa - + Create a part with the Part Design workbench Luo osa Part Design työpöydällä - + Assembly Kokoonpano - + Create an assembly project Luo kokoonpanoprojekti - + 2D Draft 2D-piirustus - + Create a 2D Draft with the Draft workbench Luo 2D-piirustus Draft-työpöydällä - + BIM/Architecture BIM/Arkkitehtuuri - + Create an architectural project Luo arkkitehtoninen projekti - + New File Uusi tiedosto - + Examples Esimerkit - + Recent Files Viimeisimmät tiedostot - + Open first start setup Open first start setup - + Don't show this Start page again (start with blank screen) Älä näytä tätä aloitussivua uudelleen (aloita tyhjältä näytöltä) @@ -147,7 +147,7 @@ Workbench - + Start Aloita @@ -155,44 +155,44 @@ StartGui::ThemeSelectorWidget - + FreeCAD Classic FreeCAD Classic - + FreeCAD Dark FreeCAD Dark - + FreeCAD Light FreeCAD Light - + Theme Teema - + Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. - + FreeCAD Dark Visual theme name FreeCAD Dark - + FreeCAD Light Visual theme name FreeCAD Light - + FreeCAD Classic Visual theme name FreeCAD Classic diff --git a/src/Mod/Start/Gui/Resources/translations/StartPage_fr.ts b/src/Mod/Start/Gui/Resources/translations/StartPage_fr.ts index 55b29415a939..6e1c88186dc9 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage_fr.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage_fr.ts @@ -59,87 +59,87 @@ StartGui::StartView - + Empty file Fichier vide - + Create a new empty FreeCAD file Créer un nouveau fichier FreeCAD vide - + Open File Ouvrir un fichier - + Open an existing CAD file or 3D model Ouvrir un fichier de CAO existant ou un modèle 3D - + Parametric Part Objet paramétrique - + Create a part with the Part Design workbench Créer un objet avec l'atelier PartDesign - + Assembly Assembly - + Create an assembly project Créer un projet d'assemblage - + 2D Draft Dessin 2D - + Create a 2D Draft with the Draft workbench Créer un dessin 2D avec l'atelier Draft - + BIM/Architecture BIM/Architecture - + Create an architectural project Créer un projet d'architecture - + New File Nouveau fichier - + Examples Exemples - + Recent Files Fichiers récents - + Open first start setup Configuration de base au démarrage - + Don't show this Start page again (start with blank screen) Ne plus afficher cette page au démarrage @@ -147,7 +147,7 @@ Workbench - + Start Start @@ -155,44 +155,44 @@ StartGui::ThemeSelectorWidget - + FreeCAD Classic FreeCAD classique - + FreeCAD Dark FreeCAD sombre - + FreeCAD Light FreeCAD clair - + Theme Thème - + Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. Plus de thèmes ? Vous pouvez en charger par le <a href="freecad:Std_AddonMgr">gestionnaire des extensions</a>. - + FreeCAD Dark Visual theme name FreeCAD sombre - + FreeCAD Light Visual theme name FreeCAD clair - + FreeCAD Classic Visual theme name FreeCAD classique diff --git a/src/Mod/Start/Gui/Resources/translations/StartPage_hr.ts b/src/Mod/Start/Gui/Resources/translations/StartPage_hr.ts index 0d1bbe15fe56..2949ba3ae183 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage_hr.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage_hr.ts @@ -59,87 +59,87 @@ StartGui::StartView - + Empty file Prazna datoteka - + Create a new empty FreeCAD file Stvori jedanu praznu FreeCAD datoteku - + Open File Otvori datoteku - + Open an existing CAD file or 3D model Otvori jednu postojeću CAD datoteku ili 3D model - + Parametric Part Parametarska komponenta - + Create a part with the Part Design workbench Stvori dio sa Oblikovanje Dijelova radnom površinom - + Assembly Montaža - + Create an assembly project Kreiraj Sklop projekt - + 2D Draft 2D Nacrt - + Create a 2D Draft with the Draft workbench Stvori 2D nacrt sa Nacrt radnim prostorom - + BIM/Architecture BIM/Arhitektura - + Create an architectural project Stvori jedan arhitektonski projekt - + New File Nova datoteka - + Examples Primjeri - + Recent Files Nedavne datoteke - + Open first start setup Otvori prvotno postavljanje - + Don't show this Start page again (start with blank screen) Ne prikazuj ovu Početnu stranicu ponovo (pokreni sa zatamljenim zaslonom) @@ -147,7 +147,7 @@ Workbench - + Start Počni @@ -155,44 +155,44 @@ StartGui::ThemeSelectorWidget - + FreeCAD Classic FreeCAD Classic - + FreeCAD Dark FreeCAD Dark - + FreeCAD Light FreeCAD Light - + Theme Tema - + Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. Pogledaj za više tema? You can obtain them using <a href="freecad:Std_AddonMgr">Upravitelj dodataka</a>. - + FreeCAD Dark Visual theme name FreeCAD Dark - + FreeCAD Light Visual theme name FreeCAD Light - + FreeCAD Classic Visual theme name FreeCAD Classic diff --git a/src/Mod/Start/Gui/Resources/translations/StartPage_hu.ts b/src/Mod/Start/Gui/Resources/translations/StartPage_hu.ts index 65fc355f5122..48d76a386df9 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage_hu.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage_hu.ts @@ -59,87 +59,87 @@ StartGui::StartView - + Empty file Üres fájl - + Create a new empty FreeCAD file Egy új FreeCAD fájl létrehozás - + Open File Fájl megnyitás - + Open an existing CAD file or 3D model Meglévő CAD fájl vagy 3D modell megnyitása - + Parametric Part Változós rész - + Create a part with the Part Design workbench Alkatrész létrehozása az Alkatrész tervezés munkafelülettel - + Assembly Összeállítás - + Create an assembly project Összeszerelési terv létrehozása - + 2D Draft 2D tervrajz - + Create a 2D Draft with the Draft workbench 2D vázlat létrehozása a Vázlat munkafelülettel - + BIM/Architecture BIM/Építészet - + Create an architectural project Építészeti terv létrehozása - + New File Új fájl - + Examples Példák - + Recent Files Legutóbbi fájlok - + Open first start setup Első indítási beállítás megnyitása - + Don't show this Start page again (start with blank screen) Ne jelenítse meg újra ezt a kezdőlapot (üres képernyővel kezdje) @@ -147,7 +147,7 @@ Workbench - + Start Kezdő időpont @@ -155,44 +155,44 @@ StartGui::ThemeSelectorWidget - + FreeCAD Classic FreeCAD klasszikus - + FreeCAD Dark FreeCAD sötét - + FreeCAD Light FreeCAD világos - + Theme Téma - + Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. További témákat keres? Ezeket a <a href="freecad:Std_AddonMgr">Kiegészítő kezelője</a> segítségével szerezheti be. - + FreeCAD Dark Visual theme name FreeCAD sötét - + FreeCAD Light Visual theme name FreeCAD világos - + FreeCAD Classic Visual theme name FreeCAD klasszikus diff --git a/src/Mod/Start/Gui/Resources/translations/StartPage_it.ts b/src/Mod/Start/Gui/Resources/translations/StartPage_it.ts index 889d7363c1f5..ee878932dab5 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage_it.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage_it.ts @@ -59,87 +59,87 @@ StartGui::StartView - + Empty file File vuoto - + Create a new empty FreeCAD file Crea un nuovo file FreeCAD vuoto - + Open File Apri File - + Open an existing CAD file or 3D model Apri un file CAD o modello 3D esistente - + Parametric Part Parte parametrica - + Create a part with the Part Design workbench Crea una parte con l'ambiente di lavoro Part Design - + Assembly Assieme - + Create an assembly project Crea un progetto di assieme - + 2D Draft Bozza 2D - + Create a 2D Draft with the Draft workbench Crea una bozza 2D con l'ambiente di lavoro Draft - + BIM/Architecture BIM/Architettura - + Create an architectural project Crea un progetto di architettura - + New File Nuovo File - + Examples Esempi - + Recent Files File recenti - + Open first start setup Apri la configurazione del primo avvio - + Don't show this Start page again (start with blank screen) Non mostrare più questa pagina di avvio (inizia con una schermata vuota) @@ -147,7 +147,7 @@ Workbench - + Start Inizio @@ -155,44 +155,44 @@ StartGui::ThemeSelectorWidget - + FreeCAD Classic FreeCAD Classico - + FreeCAD Dark FreeCAD Dark - + FreeCAD Light FreeCAD Light - + Theme Tema - + Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. Stai cercando altri temi? Puoi ottenerli usando l' <a href="freecad:Std_AddonMgr">Addon Manager</a>. - + FreeCAD Dark Visual theme name FreeCAD Dark - + FreeCAD Light Visual theme name FreeCAD Light - + FreeCAD Classic Visual theme name FreeCAD Classico diff --git a/src/Mod/Start/Gui/Resources/translations/StartPage_ja.ts b/src/Mod/Start/Gui/Resources/translations/StartPage_ja.ts index 366fe3a444a3..2c25e6f7386c 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage_ja.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage_ja.ts @@ -59,87 +59,87 @@ StartGui::StartView - + Empty file 空ファイル - + Create a new empty FreeCAD file 新しいFreeCADファイルを作成 - + Open File ファイルを開く - + Open an existing CAD file or 3D model 既存のCADファイルまたは3Dモデルを開く - + Parametric Part パラメトリックパーツ - + Create a part with the Part Design workbench パートデザインワークベンチでパーツを作成 - + Assembly アセンブリ - + Create an assembly project アセンブリプロジェクトを作成 - + 2D Draft 2D基本設計(下書き) - + Create a 2D Draft with the Draft workbench 基本設計ワークベンチで2D基本設計を作成 - + BIM/Architecture BIM/アーキテクチャ(建築) - + Create an architectural project アーキテクチャ(建築)のプロジェクトを作成 - + New File 新規ファイル - + Examples サンプル - + Recent Files 最近使用したファイル - + Open first start setup Open first start setup - + Don't show this Start page again (start with blank screen) 今後このスタートページを表示しない (空白の画面で開始) @@ -147,7 +147,7 @@ Workbench - + Start 開始 @@ -155,44 +155,44 @@ StartGui::ThemeSelectorWidget - + FreeCAD Classic FreeCAD クラシック - + FreeCAD Dark FreeCAD ダーク - + FreeCAD Light FreeCAD ライト - + Theme テーマ - + Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. さらに多くのテーマをお探しですか? <a href="freecad:Std_AddonMgr">拡張機能の管理</a>を使用して取得できます。 - + FreeCAD Dark Visual theme name FreeCAD ダーク - + FreeCAD Light Visual theme name FreeCAD ライト - + FreeCAD Classic Visual theme name FreeCAD クラシック diff --git a/src/Mod/Start/Gui/Resources/translations/StartPage_ka.ts b/src/Mod/Start/Gui/Resources/translations/StartPage_ka.ts index 2a0930a37850..a395f23cf8ee 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage_ka.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage_ka.ts @@ -59,87 +59,87 @@ StartGui::StartView - + Empty file ცარიელი ფაილი - + Create a new empty FreeCAD file ცარიელი FreeCAD-ის ფაილის შექმნა - + Open File ფაილის გახსნა - + Open an existing CAD file or 3D model არსებული CAD ფაილის ან 3D მოდელის გახსნა - + Parametric Part პარამეტრული ნაწილი - + Create a part with the Part Design workbench ნაწილის შექმნა ნაწილის დიზაინის სამუშაო მაგიდით - + Assembly აწყობა - + Create an assembly project აწყობის პროექტის შექმნა - + 2D Draft 2D მონახაზი - + Create a 2D Draft with the Draft workbench 2D ნახაზის შექმნა Draft სამუშაო მაგიდით - + BIM/Architecture BIM/არქიტექტურა - + Create an architectural project არქიტექტურული პროექტის შექმნა - + New File ახალი ფაილი - + Examples მაგალითები - + Recent Files ბოლო ფაილები - + Open first start setup Open first start setup - + Don't show this Start page again (start with blank screen) აღარ მაჩვენო საწყისი გვერდი (დაწყება ცარიელი ეკრანით) @@ -147,7 +147,7 @@ Workbench - + Start დაწყება @@ -155,44 +155,44 @@ StartGui::ThemeSelectorWidget - + FreeCAD Classic კლასიკური FreeCAD - + FreeCAD Dark მუქი FreeCAD - + FreeCAD Light ღია FreeCAD - + Theme თემა - + Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. ახალ თემებს ეძებთ? ისინი შეგიძლიათ, <a href="freecad:Std_AddonMgr">დამატებების მმართველიდან</a> დააყენოთ. - + FreeCAD Dark Visual theme name მუქი FreeCAD - + FreeCAD Light Visual theme name ღია FreeCAD - + FreeCAD Classic Visual theme name კლასიკური FreeCAD diff --git a/src/Mod/Start/Gui/Resources/translations/StartPage_ko.ts b/src/Mod/Start/Gui/Resources/translations/StartPage_ko.ts index adb0ddb54e7f..06ee71edf9bc 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage_ko.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage_ko.ts @@ -59,87 +59,87 @@ StartGui::StartView - + Empty file 빈 파일 - + Create a new empty FreeCAD file 새로운 빈 프리캐드 파일을 생성하세요 - + Open File 파일 열기 - + Open an existing CAD file or 3D model Open an existing CAD file or 3D model - + Parametric Part 매개변수 부품 - + Create a part with the Part Design workbench 부품설계 작업대에서 부품 만들기 - + Assembly 조립 - + Create an assembly project Create an assembly project - + 2D Draft 2D Draft - + Create a 2D Draft with the Draft workbench Create a 2D Draft with the Draft workbench - + BIM/Architecture BIM/건축 - + Create an architectural project Create an architectural project - + New File 새 파일 - + Examples 예제 - + Recent Files 최근 파일 - + Open first start setup Open first start setup - + Don't show this Start page again (start with blank screen) Don't show this Start page again (start with blank screen) @@ -147,7 +147,7 @@ Workbench - + Start 시작 @@ -155,44 +155,44 @@ StartGui::ThemeSelectorWidget - + FreeCAD Classic FreeCAD Classic - + FreeCAD Dark FreeCAD Dark - + FreeCAD Light FreeCAD Light - + Theme Theme - + Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. - + FreeCAD Dark Visual theme name FreeCAD Dark - + FreeCAD Light Visual theme name FreeCAD Light - + FreeCAD Classic Visual theme name FreeCAD Classic diff --git a/src/Mod/Start/Gui/Resources/translations/StartPage_lt.ts b/src/Mod/Start/Gui/Resources/translations/StartPage_lt.ts index 69d9267fa26e..d24ec49335db 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage_lt.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage_lt.ts @@ -59,87 +59,87 @@ StartGui::StartView - + Empty file Tuščias failas - + Create a new empty FreeCAD file Sukurti tuščią FreeCad failą - + Open File Atidaryti failą - + Open an existing CAD file or 3D model Atverti esamą CAD failą arba 3D modelį - + Parametric Part Parametrinė detalė - + Create a part with the Part Design workbench Sukurkite detalę naudodami Detalių projektavimo darbastalį - + Assembly Surinkimas - + Create an assembly project Sukurti surinkimo projektą - + 2D Draft Plokščias juodraštis - + Create a 2D Draft with the Draft workbench Sukurkite brėžinio juodraštį naudodami Juodraščio darbastalį - + BIM/Architecture BIM/Architektūra - + Create an architectural project Sukurkite architektūrinį projektą - + New File Naujas failas - + Examples Pavyzdžiai - + Recent Files Paskiausiai naudoti failai - + Open first start setup Open first start setup - + Don't show this Start page again (start with blank screen) Pakartotinai neberodyti šio pradžios puslapio @@ -147,7 +147,7 @@ Workbench - + Start Pradėti @@ -155,44 +155,44 @@ StartGui::ThemeSelectorWidget - + FreeCAD Classic FreeCAD Klasikinis - + FreeCAD Dark FreeCAD Tamsusis - + FreeCAD Light FreeCAD Šviesusis - + Theme Išvaizdos apipavidalinimas - + Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. Ieškote daugiau apipavidalinimų? Jų galite gauti naudodamiesi <a href="freecad:Std_AddonMgr">Papildinių tvarkykle</a>. - + FreeCAD Dark Visual theme name FreeCAD Tamsusis - + FreeCAD Light Visual theme name FreeCAD Šviesusis - + FreeCAD Classic Visual theme name FreeCAD Klasikinis diff --git a/src/Mod/Start/Gui/Resources/translations/StartPage_nl.ts b/src/Mod/Start/Gui/Resources/translations/StartPage_nl.ts index 18ef10335c41..6b4d37d6ca8b 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage_nl.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage_nl.ts @@ -59,87 +59,87 @@ StartGui::StartView - + Empty file Leeg bestand - + Create a new empty FreeCAD file Maak een nieuw leeg FreeCAD-bestand - + Open File Bestand openen - + Open an existing CAD file or 3D model Open een bestaand CAD-bestand of 3D-model - + Parametric Part Parametrisch onderdeel - + Create a part with the Part Design workbench Maak een onderdeel aan met de Part Design werkbank - + Assembly Samenstelling - + Create an assembly project Start een samenstelling project - + 2D Draft 2D schets - + Create a 2D Draft with the Draft workbench Maak een 2D schets met de Draft werkbank - + BIM/Architecture BIM/Architectuur - + Create an architectural project Maak een bouwkundig project - + New File Nieuw bestand - + Examples Voorbeelden - + Recent Files Recente bestanden - + Open first start setup Stel de eerste start set-up in - + Don't show this Start page again (start with blank screen) Laat deze startpagina niet meer zien (start met een leeg scherm) @@ -147,7 +147,7 @@ Workbench - + Start Start @@ -155,44 +155,44 @@ StartGui::ThemeSelectorWidget - + FreeCAD Classic FreeCAD Classic - + FreeCAD Dark FreeCAD Donker - + FreeCAD Light FreeCAD Licht - + Theme Thema - + Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. Op zoek naar meer thema's? U vindt ze in <a href="freecad:Std_AddonMgr">Addon Manager</a>. - + FreeCAD Dark Visual theme name FreeCAD Donker - + FreeCAD Light Visual theme name FreeCAD Licht - + FreeCAD Classic Visual theme name FreeCAD Classic diff --git a/src/Mod/Start/Gui/Resources/translations/StartPage_pl.ts b/src/Mod/Start/Gui/Resources/translations/StartPage_pl.ts index 3a996fdc9cd2..95b3d30fd0c8 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage_pl.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage_pl.ts @@ -59,87 +59,87 @@ StartGui::StartView - + Empty file Pusty plik - + Create a new empty FreeCAD file Utwórz pusty plik FreeCAD - + Open File Otwórz plik - + Open an existing CAD file or 3D model Otwórz plik CAD lub model 3D - + Parametric Part Część parametryczna - + Create a part with the Part Design workbench Utwórz część w środowisku pracy Projekt Części - + Assembly Złożenie - + Create an assembly project Utwórz projekt złożenia - + 2D Draft Rysunek roboczy 2D - + Create a 2D Draft with the Draft workbench Utwórz rysunek 2D w środowisku Rysunek Roboczy - + BIM/Architecture BIM / Architektura - + Create an architectural project Utwórz projekt architektoniczny - + New File Nowy plik - + Examples Przykłady - + Recent Files Ostatnio używane pliki - + Open first start setup Otwórz ustawienia pierwszego uruchomienia - + Don't show this Start page again (start with blank screen) Nie pokazuj ponownie tej strony startowej (uruchom z pustym ekranem) @@ -147,7 +147,7 @@ Workbench - + Start Start @@ -155,44 +155,44 @@ StartGui::ThemeSelectorWidget - + FreeCAD Classic FreeCAD klasyczny - + FreeCAD Dark FreeCAD ciemny - + FreeCAD Light FreeCAD jasny - + Theme Motyw - + Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. Szukasz więcej motywów? Możesz je otrzymać za pomocą <a href="freecad:Std_AddonMgr">Menedżera dodatków</a>. - + FreeCAD Dark Visual theme name FreeCAD ciemny - + FreeCAD Light Visual theme name FreeCAD jasny - + FreeCAD Classic Visual theme name FreeCAD klasyczny diff --git a/src/Mod/Start/Gui/Resources/translations/StartPage_pt-BR.ts b/src/Mod/Start/Gui/Resources/translations/StartPage_pt-BR.ts index 61a350a8e45b..83bfe81f2a50 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage_pt-BR.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage_pt-BR.ts @@ -59,87 +59,87 @@ StartGui::StartView - + Empty file Arquivo vazio - + Create a new empty FreeCAD file Criar um novo arquivo FreeCAD vazio - + Open File Abrir arquivo - + Open an existing CAD file or 3D model Abrir um arquivo CAD existente ou modelo 3D - + Parametric Part Peça paramétrica - + Create a part with the Part Design workbench Crie uma peça com a bancada de trabalho Part Design - + Assembly Assemblagem - + Create an assembly project Criar um projeto de montagem - + 2D Draft Desenho 2D - + Create a 2D Draft with the Draft workbench Crie um desenho 2D com a bancada de trabalho Draft - + BIM/Architecture BIM/Arquitetura - + Create an architectural project Criar um projeto arquitetônico - + New File Novo arquivo - + Examples Exemplos - + Recent Files Arquivos Recentes - + Open first start setup Abrir a configuração inicial - + Don't show this Start page again (start with blank screen) Não mostrar esta página inicial novamente (começar com tela em branco) @@ -147,7 +147,7 @@ Workbench - + Start Começar @@ -155,44 +155,44 @@ StartGui::ThemeSelectorWidget - + FreeCAD Classic FreeCAD Clássico - + FreeCAD Dark FreeCAD Escuro - + FreeCAD Light FreeCAD Claro - + Theme Tema - + Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. Procurando por mais temas? Você pode obtê-los usando o <a href="freecad:Std_AddonMgr">Addon Manager</a>. - + FreeCAD Dark Visual theme name FreeCAD Escuro - + FreeCAD Light Visual theme name FreeCAD Claro - + FreeCAD Classic Visual theme name FreeCAD Clássico diff --git a/src/Mod/Start/Gui/Resources/translations/StartPage_pt-PT.ts b/src/Mod/Start/Gui/Resources/translations/StartPage_pt-PT.ts index 339110f84f11..bbb7dce520a8 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage_pt-PT.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage_pt-PT.ts @@ -11,17 +11,17 @@ Welcome to %1 - Welcome to %1 + Bem-vindo ao %1 To get started, set your basic configuration options below. - To get started, set your basic configuration options below. + Para começar, defina suas opções de configuração básicas abaixo. These options (and many more) can be changed later in Preferences. - These options (and many more) can be changed later in Preferences. + Essas opções (e muitas mais) podem ser alteradas posteriormente nas Preferências. @@ -29,17 +29,17 @@ Language - Language + Idioma Unit System - Unit System + Sistema de Unidades Navigation Style - Navigation Style + Estilo de Navegação @@ -48,154 +48,154 @@ Start - Começar + Iniciar Displays the Start in an MDI view - Displays the Start in an MDI view + Mostra o Início numa vista MDI StartGui::StartView - + Empty file - Empty file + Ficheiro vazio - + Create a new empty FreeCAD file - Create a new empty FreeCAD file + Criar um ficheiro FreeCAD vazio - + Open File - Open File + Abrir Ficheiro - + Open an existing CAD file or 3D model - Open an existing CAD file or 3D model + Abrir um ficheiro CAD existente ou modelo 3D - + Parametric Part - Parametric Part + Peça paramétrica - + Create a part with the Part Design workbench - Create a part with the Part Design workbench + Criar uma peça com a bancada de trabalho de Conceção de Peça - + Assembly Montagem - + Create an assembly project - Create an assembly project + Criar um projeto de montagem - + 2D Draft - 2D Draft + Esboço 2D - + Create a 2D Draft with the Draft workbench - Create a 2D Draft with the Draft workbench + Criar um esboço 2D com a bancada de trabalho Esboço - + BIM/Architecture - BIM/Architecture + BIM/Arquitetura - + Create an architectural project - Create an architectural project + Criar um projeto de arquitetura - + New File - New File + Novo Ficheiro - + Examples - Examples + Exemplos - + Recent Files - Recent Files + Ficheiros Recentes - + Open first start setup Abrir a configuração inicial - + Don't show this Start page again (start with blank screen) - Don't show this Start page again (start with blank screen) + Não mostrar esta página inicial novamente (começar com ecrã em branco) Workbench - + Start - Começar + Iniciar StartGui::ThemeSelectorWidget - + FreeCAD Classic - FreeCAD Classic + FreeCAD Clássico - + FreeCAD Dark - FreeCAD Dark + FreeCAD Escuro - + FreeCAD Light - FreeCAD Light + FreeCAD Claro - + Theme - Theme + Tema - + Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. - Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. + À procura de mais temas? Pode obtê-los usando o <a href="freecad:Std_AddonMgr">Gestor de Suplementos</a>. - + FreeCAD Dark Visual theme name - FreeCAD Dark + FreeCAD Escuro - + FreeCAD Light Visual theme name - FreeCAD Light + FreeCAD Claro - + FreeCAD Classic Visual theme name - FreeCAD Classic + FreeCAD Clássico diff --git a/src/Mod/Start/Gui/Resources/translations/StartPage_ro.ts b/src/Mod/Start/Gui/Resources/translations/StartPage_ro.ts index 902abc7384ec..b8fb45706472 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage_ro.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage_ro.ts @@ -21,7 +21,7 @@ These options (and many more) can be changed later in Preferences. - These options (and many more) can be changed later in Preferences. + Aceste opțiuni (și multe altele) pot fi schimbate ulterior în preferințe. @@ -29,17 +29,17 @@ Language - Language + Limba Unit System - Unit System + Sistem unitar Navigation Style - Navigation Style + Stilul de Navigare @@ -53,101 +53,101 @@ Displays the Start in an MDI view - Displays the Start in an MDI view + Afişează începutul într-o vizualizare MDI StartGui::StartView - + Empty file - Empty file + Fișier gol - + Create a new empty FreeCAD file - Create a new empty FreeCAD file + Crează un fișier nou FreeCAD gol - + Open File - Open File + Deschide fișier - + Open an existing CAD file or 3D model - Open an existing CAD file or 3D model + Deschide un fișier CAD sau un model 3D existent - + Parametric Part - Parametric Part + Parte parametrică - + Create a part with the Part Design workbench - Create a part with the Part Design workbench + Creează o piesă cu atelierul de lucru Proiectare Piesă - + Assembly Ansamblu - + Create an assembly project - Create an assembly project + Creează un proiect de asamblare - + 2D Draft - 2D Draft + Ciornă 2D - + Create a 2D Draft with the Draft workbench - Create a 2D Draft with the Draft workbench + Creați o ciornă 2D cu atelierul de lucru Draft - + BIM/Architecture - BIM/Architecture + BIM/Arhitectură - + Create an architectural project - Create an architectural project + Creați un proiect arhitectural - + New File - New File + Fișier nou - + Examples - Examples + Exemple - + Recent Files - Recent Files + Fișiere recente - + Open first start setup Open first start setup - + Don't show this Start page again (start with blank screen) - Don't show this Start page again (start with blank screen) + Nu mai afișa această pagină de pornire (începe cu ecranul gol) Workbench - + Start Start @@ -155,47 +155,47 @@ StartGui::ThemeSelectorWidget - + FreeCAD Classic - FreeCAD Classic + FreeCAD Clasic - + FreeCAD Dark - FreeCAD Dark + FreeCAD întunecat - + FreeCAD Light - FreeCAD Light + FreeCAD luminos - + Theme Tema - + Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. - Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. + Cauți mai multe teme? Le puteți obține folosind <a href="freecad:Std_AddonMgr">Manager de Suplimente</a>. - + FreeCAD Dark Visual theme name - FreeCAD Dark + FreeCAD întunecat - + FreeCAD Light Visual theme name - FreeCAD Light + FreeCAD luminos - + FreeCAD Classic Visual theme name - FreeCAD Classic + FreeCAD Clasic diff --git a/src/Mod/Start/Gui/Resources/translations/StartPage_ru.ts b/src/Mod/Start/Gui/Resources/translations/StartPage_ru.ts index c25753f425e0..1cb8f06227a6 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage_ru.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage_ru.ts @@ -59,87 +59,87 @@ StartGui::StartView - + Empty file Пустой файл - + Create a new empty FreeCAD file Создать пустой файл FreeCAD - + Open File Открыть файл - + Open an existing CAD file or 3D model Открыть существующий CAD файл или 3D модель - + Parametric Part Параметрическая деталь - + Create a part with the Part Design workbench Создать деталь на верстаке для проектирования деталей - + Assembly Сборка - + Create an assembly project Создать сборку проекта - + 2D Draft 2D эскиз - + Create a 2D Draft with the Draft workbench Создать 2D эскиз на верстаке эскизов - + BIM/Architecture BIM/Архитектура - + Create an architectural project Создать архитектурный проект - + New File Новый файл - + Examples Примеры - + Recent Files Недавние файлы - + Open first start setup Открыть первую настройку запуска - + Don't show this Start page again (start with blank screen) Не показывать эту начальную страницу снова (начните с пустого экрана) @@ -147,7 +147,7 @@ Workbench - + Start Запустить @@ -155,44 +155,44 @@ StartGui::ThemeSelectorWidget - + FreeCAD Classic Классический FreeCAD - + FreeCAD Dark Темный FreeCAD - + FreeCAD Light Светлый FreeCAD - + Theme Тема - + Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. Ищете новые темы? Вы можете получить их с помощью <a href="freecad:Std_AddonMgr">Менеджера дополнений</a>. - + FreeCAD Dark Visual theme name Темный FreeCAD - + FreeCAD Light Visual theme name Светлый FreeCAD - + FreeCAD Classic Visual theme name Классический FreeCAD diff --git a/src/Mod/Start/Gui/Resources/translations/StartPage_sl.ts b/src/Mod/Start/Gui/Resources/translations/StartPage_sl.ts index 2adfa5e0241b..d28cbc54b86b 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage_sl.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage_sl.ts @@ -59,87 +59,87 @@ StartGui::StartView - + Empty file Empty file - + Create a new empty FreeCAD file Create a new empty FreeCAD file - + Open File Open File - + Open an existing CAD file or 3D model Open an existing CAD file or 3D model - + Parametric Part Parametric Part - + Create a part with the Part Design workbench Create a part with the Part Design workbench - + Assembly Assembly - + Create an assembly project Create an assembly project - + 2D Draft 2D Draft - + Create a 2D Draft with the Draft workbench Create a 2D Draft with the Draft workbench - + BIM/Architecture BIM/Architecture - + Create an architectural project Create an architectural project - + New File New File - + Examples Examples - + Recent Files Recent Files - + Open first start setup Open first start setup - + Don't show this Start page again (start with blank screen) Don't show this Start page again (start with blank screen) @@ -147,7 +147,7 @@ Workbench - + Start Začni @@ -155,44 +155,44 @@ StartGui::ThemeSelectorWidget - + FreeCAD Classic FreeCAD Classic - + FreeCAD Dark FreeCAD Dark - + FreeCAD Light FreeCAD Light - + Theme Tema - + Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. - + FreeCAD Dark Visual theme name FreeCAD Dark - + FreeCAD Light Visual theme name FreeCAD Light - + FreeCAD Classic Visual theme name FreeCAD Classic 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 e3fc75ab37c5..28cf9027243e 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage_sr-CS.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage_sr-CS.ts @@ -59,87 +59,87 @@ StartGui::StartView - + Empty file Prazna datoteka - + Create a new empty FreeCAD file Napravi novu praznu FreeCAD datoteku - + Open File Otvori datoteku - + Open an existing CAD file or 3D model Otvori postojeću CAD datoteku ili 3D model - + Parametric Part Deo - + Create a part with the Part Design workbench Napravi deo u okruženju Konstruisanje delova - + Assembly Sklop - + Create an assembly project Napravi sklop - + 2D Draft 2D crtež - + Create a 2D Draft with the Draft workbench Napravi 2D crtež u okruženju Crtanje - + BIM/Architecture BIM/Arhitektura - + Create an architectural project Napravi arhitektonski projekat - + New File Nova datoteka - + Examples Primeri - + Recent Files Nedavne datoteke - + Open first start setup Otvori početna podešavanja - + Don't show this Start page again (start with blank screen) Ne prikazuj ponovo ovu početnu stranu (počni sa praznim ekranom) @@ -147,7 +147,7 @@ Workbench - + Start Start @@ -155,44 +155,44 @@ StartGui::ThemeSelectorWidget - + FreeCAD Classic FreeCAD klasični - + FreeCAD Dark FreeCAD tamni - + FreeCAD Light FreeCAD svetli - + Theme Tema - + Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. Nisi zadovoljan izborom tema? Probaj da potražiš nove pomoću <a href="freecad:Std_AddonMgr">Menadžera dodataka</a>. - + FreeCAD Dark Visual theme name FreeCAD tamni - + FreeCAD Light Visual theme name FreeCAD svetli - + FreeCAD Classic Visual theme name FreeCAD klasični diff --git a/src/Mod/Start/Gui/Resources/translations/StartPage_sr.ts b/src/Mod/Start/Gui/Resources/translations/StartPage_sr.ts index 3baac9dad137..bc5926b6bc90 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage_sr.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage_sr.ts @@ -59,87 +59,87 @@ StartGui::StartView - + Empty file Празна датотека - + Create a new empty FreeCAD file Направи нову празну FreeCAD датотеку - + Open File Отвори датотеку - + Open an existing CAD file or 3D model Отвори постојећу CAD датотеку или 3D модел - + Parametric Part Део - + Create a part with the Part Design workbench Направи део у окружењу Конструисање делова - + Assembly Склоп - + Create an assembly project Направи склоп - + 2D Draft 2D цртеж - + Create a 2D Draft with the Draft workbench Направи 2D цртеж у окружењу Цртање - + BIM/Architecture БИМ/Архитектура - + Create an architectural project Направи архитектонски пројекат - + New File Нова датотека - + Examples Примери - + Recent Files Недавне датотеке - + Open first start setup Отвори почетна подешавања - + Don't show this Start page again (start with blank screen) Не приказуј поново ову почетну страну (почни са празним екраном) @@ -147,7 +147,7 @@ Workbench - + Start Старт @@ -155,44 +155,44 @@ StartGui::ThemeSelectorWidget - + FreeCAD Classic FreeCAD класични - + FreeCAD Dark FreeCAD тамни - + FreeCAD Light FreeCAD светли - + Theme Тема - + Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. Ниси задовољан избором тема? Пробај да потражиш нове помоћу <a href="freecad:Std_AddonMgr">Менаџера додатака</a>. - + FreeCAD Dark Visual theme name FreeCAD тамни - + FreeCAD Light Visual theme name FreeCAD светли - + FreeCAD Classic Visual theme name FreeCAD класични diff --git a/src/Mod/Start/Gui/Resources/translations/StartPage_sv-SE.ts b/src/Mod/Start/Gui/Resources/translations/StartPage_sv-SE.ts index 34b5a63ed43f..ed6befa17cea 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage_sv-SE.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage_sv-SE.ts @@ -59,87 +59,87 @@ StartGui::StartView - + Empty file Empty file - + Create a new empty FreeCAD file Create a new empty FreeCAD file - + Open File Öppna fil - + Open an existing CAD file or 3D model Open an existing CAD file or 3D model - + Parametric Part Parametric Part - + Create a part with the Part Design workbench Create a part with the Part Design workbench - + Assembly Ihopsättning - + Create an assembly project Create an assembly project - + 2D Draft 2D Draft - + Create a 2D Draft with the Draft workbench Create a 2D Draft with the Draft workbench - + BIM/Architecture BIM/Architecture - + Create an architectural project Create an architectural project - + New File Ny fil - + Examples Exempel - + Recent Files Senaste filer - + Open first start setup Open first start setup - + Don't show this Start page again (start with blank screen) Don't show this Start page again (start with blank screen) @@ -147,7 +147,7 @@ Workbench - + Start Start @@ -155,44 +155,44 @@ StartGui::ThemeSelectorWidget - + FreeCAD Classic FreeCAD Classic - + FreeCAD Dark FreeCAD Dark - + FreeCAD Light FreeCAD Light - + Theme Tema - + Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. - + FreeCAD Dark Visual theme name FreeCAD Dark - + FreeCAD Light Visual theme name FreeCAD Light - + FreeCAD Classic Visual theme name FreeCAD Classic diff --git a/src/Mod/Start/Gui/Resources/translations/StartPage_tr.ts b/src/Mod/Start/Gui/Resources/translations/StartPage_tr.ts index 57a55395b393..e6d54a503f15 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage_tr.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage_tr.ts @@ -59,87 +59,87 @@ StartGui::StartView - + Empty file Boş dosya - + Create a new empty FreeCAD file Boş bir FreeCAD dosyası oluştur - + Open File Dosya Aç - + Open an existing CAD file or 3D model Mevcut bir CAD dosyası veya 3D model aç - + Parametric Part Değişkenli Parça - + Create a part with the Part Design workbench Parça Tasarımı tezgahı ile parça oluştur - + Assembly Montaj - + Create an assembly project Montaj projesi oluştur - + 2D Draft 2D Taslak - + Create a 2D Draft with the Draft workbench Taslak tezgahı ile 2D taslak oluştur - + BIM/Architecture BIM/Mimari - + Create an architectural project Mimari yapı projesi oluştur - + New File Yeni Dosya - + Examples Örnekler - + Recent Files Son kullanılan dosyalar - + Open first start setup İlk kurulumu aç - + Don't show this Start page again (start with blank screen) Açılış ekranını tekrar gösterme (boş pencere ile başlat) @@ -147,7 +147,7 @@ Workbench - + Start Başla @@ -155,44 +155,44 @@ StartGui::ThemeSelectorWidget - + FreeCAD Classic FreeCAD Klasik - + FreeCAD Dark FreeCAD Karanlık - + FreeCAD Light FreeCAD Aydınlık - + Theme Tema - + Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. Daha fazla tema mı arıyorsunuz? Temaları <a href="freecad:Std_AddonMgr"> Tema Yöneticisi</a> 'ne girerek elde edebilirsin. - + FreeCAD Dark Visual theme name FreeCAD Karanlık - + FreeCAD Light Visual theme name FreeCAD Aydınlık - + FreeCAD Classic Visual theme name FreeCAD Klasik diff --git a/src/Mod/Start/Gui/Resources/translations/StartPage_uk.ts b/src/Mod/Start/Gui/Resources/translations/StartPage_uk.ts index 1bb629c688f0..33bb6c7eaaa0 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage_uk.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage_uk.ts @@ -59,87 +59,87 @@ StartGui::StartView - + Empty file Порожній файл - + Create a new empty FreeCAD file Створити новий порожній файл FreeCAD - + Open File Відкрити файл - + Open an existing CAD file or 3D model Відкрити файл CAD або 3D модель, що вже існує - + Parametric Part Параметрична деталь - + Create a part with the Part Design workbench Створіть деталь за допомогою робочої області Part Design - + Assembly Збірка - + Create an assembly project Створити проект збірки - + 2D Draft 2D креслення - + Create a 2D Draft with the Draft workbench Створити 2D-креслення за допомогою робочої області Draft - + BIM/Architecture BIM/Архітектура - + Create an architectural project Створити архітектурний проект - + New File Новий файл - + Examples Приклади - + Recent Files Останні файли - + Open first start setup Відкрийте перше налаштування запуску - + Don't show this Start page again (start with blank screen) Не показувати цю початкову сторінку знову (почати з чистого екрану) @@ -147,7 +147,7 @@ Workbench - + Start Початок @@ -155,44 +155,44 @@ StartGui::ThemeSelectorWidget - + FreeCAD Classic FreeCAD Класична - + FreeCAD Dark FreeCAD темна - + FreeCAD Light FreeCAD світла - + Theme Тема - + Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. Шукаєте більше тем? Ви можете отримати їх за допомогою <a href="freecad:Std_AddonMgr">Менеджеру додатків</a>. - + FreeCAD Dark Visual theme name FreeCAD темна - + FreeCAD Light Visual theme name FreeCAD світла - + FreeCAD Classic Visual theme name FreeCAD Класична diff --git a/src/Mod/Start/Gui/Resources/translations/StartPage_val-ES.ts b/src/Mod/Start/Gui/Resources/translations/StartPage_val-ES.ts index b0788e0ab8cd..1378558b6fd7 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage_val-ES.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage_val-ES.ts @@ -59,87 +59,87 @@ StartGui::StartView - + Empty file Empty file - + Create a new empty FreeCAD file Create a new empty FreeCAD file - + Open File Open File - + Open an existing CAD file or 3D model Open an existing CAD file or 3D model - + Parametric Part Parametric Part - + Create a part with the Part Design workbench Create a part with the Part Design workbench - + Assembly Assembly - + Create an assembly project Create an assembly project - + 2D Draft 2D Draft - + Create a 2D Draft with the Draft workbench Create a 2D Draft with the Draft workbench - + BIM/Architecture BIM/Architecture - + Create an architectural project Create an architectural project - + New File New File - + Examples Examples - + Recent Files Recent Files - + Open first start setup Open first start setup - + Don't show this Start page again (start with blank screen) Don't show this Start page again (start with blank screen) @@ -147,7 +147,7 @@ Workbench - + Start Inicia @@ -155,44 +155,44 @@ StartGui::ThemeSelectorWidget - + FreeCAD Classic FreeCAD Classic - + FreeCAD Dark FreeCAD Dark - + FreeCAD Light FreeCAD Light - + Theme Theme - + Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. - + FreeCAD Dark Visual theme name FreeCAD Dark - + FreeCAD Light Visual theme name FreeCAD Light - + FreeCAD Classic Visual theme name FreeCAD Classic diff --git a/src/Mod/Start/Gui/Resources/translations/StartPage_zh-CN.ts b/src/Mod/Start/Gui/Resources/translations/StartPage_zh-CN.ts index eb7cd91b0ffb..9b80867727e5 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage_zh-CN.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage_zh-CN.ts @@ -59,87 +59,87 @@ StartGui::StartView - + Empty file 空文件 - + Create a new empty FreeCAD file 新建一个空白FreeCAD文件 - + Open File 打开文件 - + Open an existing CAD file or 3D model 打开现有的 CAD 文件或 3D 模型 - + Parametric Part 参数视图 - + Create a part with the Part Design workbench 使用零件设计工作台创建一个零件 - + Assembly 装配 - + Create an assembly project 创建装配项目 - + 2D Draft 2D草图 - + Create a 2D Draft with the Draft workbench 使用草图工作台创建 2D 草图 - + BIM/Architecture BIM/结构 - + Create an architectural project 创建一个建筑项目 - + New File 新建文件 - + Examples 示例 - + Recent Files 最近打开的文件 - + Open first start setup 打开首次启动设置 - + Don't show this Start page again (start with blank screen) 不再显示此开始页 (将以空白开头) @@ -147,7 +147,7 @@ Workbench - + Start 开始 @@ -155,44 +155,44 @@ StartGui::ThemeSelectorWidget - + FreeCAD Classic FreeCAD 经典 - + FreeCAD Dark FreeCAD 暗色 - + FreeCAD Light FreeCAD 浅色 - + Theme 主题 - + Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. - Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. + 寻找更多主题?您可以使用<a href=“freecad:Std_AddonMgr”>插件管理器</a>获取。 - + FreeCAD Dark Visual theme name FreeCAD 暗色 - + FreeCAD Light Visual theme name FreeCAD 浅色 - + FreeCAD Classic Visual theme name FreeCAD 经典 diff --git a/src/Mod/Start/Gui/Resources/translations/StartPage_zh-TW.ts b/src/Mod/Start/Gui/Resources/translations/StartPage_zh-TW.ts index f4d4d8ee5557..2fcd0c33aab5 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage_zh-TW.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage_zh-TW.ts @@ -59,87 +59,87 @@ StartGui::StartView - + Empty file 空的檔案 - + Create a new empty FreeCAD file 建立一個新的空的 FreeCAD 檔案 - + Open File 開啟檔案 - + Open an existing CAD file or 3D model 開啟現有 CAD 檔案或 3D 模型 - + Parametric Part 參數化零件 - + Create a part with the Part Design workbench 使用零件設計工作台建立零件 - + Assembly 組裝 - + Create an assembly project 建立一個組裝專案 - + 2D Draft 2D 草圖 - + Create a 2D Draft with the Draft workbench 使用草稿工作台建立 2D 草稿 - + BIM/Architecture BIM/建築 - + Create an architectural project 建立一個建築專案 - + New File 新的檔案 - + Examples 範例 - + Recent Files 最近的檔案 - + Open first start setup 打開首次啟動設定 - + Don't show this Start page again (start with blank screen) 不再顯示此開始頁 (從空白畫面開始) @@ -147,7 +147,7 @@ Workbench - + Start 開始 @@ -155,44 +155,44 @@ StartGui::ThemeSelectorWidget - + FreeCAD Classic FreeCAD 經典主題 - + FreeCAD Dark FreeCAD 深色主題 - + FreeCAD Light FreeCAD 淺色主題 - + Theme 主題 - + Looking for more themes? You can obtain them using <a href="freecad:Std_AddonMgr">Addon Manager</a>. 尋找更多主題?您可以使用 <a href="freecad:Std_AddonMgr">附加元件管理員</a> 以獲取它們 - + FreeCAD Dark Visual theme name FreeCAD 深色主題 - + FreeCAD Light Visual theme name FreeCAD 淺色主題 - + FreeCAD Classic Visual theme name FreeCAD 經典主題 diff --git a/src/Mod/Start/README.md b/src/Mod/Start/README.md index 1fb29fe3c42f..395965e0371e 100644 --- a/src/Mod/Start/README.md +++ b/src/Mod/Start/README.md @@ -8,7 +8,7 @@ to things like FreeCAD's Recent Files list. This switch will happen sometime aft on Ubuntu 20.04 LTS, which still uses Qt 5.12. The cMake integration of QML and C++ together in a single project is greatly improved in Qt 5.15 and later. -In the meantime the workbench is written in C++ so that the models can be re-used later, and only the UI itself will +In the meantime the workbench is written in C++ so that the models can be reused later, and only the UI itself will have to change. ### Structure diff --git a/src/Mod/TechDraw/App/CosmeticExtension.cpp b/src/Mod/TechDraw/App/CosmeticExtension.cpp index a1a19e71d987..48c40af539b7 100644 --- a/src/Mod/TechDraw/App/CosmeticExtension.cpp +++ b/src/Mod/TechDraw/App/CosmeticExtension.cpp @@ -427,7 +427,7 @@ void CosmeticExtension::removeCosmeticEdge(const std::string& delTag) /// remove the cosmetic edges with the given tags from the list property void CosmeticExtension::removeCosmeticEdge(const std::vector& delTags) { - // Base::Console().Message("DVP::removeCE(%d tages)\n", delTags.size()); + // Base::Console().Message("DVP::removeCE(%d tags)\n", delTags.size()); std::vector cEdges = CosmeticEdges.getValues(); for (auto& t: delTags) { removeCosmeticEdge(t); diff --git a/src/Mod/TechDraw/App/DrawView.cpp b/src/Mod/TechDraw/App/DrawView.cpp index f4257726c617..f1fcda1ca660 100644 --- a/src/Mod/TechDraw/App/DrawView.cpp +++ b/src/Mod/TechDraw/App/DrawView.cpp @@ -653,10 +653,10 @@ void DrawView::setScaleAttribute() } } -//! due to changes made for the "intelligent" view creation tool, testing for a view being an +//! Due to changes made for the "intelligent" view creation tool, testing for a view being an //! instance of DrawProjGroupItem is no longer reliable, as views not in a group are sometimes -//! created as DrawProjGroupItem without belonging to a group. We now need to test for the existance -//! of the parent DrawProjGroup +//! created as DrawProjGroupItem without belonging to a group. We now need to test for the +//! existence of the parent DrawProjGroup bool DrawView::isProjGroupItem(DrawViewPart* item) { auto dpgi = dynamic_cast(item); diff --git a/src/Mod/TechDraw/App/ShapeExtractor.cpp b/src/Mod/TechDraw/App/ShapeExtractor.cpp index 069e34610e9c..277d054ccc5c 100644 --- a/src/Mod/TechDraw/App/ShapeExtractor.cpp +++ b/src/Mod/TechDraw/App/ShapeExtractor.cpp @@ -137,9 +137,10 @@ TopoDS_Shape ShapeExtractor::getShapes(const std::vector l else { auto shape = Part::Feature::getShape(obj); // if link obj has a shape, we use that shape. - if(!SU::isShapeReallyNull((shape))) { + if(!SU::isShapeReallyNull(shape) && !isExplodedView) { sourceShapes.push_back(getLocatedShape(obj)); - } else { + } + else { std::vector shapeList = getShapesFromObject(obj); sourceShapes.insert(sourceShapes.end(), shapeList.begin(), shapeList.end()); } diff --git a/src/Mod/TechDraw/Gui/Command.cpp b/src/Mod/TechDraw/Gui/Command.cpp index 3ae16501c49f..358f10f024c9 100644 --- a/src/Mod/TechDraw/Gui/Command.cpp +++ b/src/Mod/TechDraw/Gui/Command.cpp @@ -426,9 +426,11 @@ void CmdTechDrawView::activated(int iMsg) // If nothing was selected, then we offer to insert SVG or Images files. bool dontShowAgain = hGrp->GetBool("DontShowInsertFileMessage", false); if (!dontShowAgain) { + auto msgText = QObject::tr("If you want to insert a view from existing objects, please select them before invoking this tool. Without a selection, a file browser will open, to insert a SVG or image file."); QMessageBox msgBox; - msgBox.setText(msgBox.tr("If you want to insert a view from existing objects, please select them before invoking this tool. Without a selection, a file browser will open, to insert a SVG or image file.")); - QCheckBox dontShowCheckBox(msgBox.tr("Do not show this message again"), &msgBox); + msgBox.setText(msgText); + auto dontShowMsg = QObject::tr("Do not show this message again"); + QCheckBox dontShowCheckBox(dontShowMsg, &msgBox); msgBox.setCheckBox(&dontShowCheckBox); QPushButton* okButton = msgBox.addButton(QMessageBox::Ok); diff --git a/src/Mod/TechDraw/Gui/CommandCreateDims.cpp b/src/Mod/TechDraw/Gui/CommandCreateDims.cpp index ed27f92ae5ee..3477e568d1ff 100644 --- a/src/Mod/TechDraw/Gui/CommandCreateDims.cpp +++ b/src/Mod/TechDraw/Gui/CommandCreateDims.cpp @@ -2106,7 +2106,7 @@ void execExtent(Gui::Command* cmd, const std::string& dimType) if (!ref.getSubName().empty()) { QMessageBox::warning(Gui::getMainWindow(), QObject::tr("Incorrect selection"), - QObject::tr("Selection contains both 2d and 3d geometry")); + QObject::tr("Selection contains both 2D and 3D geometry")); return; } } @@ -2131,7 +2131,7 @@ void execExtent(Gui::Command* cmd, const std::string& dimType) if (geometryRefs2d == TechDraw::isInvalid) { QMessageBox::warning(Gui::getMainWindow(), QObject::tr("Incorrect Selection"), - QObject::tr("Can not make 2d extent dimension from selection")); + QObject::tr("Can not make 2D extent dimension from selection")); return; } @@ -2146,7 +2146,7 @@ void execExtent(Gui::Command* cmd, const std::string& dimType) if (geometryRefs3d == isInvalid) { QMessageBox::warning(Gui::getMainWindow(), QObject::tr("Incorrect Selection"), - QObject::tr("Can not make 3d extent dimension from selection")); + QObject::tr("Can not make 3D extent dimension from selection")); return; } } diff --git a/src/Mod/TechDraw/Gui/DlgPrefsTechDrawColors.ui b/src/Mod/TechDraw/Gui/DlgPrefsTechDrawColors.ui index c622bbb4802f..b9ed36be834a 100644 --- a/src/Mod/TechDraw/Gui/DlgPrefsTechDrawColors.ui +++ b/src/Mod/TechDraw/Gui/DlgPrefsTechDrawColors.ui @@ -81,7 +81,7 @@ - If checked FreeCAD will use a single color for all text and lines. + If checked, FreeCAD will use a single color for all text and lines. Monochrome diff --git a/src/Mod/TechDraw/Gui/DlgPrefsTechDrawGeneral.ui b/src/Mod/TechDraw/Gui/DlgPrefsTechDrawGeneral.ui index b92ccfd24550..8fd5f3d31b79 100644 --- a/src/Mod/TechDraw/Gui/DlgPrefsTechDrawGeneral.ui +++ b/src/Mod/TechDraw/Gui/DlgPrefsTechDrawGeneral.ui @@ -847,10 +847,10 @@ for ProjectionGroups - If checked, the 3d camera direction (or normal of a selected face) will be used as the view direction. If not checked, Views will be created as Front Views. + If checked, the 3D camera direction (or normal of a selected face) will be used as the view direction. If not checked, Views will be created as Front Views. - Use 3d Camera Direction + Use 3D Camera Direction UseCameraDirection diff --git a/src/Mod/TechDraw/Gui/QGIViewDimension.cpp b/src/Mod/TechDraw/Gui/QGIViewDimension.cpp index fcc2a39ab081..cc93a1b02cb2 100644 --- a/src/Mod/TechDraw/Gui/QGIViewDimension.cpp +++ b/src/Mod/TechDraw/Gui/QGIViewDimension.cpp @@ -362,10 +362,10 @@ void QGIDatumLabel::updateFrameRect() { int paddingRight = fontSize * 0.3; int paddingBottom = fontSize * 0.125; // Why top and bottom padding different? - // Because the m_dimText bouding box isn't relative to X height :( + // Because the m_dimText bounding box isn't relative to X height :( // And we want padding to be relative to X height // TODO: make QGCustomLabel::boundingBoxXHeight - m_frame->setRect(m_textItems->childrenBoundingRect().adjusted(-paddingLeft, -paddingTop, paddingRight, paddingBottom)); // Update bouding rect + m_frame->setRect(m_textItems->childrenBoundingRect().adjusted(-paddingLeft, -paddingTop, paddingRight, paddingBottom)); // Update bounding rect } void QGIDatumLabel::setLineWidth(double lineWidth) diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw.ts index f211e2baa3de..261a398e6ca5 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw.ts @@ -2032,7 +2032,7 @@ Without a selection, a file browser lets you select a SVG or image file. - + Save page to dxf @@ -2263,12 +2263,12 @@ Without a selection, a file browser lets you select a SVG or image file. - + Drag Dimension - + Create Balloon @@ -3545,28 +3545,28 @@ Without a selection, a file browser lets you select a SVG or image file. - + PDF (*.pdf) - - + + All Files (*.*) - + Export Page As PDF - + SVG (*.svg) - + Export page as SVG @@ -4011,7 +4011,7 @@ Without a selection, a file browser lets you select a SVG or image file. - + Document Name: @@ -5898,49 +5898,49 @@ Fast, but result is a collection of short straight lines. - + Different orientation - + The printer uses a different orientation than the drawing. Do you want to continue? - + Different paper size - + The printer uses a different paper size than the drawing. Do you want to continue? - + Save DXF file - + DXF (*.dxf) - + Save PDF file - + PDF (*.pdf) - + Selected: diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_be.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_be.ts index c48418152ce3..5c278b642bec 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_be.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_be.ts @@ -2037,7 +2037,7 @@ Without a selection, a file browser lets you select a SVG or image file.Стварыць выгляд Аркуша - + Save page to dxf Захаваць старонку ў файл dxf @@ -2268,12 +2268,12 @@ Without a selection, a file browser lets you select a SVG or image file.Перацягнуць пазіцыйную зноску - + Drag Dimension Перацягнуць вымярэнне - + Create Balloon Стварыць пазіцыйную зноску @@ -3554,28 +3554,28 @@ Without a selection, a file browser lets you select a SVG or image file.Без старонак Аркуша чарцяжа ў дакуменце. - + PDF (*.pdf) PDF (*.pdf) - - + + All Files (*.*) Усе файлы (*.*) - + Export Page As PDF Экспартаваць старонку ў DXF - + SVG (*.svg) SVG (*.svg) - + Export page as SVG Экспартаваць старонку ў SVG @@ -4025,7 +4025,7 @@ Without a selection, a file browser lets you select a SVG or image file.Памылка налады - + Document Name: Назва дакументу: @@ -4545,32 +4545,34 @@ Then you need to increase the tile limit. <html><head/><body><p>Some combinations of OS and Navigation style key bindings may conflict with the default modifier keys for Ballon dragging and View snapping override. You can make adjustments here to find a non-conflicting key binding.</p></body></html> - <html><head/><body><p>Some combinations of OS and Navigation style key bindings may conflict with the default modifier keys for Ballon dragging and View snapping override. You can make adjustments here to find a non-conflicting key binding.</p></body></html> + Некаторыя камбінацыі клавіш аперацыйнай сістэмы і стылю навігацыі могуць канфліктаваць з першапачатковымі клавішамі-мадыфікатарамі для перацягвання пазіцыйнай зноскі і перавызначэння прывязкі да выгляду. +Вы можаце ўнесці змены тут, каб знайсці прывязку клавіш, якія не канфліктуюць. Behaviour Overrides - Behaviour Overrides + Перавызначэнне паводзін Check this box to use the default modifier keys. Uncheck this box to set a different key combination. - Check this box to use the default modifier keys. Uncheck this box to set a different key combination. + Калі птушка, ужываюцца першапачатковыя клавішы-мадыфікатары. +Калі не птушка, можна задаць іншую камбінацыю клавіш. Use Default - Use Default + Ужыць першапачатковы Balloon Drag - Balloon Drag + Перацягнуць пазіцыйную зноску Check this box to include the Alt key in the modifiers. - Check this box to include the Alt key in the modifiers. + Калі птушка, каб уключыць клавішу <Alt> у мадыфікатары. @@ -4580,7 +4582,7 @@ Then you need to increase the tile limit. Check this box to include the Shift key in the modifiers. - Check this box to include the Shift key in the modifiers. + Калі птушка, каб уключыць клавішу <Shift> у мадыфікатары. @@ -4590,22 +4592,22 @@ Then you need to increase the tile limit. Check this box to include the Meta/Start/Super key in the modifiers. - Check this box to include the Meta/Start/Super key in the modifiers. + Калі птушка, каб уключыць клавішу <Meta>/<Start>/<Super> у мадыфікатары. Meta - Meta + <Meta> Check this box to include the Control key in the modifiers. - Check this box to include the Control key in the modifiers. + Калі птушка, каб уключыць клавішу <Control> у мадыфікатары. Control - Control + <Control> @@ -5958,51 +5960,51 @@ Fast, but result is a collection of short straight lines. Надрукаваць усе старонкі - + Different orientation Адрозная арыентацыя - + The printer uses a different orientation than the drawing. Do you want to continue? Друкарка ўжывае арыентацыю, якая выдатная ад арыентацыі чарцяжа. Ці жадаеце в вы працягнуць? - + Different paper size Адрозны памер паперы - + The printer uses a different paper size than the drawing. Do you want to continue? Друкарка ўжывае памер паперы, які адрозны ад чарцяжа. Ці жадаеце вы працягнуць? - + Save DXF file Захаваць файл у DXF - + DXF (*.dxf) DXF (*.dxf) - + Save PDF file Захаваць файл PDF - + PDF (*.pdf) PDF (*.pdf) - + Selected: Абрана: diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ca.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ca.ts index b609d06e51ee..bb2aa7c862f2 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ca.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ca.ts @@ -2185,7 +2185,7 @@ Sense una selecció, un navegador de fitxers us permet seleccionar un fitxer d'i Crea una vista de full de càlcul - + Save page to dxf Guardar pàgina com dxf @@ -2416,12 +2416,12 @@ Sense una selecció, un navegador de fitxers us permet seleccionar un fitxer d'i Arrossegar Globus - + Drag Dimension Arrossegar Dimensió - + Create Balloon Crea un globus @@ -3698,28 +3698,28 @@ Sense una selecció, un navegador de fitxers us permet seleccionar un fitxer d'i No hi ha cap pàgina de dibuix en el document. - + PDF (*.pdf) PDF (*.pdf) - - + + All Files (*.*) Tots els arxius (*.*) - + Export Page As PDF Exporta la Pàgina com a PDF - + SVG (*.svg) SVG (*.svg) - + Export page as SVG Exporta la Pàgina com a SVG @@ -4167,7 +4167,7 @@ Sense una selecció, un navegador de fitxers us permet seleccionar un fitxer d'i Error de paràmetre - + Document Name: Nom del document: @@ -6087,49 +6087,49 @@ Fast, but result is a collection of short straight lines. Imprimir totes les pàgines - + Different orientation Orientació diferent - + The printer uses a different orientation than the drawing. Do you want to continue? La impressora utilitza una orientació diferent que la del dibuix. Voleu continuar? - + Different paper size Mida de paper diferent - + The printer uses a different paper size than the drawing. Do you want to continue? La impressora utilitza una mida de paper diferent que la del dibuix. Voleu continuar? - + Save DXF file Desa el fitxer DXF - + DXF (*.dxf) DXF (*.dxf) - + Save PDF file Desa el fitxer PDF - + PDF (*.pdf) PDF (*.pdf) - + Selected: Seleccionat: diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_cs.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_cs.ts index 5d116724fe3f..3b65d95cd1bc 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_cs.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_cs.ts @@ -2036,7 +2036,7 @@ Bez výběru umožňuje prohlížeč souborů vybrat soubor SVG nebo obrázek.Vytvořit pohled tabulky - + Save page to dxf Uložit stránku do dxf @@ -2267,12 +2267,12 @@ Bez výběru umožňuje prohlížeč souborů vybrat soubor SVG nebo obrázek.Táhnout balon - + Drag Dimension Táhnout kótu - + Create Balloon Vytvořit balon @@ -3549,28 +3549,28 @@ Bez výběru umožňuje prohlížeč souborů vybrat soubor SVG nebo obrázek.V dokumentu nejsou žádné stránky s výkresy. - + PDF (*.pdf) PDF (*.pdf) - - + + All Files (*.*) Všechny soubory (*.*) - + Export Page As PDF Exportovat stránku do PDF - + SVG (*.svg) SVG (*.svg) - + Export page as SVG Exportovat stránku do SVG @@ -4018,7 +4018,7 @@ Bez výběru umožňuje prohlížeč souborů vybrat soubor SVG nebo obrázek.Parameter Error - + Document Name: Document Name: @@ -5944,51 +5944,51 @@ Fast, but result is a collection of short straight lines. Tisknout všechny stránky - + Different orientation Jiná orientace - + The printer uses a different orientation than the drawing. Do you want to continue? Tiskárna používá jinou orientaci než výkres. Chcete pokračovat? - + Different paper size Jiný formát papíru - + The printer uses a different paper size than the drawing. Do you want to continue? Tiskárna používá jiný formát papíru než výkres. Chcete pokračovat? - + Save DXF file Uložit soubor DXF - + DXF (*.dxf) DXF (*.dxf) - + Save PDF file Save PDF file - + PDF (*.pdf) PDF (*.pdf) - + Selected: Vybráno: diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_da.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_da.ts index e073692c17cf..77e4d29dd1d1 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_da.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_da.ts @@ -2036,7 +2036,7 @@ Without a selection, a file browser lets you select a SVG or image file.Lav Spreadsheet-visning - + Save page to dxf Gem side som DXF @@ -2267,12 +2267,12 @@ Without a selection, a file browser lets you select a SVG or image file.Flyt ballon - + Drag Dimension Drag Dimension - + Create Balloon Lav ballon @@ -3549,28 +3549,28 @@ Without a selection, a file browser lets you select a SVG or image file.No Drawing Pages in document. - + PDF (*.pdf) PDF (*.pdf) - - + + All Files (*.*) Alle filer (*.*) - + Export Page As PDF Eksportér side som PDF - + SVG (*.svg) SVG (*.svg) - + Export page as SVG Eksportér sider som SVG @@ -4018,7 +4018,7 @@ Without a selection, a file browser lets you select a SVG or image file.Parameterfejl - + Document Name: Dokumentnavn: @@ -5945,49 +5945,49 @@ Fast, but result is a collection of short straight lines. Print alle sider - + Different orientation Forskellig orientering - + The printer uses a different orientation than the drawing. Do you want to continue? Denne printer bruger en anden orientering end tegningen. Vil du gerne fortsætte? - + Different paper size Forskellig papirstørrelse - + The printer uses a different paper size than the drawing. Do you want to continue? Denne printer bruger en anden sidestørrelse end tegningen. Vil du gerne fortsætte? - + Save DXF file Gem som DXF-fil - + DXF (*.dxf) DXF (*.dxf) - + Save PDF file Gem PDF-fil - + PDF (*.pdf) PDF (*.pdf) - + Selected: Valgt: diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_de.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_de.ts index 4bda515b7385..22cc3a2a7ab0 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_de.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_de.ts @@ -129,7 +129,7 @@ TechDraw - TechDraw + Tech Draw @@ -2020,7 +2020,7 @@ Ohne Auswahl öffnet sich ein Datei-Browser zur Auswahl einer SVG- oder Bilddate Add Welding Information to Leaderline - Schweißinformationen zur Hinweislinie hinzufügen + Fügt einer Hinweislinie Schweißinformationen hinzu @@ -2094,7 +2094,7 @@ Ohne Auswahl öffnet sich ein Datei-Browser zur Auswahl einer SVG- oder Bilddate Kalkulationstabellenansicht erstellen - + Save page to dxf Zeichnungsblatt als dxf speichern @@ -2325,12 +2325,12 @@ Ohne Auswahl öffnet sich ein Datei-Browser zur Auswahl einer SVG- oder Bilddate Hinweisfeld ziehen - + Drag Dimension Maß ziehen - + Create Balloon Hinweisfeld erstellen @@ -3607,28 +3607,28 @@ Ohne Auswahl öffnet sich ein Datei-Browser zur Auswahl einer SVG- oder Bilddate Das Dokument enthält keine Zeichnungsblätter. - + PDF (*.pdf) PDF (*.pdf) - - + + All Files (*.*) Alle Dateien (*.*) - + Export Page As PDF Seite als PDF-Datei exportieren - + SVG (*.svg) SVG (*.svg) - + Export page as SVG Seite als SVG exportieren @@ -4076,7 +4076,7 @@ Ohne Auswahl öffnet sich ein Datei-Browser zur Auswahl einer SVG- oder Bilddate Parameterfehler - + Document Name: Dokumentname: @@ -4278,57 +4278,57 @@ it has a tile weld that would become broken. Text above arrow side symbol Angle, surface finish, root - Text über Pfeil-Seitensymbol -Winkel, Oberflächenfindung, Wurzel + Text über dem Grundsymbol der Pfeilseite +Winkel, Oberflächenbeschaffenheit, Wurzel Text before arrow side symbol Preparation depth, (weld size) - Text vor Pfeil-Seitensymbol -Vorbereitungstiefe (Schweißgröße) + Text vor dem Grundsymbol der Pfeilseite +Vorbereitungstiefe (Nahtdicke) Pick arrow side symbol - Auswahl der Pfeilseite des Schweißnahtsymbols + Auswahl des Grundsymbols der Pfeilseite Symbol - Schweißnahtsymbol + Schweißsymbol Text after arrow side symbol Number of welds × length, (gap) - Text nach Pfeil Seitensymbol + Text nach dem Grundsymbol der Pfeilseitel Anzahl der Schweißnähte × Länge, (Abstand) Text before other side symbol Preparation depth, (weld size) - Text vor Pfeil-Seitensymbol -Vorbereitungstiefe (Schweißgröße) + Text vor dem Grundsymbol der Gegenseite +Vorbereitungstiefe (Nahtdicke) Pick other side symbol - Auswahl des Schweißnahtsymbols der Gegenseite + Auswahl des Grundsymbols der Gegenseite Text after other side symbol Number of welds × length, (gap) - Text nach Pfeil Seitensymbol + Text nach dem Grundsymbol der Gegenseite Anzahl der Schweißnähte × Länge, (Abstand) Remove other side symbol - Schweißnahtsymbols der Gegenseite entfernen + Entfernt das Grundsymbol der Gegenseite @@ -4339,8 +4339,8 @@ Anzahl der Schweißnähte × Länge, (Abstand) Text below arrow side symbol Angle, surface finish, root - Text über Pfeil-Seitensymbol -Winkel, Oberflächenfindung, Wurzel + Text unter dem Grundsymbol der Gegenseite +Winkel, Oberflächenbeschaffenheit, Wurzel @@ -4356,7 +4356,7 @@ Winkel, Oberflächenfindung, Wurzel Adds the 'Field Weld' symbol (flag) at the kink in the leader line - Fügt das 'Baustellennaht' Symbol (Fähnchen) + Fügt das Symbol einer 'Baustellennaht' (Fähnchen) am Knick in der Hinweislinie hinzu @@ -4368,7 +4368,7 @@ am Knick in der Hinweislinie hinzu Adds the 'All Around' symbol (circle) at the kink in the leader line - Fügt das 'Umlaufend' Symbol (Kreis) + Fügt das Symbol für 'Umlaufend' (Kreis) am Knick in der Hinweislinie hinzu @@ -4607,12 +4607,12 @@ Dann muss das Kachellimit erhöht werden. Check this box to use the default modifier keys. Uncheck this box to set a different key combination. - Check this box to use the default modifier keys. Uncheck this box to set a different key combination. + Aktivieren, um die standardmäßigen Modifikatortasten zu verwenden. Deaktivieren, um andere Tastenkombinationen zu verwenden. Use Default - Use Default + Standardeinstellung verwenden @@ -4622,7 +4622,7 @@ Dann muss das Kachellimit erhöht werden. Check this box to include the Alt key in the modifiers. - Check this box to include the Alt key in the modifiers. + Diese Option aktivieren, um die Alt-Taste zu den Modifikatortasten hinzuzufügen. @@ -4632,7 +4632,7 @@ Dann muss das Kachellimit erhöht werden. Check this box to include the Shift key in the modifiers. - Check this box to include the Shift key in the modifiers. + Diese Option aktivieren, um die Umschalttaste (Shift) zu den Modifikatortasten hinzuzufügen. @@ -4647,17 +4647,17 @@ Dann muss das Kachellimit erhöht werden. Meta - Meta + Meta Check this box to include the Control key in the modifiers. - Check this box to include the Control key in the modifiers. + Diese Option aktivieren, um die Strg-Taste (Ctrl) zu den Modifikatortasten hinzuzufügen. Control - Control + Steuerung @@ -5646,7 +5646,7 @@ für Ansichtengruppen verteilen Symbol Directory - Symbolverzeichnis + Verzeichnis der Zeichnungselemente @@ -5954,7 +5954,7 @@ Schnell, aber das Ergebnis ist eine Sammlung von kurzen geraden Linien. Welding Symbol Scale - Skalierung der Schweißnahtsymbole + Skalierung der Schweißsymbole @@ -6000,50 +6000,50 @@ Schnell, aber das Ergebnis ist eine Sammlung von kurzen geraden Linien.Alle Blätter drucken - + Different orientation Andere Ausrichtung - + The printer uses a different orientation than the drawing. Do you want to continue? Der Drucker verwendet eine andere Ausrichtung als die Zeichnung. Trotzdem fortfahren? - + Different paper size Anderes Papierformat - + The printer uses a different paper size than the drawing. Do you want to continue? Der Drucker verwendet eine andere Papiergröße als die Zeichnung. Möchten Sie fortfahren? - + Save DXF file DXF-Datei speichern - + DXF (*.dxf) DXF (*.dxf) - + Save PDF file PDF-Datei speichern - + PDF (*.pdf) PDF (*.pdf) - + Selected: Ausgewählt: @@ -6666,12 +6666,12 @@ Do you want to continue? Angularity - Winkligkeit + Neigung Profile of a line - Linienprofilform + Profilform einer Linie @@ -6681,12 +6681,12 @@ Do you want to continue? Circular runout - Rundlauf + (Rund-/Plan-) Lauf Total runout - Gesamter Rundlauf + Gesamt- (rund-/plan-) lauf @@ -8518,7 +8518,7 @@ mit dem vorgegebenen X/Y-Abstand Symbol - Schweißnahtsymbol + Symbol @@ -9295,7 +9295,7 @@ noch ein Aufgaben-Dialog geöffnet ist. Symbol - Schweißnahtsymbol + Zeichnungselement diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_el.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_el.ts index 3af320dc8cf1..b0370811cede 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_el.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_el.ts @@ -2036,7 +2036,7 @@ Without a selection, a file browser lets you select a SVG or image file.Create spreadsheet view - + Save page to dxf Save page to dxf @@ -2267,12 +2267,12 @@ Without a selection, a file browser lets you select a SVG or image file.Drag Balloon - + Drag Dimension Drag Dimension - + Create Balloon Create Balloon @@ -3549,28 +3549,28 @@ Without a selection, a file browser lets you select a SVG or image file.No Drawing Pages in document. - + PDF (*.pdf) PDF (*.pdf) - - + + All Files (*.*) Όλα τα αρχεία (*.*) - + Export Page As PDF Εξαγωγή Σελίδας ως PDF - + SVG (*.svg) SVG (*.svg) - + Export page as SVG Εξαγωγή Σελίδας ως SVG @@ -4018,7 +4018,7 @@ Without a selection, a file browser lets you select a SVG or image file.Parameter Error - + Document Name: Document Name: @@ -5947,51 +5947,51 @@ Fast, but result is a collection of short straight lines. Print All Pages - + Different orientation Διαφορετικός προσανατολισμός - + The printer uses a different orientation than the drawing. Do you want to continue? Ο εκτυπωτής χρησιμοποιεί διαφορετικό προσανατολισμό από το σχέδιο. Θέλετε να συνεχίσετε; - + Different paper size Διαφορετικό μέγεθος χαρτιού - + The printer uses a different paper size than the drawing. Do you want to continue? Ο εκτυπωτής χρησιμοποιεί διαφορετικό μέγεθος χαρτιού από το σχέδιο. Θέλετε να συνεχίσετε; - + Save DXF file Αποθήκευση αρχείου DXF - + DXF (*.dxf) DXF (*.dxf) - + Save PDF file Save PDF file - + PDF (*.pdf) PDF (*.pdf) - + Selected: Επιλεγμένα: 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 e6306364b76f..819529c5f8bc 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_es-AR.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_es-AR.ts @@ -2036,7 +2036,7 @@ Sin una selección, un navegador de archivos le permitirá seleccionar un archiv Crear vista de hoja de cálculo - + Save page to dxf Guardar página como dxf @@ -2267,12 +2267,12 @@ Sin una selección, un navegador de archivos le permitirá seleccionar un archiv Arrastrar globo - + Drag Dimension Arrastrar Cota - + Create Balloon Crear globo @@ -3549,28 +3549,28 @@ Sin una selección, un navegador de archivos le permitirá seleccionar un archiv No hay Páginas de Dibujo en el documento. - + PDF (*.pdf) PDF (*.pdf) - - + + All Files (*.*) Todos los archivos (*.*) - + Export Page As PDF Exportar Página Como PDF - + SVG (*.svg) SVG (*.svg) - + Export page as SVG Exportar página como SVG @@ -4018,7 +4018,7 @@ Sin una selección, un navegador de archivos le permitirá seleccionar un archiv Error de parámetro - + Document Name: Nombre del documento: @@ -4554,12 +4554,12 @@ Por tanto, necesitará aumentar el límite de recuadros. Check this box to use the default modifier keys. Uncheck this box to set a different key combination. - Check this box to use the default modifier keys. Uncheck this box to set a different key combination. + Marque esta casilla para usar los modificadores de tecla predeterminados. Desmarque esta casilla para establecer una combinación de teclas diferente. Use Default - Use Default + Usar predeterminado @@ -4569,7 +4569,7 @@ Por tanto, necesitará aumentar el límite de recuadros. Check this box to include the Alt key in the modifiers. - Check this box to include the Alt key in the modifiers. + Marcar esta casilla para incluir la tecla Alt en los modificadores. @@ -4579,7 +4579,7 @@ Por tanto, necesitará aumentar el límite de recuadros. Check this box to include the Shift key in the modifiers. - Check this box to include the Shift key in the modifiers. + Marcar esta casilla para incluir la tecla Shift en los modificadores. @@ -4589,22 +4589,22 @@ Por tanto, necesitará aumentar el límite de recuadros. Check this box to include the Meta/Start/Super key in the modifiers. - Check this box to include the Meta/Start/Super key in the modifiers. + Marcar esta casilla para incluir la tecla Meta/Inicio/Super en los modificadores. Meta - Meta + Meta Check this box to include the Control key in the modifiers. - Check this box to include the Control key in the modifiers. + Marcar esta casilla para incluir la tecla Control en los modificadores. Control - Control + Control @@ -5945,51 +5945,51 @@ Rápido, pero el resultado es una colección de líneas rectas cortas.Imprimir todas las páginas - + Different orientation Orientación diferente de la hoja - + The printer uses a different orientation than the drawing. Do you want to continue? La impresora utiliza una orientación de papel distinta a la del dibujo. ¿Desea continuar? - + Different paper size Tamaño de papel diferente - + The printer uses a different paper size than the drawing. Do you want to continue? La impresora usa un tamaño de papel distinto al del dibujo. ¿Desea continuar? - + Save DXF file Guardar archivo DXF - + DXF (*.dxf) DXF (*.dxf) - + Save PDF file Guardar archivo PDF - + PDF (*.pdf) PDF (*.pdf) - + Selected: Seleccionado: 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 6ef243158930..729050dc4d73 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_es-ES.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_es-ES.ts @@ -2036,7 +2036,7 @@ Sin una selección, un explorador de archivos le permite seleccionar un archivo Crear vista de hoja de cálculo - + Save page to dxf Guardar página como dxf @@ -2267,12 +2267,12 @@ Sin una selección, un explorador de archivos le permite seleccionar un archivo Arrastrar Globo - + Drag Dimension Arrastrar Cota - + Create Balloon Crear Globo @@ -3549,28 +3549,28 @@ Sin una selección, un explorador de archivos le permite seleccionar un archivo No hay páginas de dibujo en el documento. - + PDF (*.pdf) PDF (*.pdf) - - + + All Files (*.*) Todos los archivos (*.*) - + Export Page As PDF Exportar página como PDF - + SVG (*.svg) SVG (*.svg) - + Export page as SVG Exportar página como SVG @@ -4018,7 +4018,7 @@ Sin una selección, un explorador de archivos le permite seleccionar un archivo Error de parámetro - + Document Name: Nombre del documento: @@ -4554,12 +4554,12 @@ Por tanto, necesitará aumentar el límite de recuadros. Check this box to use the default modifier keys. Uncheck this box to set a different key combination. - Check this box to use the default modifier keys. Uncheck this box to set a different key combination. + Marque esta casilla para usar los modificadores de tecla predeterminados. Desmarque esta casilla para establecer una combinación de teclas diferente. Use Default - Use Default + Usar predeterminado @@ -4569,7 +4569,7 @@ Por tanto, necesitará aumentar el límite de recuadros. Check this box to include the Alt key in the modifiers. - Check this box to include the Alt key in the modifiers. + Marcar esta casilla para incluir la tecla Alt en los modificadores. @@ -4579,7 +4579,7 @@ Por tanto, necesitará aumentar el límite de recuadros. Check this box to include the Shift key in the modifiers. - Check this box to include the Shift key in the modifiers. + Marcar esta casilla para incluir la tecla Shift en los modificadores. @@ -4589,22 +4589,22 @@ Por tanto, necesitará aumentar el límite de recuadros. Check this box to include the Meta/Start/Super key in the modifiers. - Check this box to include the Meta/Start/Super key in the modifiers. + Marcar esta casilla para incluir la tecla Meta/Inicio/Super en los modificadores. Meta - Meta + Meta Check this box to include the Control key in the modifiers. - Check this box to include the Control key in the modifiers. + Marcar esta casilla para incluir la tecla Control en los modificadores. Control - Control + Control @@ -5945,51 +5945,51 @@ Rápido, pero los resultados son una colección de líneas rectas cortas.Imprimir todas las páginas - + Different orientation Orientación diferente de la hoja - + The printer uses a different orientation than the drawing. Do you want to continue? La impresora utiliza una orientación de papel distinta a la del dibujo. ¿Desea continuar? - + Different paper size Tamaño de papel diferente - + The printer uses a different paper size than the drawing. Do you want to continue? La impresora usa un tamaño de papel distinto al del dibujo. ¿Desea continuar? - + Save DXF file Guardar archivo DXF - + DXF (*.dxf) DXF (*.dxf) - + Save PDF file Guardar archivo PDF - + PDF (*.pdf) PDF (*.pdf) - + Selected: Seleccionado: diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_eu.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_eu.ts index 23ec3553efe0..7afa4a4efb3b 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_eu.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_eu.ts @@ -2036,7 +2036,7 @@ Without a selection, a file browser lets you select a SVG or image file.Sortu kalkulu-orriaren bista - + Save page to dxf Gorde orria DXF fitxategi batean @@ -2267,12 +2267,12 @@ Without a selection, a file browser lets you select a SVG or image file.Arrastatu bunbuiloa - + Drag Dimension Arrastatu kota - + Create Balloon Sortu bunbuiloa @@ -3549,28 +3549,28 @@ Without a selection, a file browser lets you select a SVG or image file.Ez dago marrazki-orririk dokumentuan. - + PDF (*.pdf) PDF (*.pdf) - - + + All Files (*.*) Fitxategi guztiak (*.*) - + Export Page As PDF Esportatu orrialdea PDF gisa - + SVG (*.svg) SVG (*.svg) - + Export page as SVG Esportatu orrialdea SVG gisa @@ -4018,7 +4018,7 @@ Without a selection, a file browser lets you select a SVG or image file.Parameter Error - + Document Name: Dokumentuaren izena: @@ -5947,51 +5947,51 @@ Azkarra, baina lerro zuzen laburren bilduma bat ematen du. Inprimatu orrialde guztiak - + Different orientation Orientazio desberdina - + The printer uses a different orientation than the drawing. Do you want to continue? Inprimagailuak eta marrazkiak orientazio desberdina dute. Jarraitu nahi duzu? - + Different paper size Paper-tamaina desberdina - + The printer uses a different paper size than the drawing. Do you want to continue? Inprimagailuak eta marrazkiak paper-tamaina desberdina dute. Jarraitu nahi duzu? - + Save DXF file Gorde DXF fitxategia - + DXF (*.dxf) DXF (*.dxf) - + Save PDF file Gorde PDF fitxategia - + PDF (*.pdf) PDF (*.pdf) - + Selected: Hautatua: diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_fi.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_fi.ts index ba01ab3b244c..033098c59817 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_fi.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_fi.ts @@ -2036,7 +2036,7 @@ Without a selection, a file browser lets you select a SVG or image file.Luo laskentataulukkonäkymä - + Save page to dxf Tallenna sivu dxf-muotoon @@ -2267,12 +2267,12 @@ Without a selection, a file browser lets you select a SVG or image file.Raahaa tekstikuplaa - + Drag Dimension Raahaa Mittaa - + Create Balloon Luo tekstikupla @@ -3549,28 +3549,28 @@ Without a selection, a file browser lets you select a SVG or image file.Asiakirjassa ei ole Piirustus-sivuja. - + PDF (*.pdf) PDF (*.pdf) - - + + All Files (*.*) Kaikki tiedostot (*.*) - + Export Page As PDF Vie sivu PDF-tiedostoon - + SVG (*.svg) SVG (*.svg) - + Export page as SVG Vie sivu SVG-tiedostoon @@ -4018,7 +4018,7 @@ Without a selection, a file browser lets you select a SVG or image file.Parameter Error - + Document Name: Document Name: @@ -5940,51 +5940,51 @@ Nopea, mutta tulos on kokoelma lyhyitä suoria viivoja. Tulosta kaikki sivut - + Different orientation Erilainen sivun suunta - + The printer uses a different orientation than the drawing. Do you want to continue? Tulostin käyttää eri paperisuuntaa kuin piirros. Haluatko jatkaa? - + Different paper size Erilainen paperikoko - + The printer uses a different paper size than the drawing. Do you want to continue? Tulostin käyttää eri paperikokoa kuin piirros. Haluatko jatkaa? - + Save DXF file Tallenna DXF-tiedosto - + DXF (*.dxf) DXF (*.dxf) - + Save PDF file Save PDF file - + PDF (*.pdf) PDF (*.pdf) - + Selected: Valittu: diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_fr.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_fr.ts index 5ea9a5557e36..b97a77d72547 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_fr.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_fr.ts @@ -2190,7 +2190,7 @@ En l'absence de sélection, un navigateur de fichiers vous permet de sélectionn Créer une vue de feuille de calcul - + Save page to dxf Enregistrer la page au format DXF @@ -2421,12 +2421,12 @@ En l'absence de sélection, un navigateur de fichiers vous permet de sélectionn Faire glisser une infobulle - + Drag Dimension Faire glisser la cote - + Create Balloon Créer une infobulle @@ -3703,28 +3703,28 @@ En l'absence de sélection, un navigateur de fichiers vous permet de sélectionn Aucune page de dessin dans le document. - + PDF (*.pdf) PDF (*.pdf) - - + + All Files (*.*) Tous les fichiers (*.*) - + Export Page As PDF Exporter la page au format PDF - + SVG (*.svg) SVG (*.svg) - + Export page as SVG Exporter la page au format SVG @@ -4172,7 +4172,7 @@ En l'absence de sélection, un navigateur de fichiers vous permet de sélectionn Erreur de paramètre - + Document Name: Nom du document : @@ -4696,32 +4696,36 @@ Si elle n'est pas cochée, FreeCAD utilisera l'algorithme d'origine de reconnais <html><head/><body><p>Some combinations of OS and Navigation style key bindings may conflict with the default modifier keys for Ballon dragging and View snapping override. You can make adjustments here to find a non-conflicting key binding.</p></body></html> - <html><head/><body><p>Some combinations of OS and Navigation style key bindings may conflict with the default modifier keys for Ballon dragging and View snapping override. You can make adjustments here to find a non-conflicting key binding.</p></body></html> + Certaines combinaisons de touches du système d'exploitation et du style de navigation peuvent +entrer en conflit avec les touches de modification par défaut pour le déplacement des infobulles +et le comportement de l'aimantation des vues. +Vous pouvez créer ici votre combinaison de touches pour ne pas avoir de conflit. Behaviour Overrides - Behaviour Overrides + Modifier les comportements Check this box to use the default modifier keys. Uncheck this box to set a different key combination. - Check this box to use the default modifier keys. Uncheck this box to set a different key combination. + Cocher cette case pour utiliser les touches de modification par défaut. +Décocher cette case pour définir une autre combinaison de touches. Use Default - Use Default + Comportement par défaut Balloon Drag - Balloon Drag + Déplacement des infobulles Check this box to include the Alt key in the modifiers. - Check this box to include the Alt key in the modifiers. + Cocher cette case pour inclure la touche Alt dans les modificateurs @@ -4731,7 +4735,7 @@ Si elle n'est pas cochée, FreeCAD utilisera l'algorithme d'origine de reconnais Check this box to include the Shift key in the modifiers. - Check this box to include the Shift key in the modifiers. + Cocher cette case pour inclure la touche Maj dans les modificateurs @@ -4741,22 +4745,22 @@ Si elle n'est pas cochée, FreeCAD utilisera l'algorithme d'origine de reconnais Check this box to include the Meta/Start/Super key in the modifiers. - Check this box to include the Meta/Start/Super key in the modifiers. + Cocher cette case pour inclure la touche Windows dans les modificateurs Meta - Meta + Windows Check this box to include the Control key in the modifiers. - Check this box to include the Control key in the modifiers. + Cocher cette case pour inclure la touche Ctrl dans les modificateurs Control - Control + Ctrl @@ -6100,49 +6104,49 @@ Fast, but result is a collection of short straight lines. Imprimer toutes les pages - + Different orientation Orientation différente - + The printer uses a different orientation than the drawing. Do you want to continue? L'imprimante utilise une orientation différente que le dessin. Voulez-vous continuer ? - + Different paper size Format de papier différent - + The printer uses a different paper size than the drawing. Do you want to continue? L'imprimante utilise un format de papier différent que le dessin. Voulez-vous continuer ? - + Save DXF file Enregistrer le fichier DXF - + DXF (*.dxf) DXF (*.dxf) - + Save PDF file Enregistrer le fichier PDF - + PDF (*.pdf) PDF (*.pdf) - + Selected: Sélectionné: @@ -7364,7 +7368,7 @@ Utilise les angles par défaut si cette option n'est pas cochée. Use default - Utiliser par défaut + Comportement par défaut diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_hr.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_hr.ts index eea683e0578a..00243f883e91 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_hr.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_hr.ts @@ -1960,7 +1960,7 @@ Ako ne izabereš ništa, otvoriće se prozor pomoću kog možeš izabrati i umet If you want to insert a view from existing objects, please select them before invoking this tool. Without a selection, a file browser will open, to insert a SVG or image file. - If you want to insert a view from existing objects, please select them before invoking this tool. Without a selection, a file browser will open, to insert a SVG or image file. + Ako želiš da umetneš pogled od postojećih objekata, izaberi ih prije nego što pokreneš ovaj alat. Bez izbora, otvoriće se pretraživač datoteka pomoću kojeg možeš umetnuti SVG ili slikovnu datoteku. @@ -2002,7 +2002,7 @@ Ako ne izabereš ništa, otvoriće se prozor pomoću kog možeš izabrati i umet Create broken view - Create broken view + Stvori pokidan pogled @@ -2052,7 +2052,7 @@ Ako ne izabereš ništa, otvoriće se prozor pomoću kog možeš izabrati i umet Stvori pogled pregleda - + Save page to dxf Spremi stranicu u dxf formatu @@ -2223,7 +2223,7 @@ Ako ne izabereš ništa, otvoriće se prozor pomoću kog možeš izabrati i umet Add horizontal coord dimensions - Add horizontal coord dimensions + Dodaj vodoravne dimenzije koordinata @@ -2233,7 +2233,7 @@ Ako ne izabereš ništa, otvoriće se prozor pomoću kog možeš izabrati i umet Add vertical coord dimensions - Add vertical coord dimensions + Dodaj okomite dimenzije koordinata @@ -2243,7 +2243,7 @@ Ako ne izabereš ništa, otvoriće se prozor pomoću kog možeš izabrati i umet Add oblique coord dimensions - Add oblique coord dimensions + Dodaj kose dimenzije koordinata @@ -2288,12 +2288,12 @@ Ako ne izabereš ništa, otvoriće se prozor pomoću kog možeš izabrati i umet Povuci balončić - + Drag Dimension Povuci Dimenziju - + Create Balloon Stvori Balončić @@ -2979,12 +2979,12 @@ Ako ne izabereš ništa, otvoriće se prozor pomoću kog možeš izabrati i umet Please select objects to break or a base view and break definition objects. - Please select objects to break or a base view and break definition objects. + Odaberite objekte za razbijanje ili osnovni prikaz i definicije objekata razbijanja. No Break objects found in this selection - No Break objects found in this selection + U ovom odabiru nema Objekta razbijanja @@ -3173,7 +3173,7 @@ Ako ne izabereš ništa, otvoriće se prozor pomoću kog možeš izabrati i umet Selection contains both 2d and 3d geometry - Selection contains both 2d and 3d geometry + Odabir sadrži obije 2D i 3D geometriju @@ -3193,27 +3193,27 @@ Ako ne izabereš ništa, otvoriće se prozor pomoću kog možeš izabrati i umet Can not make 2D dimension from selection - Can not make 2D dimension from selection + Ne može se napraviti 2D dimenzija iz odabira Can not make 3D dimension from selection - Can not make 3D dimension from selection + Ne može se napraviti 3D dimenzija iz odabira Selected edge is an Ellipse. Value will be approximate. Continue? - Selected edge is an Ellipse. Value will be approximate. Continue? + Odabrani rub je elipsa. Vrijednost će biti približno. Nastaviti? Selected edge is a B-spline. Value will be approximate. Continue? - Selected edge is a B-spline. Value will be approximate. Continue? + Odabrani rub je B-spline. Vrijednost će biti približno. Nastaviti? Selected edge is a B-spline and a radius/diameter can not be calculated. - Selected edge is a B-spline and a radius/diameter can not be calculated. + Odabrani rub je B-spline a polumjer/promjer se ne može izračunati. @@ -3576,28 +3576,28 @@ Ako ne izabereš ništa, otvoriće se prozor pomoću kog možeš izabrati i umet U dokumentu nema Stranica za crtanje. - + PDF (*.pdf) PDF (*.pdf) - - + + All Files (*.*) Sve datoteke (*.*) - + Export Page As PDF Izvoz Stranice u PDF - + SVG (*.svg) SVG (*.svg) - + Export page as SVG Izvoz Stranice u SVG @@ -3616,7 +3616,7 @@ Ako ne izabereš ništa, otvoriće se prozor pomoću kog možeš izabrati i umet Toggle Keep Updated - Toggle Keep Updated + Uključivanje/isključivanje KeepUpdated @@ -3950,10 +3950,10 @@ Ako ne izabereš ništa, otvoriće se prozor pomoću kog možeš izabrati i umet thin: %2 graphic: %3 thick: %4 - %1 defines these line widths: - thin: %2 - graphic: %3 - thick: %4 + %1 definiraj širinu ovih linija: + tanka: %2 + grafika: %3 + debela: %4 @@ -4047,7 +4047,7 @@ Ako ne izabereš ništa, otvoriće se prozor pomoću kog možeš izabrati i umet Greška u parametru - + Document Name: Naziv dokumenta: @@ -4059,7 +4059,7 @@ Ako ne izabereš ništa, otvoriće se prozor pomoću kog možeš izabrati i umet Part View - Part View + Pogled na komponentu (Dio) @@ -4564,9 +4564,9 @@ kad se šrafira lice s PAT uzorkom Limit of 64x64 pixel SVG tiles used to hatch a single face. For large scalings you might get an error about too many SVG tiles. Then you need to increase the tile limit. - Limit of 64x64 pixel SVG tiles used to hatch a single face. -For large scalings you might get an error about too many SVG tiles. -Then you need to increase the tile limit. + SVG pločice veličine 64 x 64 piksela koriste se za ispunu uzorkom jednog lica. +Za velika skaliranja možda ćete dobiti pogrešku u vezi s previše SVG pločica. +Zatim morate povećati broj ograničenje pločica. @@ -4591,32 +4591,32 @@ Then you need to increase the tile limit. <html><head/><body><p>Some combinations of OS and Navigation style key bindings may conflict with the default modifier keys for Ballon dragging and View snapping override. You can make adjustments here to find a non-conflicting key binding.</p></body></html> - <html><head/><body><p>Some combinations of OS and Navigation style key bindings may conflict with the default modifier keys for Ballon dragging and View snapping override. You can make adjustments here to find a non-conflicting key binding.</p></body></html> + <html><head/><body><p>Neke kombinacije povezivanja tipki OS-a i navigacijskog stila mogu biti u sukobu sa zadanim modifikacijskim tipkama za povlačenje balona i nadjačavanje hvatanja pogleda. Ovdje možete napraviti prilagodbe kako biste pronašli vezanje ključa bez sukoba.</p></body></html> Behaviour Overrides - Behaviour Overrides + Nadjačavanja ponašanja Check this box to use the default modifier keys. Uncheck this box to set a different key combination. - Check this box to use the default modifier keys. Uncheck this box to set a different key combination. + Označite ovaj okvir za korištenje zadanih modifikacijskih tipki. Poništite ovaj okvir za postavljanje druge kombinacije tipki. Use Default - Use Default + Koristi zadano Balloon Drag - Balloon Drag + Povući oblačić Check this box to include the Alt key in the modifiers. - Check this box to include the Alt key in the modifiers. + Označite ovaj okvir da uključite tipku Alt u modifikatore. @@ -4626,7 +4626,7 @@ Then you need to increase the tile limit. Check this box to include the Shift key in the modifiers. - Check this box to include the Shift key in the modifiers. + Označite ovaj okvir da uključite tipku Shift u modifikatore. @@ -4636,22 +4636,22 @@ Then you need to increase the tile limit. Check this box to include the Meta/Start/Super key in the modifiers. - Check this box to include the Meta/Start/Super key in the modifiers. + Označite ovaj okvir da uključite tipku Meta/Start/Super u modifikatore. Meta - Meta + Meta Check this box to include the Control key in the modifiers. - Check this box to include the Control key in the modifiers. + Označite ovaj okvir da uključite tipku Control u modifikatore. Control - Control + Tipka CTRL @@ -4706,12 +4706,12 @@ Then you need to increase the tile limit. If checked, the section annotation will be drawn on the Source view. If unchecked, no section line, arrows or symbol will be shown in the Source view. - If checked, the section annotation will be drawn on the Source view. If unchecked, no section line, arrows or symbol will be shown in the Source view. + Ako je označeno, bilješka odjeljka bit će nacrtana u prikazu Izvor. Ako nije označeno, u izvornom prikazu neće biti prikazana linija odjeljka, strelica ili simbol. Show Section Line in Source View - Show Section Line in Source View + Prikaži liniju Odjeljka u prikazu Izvor @@ -4726,27 +4726,27 @@ Then you need to increase the tile limit. If checked, the cut line will be drawn on the Source view. If unchecked, only the change marks, arrows and symbols will be displayed. - If checked, the cut line will be drawn on the Source view. If unchecked, only the change marks, arrows and symbols will be displayed. + Ako je označeno, linija rezanja bit će nacrtana na prikazu Izvor. Ako nije označeno, bit će prikazane samo oznake promjena, strelice i simboli. Include Cut Line in Section Annotation - Include Cut Line in Section Annotation + Uključite liniju rezanja u označavanje rezanja Balloon Leader Kink Length - Balloon Leader Kink Length + Dužina linije prijeloma Oblačića Broken View Break Type - Broken View Break Type + Vrsta Pokidanog pogleda No Break Lines - No Break Lines + Nema linija prekida @@ -4940,12 +4940,12 @@ ako planirate koristiti crtež kao 1:1 vodič za rezanje. Break Line Style - Break Line Style + Stil linija prekida Style of line to be used in BrokenView. - Style of line to be used in BrokenView. + Stil linije koji se koristi u Pokidanom pogledu @@ -5109,7 +5109,7 @@ ako planirate koristiti crtež kao 1:1 vodič za rezanje. If checked FreeCAD will use a single color for all text and lines. - If checked FreeCAD will use a single color for all text and lines. + Ako je označeno FreeCAD će koristiti istu boju za tekst i linije. @@ -5213,7 +5213,7 @@ ako planirate koristiti crtež kao 1:1 vodič za rezanje. Controls the size of the gap between the dimension point and the start of the extension line for ASME dimensions. - Controls the size of the gap between the dimension point and the start of the extension line for ASME dimensions. + Kontrolira veličinu razmaka između kotne točke i početka pomoćne kotne linije za ASME dimenzije. @@ -5233,7 +5233,8 @@ ako planirate koristiti crtež kao 1:1 vodič za rezanje. Dimensioning tools: - Dimensioning tools: + +Alati dimenzija: @@ -5242,11 +5243,12 @@ ako planirate koristiti crtež kao 1:1 vodič za rezanje. 'Separated tools': Individual tools for each dimensioning tool. 'Both': You will have both the 'Dimension' tool and the separated tools. This setting is only for the toolbar. Whichever you choose, all tools are always available in the menu and through shortcuts. - Select the type of dimensioning tools for your toolbar: -'Single tool': A single tool for all dimensioning in the toolbar: Distance, Distance X / Y, Angle, Radius. (Others in dropdown) -'Separated tools': Individual tools for each dimensioning tool. -'Both': You will have both the 'Dimension' tool and the separated tools. -This setting is only for the toolbar. Whichever you choose, all tools are always available in the menu and through shortcuts. + Odaberite vrstu ograničenja dimenzioniranja za svoju alatnu traku: +'Jednostruki alat': Jedinstveni alat za sve dimenzijske oznake na alatnoj traci: Udaljenost, Udaljenost X/Y, Kut, Polumjer. (Ostali u padajućem izborniku) +'Razdvojeni alati': Individualni alati za svako dimenzijsko ograničenje. +'Oba': Imati će te i alat 'Dimenzija' i Razdvojene alate. +Ova postavka vrijedi samo za alatnu traku. Bez obzira što ste odabrali, svi alati su uvijek dostupni u izborniku i prečacima. + @@ -5259,10 +5261,10 @@ This setting is only for the toolbar. Whichever you choose, all tools are always 'Auto': The tool will apply radius to arcs and diameter to circles. 'Diameter': The tool will apply diameter to all. 'Radius': The tool will apply radius to all. - While using the Dimension tool you may choose how to handle circles and arcs: -'Auto': The tool will apply radius to arcs and diameter to circles. -'Diameter': The tool will apply diameter to all. -'Radius': The tool will apply radius to all. + Tijekom korištenja alata za dimenzioniranje možete odabrati kako upravljati krugovima i lukovima: +'Automatski': Alat će primijeniti polumjer na luk i promjer na krug. +'Promjer': Alat će primijeniti promjer na sve. +'Polumjer': Alat će primijeniti polumjer na sve. @@ -5353,7 +5355,7 @@ Množitelj 'veličina pisma' Controls the size of the gap between the dimension point and the start of the extension line for ISO dimensions. - Controls the size of the gap between the dimension point and the start of the extension line for ISO dimensions. + Kontrolira veličinu razmaka između kotne točke i početka pomoćne kotne linije za ISO dimenzije. @@ -5370,16 +5372,16 @@ Množitelj 'veličina pisma' Controls the size of the gap between the dimension point and the start of the extension line for ISO dimensions. Value * linewidth is the gap. Normally, no gap is used. If using a gap, the recommended value is 8. - Controls the size of the gap between the dimension point and the start of the extension line for ISO dimensions. - Value * linewidth is the gap. - Normally, no gap is used. If using a gap, the recommended value is 8. + Kontrolira veličinu razmaka između točke dimenzije i početka pomoćne kotne linije za ISO dimenzije. +Vrijednost * širina linije je razmak. +Obično se ne koristi razmak. Ako se koristi razmak, preporučena vrijednost je 8. Controls the size of the gap between the dimension point and the start of the extension line for ASME dimensions. Value * linewidth is the gap. Normally, no gap is used. If using a gap, the recommended value is 6. - Controls the size of the gap between the dimension point and the start of the extension line for ASME dimensions. Value * linewidth is the gap. - Normally, no gap is used. If using a gap, the recommended value is 6. + Kontrolira veličinu razmaka između točke dimenzije i početka pomoćne kotne linije za ASME dimenzije.Vrijednost * širina linije je razmak. +Obično se ne koristi razmak. Ako se koristi razmak, preporučena vrijednost je 6. @@ -5571,7 +5573,7 @@ za Grupe Prikaza Preferred SVG or bitmap file for hatching. This value will also control the initial directory for choosing hatch patterns. You can use this to get hatch files from a local directory. - Preferred SVG or bitmap file for hatching. This value will also control the initial directory for choosing hatch patterns. You can use this to get hatch files from a local directory. + Preferirana SVG ili bitmap datoteka za šrafuru. Ova će vrijednost također kontrolirati početni direktorij za odabir uzoraka šrafure. Ovo možete koristiti za dobivanje datoteka šrafiranja iz lokalnog direktorija. @@ -5641,17 +5643,17 @@ za Grupe Prikaza First-angle - First-angle + Prvi-ugao Third-angle - Third-angle + Treči- ugao Alternate directory to search for SVG symbol files. - Alternate directory to search for SVG symbol files. + Alternativni direktorij za traženje datoteka SVG simbola. @@ -5706,52 +5708,52 @@ za Grupe Prikaza View Defaults - View Defaults + Pregled zadanog If checked, the 3d camera direction (or normal of a selected face) will be used as the view direction. If not checked, Views will be created as Front Views. - If checked, the 3d camera direction (or normal of a selected face) will be used as the view direction. If not checked, Views will be created as Front Views. + Ako je označeno, smjer 3D kamere (ili normala odabranog lica) koristit će se kao smjer pogleda. Ako nije označeno, pogledi će biti kreirani kao prednji prikazi. Use 3d Camera Direction - Use 3d Camera Direction + Koristi 3D smjer kamere If checked, view labels will be displayed even when frames are suppressed. - If checked, view labels will be displayed even when frames are suppressed. + Ako je označeno, oznake pogleda će biti prikazane čak i kada su okviri potisnuti. Always Show Label - Always Show Label + Uvijek prikaži Oznake Snapping - Snapping + Hvatanje Check this box if you want views to snap into alignment when being dragged. - Check this box if you want views to snap into alignment when being dragged. + Označite ovaj okvir ako želite da se pogledi poravnaju prilikom povlačenja. Snap View Alignment - Snap View Alignment + Poravnanje orijentacija pogleda View Snapping Factor - View Snapping Factor + Faktor orijentacija pogleda When dragging a view, if it is within this fraction of view size of the correct alignment, it will snap into alignment. - When dragging a view, if it is within this fraction of view size of the correct alignment, it will snap into alignment. + Prilikom povlačenja prikaza, ako je unutar ovog dijela veličine prikaza ispravnog poravnanja, on će skočiti u poravnanje. @@ -6030,49 +6032,49 @@ Brzo, ali rezultat je zbirka kratkih ravnih linija. Ispis svih stranica - + Different orientation Drugačija orijentacija - + The printer uses a different orientation than the drawing. Do you want to continue? Pisač koristi drugu orijentaciju ispisa nego što je u crtežu. Želite li nastaviti? - + Different paper size Drugačija veličina papira - + The printer uses a different paper size than the drawing. Do you want to continue? Pisač koristi drugu veličinu papra nego što je u crtežu. Želite li nastaviti? - + Save DXF file Spremi DXF Datoteku - + DXF (*.dxf) DXF (*.dxf) - + Save PDF file Spremi PDF datoteku - + PDF (*.pdf) PDF (*.pdf) - + Selected: Odabrane: @@ -7857,7 +7859,7 @@ Možete odabrati daljnje točke da biste dobili segmente linija. Set document front view as primary direction. - Set document front view as primary direction. + Postavite prednji pogled dokumenta kao primarni smjer. @@ -7867,7 +7869,7 @@ Možete odabrati daljnje točke da biste dobili segmente linija. Set direction of the camera, or selected face if any, as primary direction. - Set direction of the camera, or selected face if any, as primary direction. + Postavite smjer kamere ili odabrano lice ako postoji kao primarni smjer. @@ -8488,12 +8490,12 @@ koristeći zadani X/Y razmak Shaft fit - Shaft fit + Uklapanje osovine Hole fit - Hole fit + Uklapanje rupe @@ -8604,7 +8606,7 @@ koristeći zadani X/Y razmak Check this box to reapply autofill to this field. - Check this box to reapply autofill to this field. + Označite ovaj okvir kako biste ponovno primijenili automatsko popunjavanje na ovo polje. @@ -8614,7 +8616,7 @@ koristeći zadani X/Y razmak The autofill replacement value. - The autofill replacement value. + Zamjenska vrijednost za automatsko popunjavanje. @@ -9479,12 +9481,12 @@ jer je otvoren dijalog zadataka. Check this box to make an arc from start angle to end angle in a clockwise direction. - Check this box to make an arc from start angle to end angle in a clockwise direction. + Označite ovaj okvir da napravite luk od početnog kuta do krajnjeg kuta u smjeru kazaljke na satu. Clockwise Angle - Clockwise Angle + Kut u smjeru kazaljke na satu @@ -9509,7 +9511,7 @@ jer je otvoren dijalog zadataka. Radius must be non-zero positive number - Radius must be non-zero positive number + Polumjer mora biti pozitivan broj različit od nule @@ -9961,7 +9963,7 @@ jer je otvoren dijalog zadataka. Insert Broken View - Insert Broken View + Umetni Pokidan pogled @@ -10026,7 +10028,7 @@ Alati dimenzija. Insert Area Annotation - Insert Area Annotation + Umetni napomenu područja diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_hu.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_hu.ts index b1fca879d9fc..31c6d5c6fb4b 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_hu.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_hu.ts @@ -2036,7 +2036,7 @@ Kijelölés nélkül a fájlböngésző lehetővé teszi egy SVG- vagy képfájl Számolótábla nézet létrehozása - + Save page to dxf Oldal mentése dxf-be @@ -2267,12 +2267,12 @@ Kijelölés nélkül a fájlböngésző lehetővé teszi egy SVG- vagy képfájl Léggömb ballon húzása - + Drag Dimension Dimenzió húzása - + Create Balloon Ballon létrehozása @@ -3549,28 +3549,28 @@ Kijelölés nélkül a fájlböngésző lehetővé teszi egy SVG- vagy képfájl A dokumentumban nincsenek rajzok. - + PDF (*.pdf) PDF (*.pdf) - - + + All Files (*.*) Összes fájl (*.*) - + Export Page As PDF Oldal export PDF formában - + SVG (*.svg) SVG (*.svg) - + Export page as SVG Oldal export SVG formában @@ -4018,7 +4018,7 @@ Kijelölés nélkül a fájlböngésző lehetővé teszi egy SVG- vagy képfájl Paraméter hiba - + Document Name: Dokumentum neve: @@ -4544,32 +4544,32 @@ Ezután növelnie kell a csempe határértékét. <html><head/><body><p>Some combinations of OS and Navigation style key bindings may conflict with the default modifier keys for Ballon dragging and View snapping override. You can make adjustments here to find a non-conflicting key binding.</p></body></html> - <html><head/><body><p>Some combinations of OS and Navigation style key bindings may conflict with the default modifier keys for Ballon dragging and View snapping override. You can make adjustments here to find a non-conflicting key binding.</p></body></html> + <html><head/><body><p>Az OS és a navigációs stílusú billentyűkombinációk egyes kombinációi ütközhetnek a gömbhúzás és a nézeti rögzítés felülbírálásának alapértelmezett módosító billentyűivel. Itt végezhet kiigazításokat, hogy találjon egy nem ütköző billentyűkombinációt.</p></body></html> Behaviour Overrides - Behaviour Overrides + Viselkedési felülbírálások Check this box to use the default modifier keys. Uncheck this box to set a different key combination. - Check this box to use the default modifier keys. Uncheck this box to set a different key combination. + Jelölje be ezt a négyzetet az alapértelmezett módosító billentyűk használatához. Ha más billentyűkombinációt szeretne beállítani, vegye ki a jelölést a jelölőnégyzetből. Use Default - Use Default + Alapértelmezett használata Balloon Drag - Balloon Drag + Léggömb húzás Check this box to include the Alt key in the modifiers. - Check this box to include the Alt key in the modifiers. + Jelölje be ezt a négyzetet, hogy az Alt billentyű is szerepeljen a módosítók között. @@ -4579,7 +4579,7 @@ Ezután növelnie kell a csempe határértékét. Check this box to include the Shift key in the modifiers. - Check this box to include the Shift key in the modifiers. + Jelölje be ezt a négyzetet, hogy a Shift billentyű is szerepeljen a módosítók között. @@ -4589,22 +4589,22 @@ Ezután növelnie kell a csempe határértékét. Check this box to include the Meta/Start/Super key in the modifiers. - Check this box to include the Meta/Start/Super key in the modifiers. + Jelölje be ezt a négyzetet, hogy a Meta/Start/Super billentyű szerepeljen a módosítók között. Meta - Meta + Meta billentyű Check this box to include the Control key in the modifiers. - Check this box to include the Control key in the modifiers. + Jelölje be ezt a négyzetet, hogy a Ctrl billentyű is szerepeljen a módosítók között. Control - Control + Ctrl billentyű @@ -5945,50 +5945,50 @@ Gyors, de az eredmény rövid egyenesek gyűjteménye. Összes oldal nyomtatása - + Different orientation Eltérő tájolású - + The printer uses a different orientation than the drawing. Do you want to continue? A nyomtató a rajztól eltérő tájolást használ. Szeretné fojtatni? - + Different paper size Eltérő papírméret - + The printer uses a different paper size than the drawing. Do you want to continue? A nyomtató a rajztól eltérő méretű papír méretet használ. Szeretné folytatni? - + Save DXF file DXF-fájl mentése - + DXF (*.dxf) Dxf (*.dxf) - + Save PDF file PDF-fájl mentése - + PDF (*.pdf) PDF (*.pdf) - + Selected: Kiválasztott: diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_it.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_it.ts index 1e4bcbbc5212..b4e88e248669 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_it.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_it.ts @@ -1390,7 +1390,7 @@ Facendo clic con il tasto sinistro sullo spazio vuoto sarà convalidata la Quota Insert Extent Dimension - Inserisci Quota di estensione + Inserisci Quota di Estensione @@ -1465,7 +1465,7 @@ Facendo clic con il tasto sinistro sullo spazio vuoto sarà convalidata la Quota Insert Horizontal Extent Dimension - Inserisci Quota Estensione orizzontale + Inserisci Quota Estensione Orizzontale @@ -1919,7 +1919,7 @@ Facendo clic con il tasto sinistro sullo spazio vuoto sarà convalidata la Quota Insert Vertical Extent Dimension - Estensione verticale + Inserisci Quota Estensione Verticale @@ -2038,7 +2038,7 @@ Senza una selezione, un file browser consente di selezionare un file SVG o immag Crea Vista di un foglio di calcolo - + Save page to dxf Salva pagina su dxf @@ -2269,12 +2269,12 @@ Senza una selezione, un file browser consente di selezionare un file SVG o immag Trascina pallinatura - + Drag Dimension Trascina quota - + Create Balloon Crea pallinatura @@ -3551,28 +3551,28 @@ Senza una selezione, un file browser consente di selezionare un file SVG o immag Nel documento non c'è nessuna Pagina di Disegno. - + PDF (*.pdf) PDF (*. pdf) - - + + All Files (*.*) Tutti i File (*.*) - + Export Page As PDF Esporta Pagina in PDF - + SVG (*.svg) SVG (*.svg) - + Export page as SVG Esporta pagina in SVG @@ -4020,7 +4020,7 @@ Senza una selezione, un file browser consente di selezionare un file SVG o immag Errore di Parametro - + Document Name: Nome del documento: @@ -4547,32 +4547,32 @@ Quindi devi aumentare il limite delle tessere. <html><head/><body><p>Some combinations of OS and Navigation style key bindings may conflict with the default modifier keys for Ballon dragging and View snapping override. You can make adjustments here to find a non-conflicting key binding.</p></body></html> - <html><head/><body><p>Some combinations of OS and Navigation style key bindings may conflict with the default modifier keys for Ballon dragging and View snapping override. You can make adjustments here to find a non-conflicting key binding.</p></body></html> + <html><head/><body><p>Alcune combinazioni di tasti che riguardano Stile di Navigazione e Sistema Operativo possono entrare in conflitto con i tasti modificatori predefiniti per il trascinamento di Pallinatura e l'aggancio nelle Viste. Qui è possibile fare delle modifiche per trovare una combinazione di tasti non conflittuali.</p></body></html> Behaviour Overrides - Behaviour Overrides + Sovrascrivi il comportamento Check this box to use the default modifier keys. Uncheck this box to set a different key combination. - Check this box to use the default modifier keys. Uncheck this box to set a different key combination. + Spunta questa casella per usare le chiavi di modifica preimpostate. Togli la spunta per impostare una combinazione di chiave differente. Use Default - Use Default + Utilizza le impostazioni predefinite Balloon Drag - Balloon Drag + Trascina pallinatura Check this box to include the Alt key in the modifiers. - Check this box to include the Alt key in the modifiers. + Spunta questa casella per includere il tasto Alt nei modificatori. @@ -4582,7 +4582,7 @@ Quindi devi aumentare il limite delle tessere. Check this box to include the Shift key in the modifiers. - Check this box to include the Shift key in the modifiers. + Spunta questa casella per includere il tasto Maiusc nei modificatori. @@ -4592,22 +4592,22 @@ Quindi devi aumentare il limite delle tessere. Check this box to include the Meta/Start/Super key in the modifiers. - Check this box to include the Meta/Start/Super key in the modifiers. + Spunta questa casella per includere il tasto Meta/Start/Super nei modificatori. Meta - Meta + Meta Check this box to include the Control key in the modifiers. - Check this box to include the Control key in the modifiers. + Spunta questa casella per includere il tasto Control nei modificatori. Control - Control + Control @@ -5949,49 +5949,49 @@ Fast, but result is a collection of short straight lines. Stampa tutte le Pagine - + Different orientation Orientamento diverso - + The printer uses a different orientation than the drawing. Do you want to continue? La stampante utilizza un orientamento diverso rispetto al disegno. Si desidera continuare? - + Different paper size Formato carta diverso - + The printer uses a different paper size than the drawing. Do you want to continue? La stampante utilizza un formato di carta diverso rispetto al disegno. Si desidera continuare? - + Save DXF file Salva file DXF - + DXF (*.dxf) DXF (*.dxf) - + Save PDF file Salva file PDF - + PDF (*.pdf) PDF (*. pdf) - + Selected: Selezionato: @@ -8580,7 +8580,7 @@ usando la spaziatura X/Y specificata Insert Horizontal Extent Dimension - Inserisci Quota Estensione orizzontale + Inserisci Quota Estensione Orizzontale @@ -8644,7 +8644,7 @@ usando la spaziatura X/Y specificata Insert Vertical Extent Dimension - Inserisci Quota Estensione verticale + Inserisci Quota Estensione Verticale diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ja.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ja.ts index ddcd0f90eebc..1c3579633912 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ja.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ja.ts @@ -1375,7 +1375,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking Add cosmetic vertex(es) at the intersection(s) of selected edges:<br>- Select two edges<br>- Click this tool - Add cosmetic vertex(es) at the intersection(s) of selected edges:<br>- Select two edges<br>- Click this tool + 選択したエッジの交点に表示用の頂点を追加します:<br>- 2本のエッジを選択<br>- このツールをクリック @@ -2036,7 +2036,7 @@ Without a selection, a file browser lets you select a SVG or image file.スプレッドシートビューを作成 - + Save page to dxf 用紙をDXFファイルに保存 @@ -2071,12 +2071,12 @@ Without a selection, a file browser lets you select a SVG or image file. Add Extent dimension - Add Extent dimension + 範囲寸法を追加 Add Area dimension - Add Area dimension + 面積寸法を追加 @@ -2102,7 +2102,7 @@ Without a selection, a file browser lets you select a SVG or image file. Add horizontal coordinate dimensions - Add horizontal coordinate dimensions + 水平座標寸法を追加 @@ -2192,17 +2192,17 @@ Without a selection, a file browser lets you select a SVG or image file. Add DistanceX extent dimension - Add DistanceX extent dimension + 距離X範囲寸法を追加 Add DistanceY extent dimension - Add DistanceY extent dimension + 距離Y範囲寸法を追加 Add horizontal coord dimensions - Add horizontal coord dimensions + 水平座標寸法を追加 @@ -2212,7 +2212,7 @@ Without a selection, a file browser lets you select a SVG or image file. Add vertical coord dimensions - Add vertical coord dimensions + 垂直座標寸法を追加 @@ -2222,7 +2222,7 @@ Without a selection, a file browser lets you select a SVG or image file. Add oblique coord dimensions - Add oblique coord dimensions + 斜め座標寸法を追加 @@ -2267,12 +2267,12 @@ Without a selection, a file browser lets you select a SVG or image file.吹き出しをドラッグ - + Drag Dimension 寸法をドラッグ - + Create Balloon 吹き出しを作成 @@ -2648,12 +2648,12 @@ Without a selection, a file browser lets you select a SVG or image file. The view direction angle relative to +X in the BaseView. - The view direction angle relative to +X in the BaseView. + BaseViewで+Xを基準にしたビュー方向の角度 Advance the view direction in clockwise direction. - Advance the view direction in clockwise direction. + 時計回り方向にビュー方向を前進 @@ -3549,28 +3549,28 @@ Without a selection, a file browser lets you select a SVG or image file.ドキュメントに技術図面の用紙がありません。 - + PDF (*.pdf) PDF(*.pdf) - - + + All Files (*.*) 全てのファイル (*.*) - + Export Page As PDF 用紙をPDFファイルにエクスポート - + SVG (*.svg) SVG(*.svg) - + Export page as SVG 用紙をSVGファイルにエクスポート @@ -3921,10 +3921,10 @@ Without a selection, a file browser lets you select a SVG or image file. - %1 defines these line widths: - thin: %2 - graphic: %3 - thick: %4 + %1 は以下の線幅を定義しています: + 細: %2 + グラフィックス: %3 + 太: %4 @@ -3959,7 +3959,7 @@ Without a selection, a file browser lets you select a SVG or image file. Lay symbol - Lay symbol + 表面記号 @@ -4018,7 +4018,7 @@ Without a selection, a file browser lets you select a SVG or image file.パラメーターエラー - + Document Name: ドキュメント名 @@ -4485,7 +4485,7 @@ Each unit is approx. 0.1 mm wide The number of times FreeCAD should try to remove overlapping edges returned by the Hidden Line Removal algorithm. A value of 0 indicates no scrubbing, 1 indicates a single pass and 2 indicates a second pass should be performed. Values above 2 are generally not productive. Each pass adds to the time required to produce the drawing. - The number of times FreeCAD should try to remove overlapping edges returned by the Hidden Line Removal algorithm. A value of 0 indicates no scrubbing, 1 indicates a single pass and 2 indicates a second pass should be performed. Values above 2 are generally not productive. Each pass adds to the time required to produce the drawing. + FreeCADが、隠線除去アルゴリズムによって返された重なり合ったエッジの削除を試みる回数です。 0は除去なし、1は単一パス、2は第2パスを実行することを意味します。 2より大きな値は一般に効果的ではありません。各パスごとに図面生成に必要な時間が増加します。 @@ -4535,32 +4535,32 @@ Then you need to increase the tile limit. <html><head/><body><p>Some combinations of OS and Navigation style key bindings may conflict with the default modifier keys for Ballon dragging and View snapping override. You can make adjustments here to find a non-conflicting key binding.</p></body></html> - <html><head/><body><p>Some combinations of OS and Navigation style key bindings may conflict with the default modifier keys for Ballon dragging and View snapping override. You can make adjustments here to find a non-conflicting key binding.</p></body></html> + <html><head/><body><p>一部のOSとナビゲーションスタイルの組み合わせでのキーバインドはバルーン・ドラッグの既定の修飾キーやビューのスナップ上書き設定と干渉する可能性があります。ここで干渉しないキーバインドを見つけて調整することができます。</p></body></html> Behaviour Overrides - Behaviour Overrides + 動作の上書き Check this box to use the default modifier keys. Uncheck this box to set a different key combination. - Check this box to use the default modifier keys. Uncheck this box to set a different key combination. + 既定の修飾キーを使用するには、このボックスにチェックを入れます。別のキーの組み合わせを設定するには、このボックスのチェックを外します。 Use Default - Use Default + デフォルトを使用 Balloon Drag - Balloon Drag + バルーン・ドラッグ Check this box to include the Alt key in the modifiers. - Check this box to include the Alt key in the modifiers. + このボックスをチェックすると、修飾キーにAltキーが含まれます。 @@ -4570,7 +4570,7 @@ Then you need to increase the tile limit. Check this box to include the Shift key in the modifiers. - Check this box to include the Shift key in the modifiers. + このボックスをチェックすると、修飾キーにShiftキーが含まれます。 @@ -4580,22 +4580,22 @@ Then you need to increase the tile limit. Check this box to include the Meta/Start/Super key in the modifiers. - Check this box to include the Meta/Start/Super key in the modifiers. + このボックスをチェックすると、修飾キーにMeta/Start/Superキーが含まれます。 Meta - Meta + メタ Check this box to include the Control key in the modifiers. - Check this box to include the Control key in the modifiers. + このボックスをチェックすると、修飾キーにCtrlキーが含まれます。 Control - Control + コントロール @@ -5934,49 +5934,49 @@ Fast, but result is a collection of short straight lines. 全ての用紙を印刷 - + Different orientation 異なる向き - + The printer uses a different orientation than the drawing. Do you want to continue? プリンターは図面とは異なる向きで印刷します。このまま印刷しますか? - + Different paper size 別の用紙サイズ - + The printer uses a different paper size than the drawing. Do you want to continue? プリンターは図面とは異なるサイズの用紙に印刷します。このまま印刷しますか? - + Save DXF file DXFファイルを保存 - + DXF (*.dxf) DXF(*.dxf) - + Save PDF file PDFファイルを保存 - + PDF (*.pdf) PDF(*.pdf) - + Selected: 選択済み diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ka.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ka.ts index 93f019f2f757..979a2ed3030a 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ka.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ka.ts @@ -2036,7 +2036,7 @@ Without a selection, a file browser lets you select a SVG or image file.ელცხრილის შექმნა - + Save page to dxf გვერდის DXF-ში შენახვა @@ -2267,12 +2267,12 @@ Without a selection, a file browser lets you select a SVG or image file.სქოლიოს გადათრევა - + Drag Dimension ზომის გადათრევა - + Create Balloon სქოლიოს შექმნა @@ -3549,28 +3549,28 @@ Without a selection, a file browser lets you select a SVG or image file.დოკუმენტში ნახაზის გვერდები არაა. - + PDF (*.pdf) PDF (*.pdf) - - + + All Files (*.*) ყველა ფაილი (*.*) - + Export Page As PDF გვერდის PDF ფაილად გატანა - + SVG (*.svg) SVG (*.svg) - + Export page as SVG გვერდის SVG ფაილად გატანა @@ -4018,7 +4018,7 @@ Without a selection, a file browser lets you select a SVG or image file.პარამეტრის შეცდომა - + Document Name: დოკუმენტის სახელი: @@ -5946,51 +5946,51 @@ Fast, but result is a collection of short straight lines. ყველა გვერდის დაბეჭდვა - + Different orientation განსხვავებული ორიენტაცია - + The printer uses a different orientation than the drawing. Do you want to continue? პრინტერი ნახაზისგან განსხვავებულ ორიენტაციას იყენებს. გნებავთ გაგრძელება? - + Different paper size ფურცლის განსხვავებული ზომა - + The printer uses a different paper size than the drawing. Do you want to continue? პრინტერი იყენებს ქაღალდის განსხვავებულ ზომას, ვიდრე ნახაზი. გნებავთ, გააგრძელოთ? - + Save DXF file DXF ფაილის შენახვა - + DXF (*.dxf) DXF (*.dxf) - + Save PDF file PDF ფაილის შენახვა - + PDF (*.pdf) PDF (*.pdf) - + Selected: არჩეულია: diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ko.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ko.ts index fd32565b8e71..8f9d181971c3 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ko.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ko.ts @@ -2036,7 +2036,7 @@ Without a selection, a file browser lets you select a SVG or image file.Create spreadsheet view - + Save page to dxf Save page to dxf @@ -2267,12 +2267,12 @@ Without a selection, a file browser lets you select a SVG or image file.Drag Balloon - + Drag Dimension Drag Dimension - + Create Balloon Create Balloon @@ -3549,28 +3549,28 @@ Without a selection, a file browser lets you select a SVG or image file.No Drawing Pages in document. - + PDF (*.pdf) PDF (*.pdf) - - + + All Files (*.*) All Files (*.*) - + Export Page As PDF Export Page As PDF - + SVG (*.svg) SVG (*.svg) - + Export page as SVG Export page as SVG @@ -4018,7 +4018,7 @@ Without a selection, a file browser lets you select a SVG or image file.Parameter Error - + Document Name: Document Name: @@ -5947,50 +5947,50 @@ Fast, but result is a collection of short straight lines. Print All Pages - + Different orientation 다른 방향 - + The printer uses a different orientation than the drawing. Do you want to continue? The printer uses a different orientation than the drawing. Do you want to continue? - + Different paper size 다른 용지 크기 - + The printer uses a different paper size than the drawing. Do you want to continue? 프린터가 사용중인 종이 크기가 현재 드로잉과는 다릅니다. 계속 진행하시겠습니까? - + Save DXF file DXF 파일 저장 - + DXF (*.dxf) DXF (*.dxf) - + Save PDF file Save PDF file - + PDF (*.pdf) PDF (*.pdf) - + Selected: 선택: diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_lt.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_lt.ts index d98aea867240..93fac43e7df6 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_lt.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_lt.ts @@ -2036,7 +2036,7 @@ Without a selection, a file browser lets you select a SVG or image file.Create spreadsheet view - + Save page to dxf Save page to dxf @@ -2267,12 +2267,12 @@ Without a selection, a file browser lets you select a SVG or image file.Drag Balloon - + Drag Dimension Drag Dimension - + Create Balloon Create Balloon @@ -3549,28 +3549,28 @@ Without a selection, a file browser lets you select a SVG or image file.No Drawing Pages in document. - + PDF (*.pdf) PDF (*.pdf) - - + + All Files (*.*) All Files (*.*) - + Export Page As PDF Export Page As PDF - + SVG (*.svg) SVG (*.svg) - + Export page as SVG Export page as SVG @@ -4018,7 +4018,7 @@ Without a selection, a file browser lets you select a SVG or image file.Parameter Error - + Document Name: Document Name: @@ -5947,49 +5947,49 @@ Fast, but result is a collection of short straight lines. Print All Pages - + Different orientation Kitokia padėtis - + The printer uses a different orientation than the drawing. Do you want to continue? Spausdintuvas naudoja kitokią lapo padėtį nei brėžinys. Ar norite tęsti? - + Different paper size Kitoks popieriaus dydis - + The printer uses a different paper size than the drawing. Do you want to continue? Spausdintuvas naudoja kitokio dydžio lapą, nei brėžinys. Ar norite tęsti? - + Save DXF file Save DXF file - + DXF (*.dxf) DXF (*.dxf) - + Save PDF file Save PDF file - + PDF (*.pdf) PDF (*.pdf) - + Selected: Pasirinktas: diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_nl.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_nl.ts index 2568e191b921..192bea4837b2 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_nl.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_nl.ts @@ -2036,7 +2036,7 @@ Without a selection, a file browser lets you select a SVG or image file.Rekenbladweergave maken - + Save page to dxf Pagina in dxf opslaan @@ -2267,12 +2267,12 @@ Without a selection, a file browser lets you select a SVG or image file.Sleep de ballon - + Drag Dimension Dimensie slepen - + Create Balloon Ballon maken @@ -3549,28 +3549,28 @@ Without a selection, a file browser lets you select a SVG or image file.Geen tekenpagina's in het document. - + PDF (*.pdf) PDF (*.pdf) - - + + All Files (*.*) Alle bestanden (*.*) - + Export Page As PDF Exporteren als PDF - + SVG (*.svg) SVG (*.svg) - + Export page as SVG Exporteren als SVG @@ -4018,7 +4018,7 @@ Without a selection, a file browser lets you select a SVG or image file.Parameter Error - + Document Name: Document Name: @@ -4560,7 +4560,7 @@ Then you need to increase the tile limit. Use Default - Use Default + Gebruik Standaard @@ -5947,50 +5947,50 @@ Snel, maar resulteert in een verzameling van korte rechte lijnen. Alle pagina's afdrukken - + Different orientation Verschillende oriëntatie - + The printer uses a different orientation than the drawing. Do you want to continue? De printer gebruikt een andere richting dan de tekening. Wil je doorgaan? - + Different paper size Ander papierformaat - + The printer uses a different paper size than the drawing. Do you want to continue? De printer gebruikt een ander papierfromaat dan de tekening. Wilt u toch doorgaan? - + Save DXF file Bewaar Dxf-bestand - + DXF (*.dxf) Dxf (*.dxf) - + Save PDF file Pdf-bestand opslaan - + PDF (*.pdf) PDF (*.pdf) - + Selected: Geselecteerd: diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_pl.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_pl.ts index 04365d6c491a..17b3b469585f 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_pl.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_pl.ts @@ -2105,7 +2105,7 @@ aby wstawić plik SVG lub obraz. Utwórz widok arkusza kalkulacyjnego - + Save page to dxf Zapisz stronę do pliku dxf @@ -2336,12 +2336,12 @@ aby wstawić plik SVG lub obraz. Przeciągnij balonik dymka - + Drag Dimension Przeciągnij wymiar - + Create Balloon Utwórz balonik dymka @@ -3622,28 +3622,28 @@ Kontynuować? Brak rysunków w dokumencie. - + PDF (*.pdf) PDF (*.pdf) - - + + All Files (*.*) Wszystkie pliki (*.*) - + Export Page As PDF Wyeksportuj stronę do formatu PDF - + SVG (*.svg) SVG(*.svg) - + Export page as SVG Eksportuj stronę do formatu SVG @@ -4091,7 +4091,7 @@ Kontynuować? Błąd parametru - + Document Name: Nazwa Dokumentu: @@ -4621,32 +4621,33 @@ W takim przypadku należy zwiększyć limit kafelków. <html><head/><body><p>Some combinations of OS and Navigation style key bindings may conflict with the default modifier keys for Ballon dragging and View snapping override. You can make adjustments here to find a non-conflicting key binding.</p></body></html> - <html><head/><body><p>Some combinations of OS and Navigation style key bindings may conflict with the default modifier keys for Ballon dragging and View snapping override. You can make adjustments here to find a non-conflicting key binding.</p></body></html> + <html><head/><body><p>Niektóre kombinacje przypisań klawiszy w systemie operacyjnym i stylach nawigacji mogą powodować konflikt z domyślnymi klawiszami modyfikującymi dla przeciągania Dymków i nadpisywania przyciągania widoku. W tym miejscu można wprowadzić zmiany, aby znaleźć niekolidujące powiązanie klawiszy.</p></body></html> Behaviour Overrides - Behaviour Overrides + Nadpisywanie zachowań Check this box to use the default modifier keys. Uncheck this box to set a different key combination. - Check this box to use the default modifier keys. Uncheck this box to set a different key combination. + Zaznacz to pole, aby użyć domyślnych klawiszy modyfikujących. +Odznacz to pole, aby ustawić inną kombinację klawiszy. Use Default - Use Default + Zastosuj domyślne Balloon Drag - Balloon Drag + Przeciąganie adnotacji w formie dymka Check this box to include the Alt key in the modifiers. - Check this box to include the Alt key in the modifiers. + Zaznacz to pole, aby dołączyć klawisz Alt do modyfikatorów. @@ -4656,7 +4657,7 @@ W takim przypadku należy zwiększyć limit kafelków. Check this box to include the Shift key in the modifiers. - Check this box to include the Shift key in the modifiers. + Zaznacz to pole, aby dołączyć klawisz Shift do modyfikatorów. @@ -4666,22 +4667,22 @@ W takim przypadku należy zwiększyć limit kafelków. Check this box to include the Meta/Start/Super key in the modifiers. - Check this box to include the Meta/Start/Super key in the modifiers. + Zaznacz to pole, aby dołączyć klawisz Meta / Start / Super do modyfikatorów. Meta - Meta + Meta Check this box to include the Control key in the modifiers. - Check this box to include the Control key in the modifiers. + Zaznacz to pole, aby dołączyć klawisz Control do modyfikatorów. Control - Control + Ctrl @@ -6037,50 +6038,50 @@ Szybkie, ale wynikiem jest kolekcja krótkich linii prostych. Drukuj wszystkie strony - + Different orientation Odmienna orientacja - + The printer uses a different orientation than the drawing. Do you want to continue? Drukarka używa inną orientacje strony niż rysunek. Czy chcesz kontynuować? - + Different paper size Odmienny rozmiar papieru - + The printer uses a different paper size than the drawing. Do you want to continue? Drukarka używa innego rozmiaru papieru niż rysunek. Czy chcesz kontynuować? - + Save DXF file Zapisz plik DXF - + DXF (*.dxf) DXF (*.dxf) - + Save PDF file Zapisz plik PDF - + PDF (*.pdf) PDF (*.pdf) - + Selected: Zaznaczone: 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 1af7ca0609fd..8090c26230a8 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_pt-BR.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_pt-BR.ts @@ -2036,7 +2036,7 @@ Caso não haja seleção, um navegador permitirá selecionar um arquivo no forma Criar vista de planilha - + Save page to dxf Salvar página para dxf @@ -2267,12 +2267,12 @@ Caso não haja seleção, um navegador permitirá selecionar um arquivo no forma Arrastar Balão - + Drag Dimension Arrastar Dimensão - + Create Balloon Criar Balão @@ -2395,82 +2395,82 @@ Caso não haja seleção, um navegador permitirá selecionar um arquivo no forma Pos Vert Chain Dim - Pos Vert Chain Dim + Dimensão da Cadeia Vertical Positiva Pos Oblique Chain Dim - Pos Oblique Chain Dim + Dimensão da Cadeia Oblíqua Positiva Cascade Horiz Dim - Cascade Horiz Dim + Dimensão Horizontal em Cascata Cascade Vert Dim - Cascade Vert Dim + Dimensão Vertical em Cascata Cascade Oblique Dim - Cascade Oblique Dim + Dimensão Oblíqua em Cascata Create Horiz Chain Dim - Create Horiz Chain Dim + Criar Dimensão Horizontal em Cadeia Create Vert Chain Dim - Create Vert Chain Dim + Criar Dimensão Vertical de Cadeia Create Oblique Chain Dim - Create Oblique Chain Dim + Criar Dimensão Oblíqua de Cadeia Create Horiz Coord Dim - Create Horiz Coord Dim + Criar Cota de Coordenada Horizontal Create Vert Coord Dim - Create Vert Coord Dim + Criar Cota de Coordenada Vertical Create Oblique Coord Dim - Create Oblique Coord Dim + Criar Cota de Coordenada Obliquá Create Horiz Chamfer Dim - Create Horiz Chamfer Dim + Criar Cota Horizontal em Chanfro Create Vert Chamfer Dim - Create Vert Chamfer Dim + Criar Cota Vertical em Chanfro Create Arc Length Dim - Create Arc Length Dim + Criar Cota de Comprimento do Arco TechDraw Hole Circle - TechDraw Hole Circle + Círculo de Furos TechDraw Bolt Circle Centerlines - Bolt Circle Centerlines + Linhas de Centro do Círculo de Furos @@ -2480,7 +2480,7 @@ Caso não haja seleção, um navegador permitirá selecionar um arquivo no forma Circle Centerlines - Circle Centerlines + Linhas de Centro do Círculo @@ -2490,7 +2490,7 @@ Caso não haja seleção, um navegador permitirá selecionar um arquivo no forma Cosmetic Thread Hole Side - Cosmetic Thread Hole Side + Vista Lateral do Furo com Rosca Cosmética @@ -2500,7 +2500,7 @@ Caso não haja seleção, um navegador permitirá selecionar um arquivo no forma Cosmetic Thread Bolt Side - Cosmetic Thread Bolt Side + Vista Lateral do Parafuso com Rosca Cosmética @@ -2510,7 +2510,7 @@ Caso não haja seleção, um navegador permitirá selecionar um arquivo no forma Cosmetic Thread Hole Bottom - Cosmetic Thread Hole Bottom + Vista Inferior do Furo com Rosca Cosmética @@ -2520,7 +2520,7 @@ Caso não haja seleção, um navegador permitirá selecionar um arquivo no forma Cosmetic Thread Bolt Bottom - Cosmetic Thread Bolt Bottom + Vista Inferior do Parafuso com Rosca Cosmética @@ -2540,7 +2540,7 @@ Caso não haja seleção, um navegador permitirá selecionar um arquivo no forma Cosmetic Intersection Vertex(es) - Cosmetic Intersection Vertex(es) + Vértice(s) de Interseção Cosmética @@ -2550,7 +2550,7 @@ Caso não haja seleção, um navegador permitirá selecionar um arquivo no forma Cosmetic Arc - Cosmetic Arc + Arco Cosmético @@ -2560,7 +2560,7 @@ Caso não haja seleção, um navegador permitirá selecionar um arquivo no forma Cosmetic Circle - Cosmetic Circle + Círculo Cosmético @@ -2570,7 +2570,7 @@ Caso não haja seleção, um navegador permitirá selecionar um arquivo no forma Cosmetic Circle 3 Points - Cosmetic Circle 3 Points + Círculo Cosmético de 3 Pontos @@ -2580,7 +2580,7 @@ Caso não haja seleção, um navegador permitirá selecionar um arquivo no forma Cosmetic Line Parallel/Perpendicular - Cosmetic Line Parallel/Perpendicular + Linha cosmética Paralela/Perpendicular @@ -2600,7 +2600,7 @@ Caso não haja seleção, um navegador permitirá selecionar um arquivo no forma Extend/Shorten Line - Extend/Shorten Line + "Estender/Encurtar Linha @@ -2610,17 +2610,17 @@ Caso não haja seleção, um navegador permitirá selecionar um arquivo no forma Calculate Face Area - Calculate Face Area + Calcular Área da Face TechDraw calculate selected arc length - TechDraw calculate selected arc length + Calcular comprimento do arco selecionada de Desenho Técnico Calculate Edge Length - Calculate Edge Length + Calcular Comprimento da Aresta @@ -2630,12 +2630,12 @@ Caso não haja seleção, um navegador permitirá selecionar um arquivo no forma Surface Finish Symbols - Surface Finish Symbols + Símbolos de Acabamento Superficial Create Centerline - Create Centerline + Criar linha central @@ -2643,22 +2643,22 @@ Caso não haja seleção, um navegador permitirá selecionar um arquivo no forma View Direction as Angle - View Direction as Angle + Direção de Visualização como Ângulo The view direction angle relative to +X in the BaseView. - The view direction angle relative to +X in the BaseView. + O ângulo da direção de visualização em relação ao eixo +X na BaseView. Advance the view direction in clockwise direction. - Advance the view direction in clockwise direction. + Avançar a direção de visualização no sentido horário. Advance the view direction in anti-clockwise direction. - Advance the view direction in anti-clockwise direction. + Avançar a direção de visualização no sentido anti-horário. @@ -2944,22 +2944,22 @@ Caso não haja seleção, um navegador permitirá selecionar um arquivo no forma Select a SVG or Image file to open - Select a SVG or Image file to open + Selecione um arquivo SVG ou Imagem para abrir SVG or Image files - SVG or Image files + Arquivos SVG ou de Imagem Please select objects to break or a base view and break definition objects. - Please select objects to break or a base view and break definition objects. + Por favor, selecione objetos para quebrar ou uma vista base e objetos de definição de quebra. No Break objects found in this selection - No Break objects found in this selection + Nenhum objeto de Quebra encontrado nesta seleção @@ -2975,22 +2975,22 @@ Caso não haja seleção, um navegador permitirá selecionar um arquivo no forma No Base View, Shapes, Groups or Links in this selection - No Base View, Shapes, Groups or Links in this selection + Sem Vista Base, Formas, Grupos ou Links nesta seleção No profile object found in selection - No profile object found in selection + Nenhum objeto de perfil encontrado na seleção Please select only 1 BIM Section. - Please select only 1 BIM Section. + Por favor, selecione apenas 1 Seção BIM. No BIM Sections in selection. - No BIM Sections in selection. + Nenhum plano de corte na seleção. @@ -3142,22 +3142,22 @@ Caso não haja seleção, um navegador permitirá selecionar um arquivo no forma BSpline Curve Error - BSpline Curve Error + Erro na Curva BSpline Selection contains both 2d and 3d geometry - Selection contains both 2d and 3d geometry + A seleção contém tanto geometria 2D quanto 3D Can not make 2d extent dimension from selection - Can not make 2d extent dimension from selection + Não é possível criar uma dimensão de extensão 2D a partir da seleção Can not make 3d extent dimension from selection - Can not make 3d extent dimension from selection + Não é possível criar uma dimensão de extensão 3D a partir da seleção @@ -3167,27 +3167,27 @@ Caso não haja seleção, um navegador permitirá selecionar um arquivo no forma Can not make 2D dimension from selection - Can not make 2D dimension from selection + Não é possível criar uma dimensão 2D a partir da seleção Can not make 3D dimension from selection - Can not make 3D dimension from selection + Não é possível criar uma dimensão 3D a partir da seleção Selected edge is an Ellipse. Value will be approximate. Continue? - Selected edge is an Ellipse. Value will be approximate. Continue? + A aresta selecionada é uma elipse. O valor será aproximado. Continuar? Selected edge is a B-spline. Value will be approximate. Continue? - Selected edge is a B-spline. Value will be approximate. Continue? + A aresta selecionada é uma Bspline. O valor será aproximado. Continuar? Selected edge is a B-spline and a radius/diameter can not be calculated. - Selected edge is a B-spline and a radius/diameter can not be calculated. + A aresta selecionada é uma B-spline e não é possível calcular um raio/diâmetro. @@ -3423,12 +3423,12 @@ Caso não haja seleção, um navegador permitirá selecionar um arquivo no forma You must select a base View for the circle. - You must select a base View for the circle. + Você deve selecionar uma Vista Base para o círculo. Please select a center for the circle. - Please select a center for the circle. + Por favor, selecione um centro para o círculo. @@ -3459,7 +3459,7 @@ Caso não haja seleção, um navegador permitirá selecionar um arquivo no forma Selection is not a Cosmetic Circle or a Cosmetic Arc of Circle. - Selection is not a Cosmetic Circle or a Cosmetic Arc of Circle. + A seleção não é um Círculo Cosmético ou um Arco de Círculo Cosmético. @@ -3474,22 +3474,22 @@ Caso não haja seleção, um navegador permitirá selecionar um arquivo no forma SurfaceFinishSymbols - SurfaceFinishSymbols + Símbolos de Acabamento Superficial Selected object is not a part view, nor a leader line - Selected object is not a part view, nor a leader line + O objeto selecionado não é uma vista parcial, nem uma linha de chamada No Part View in Selection - No Part View in Selection + Sem Vista de Peça na Seleção No %1 in Selection - No %1 in Selection + Sem %1 na Seleção @@ -3541,7 +3541,7 @@ Caso não haja seleção, um navegador permitirá selecionar um arquivo no forma No Drawing Pages available. - No Drawing Pages available. + Nenhuma Página de Desenho disponível. @@ -3549,28 +3549,28 @@ Caso não haja seleção, um navegador permitirá selecionar um arquivo no forma Não há páginas no documento. - + PDF (*.pdf) PDF (*.pdf) - - + + All Files (*.*) Todos os arquivos (*.*) - + Export Page As PDF Exportar página para PDF - + SVG (*.svg) SVG (*.svg) - + Export page as SVG Exportar página para SVG @@ -3589,7 +3589,7 @@ Caso não haja seleção, um navegador permitirá selecionar um arquivo no forma Toggle Keep Updated - Toggle Keep Updated + Alternar Manter Atualizado @@ -3687,13 +3687,13 @@ Caso não haja seleção, um navegador permitirá selecionar um arquivo no forma Current View Direction - Current View Direction + Direção Atual da Vista The view direction in BaseView coordinates - The view direction in BaseView coordinates + A direção da vista nas coordenadas da Vista Base @@ -3740,19 +3740,19 @@ Caso não haja seleção, um navegador permitirá selecionar um arquivo no forma TechDraw Increase/Decrease Decimal - TechDraw Increase/Decrease Decimal + TechDraw Aumentar/Diminuir Decimal TechDraw PosHorizChainDimension - TechDraw PosHorizChainDimension + TechDraw Cota de Cadeia Horizontal de Posição No horizontal dimensions selected - No horizontal dimensions selected + Nenhuma dimensão horizontal selecionada @@ -3876,7 +3876,7 @@ Caso não haja seleção, um navegador permitirá selecionar um arquivo no forma No faces in selection. - No faces in selection. + Nenhuma face na seleção. @@ -4015,12 +4015,12 @@ Caso não haja seleção, um navegador permitirá selecionar um arquivo no forma Parameter Error - Parameter Error + Erro de Parâmetro - + Document Name: - Document Name: + Nome do Documento: @@ -4136,7 +4136,7 @@ ele tem uma solda de terra que ficaria quebrada. Crop To Height - Crop To Height + Cortar Para Altura @@ -4210,7 +4210,7 @@ ele tem uma solda de terra que ficaria quebrada. No direction set - No direction set + Sem direção definida @@ -4365,17 +4365,17 @@ This directory will be used for the symbol selection. Page Chooser - Page Chooser + Seletor de Página FreeCAD could not determine which Page to use. Please select a Page. - FreeCAD could not determine which Page to use. Please select a Page. + O FreeCAD não pôde determinar qual página usar. Por favor, selecione uma página. Select a Page that should be used - Select a Page that should be used + Selecione uma página que deve ser usada @@ -4479,7 +4479,7 @@ Cada unidade é aproximadamente 0,1 mm de largura If checked, system will attempt to automatically correct dimension references when the model changes. - If checked, system will attempt to automatically correct dimension references when the model changes. + Se marcado, o sistema tentará automaticamente corrigir referências de dimensão quando o modelo mudar. @@ -5029,7 +5029,7 @@ if you are planning to use a drawing as a 1:1 cutting guide. Page Color - Page Color + Cor da Página @@ -5074,7 +5074,7 @@ if you are planning to use a drawing as a 1:1 cutting guide. Grid Color - Grid Color + Cor da Grade @@ -5099,12 +5099,12 @@ if you are planning to use a drawing as a 1:1 cutting guide. Monochrome - Monochrome + Monocromático Template Underline - Template Underline + Modelo Sublinhado @@ -5183,7 +5183,7 @@ if you are planning to use a drawing as a 1:1 cutting guide. Dimensioning tools: - Dimensioning tools: + Ferramentas de dimensão: @@ -5201,7 +5201,8 @@ This setting is only for the toolbar. Whichever you choose, all tools are always Dimension tool diameter/radius mode: - Dimension tool diameter/radius mode: + Modo de + diâmetro/raio da ferramenta de dimensionamento: @@ -5342,12 +5343,12 @@ Multiplicador do 'tamanho do texto normal' Single tool - Single tool + Ferramenta única Separated tools - Separated tools + Ferramentas separadas @@ -5578,12 +5579,12 @@ para grupos de projeção First-angle - First-angle + Primeiro-ângulo Third-angle - Third-angle + Terceiro-ângulo @@ -5613,7 +5614,7 @@ para grupos de projeção Show Grid - Show Grid + Mostrar grade @@ -5947,50 +5948,50 @@ Rápido, mas produz uma coleção de linhas retas simples. Imprimir todas as páginas - + Different orientation Orientação diferente - + The printer uses a different orientation than the drawing. Do you want to continue? A impressora utiliza uma orientação diferente do que o desenho. Deseja continuar? - + Different paper size Tamanho de papel diferente - + The printer uses a different paper size than the drawing. Do you want to continue? A impressora usa um tamanho de papel diferente do que o desenho. Deseja continuar? - + Save DXF file Salvar arquivo DXF - + DXF (*.dxf) DXF (*.dxf) - + Save PDF file - Save PDF file + Salve o arquivo PDF - + PDF (*.pdf) PDF (*.pdf) - + Selected: Selecionado: @@ -6447,7 +6448,7 @@ Do you want to continue? No direction set - No direction set + Sem direção definida @@ -6589,32 +6590,32 @@ Do you want to continue? Flatness - Flatness + Nitidez Circularity - Circularity + Circularidade Cylindricity - Cylindricity + Cilindricidade Parallelism - Parallelism + Paralelismo Perpendicularity - Perpendicularity + Perpendicularidade Angularity - Angularity + Angularidade @@ -6629,12 +6630,12 @@ Do you want to continue? Circular runout - Circular runout + Desvio circular Total runout - Total runout + Desvio total @@ -6644,7 +6645,7 @@ Do you want to continue? Concentricity - Concentricity + Concentricidade @@ -6654,7 +6655,7 @@ Do you want to continue? Modifiers - Modifiers + Modificadores @@ -6679,47 +6680,47 @@ Do you want to continue? Least square geometry element - Least square geometry element + Elemento geométrico por mínimos quadrados Least material condition (LMC) - Least material condition (LMC) + Condição de Mínimo Material (LMC) Maximum material condition (MMC) - Maximum material condition (MMC) + Condição de Máximo Material (MMC) least inscribed geometry element - least inscribed geometry element + elemento geométrico de menor inscrição Projected tolerance zone - Projected tolerance zone + Zona de tolerância projetada Reciprocity condition - Reciprocity condition + Condição de reciprocidade Regardless of feature size (RFS) - Regardless of feature size (RFS) + Independentemente do tamanho do recurso (RFS) Tangent plane - Tangent plane + Plano tangente Unequal Bilateral - Unequal Bilateral + Bilateral Desigual @@ -6729,7 +6730,7 @@ Do you want to continue? Radius & Diameter - Radius & Diameter + Raio & Diâmetro @@ -6744,12 +6745,12 @@ Do you want to continue? Radius of sphere - Radius of sphere + Raio da esfera Diameter of sphere - Diameter of sphere + Diâmetro da esfera @@ -7280,7 +7281,7 @@ be used instead of the dimension value Rotation - Rotation + Rotação @@ -7290,7 +7291,7 @@ be used instead of the dimension value Offset X - Offset X + Deslocamento X @@ -7300,12 +7301,12 @@ be used instead of the dimension value Line Width - Line Width + Espessura de linha Offset Y - Offset Y + Deslocamento Y @@ -7348,7 +7349,7 @@ be used instead of the dimension value Offset X - Offset X + Deslocamento X @@ -7378,12 +7379,12 @@ be used instead of the dimension value Rotation - Rotation + Rotação Offset Y - Offset Y + Deslocamento Y @@ -7393,7 +7394,7 @@ be used instead of the dimension value Svg Line Color - Svg Line Color + Cor da Linha SVG @@ -7481,7 +7482,7 @@ Você pode indicar mais pontos para obter segmentos de linha. Continuous - Continuous + Contínuo @@ -7506,7 +7507,7 @@ Você pode indicar mais pontos para obter segmentos de linha. Pick points - Pick points + Indicar pontos @@ -7514,12 +7515,12 @@ Você pode indicar mais pontos para obter segmentos de linha. Edit points - Edit points + Editar pontos Edit Points - Edit Points + Editar Pontos @@ -7647,7 +7648,7 @@ Você pode indicar mais pontos para obter segmentos de linha. Geometry2: - Geometry2: + Geometria2: @@ -7680,7 +7681,7 @@ Você pode indicar mais pontos para obter segmentos de linha. Spin clock wise - Spin clock wise + Girar no sentido horário @@ -8323,7 +8324,7 @@ usando o espaçamento X/Y fornecido Surface Finish Symbols - Surface Finish Symbols + Símbolos de Acabamento Superficial @@ -8928,7 +8929,7 @@ usando o espaçamento X/Y fornecido References 3D - References 3D + Referências 3D @@ -8962,12 +8963,12 @@ usando o espaçamento X/Y fornecido Object Name - Object Name + Nome do Objeto Object Label - Object Label + Rótulo do Objeto @@ -9320,7 +9321,7 @@ there is an open task dialog. Cosmetic Circle - Cosmetic Circle + Círculo Cosmético @@ -9464,17 +9465,17 @@ there is an open task dialog. X-Offset - X-Offset + Deslocamento-X Y-Offset - Y-Offset + Deslocamento-Y Enter X offset value - Enter X offset value + Digite o valor de deslocamento X @@ -9482,7 +9483,7 @@ there is an open task dialog. Add an offset vertex - Add an offset vertex + Adicionar um vértice de deslocamento @@ -9526,7 +9527,7 @@ there is an open task dialog. Update All - Update All + Atualizar todos @@ -9737,7 +9738,7 @@ there is an open task dialog. Leader - Leader + Linha de chamada @@ -9757,12 +9758,12 @@ there is an open task dialog. Break1 - Break1 + Pausa1 Break2 - Break2 + Pausa2 @@ -9772,12 +9773,12 @@ there is an open task dialog. Stitch1 - Stitch1 + Costura1 Stitch2 - Stitch2 + Costura2 @@ -9790,7 +9791,7 @@ there is an open task dialog. Position Section View - Position Section View + Posição da Vista de Corte 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 be3300331965..94f1948674e4 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_pt-PT.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_pt-PT.ts @@ -2036,7 +2036,7 @@ Without a selection, a file browser lets you select a SVG or image file.Criar vista de folha de cálculo - + Save page to dxf Salvar folha para dxf @@ -2267,12 +2267,12 @@ Without a selection, a file browser lets you select a SVG or image file.Arrastar Balão - + Drag Dimension Arrastar Dimensão - + Create Balloon Criar Balão @@ -3549,28 +3549,28 @@ Without a selection, a file browser lets you select a SVG or image file.Não há folhas de desenho no documento. - + PDF (*.pdf) PDF (*.pdf) - - + + All Files (*.*) Todos os Ficheiros (*. *) - + Export Page As PDF Exportar folha como PDF - + SVG (*.svg) SVG (*.svg) - + Export page as SVG Exportar folha como SVG @@ -4018,7 +4018,7 @@ Without a selection, a file browser lets you select a SVG or image file.Parameter Error - + Document Name: Document Name: @@ -5947,49 +5947,49 @@ Fast, but result is a collection of short straight lines. Print All Pages - + Different orientation Orientação diferente - + The printer uses a different orientation than the drawing. Do you want to continue? A impressora utiliza uma orientação diferente da folha de desenho. Deseja continuar? - + Different paper size Tamanho de papel diferente - + The printer uses a different paper size than the drawing. Do you want to continue? A impressora usa um tamanho de papel diferente da folha de desenho. Deseja continuar? - + Save DXF file Save DXF file - + DXF (*.dxf) DXF (*.dxf) - + Save PDF file Save PDF file - + PDF (*.pdf) PDF (*.pdf) - + Selected: Selecionado: diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ro.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ro.ts index 46a8935f2b4a..4d10e58554dd 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ro.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ro.ts @@ -2036,7 +2036,7 @@ Without a selection, a file browser lets you select a SVG or image file.Create spreadsheet view - + Save page to dxf Save page to dxf @@ -2267,12 +2267,12 @@ Without a selection, a file browser lets you select a SVG or image file.Drag Balloon - + Drag Dimension Drag Dimension - + Create Balloon Create Balloon @@ -3549,28 +3549,28 @@ Without a selection, a file browser lets you select a SVG or image file.No Drawing Pages in document. - + PDF (*.pdf) PDF (*.pdf) - - + + All Files (*.*) Toate fișierele (*.*) - + Export Page As PDF Exportă pagina ca PDF - + SVG (*.svg) SVG (*.svg) - + Export page as SVG Exportă pagina ca SVG @@ -4018,7 +4018,7 @@ Without a selection, a file browser lets you select a SVG or image file.Parameter Error - + Document Name: Document Name: @@ -5947,49 +5947,49 @@ Fast, but result is a collection of short straight lines. Print All Pages - + Different orientation Orientare diferită - + The printer uses a different orientation than the drawing. Do you want to continue? Imprimanta utilizează o orientare diferită decât desenul. Doriţi să continuaţi? - + Different paper size Hârtie de dimensiune diferită - + The printer uses a different paper size than the drawing. Do you want to continue? Imprimanta utilizează o altă dimensiune de hârtie decât desenul. Doriţi să continuaţi? - + Save DXF file Save DXF file - + DXF (*.dxf) DXF (*.dxf) - + Save PDF file Save PDF file - + PDF (*.pdf) PDF (*.pdf) - + Selected: Selectat: diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ru.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ru.ts index 03701f1d3a95..cf86ebcb02fc 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ru.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ru.ts @@ -2036,7 +2036,7 @@ Without a selection, a file browser lets you select a SVG or image file.Создать электронную таблицу - + Save page to dxf Сохранить лист в DXF формате @@ -2267,12 +2267,12 @@ Without a selection, a file browser lets you select a SVG or image file.Переместить позиционную выноску - + Drag Dimension Перетащите размер - + Create Balloon Создать позиционную выноску @@ -3549,28 +3549,28 @@ Without a selection, a file browser lets you select a SVG or image file.В документе нет страниц чертежа. - + PDF (*.pdf) PDF (*.pdf) - - + + All Files (*.*) Все файлы (*.*) - + Export Page As PDF Экспорт листа в PDF - + SVG (*.svg) SVG (*.svg) - + Export page as SVG Экспорт листа в SVG @@ -4018,7 +4018,7 @@ Without a selection, a file browser lets you select a SVG or image file.Ошибка параметра - + Document Name: Название документа: @@ -4541,32 +4541,32 @@ Then you need to increase the tile limit. <html><head/><body><p>Some combinations of OS and Navigation style key bindings may conflict with the default modifier keys for Ballon dragging and View snapping override. You can make adjustments here to find a non-conflicting key binding.</p></body></html> - <html><head/><body><p>Some combinations of OS and Navigation style key bindings may conflict with the default modifier keys for Ballon dragging and View snapping override. You can make adjustments here to find a non-conflicting key binding.</p></body></html> + <html><head/><body><p>Некоторые комбинации привязок клавиш стилей ОС и навигации могут конфликтовать с клавишами-модификаторами по умолчанию для перетаскивания Ballon и переопределения привязки View. Вы можете внести изменения здесь, чтобы найти неконфликтующую привязку клавиш.</p></body></html> Behaviour Overrides - Behaviour Overrides + Переопределение поведения Check this box to use the default modifier keys. Uncheck this box to set a different key combination. - Check this box to use the default modifier keys. Uncheck this box to set a different key combination. + Установите этот флажок, чтобы использовать клавиши-модификаторы по умолчанию. Снимите этот флажок, чтобы установить другую комбинацию клавиш. Use Default - Use Default + Использовать по умолчанию Balloon Drag - Balloon Drag + Перетаскивание шара Check this box to include the Alt key in the modifiers. - Check this box to include the Alt key in the modifiers. + Установите этот флажок, чтобы включить клавишу Alt в модификаторы. @@ -4576,7 +4576,7 @@ Then you need to increase the tile limit. Check this box to include the Shift key in the modifiers. - Check this box to include the Shift key in the modifiers. + Установите этот флажок, чтобы включить клавишу Alt в модификаторы. @@ -4586,22 +4586,22 @@ Then you need to increase the tile limit. Check this box to include the Meta/Start/Super key in the modifiers. - Check this box to include the Meta/Start/Super key in the modifiers. + Установите этот флажок, чтобы включить клавишу Meta/Start/Super в модификаторы. Meta - Meta + Мета Check this box to include the Control key in the modifiers. - Check this box to include the Control key in the modifiers. + Установите этот флажок, чтобы включить клавишу Control в модификаторы. Control - Control + Control @@ -5949,51 +5949,51 @@ Fast, but result is a collection of short straight lines. Распечатать все страницы - + Different orientation Другая ориентация - + The printer uses a different orientation than the drawing. Do you want to continue? Принтер использует отличающуюся от чертежа ориентацию бумаги. Хотите продолжить? - + Different paper size Разный размер бумаги - + The printer uses a different paper size than the drawing. Do you want to continue? Принтер использует отличающийся от чертежа формат листа. Хотите продолжить? - + Save DXF file Сохранить файл в DXF - + DXF (*.dxf) DXF (*.dxf) - + Save PDF file Сохранить PDF файл - + PDF (*.pdf) PDF (*.pdf) - + Selected: Выбрано: diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_sl.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_sl.ts index 713310434ecf..b376330ae63b 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_sl.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_sl.ts @@ -2036,7 +2036,7 @@ Without a selection, a file browser lets you select a SVG or image file.Ustvari preglednični pogled - + Save page to dxf Shrani stran kot DXF @@ -2267,12 +2267,12 @@ Without a selection, a file browser lets you select a SVG or image file.Vleci opisnico - + Drag Dimension Vleci koto - + Create Balloon Ustvari opisnico @@ -3549,28 +3549,28 @@ Without a selection, a file browser lets you select a SVG or image file.V dokumentu ni strani risb. - + PDF (*.pdf) PDF (*.pdf) - - + + All Files (*.*) Vse datoteke (*.*) - + Export Page As PDF Izvozi stran v PDF - + SVG (*.svg) SVG (*.svg) - + Export page as SVG Izvozi stran kot SVG @@ -4018,7 +4018,7 @@ Without a selection, a file browser lets you select a SVG or image file.Parameter Error - + Document Name: Document Name: @@ -5946,51 +5946,51 @@ Hitro, vendar dobimo skupek kratkih ravnih črtic. Natisni vse strani - + Different orientation Druga usmerjenost - + The printer uses a different orientation than the drawing. Do you want to continue? Tiskalnik uporablja drugo usmerjenost kot risba. Ali želite nadaljevati? - + Different paper size Druga velikost papirja - + The printer uses a different paper size than the drawing. Do you want to continue? Tiskalnik uporablja drugo velikost papirja kot risba. Ali želite nadaljevati? - + Save DXF file Shrani datoteko DXF - + DXF (*.dxf) DXF (*.dxf) - + Save PDF file Save PDF file - + PDF (*.pdf) PDF (*.pdf) - + Selected: Izbrano: 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 96dd5c9618c4..fc5852cbf72b 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_sr-CS.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_sr-CS.ts @@ -2036,7 +2036,7 @@ Ako ne izabereš ništa, otvoriće se prozor pomoću kog možeš izabrati i umet Napravi pogled of tabele - + Save page to dxf Sačuvaj crtež kao dxf @@ -2267,12 +2267,12 @@ Ako ne izabereš ništa, otvoriće se prozor pomoću kog možeš izabrati i umet Prevuci pozicionu oznaku - + Drag Dimension Prevuci kotu - + Create Balloon Napravi pozicionu oznaku @@ -3549,28 +3549,28 @@ Ako ne izabereš ništa, otvoriće se prozor pomoću kog možeš izabrati i umet Nema crteža u dokumentu. - + PDF (*.pdf) PDF (*.pdf) - - + + All Files (*.*) Sve Datoteke (*.*) - + Export Page As PDF Izvezi crtež u PDF formatu - + SVG (*.svg) SVG (*.svg) - + Export page as SVG Izvezi crtež u SVG formatu @@ -4018,7 +4018,7 @@ Ako ne izabereš ništa, otvoriće se prozor pomoću kog možeš izabrati i umet Grеška paramеtra - + Document Name: Ime dokumenta: @@ -4545,67 +4545,67 @@ potrebno je povećati ovo ograničenje. <html><head/><body><p>Some combinations of OS and Navigation style key bindings may conflict with the default modifier keys for Ballon dragging and View snapping override. You can make adjustments here to find a non-conflicting key binding.</p></body></html> - <html><head/><body><p>Some combinations of OS and Navigation style key bindings may conflict with the default modifier keys for Ballon dragging and View snapping override. You can make adjustments here to find a non-conflicting key binding.</p></body></html> + <html><head/><body><p>Kod nekih kombinacija operativnih sistema i navigacionih stilova može da dođe do sukoba među modifikatorskim tasterima za prevlačenje pozicione oznake i hvatanja za pogled. Pomoću ovog podešavanja moguće je pronaći kombinaciju bez sukoba.</p></body></html> Behaviour Overrides - Behaviour Overrides + Redefiniši ponašanje Check this box to use the default modifier keys. Uncheck this box to set a different key combination. - Check this box to use the default modifier keys. Uncheck this box to set a different key combination. + Označite ovo polje da bi koristio podrazumevane modifikacione tastere. Opozovite izbor ovog polja da bi definisao drugu kombinaciju tastera. Use Default - Use Default + Koristi podrazumevano Balloon Drag - Balloon Drag + Vučenje pozicione oznake Check this box to include the Alt key in the modifiers. - Check this box to include the Alt key in the modifiers. + Označi da bi u modifikatore uvrstio taster Alt. Alt - Alt + Taster Alt Check this box to include the Shift key in the modifiers. - Check this box to include the Shift key in the modifiers. + Označi da bi u modifikatore uvrstio taster Shift. Shift - Shift + Taster Shift Check this box to include the Meta/Start/Super key in the modifiers. - Check this box to include the Meta/Start/Super key in the modifiers. + Označi da bi u modifikatore uvrstio tastere Meta/Start/Super. Meta - Meta + Taster Meta Check this box to include the Control key in the modifiers. - Check this box to include the Control key in the modifiers. + Označi da bi u modifikatore uvrstio taster Ctrl. Control - Control + Taster Ctrl @@ -5942,51 +5942,51 @@ Brzo, ali rezultat je skup kratkih pravih linija. Štampaj sve stranice - + Different orientation Drugačija orijentacija - + The printer uses a different orientation than the drawing. Do you want to continue? Štampač koristi drugačiju orijentaciju od crteža. Da li želiš da nastaviš? - + Different paper size Drugačija veličina papira - + The printer uses a different paper size than the drawing. Do you want to continue? Štampač koristi drugačiju veličinu papira od crteža. Da li želiš da nastaviš? - + Save DXF file Sačuvaj DXF datoteku - + DXF (*.dxf) DXF (*.dxf) - + Save PDF file Sačuvaj PDF datoteku - + PDF (*.pdf) PDF (*.pdf) - + Selected: Izabrano: diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_sr.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_sr.ts index 90b408733c0a..7f44531d969e 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_sr.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_sr.ts @@ -2036,7 +2036,7 @@ Without a selection, a file browser lets you select a SVG or image file.Направи поглед од табеле - + Save page to dxf Сачувај цртеж као dxf @@ -2267,12 +2267,12 @@ Without a selection, a file browser lets you select a SVG or image file.Превуци позициону ознаку - + Drag Dimension Превуци коту - + Create Balloon Направи позициону ознаку @@ -3549,28 +3549,28 @@ Without a selection, a file browser lets you select a SVG or image file.Нема цртежа у документу. - + PDF (*.pdf) PDF (*.pdf) - - + + All Files (*.*) Све Датотеке (*.*) - + Export Page As PDF Извези цртеж у PDF формату - + SVG (*.svg) SVG (*.svg) - + Export page as SVG Извези цртеж у SVG формату @@ -4018,7 +4018,7 @@ Without a selection, a file browser lets you select a SVG or image file.Грешка параметра - + Document Name: Име документа: @@ -4545,67 +4545,67 @@ Then you need to increase the tile limit. <html><head/><body><p>Some combinations of OS and Navigation style key bindings may conflict with the default modifier keys for Ballon dragging and View snapping override. You can make adjustments here to find a non-conflicting key binding.</p></body></html> - <html><head/><body><p>Some combinations of OS and Navigation style key bindings may conflict with the default modifier keys for Ballon dragging and View snapping override. You can make adjustments here to find a non-conflicting key binding.</p></body></html> + <html><head/><body><p>Код неких комбинација оперативних система и навигационих стилова може да дође до сукоба међу модификаторским тастерима за превлачење позиционе ознаке и хватања за поглед. Помоћу овог подешавања могуће је пронаћи комбинацију без сукоба.</p></body></html> Behaviour Overrides - Behaviour Overrides + Редефиниши понашање Check this box to use the default modifier keys. Uncheck this box to set a different key combination. - Check this box to use the default modifier keys. Uncheck this box to set a different key combination. + Означите ово поље да би користио подразумеване модификационе тастере. Опозовите избор овог поља да би дефинисао другу комбинацију тастера. Use Default - Use Default + Користи подразумевано Balloon Drag - Balloon Drag + Вучење позиционе ознаке Check this box to include the Alt key in the modifiers. - Check this box to include the Alt key in the modifiers. + Означи да би у модификаторе уврстио тастер Alt. Alt - Alt + Тастер Alt Check this box to include the Shift key in the modifiers. - Check this box to include the Shift key in the modifiers. + Означи да би у модификаторе уврстио тастер Shift. Shift - Shift + Тастер Shift Check this box to include the Meta/Start/Super key in the modifiers. - Check this box to include the Meta/Start/Super key in the modifiers. + Означи да би у модификаторе уврстио тастере Meta/Start/Super. Meta - Meta + Тастер Meta Check this box to include the Control key in the modifiers. - Check this box to include the Control key in the modifiers. + Означи да би у модификаторе уврстио тастер Ctrl. Control - Control + Тастер Ctrl @@ -5942,51 +5942,51 @@ Fast, but result is a collection of short straight lines. Штампај све странице - + Different orientation Другачија оријентација - + The printer uses a different orientation than the drawing. Do you want to continue? Штампач користи другачију оријентацију од цртежа. Да ли желиш да наcтавиш? - + Different paper size Другачија величина папира - + The printer uses a different paper size than the drawing. Do you want to continue? Штампач користи другачију величину папира од цртежа. Да ли желиш да наставиш? - + Save DXF file Сачувај DXF датотеку - + DXF (*.dxf) DXF (*.dxf) - + Save PDF file Сачувај PDF датотеку - + PDF (*.pdf) PDF (*.pdf) - + Selected: Изабрано: 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 f7ecf520b2fd..9dbf6ca320d0 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_sv-SE.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_sv-SE.ts @@ -2036,7 +2036,7 @@ Without a selection, a file browser lets you select a SVG or image file.Skapa kalkylbladsvy - + Save page to dxf Spara sida på dxf @@ -2267,12 +2267,12 @@ Without a selection, a file browser lets you select a SVG or image file.Dra ballong - + Drag Dimension Dra dimension - + Create Balloon Skapa ballong @@ -3549,28 +3549,28 @@ Without a selection, a file browser lets you select a SVG or image file.Inga Ritsidor i dokumentet. - + PDF (*.pdf) PDF (*.pdf) - - + + All Files (*.*) Alla filer (*.*) - + Export Page As PDF Exportera sida som PDF - + SVG (*.svg) SVG (*.svg) - + Export page as SVG Exportera sida som SVG @@ -4018,7 +4018,7 @@ Without a selection, a file browser lets you select a SVG or image file.Parameter Error - + Document Name: Document Name: @@ -5947,50 +5947,50 @@ Snabbt, men resultatet är en samling korta raka linjer. Skriv ut alla sidor - + Different orientation Annan orientering - + The printer uses a different orientation than the drawing. Do you want to continue? Skrivaren använder en annan orientering än ritningen. Vill du fortsätta? - + Different paper size Annan pappersstorlek - + The printer uses a different paper size than the drawing. Do you want to continue? Skrivaren använder en annan pappersstorlek än ritningen. Vill du fortsätta? - + Save DXF file Spara DXF-fil - + DXF (*.dxf) DXF (*.dxf) - + Save PDF file Spara PDF-fil - + PDF (*.pdf) PDF (*.pdf) - + Selected: Vald: diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_tr.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_tr.ts index 10f8ce8c1e49..2c2d3d1ef937 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_tr.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_tr.ts @@ -2036,7 +2036,7 @@ Without a selection, a file browser lets you select a SVG or image file.Elektronik tablo görünümü oluştur - + Save page to dxf Sayfayı dxf olarak kaydedin @@ -2267,12 +2267,12 @@ Without a selection, a file browser lets you select a SVG or image file.Balonu Sürükle - + Drag Dimension Ölçüyü Sürükle - + Create Balloon Balon Oluştur @@ -3549,28 +3549,28 @@ Without a selection, a file browser lets you select a SVG or image file.Dökümanda Teknik Resim Sayfası Yok. - + PDF (*.pdf) PDF (*.pdf) - - + + All Files (*.*) Tüm dosyalar (*. *) - + Export Page As PDF Sayfayı PDF olarak dışa aktar - + SVG (*.svg) SVG (*.svg) - + Export page as SVG Sayfayı SVG olarak dışa aktar @@ -4018,7 +4018,7 @@ Without a selection, a file browser lets you select a SVG or image file.Parameter Error - + Document Name: Document Name: @@ -5943,50 +5943,50 @@ Hızlıdır ama sonucu, kısa düz çizgilerin derlemesidir. Tüm Sayfaları Yazdır - + Different orientation Ekran yönü - + The printer uses a different orientation than the drawing. Do you want to continue? Yazıcı çizim daha farklı bir yönelim kullanır. Devam etmek istiyor musunuz? - + Different paper size Farklı kağıt boyutu - + The printer uses a different paper size than the drawing. Do you want to continue? Yazıcı, çizimden farklı bir kağıt boyutu kullanıyor. Devam etmek istiyor musun? - + Save DXF file DXF dosyası olarak kaydet - + DXF (*.dxf) DXF (*.dxf) - + Save PDF file Save PDF file - + PDF (*.pdf) PDF (*.pdf) - + Selected: Seçili: @@ -8214,7 +8214,7 @@ gösterimleri otomatik dağıtır Live Update - Live Update + Canlı Güncelleme diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_uk.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_uk.ts index ec58407f5300..f2035e382f8c 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_uk.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_uk.ts @@ -2036,7 +2036,7 @@ Without a selection, a file browser lets you select a SVG or image file.Create spreadsheet view - + Save page to dxf Зберегти сторінку в dxf файл @@ -2267,12 +2267,12 @@ Without a selection, a file browser lets you select a SVG or image file.Drag Balloon - + Drag Dimension Drag Dimension - + Create Balloon Create Balloon @@ -3550,28 +3550,28 @@ Without a selection, a file browser lets you select a SVG or image file.No Drawing Pages in document. - + PDF (*.pdf) PDF (*.pdf) - - + + All Files (*.*) Всі файли (*.*) - + Export Page As PDF Експорт в PDF - + SVG (*.svg) SVG (*.svg) - + Export page as SVG Експорт в SVG @@ -4019,7 +4019,7 @@ Without a selection, a file browser lets you select a SVG or image file.Parameter Error - + Document Name: Назва документа: @@ -5946,49 +5946,49 @@ Fast, but result is a collection of short straight lines. Друкувати всі сторінки - + Different orientation Відмінна орієнтація - + The printer uses a different orientation than the drawing. Do you want to continue? Принтер використовує відмінну від креслення орієнтацію. Бажаєте продовжити? - + Different paper size Відмінний розмір паперу - + The printer uses a different paper size than the drawing. Do you want to continue? Принтер використовує відмінний від креслення розмір паперу. Бажаєте продовжити? - + Save DXF file Зберегти файл DXF - + DXF (*.dxf) DXF (*.dxf) - + Save PDF file Save PDF file - + PDF (*.pdf) PDF (*.pdf) - + Selected: Виділено: 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 da55d3e65ce5..09fe1ab0012b 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_val-ES.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_val-ES.ts @@ -2036,7 +2036,7 @@ Without a selection, a file browser lets you select a SVG or image file.Create spreadsheet view - + Save page to dxf Save page to dxf @@ -2267,12 +2267,12 @@ Without a selection, a file browser lets you select a SVG or image file.Drag Balloon - + Drag Dimension Drag Dimension - + Create Balloon Create Balloon @@ -3549,28 +3549,28 @@ Without a selection, a file browser lets you select a SVG or image file.No hi ha cap pàgina de dibuix en el document. - + PDF (*.pdf) PDF (*.pdf) - - + + All Files (*.*) Tots els fitxers (*.*) - + Export Page As PDF Exporta una pàgina com a PDF - + SVG (*.svg) SVG (*.svg) - + Export page as SVG Exportar una pàgina com a SVG @@ -4018,7 +4018,7 @@ Without a selection, a file browser lets you select a SVG or image file.Parameter Error - + Document Name: Document Name: @@ -5941,49 +5941,49 @@ Fast, but result is a collection of short straight lines. Print All Pages - + Different orientation Orientació diferent - + The printer uses a different orientation than the drawing. Do you want to continue? La impressora utilitza una orientació diferent de la del dibuix. Voleu continuar? - + Different paper size Mida de paper diferent - + The printer uses a different paper size than the drawing. Do you want to continue? La impressora utilitza una mida de paper diferent de la del dibuix. Voleu continuar? - + Save DXF file Save DXF file - + DXF (*.dxf) DXF (*.dxf) - + Save PDF file Save PDF file - + PDF (*.pdf) PDF (*.pdf) - + Selected: Seleccionat: 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 d1f6514a4471..cc83211eff36 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_zh-CN.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_zh-CN.ts @@ -2036,7 +2036,7 @@ Without a selection, a file browser lets you select a SVG or image file.创建电子表格视图 - + Save page to dxf 保存页面到 dxf @@ -2267,12 +2267,12 @@ Without a selection, a file browser lets you select a SVG or image file.拖动气球 - + Drag Dimension 拖动尺寸 - + Create Balloon 创建气球 @@ -3549,28 +3549,28 @@ Without a selection, a file browser lets you select a SVG or image file.No Drawing Pages in document. - + PDF (*.pdf) PDF (* pdf) - - + + All Files (*.*) 所有文件(*.*) - + Export Page As PDF 以 PDF 格式导出页面 - + SVG (*.svg) SVG (*.svg) - + Export page as SVG 以 SVG格式导出页面 @@ -4018,7 +4018,7 @@ Without a selection, a file browser lets you select a SVG or image file.Parameter Error - + Document Name: Document Name: @@ -5946,49 +5946,49 @@ Fast, but result is a collection of short straight lines. Print All Pages - + Different orientation 不同方向 - + The printer uses a different orientation than the drawing. Do you want to continue? 打印机和图纸使用了不同的定位位置。你想要继续吗? - + Different paper size 不同的图纸大小 - + The printer uses a different paper size than the drawing. Do you want to continue? 打印机和当前图纸使用了不同大小的图纸,是否继续? - + Save DXF file 保存为 Dxf 文件 - + DXF (*.dxf) DXF (*.dxf) - + Save PDF file Save PDF file - + PDF (*.pdf) PDF (* pdf) - + Selected: 已选择: 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 98cd71ebc2aa..bc4db4b27e39 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_zh-TW.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_zh-TW.ts @@ -116,7 +116,7 @@ TechDraw - TechDraw + 工程製圖 @@ -328,7 +328,7 @@ Insert Dimension - 插入標註 + 插入標註尺寸 @@ -409,7 +409,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking Extend a cosmetic line or centerline at both ends:<br>- Specify the delta distance (optional)<br>- Select a single line<br>- Click this tool - 由兩端延伸裝飾線或是在中心線:<br>- 指定增量距離(可選)<br>- 選擇單一線段<br>- 點選此工具 + 由兩端延伸裝飾線或是在中心線:<br>- 指定增量距離(選填)<br>- 選擇單一線段<br>- 點選此工具 @@ -445,7 +445,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking Evenly space horizontal dimensions:<br>- Specify the cascade spacing (optional)<br>- Select two or more horizontal dimensions<br>- The first dimension defines the position<br>- Click this tool - 平均水平標註間距:<br>- 指定串級間距 (可選)<br>- 選擇二個或更多個水平尺寸<br>- 第一個標註定義其位置<br>- 點選此工具 + 平均水平標註間距:<br>- 指定串級間距 (選填)<br>- 選擇二個或更多個水平標註<br>- 第一個標註定義其位置<br>- 點選此工具 @@ -465,7 +465,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking Evenly space horizontal dimensions:<br>- Specify the cascade spacing (optional)<br>- Select two or more horizontal dimensions<br>- The first dimension defines the position<br>- Click this tool - 平均水平標註間距:<br>- 指定串級間距 (可選)<br>- 選擇二個或更多個水平尺寸<br>- 第一個標註定義其位置<br>- 點選此工具 + 平均水平標註間距:<br>- 指定串級間距 (選填)<br>- 選擇二個或更多個水平標註<br>- 第一個標註定義其位置<br>- 點選此工具 @@ -485,7 +485,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking Evenly space oblique dimensions:<br>- Specify the cascade spacing (optional)<br>- Select two or more parallel oblique dimensions<br>- The first dimension defines the position<br>- Click this tool - 平均傾斜標註間距:<br>- 指定串級間距 (可選)<br>- 選擇二個或更多個平行傾斜尺寸<br>- 第一個標註定義其位置<br>- 點選此工具 + 平均傾斜標註間距:<br>- 指定串級間距 (選填)<br>- 選擇二個或更多個平行傾斜標註<br>- 第一個標註定義其位置<br>- 點選此工具 @@ -505,7 +505,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking Evenly space vertical dimensions:<br>- Specify the cascade spacing (optional)<br>- Select two or more vertical dimensions<br>- The first dimension defines the position<br>- Click this tool - 平均垂直標註間距:<br>- 指定串級間距 (可選)<br>- 選擇二個或更多個垂直尺寸<br>- 第一個標註定義其位置<br>- 點選此工具 + 平均垂直標註間距:<br>- 指定串級間距 (選填)<br>- 選擇二個或更多個垂直標註<br>- 第一個標註定義其位置<br>- 點選此工具 @@ -541,7 +541,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking Change the attributes of cosmetic lines and centerlines:<br>- Specify the line attributes (optional)<br>- Select one or more lines<br>- Click this tool - 改變裝飾線及中心線之屬性:<br>- 指定線屬性 (可選)<br>- 選擇一或多條線<br>- 點選此工具 + 改變裝飾線及中心線之屬性:<br>- 指定線屬性 (選填)<br>- 選擇一或多條線<br>- 點選此工具 @@ -561,7 +561,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking Add centerlines to circles and arcs:<br>- Specify the line attributes (optional)<br>- Select one or more circles or arcs<br>- Click this tool - 添加中心線到圓或弧:<br>- 指定線屬性 (可選)<br>- 選擇一或多圓或弧<br>- 點選此工具 + 添加中心線到圓或弧:<br>- 指定線屬性 (選填)<br>- 選擇一或多圓或弧<br>- 點選此工具 @@ -579,7 +579,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking Add centerlines to circles and arcs:<br>- Specify the line attributes (optional)<br>- Select one or more circles or arcs<br>- Click this tool - 添加中心線到圓或弧:<br>- 指定線屬性 (可選)<br>- 選擇一或多圓或弧<br>- 點選此工具 + 添加中心線到圓或弧:<br>- 指定線屬性 (選填)<br>- 選擇一或多圓或弧<br>- 點選此工具 @@ -615,7 +615,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking Create multiple evenly spaced horizontal dimensions starting from the same baseline:<br>- Specify the cascade spacing (optional)<br>- Select three or more vertexes<br>- The selection order of the first two vertexes determines the position of the baseline<br>- Click this tool - 從同一基線開始建立多個均勻間距的水平標註:<br>- 指定串級間距 (可選)<br>- 選擇三個或更多頂點<br>- 選擇順序中的前兩個頂點決定了基線的位置<br>- 點選此工具 + 從同一基線開始建立多個均勻間距的水平標註:<br>- 指定串級間距 (選填)<br>- 選擇三個或更多頂點<br>- 選擇順序中的前兩個頂點決定了基線的位置<br>- 點選此工具 @@ -675,7 +675,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking Create multiple evenly spaced horizontal dimensions starting from the same baseline:<br>- Specify the cascade spacing (optional)<br>- Select three or more vertexes<br>- The selection order of the first two vertexes determines the position of the baseline<br>- Click this tool - 從同一基線開始建立多個均勻間距的水平標註:<br>- 指定串級間距 (可選)<br>- 選擇三個或更多頂點<br>- 選擇順序中的前兩個頂點決定了基線的位置<br>- 點選此工具 + 從同一基線開始建立多個均勻間距的水平標註:<br>- 指定串級間距 (選填)<br>- 選擇三個或更多頂點<br>- 選擇順序中的前兩個頂點決定了基線的位置<br>- 點選此工具 @@ -733,7 +733,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking Create multiple evenly spaced oblique dimensions starting from the same baseline:<br>- Specify the cascade spacing (optional)<br>- Select three or more vertexes<br>- The selection order of the first two vertexes determines the position of the baseline<br>- The first two vertexes also define the direction<br>- Click this tool - 從同一基線開始建立多個均勻間距的傾斜尺寸:<br>- 指定串級間距 (可選)<br>- 選擇三個或更多頂點<br>- 選擇順序中的前兩個頂點決定了基線的位置<br>- 前兩個頂點也同時定義了方向<br>- 點選此工具 + 從同一基線開始建立多個均勻間距的傾斜標註:<br>- 指定串級間距 (選填)<br>- 選擇三個或更多頂點<br>- 選擇順序中的前兩個頂點決定了基線的位置<br>- 前兩個頂點也同時定義了方向<br>- 點選此工具 @@ -793,7 +793,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking Create multiple evenly spaced vertical dimensions starting from the same baseline:<br>- Specify the cascade spacing (optional)<br>- Select three or more vertexes<br>- The selection order of the first two vertexes determines the position of the baseline<br>- Click this tool - 從同一基線開始建立多個均勻間距的垂直標註:<br>- 指定串級間距 (可選)<br>- 選擇三個或更多頂點<br>- 選擇順序中的前兩個頂點決定了基線的位置<br>- 點選此工具 + 從同一基線開始建立多個均勻間距的垂直標註:<br>- 指定串級間距 (選填)<br>- 選擇三個或更多頂點<br>- 選擇順序中的前兩個頂點決定了基線的位置<br>- 點選此工具 @@ -849,7 +849,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking Add a cosmetic circle based on two vertexes:<br>- Specify the line attributes (optional)<br>- Select vertex 1 (center point)<br>- Select vertex 2 (radius)<br>- Click this tool - 基於兩頂點添加一個裝飾圓:<br>- 指定線屬性(可選) <br>- 選擇頂點 1 (中心點)<br>- 選擇頂點 2 (半徑)<br>- 點選此工具 + 基於兩頂點添加一個裝飾圓:<br>- 指定線屬性(選填) <br>- 選擇頂點 1 (中心點)<br>- 選擇頂點 2 (半徑)<br>- 點選此工具 @@ -869,7 +869,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking Add a cosmetic counter clockwise arc based on three vertexes:<br>- Specify the line attributes (optional)<br>- Select vertex 1 (center point)<br>- Select vertex 2 (radius and start angle)<br>- Select vertex 3 (end angle)<br>- Click this tool - 基於三個頂點添加裝飾性逆時針弧:<br>- 指定線屬性 (可選)<br>- 選擇頂點 1 (中心點)<br>- 選擇頂點 2 (半徑與起始角度)<br>- 選擇頂點 3 (結束角度)<br>- 點選此工具 + 基於三個頂點添加裝飾性逆時針弧:<br>- 指定線屬性 (選填)<br>- 選擇頂點 1 (中心點)<br>- 選擇頂點 2 (半徑與起始角度)<br>- 選擇頂點 3 (結束角度)<br>- 點選此工具 @@ -889,7 +889,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking Add a cosmetic circle based on two vertexes:<br>- Specify the line attributes (optional)<br>- Select vertex 1 (center point)<br>- Select vertex 2 (radius)<br>- Click this tool - 基於兩頂點添加一個裝飾圓:<br>- 指定線屬性(可選) <br>- 選擇頂點 1 (中心點)<br>- 選擇頂點 2 (半徑)<br>- 點選此工具 + 基於兩頂點添加一個裝飾圓:<br>- 指定線屬性(選填) <br>- 選擇頂點 1 (中心點)<br>- 選擇頂點 2 (半徑)<br>- 點選此工具 @@ -908,12 +908,12 @@ Left clicking on empty space will validate the current Dimension. Right clicking Add a cosmetic circle based on three vertexes:<br>- Specify the line attributes (optional)<br>- Select 3 vertexes<br>- Click this tool - 基於三個頂點添加一個裝飾圓:<br>- 指定線屬性 (可選)<br>- 選擇 3 個頂點<br>- 點選此工具 + 基於三個頂點添加一個裝飾圓:<br>- 指定線屬性 (選填)<br>- 選擇 3 個頂點<br>- 點選此工具 Add a cosmetic circle based on three vertexes:<br>- Specify the line attributes (optional)<br>- Select three vertexes<br>- Click this tool - 基於三個頂點添加一個裝飾圓:<br>- 指定線屬性 (可選)<br>- 選擇 3 個頂點<br>- 點選此工具 + 基於三個頂點添加一個裝飾圓:<br>- 指定線屬性 (選填)<br>- 選擇 3 個頂點<br>- 點選此工具 @@ -921,7 +921,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -933,7 +933,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking Extend a cosmetic line or centerline at both ends:<br>- Specify the delta distance (optional)<br>- Select a single line<br>- Click this tool - 由兩端延伸裝飾線或是在中心線:<br>- 指定增量距離(可選)<br>- 選擇單一線段<br>- 點選此工具 + 由兩端延伸裝飾線或是在中心線:<br>- 指定增量距離(選填)<br>- 選擇單一線段<br>- 點選此工具 @@ -941,7 +941,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -953,7 +953,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking Add centerlines to a circular pattern of circles:<br>- Specify the line attributes (optional)<br>- Select three or more circles forming a circular pattern<br>- Click this tool - 添加中心線到一圓的圓形圖樣:<br>- 指定線屬性 (可選)<br>- 選擇三個以上的圓以形成圓圖樣<br>- 點選此工具 + 添加中心線到一圓的圓形圖樣:<br>- 指定線屬性 (選填)<br>- 選擇三個以上的圓以形成圓圖樣<br>- 點選此工具 @@ -961,7 +961,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -981,7 +981,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -999,7 +999,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -1037,7 +1037,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -1057,7 +1057,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -1075,7 +1075,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -1095,7 +1095,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -1115,7 +1115,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -1229,7 +1229,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -1247,7 +1247,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -1259,7 +1259,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking Shorten a cosmetic line or centerline at both ends:<br>- Specify the delta distance (optional)<br>- Select a single line<br>- Click this tool - 在兩端縮短裝飾線或中心線:<br>- 指定增量距離(可選)<br>- 選擇單一線段<br>- 點選此工具 + 在兩端縮短裝飾線或中心線:<br>- 指定增量距離(選填)<br>- 選擇單一線段<br>- 點選此工具 @@ -1267,7 +1267,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -1279,7 +1279,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking Add a cosmetic thread to the top or bottom view of bolts/screws/rods:<br>- Specify the line attributes (optional)<br>- Select one or more circles<br>- Click this tool - 將裝飾螺紋添加到螺栓/螺釘/桿的上視圖或底視圖:<br>- 指定線屬性 (可選)<br>- 選擇一或多的圓形<br>- 點選此工具 + 將裝飾螺紋添加到螺栓/螺釘/桿的上視圖或底視圖:<br>- 指定線屬性 (選填)<br>- 選擇一或多的圓形<br>- 點選此工具 @@ -1287,7 +1287,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -1299,7 +1299,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking Add a cosmetic thread to the side view of a bolt/screw/rod:<br>- Specify the line attributes (optional)<br>- Select two parallel lines<br>- Click this tool - 將裝飾螺紋添加到螺栓/螺釘/桿的側視圖:<br>- 指定線屬性 (可選)<br>- 選擇兩條平行線<br>- 點選此工具 + 將裝飾螺紋添加到螺栓/螺釘/桿的側視圖:<br>- 指定線屬性 (選填)<br>- 選擇兩條平行線<br>- 點選此工具 @@ -1307,7 +1307,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -1319,7 +1319,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking Add a cosmetic thread to the top or bottom view of holes:<br>- Specify the line attributes (optional)<br>- Select one or more circles<br>- Click this tool - 將裝飾螺紋添加到孔的上視圖或底視圖:<br>- 指定線屬性 (可選)<br>- 選擇一或多的圓形<br>- 點選此工具 + 將裝飾螺紋添加到孔的上視圖或底視圖:<br>- 指定線屬性 (選填)<br>- 選擇一或多的圓形<br>- 點選此工具 @@ -1327,7 +1327,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -1339,7 +1339,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking Add a cosmetic thread to the side view of a hole:<br>- Specify the line attributes (optional)<br>- Select two parallel lines<br>- Click this tool - 將裝飾螺紋添加到孔的側視圖:<br>- 指定線屬性 (可選)<br>- 選擇兩條平行線<br>- 點選此工具 + 將裝飾螺紋添加到孔的側視圖:<br>- 指定線屬性 (選填)<br>- 選擇兩條平行線<br>- 點選此工具 @@ -1347,7 +1347,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -1357,7 +1357,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking Add a cosmetic thread to the side view of a hole:<br>- Specify the line attributes (optional)<br>- Select two parallel lines<br>- Click this tool - 將裝飾螺紋添加到孔的側視圖:<br>- 指定線屬性 (可選)<br>- 選擇兩條平行線<br>- 點選此工具 + 將裝飾螺紋添加到孔的側視圖:<br>- 指定線屬性 (選填)<br>- 選擇兩條平行線<br>- 點選此工具 @@ -1406,7 +1406,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -1419,7 +1419,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -1445,7 +1445,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -1471,7 +1471,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -1500,7 +1500,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -1513,7 +1513,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -1526,7 +1526,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -1539,7 +1539,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -1552,7 +1552,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -1565,7 +1565,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -1578,7 +1578,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -1601,7 +1601,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -1614,7 +1614,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -1627,7 +1627,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -1645,7 +1645,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -1658,7 +1658,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -1671,7 +1671,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -1684,7 +1684,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -1733,7 +1733,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -1746,7 +1746,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -1764,7 +1764,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -1777,7 +1777,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -1790,7 +1790,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -1823,7 +1823,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -1836,7 +1836,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -1849,7 +1849,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -1867,7 +1867,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -1885,7 +1885,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -1899,7 +1899,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -1925,7 +1925,7 @@ Left clicking on empty space will validate the current Dimension. Right clicking TechDraw - TechDraw + 工程製圖 @@ -1957,7 +1957,7 @@ Without a selection, a file browser lets you select a SVG or image file. TechDraw - TechDraw + 工程製圖 @@ -2036,7 +2036,7 @@ Without a selection, a file browser lets you select a SVG or image file.建立試算表視圖 - + Save page to dxf 儲存頁面為 DXF 格式 @@ -2058,7 +2058,7 @@ Without a selection, a file browser lets you select a SVG or image file. Insert Dimension - 插入標註 + 插入標註尺寸 @@ -2227,7 +2227,7 @@ Without a selection, a file browser lets you select a SVG or image file. Dimension - 標註 + 標註尺寸 @@ -2267,12 +2267,12 @@ Without a selection, a file browser lets you select a SVG or image file.拖曳件號圓圈 - + Drag Dimension 拖曳標註 - + Create Balloon 建立件號圓圈 @@ -3120,7 +3120,7 @@ Without a selection, a file browser lets you select a SVG or image file. BSpline Curve Warning - BSpline 曲線警告 + B 雲形線警告 @@ -3182,12 +3182,12 @@ Without a selection, a file browser lets you select a SVG or image file. Selected edge is a B-spline. Value will be approximate. Continue? - 選取的邊是 B-spline。其值將是近似值。是否繼續? + 選取的邊是 B 雲形線。其值將是近似值。是否繼續? Selected edge is a B-spline and a radius/diameter can not be calculated. - 選取邊為 B-spline 而半徑/直徑無法被計算出來。 + 選取邊為 B 雲形線而半徑/直徑無法被計算出來。 @@ -3549,28 +3549,28 @@ Without a selection, a file browser lets you select a SVG or image file.文件中沒有繪圖頁面 - + PDF (*.pdf) PDF (*.pdf) - - + + All Files (*.*) 所有檔 (*.*) - + Export Page As PDF 匯出頁面為 PDF 檔 - + SVG (*.svg) SVG (*.svg) - + Export page as SVG 匯出頁面為 SVG 檔 @@ -3782,19 +3782,19 @@ Without a selection, a file browser lets you select a SVG or image file. TechDraw CascadeHorizDimension - TechDraw 串聯水平尺寸(CascadeHorizDimension) + 工程製圖串聯水平標註尺寸(CascadeHorizDimension) TechDraw CascadeVertDimension - TechDraw 串聯垂直尺寸(CascadeVertDimension) + 工程製圖串聯垂直標註尺寸(CascadeVertDimension) TechDraw CascadeObliqueDimension - TechDraw 串聯傾斜尺寸(CascadeObliqueDimension) + 工程製圖串聯傾斜標註尺寸(CascadeObliqueDimension) @@ -4000,7 +4000,7 @@ Without a selection, a file browser lets you select a SVG or image file. TechDraw - TechDraw + 工程製圖 @@ -4018,7 +4018,7 @@ Without a selection, a file browser lets you select a SVG or image file.參數錯誤 - + Document Name: 文件名稱: @@ -4540,67 +4540,67 @@ Then you need to increase the tile limit. <html><head/><body><p>Some combinations of OS and Navigation style key bindings may conflict with the default modifier keys for Ballon dragging and View snapping override. You can make adjustments here to find a non-conflicting key binding.</p></body></html> - <html><head/><body><p>Some combinations of OS and Navigation style key bindings may conflict with the default modifier keys for Ballon dragging and View snapping override. You can make adjustments here to find a non-conflicting key binding.</p></body></html> + <html><head/><body><p>作業系統和導航樣式鍵綁定的某些組合可能與氣球拖曳和視圖捕捉覆蓋的預設修飾鍵衝突。 您可以在此處進行調整以找到不衝突的綁定按鍵。 Behaviour Overrides - Behaviour Overrides + 行為覆蓋 Check this box to use the default modifier keys. Uncheck this box to set a different key combination. - Check this box to use the default modifier keys. Uncheck this box to set a different key combination. + 選取此方塊以使用預設修飾鍵。 取消選取此方塊可設定不同的組合鍵。 Use Default - Use Default + 使用預設 Balloon Drag - Balloon Drag + 件號圓圈拖曳 Check this box to include the Alt key in the modifiers. - Check this box to include the Alt key in the modifiers. + 勾選此方塊可將 Alt 鍵包含在修飾鍵中。 Alt - Alt + Alt 鍵 Check this box to include the Shift key in the modifiers. - Check this box to include the Shift key in the modifiers. + 勾選此方塊可將 Shift 鍵包含在修飾鍵中。 Shift - Shift + Shift 鍵 Check this box to include the Meta/Start/Super key in the modifiers. - Check this box to include the Meta/Start/Super key in the modifiers. + 勾選此方塊可將 Meta/Start/Super 鍵包含在修飾鍵中。 Meta - Meta + 修飾鍵 Check this box to include the Control key in the modifiers. - Check this box to include the Control key in the modifiers. + 勾選此方塊可將 Control 鍵包含在修飾鍵中。 Control - Control + 控制 @@ -4684,7 +4684,7 @@ Then you need to increase the tile limit. Balloon Leader Kink Length - 氣球指線扭結長度 + 件號圓圈指線扭結長度 @@ -4989,7 +4989,7 @@ if you are planning to use a drawing as a 1:1 cutting guide. Dimension - 標註 + 標註尺寸 @@ -5113,7 +5113,7 @@ if you are planning to use a drawing as a 1:1 cutting guide. Dimensions - 尺寸 + 標註尺寸 @@ -5941,49 +5941,49 @@ Fast, but result is a collection of short straight lines. 列印全部頁面 - + Different orientation 不同方向 - + The printer uses a different orientation than the drawing. Do you want to continue? 印表機與圖面使用之方向不同,您要繼續嗎? - + Different paper size 紙張尺寸不同 - + The printer uses a different paper size than the drawing. Do you want to continue? 印表機與圖面之紙張尺寸不同,您要繼續嗎? - + Save DXF file 儲存DXF檔 - + DXF (*.dxf) DXF (*.dxf) - + Save PDF file 儲存 PDF 檔 - + PDF (*.pdf) PDF (*.pdf) - + Selected: 已選取: @@ -6106,7 +6106,7 @@ Do you want to continue? Bubble shape scale factor - 氣泡形狀縮放因數 + 氣泡形狀縮放係數 @@ -6126,7 +6126,7 @@ Do you want to continue? End symbol scale factor - 結束符號縮放因數 + 結束符號縮放係數 @@ -6756,7 +6756,7 @@ Do you want to continue? Degree - 程度 + 角度 @@ -6994,7 +6994,7 @@ Custom: custom scale factor is used Dimension - 標註 + 標註尺寸 @@ -7128,7 +7128,7 @@ be used instead of the dimension value Color of the dimension - 尺寸之顏色 + 標註尺寸之顏色 @@ -7148,7 +7148,7 @@ be used instead of the dimension value Standard and style according to which dimension is drawn - 繪製尺寸所根據的標準和式樣 + 繪製標註尺寸所根據的標準和式樣 @@ -8641,7 +8641,7 @@ using the given X/Y Spacing Dimensions - 尺寸 + 標註尺寸 @@ -8686,7 +8686,7 @@ using the given X/Y Spacing TechDraw - TechDraw + 工程製圖 @@ -8721,7 +8721,7 @@ using the given X/Y Spacing TechDraw Dimensions - TechDraw 標註 + 工程製圖標註 @@ -8872,7 +8872,7 @@ using the given X/Y Spacing Dimension - 標註 + 標註尺寸 @@ -8938,7 +8938,7 @@ using the given X/Y Spacing TechDraw - TechDraw + 工程製圖 @@ -9276,7 +9276,7 @@ there is an open task dialog. Dimension - 標註 + 標註尺寸 @@ -9406,7 +9406,7 @@ there is an open task dialog. TechDraw - TechDraw + 工程製圖 @@ -9419,7 +9419,7 @@ there is an open task dialog. TechDraw - TechDraw + 工程製圖 @@ -9715,7 +9715,7 @@ there is an open task dialog. Dimension - 標註 + 標註尺寸 @@ -9799,7 +9799,7 @@ there is an open task dialog. TechDraw - TechDraw + 工程製圖 @@ -9842,7 +9842,7 @@ there is an open task dialog. TechDraw - TechDraw + 工程製圖 @@ -9894,7 +9894,7 @@ there is an open task dialog. Dimension - 標註 + 標註尺寸 @@ -9907,7 +9907,7 @@ there is an open task dialog. TechDraw - TechDraw + 工程製圖 diff --git a/src/Mod/TechDraw/Gui/TaskActiveView.ui b/src/Mod/TechDraw/Gui/TaskActiveView.ui index ec806aa83db2..dfabe47340ec 100644 --- a/src/Mod/TechDraw/Gui/TaskActiveView.ui +++ b/src/Mod/TechDraw/Gui/TaskActiveView.ui @@ -96,7 +96,7 @@ - Use 3d Background + Use 3D Background true diff --git a/src/Mod/TechDraw/Gui/TaskCosmeticCircle.ui b/src/Mod/TechDraw/Gui/TaskCosmeticCircle.ui index fb1f721a9e04..0971e1092d4a 100644 --- a/src/Mod/TechDraw/Gui/TaskCosmeticCircle.ui +++ b/src/Mod/TechDraw/Gui/TaskCosmeticCircle.ui @@ -58,10 +58,10 @@ - Treat the center point as a 2d point within the parent View. Z coordinate is ignored. + Treat the center point as a 2D point within the parent View. Z coordinate is ignored. - 2d Point + 2D Point true @@ -74,10 +74,10 @@ - Treat the center point as a 3d point and project it onto the parent View. + Treat the center point as a 3D point and project it onto the parent View. - 3d Point + 3D Point true diff --git a/src/Mod/TechDraw/Gui/TaskCosmeticLine.ui b/src/Mod/TechDraw/Gui/TaskCosmeticLine.ui index c69f9bbe1e3f..588bd19dda9b 100644 --- a/src/Mod/TechDraw/Gui/TaskCosmeticLine.ui +++ b/src/Mod/TechDraw/Gui/TaskCosmeticLine.ui @@ -58,7 +58,7 @@ - 2d Point + 2D Point true @@ -74,7 +74,7 @@ - 3d Point + 3D Point true @@ -137,7 +137,7 @@ - 2d Point + 2D Point true @@ -153,7 +153,7 @@ - 3d Point + 3D Point true diff --git a/src/Mod/TechDraw/Gui/TaskDimension.ui b/src/Mod/TechDraw/Gui/TaskDimension.ui index 84e54fc9f356..318161aa9a30 100644 --- a/src/Mod/TechDraw/Gui/TaskDimension.ui +++ b/src/Mod/TechDraw/Gui/TaskDimension.ui @@ -134,7 +134,7 @@ by negative value of 'Over Tolerance'. - If checked the content of 'Format Spec' will + If checked, the content of 'Format Spec' will be used instead of the dimension value @@ -173,7 +173,7 @@ be used instead of the dimension value - <html><head/><body><p>If checked the content of tolerance format spec will</p><p>be used instead of the tolerance value</p></body></html> + <html><head/><body><p>If checked, the content of tolerance format spec will</p><p>be used instead of the tolerance value</p></body></html> Arbitrary Tolerance Text diff --git a/src/Mod/TechDraw/Gui/TaskSectionView.cpp b/src/Mod/TechDraw/Gui/TaskSectionView.cpp index 1ce02bac5870..df0aec33caa0 100644 --- a/src/Mod/TechDraw/Gui/TaskSectionView.cpp +++ b/src/Mod/TechDraw/Gui/TaskSectionView.cpp @@ -150,8 +150,7 @@ void TaskSectionView::setUiPrimary() //don't allow updates until a direction is picked ui->pbUpdateNow->setEnabled(false); ui->cbLiveUpdate->setEnabled(false); - QString msgLiteral = - QString::fromUtf8(QT_TRANSLATE_NOOP("TaskSectionView", "No direction set")); + QString msgLiteral = QObject::tr("No direction set"); ui->lPendingUpdates->setText(msgLiteral); } diff --git a/src/Mod/Test/Document.py b/src/Mod/Test/Document.py index a5132d468d9c..18ba7b19766b 100644 --- a/src/Mod/Test/Document.py +++ b/src/Mod/Test/Document.py @@ -1451,11 +1451,11 @@ def testColorList(self): self.assertTrue(abs(self.Doc.Test.ColourList[0][0] - 1.0) < 0.01) self.assertTrue(abs(self.Doc.Test.ColourList[0][1] - 0.5) < 0.01) self.assertTrue(abs(self.Doc.Test.ColourList[0][2] - 0.0) < 0.01) - self.assertTrue(abs(self.Doc.Test.ColourList[0][3] - 0.0) < 0.01) + self.assertTrue(abs(self.Doc.Test.ColourList[0][3] - 1.0) < 0.01) self.assertTrue(abs(self.Doc.Test.ColourList[1][0] - 0.0) < 0.01) self.assertTrue(abs(self.Doc.Test.ColourList[1][1] - 0.5) < 0.01) self.assertTrue(abs(self.Doc.Test.ColourList[1][2] - 1.0) < 0.01) - self.assertTrue(abs(self.Doc.Test.ColourList[1][3] - 0.0) < 0.01) + self.assertTrue(abs(self.Doc.Test.ColourList[1][3] - 1.0) < 0.01) def testVectorList(self): self.Doc.Test.VectorList = [(-0.05, 2.5, 5.2), (-0.05, 2.5, 5.2)] diff --git a/src/Mod/Tux/Resources/translations/Tux.ts b/src/Mod/Tux/Resources/translations/Tux.ts index 058bbecbeec4..7326b18f3d81 100644 --- a/src/Mod/Tux/Resources/translations/Tux.ts +++ b/src/Mod/Tux/Resources/translations/Tux.ts @@ -4,97 +4,97 @@ NavigationIndicator - + Select - + Zoom - + Rotate - + Pan - + Tilt - + Navigation style - + Page Up or Page Down key. - + Rotation focus - + Middle mouse button or H key. - + Middle mouse button. - + Navigation style not recognized. - + Settings - + Orbit style - + Compact - + Tooltip - + Turntable - + Free Turntable - + Trackball - + Undefined diff --git a/src/Mod/Tux/Resources/translations/Tux_be.ts b/src/Mod/Tux/Resources/translations/Tux_be.ts index 20c5cfef1ee3..962527eb49bd 100644 --- a/src/Mod/Tux/Resources/translations/Tux_be.ts +++ b/src/Mod/Tux/Resources/translations/Tux_be.ts @@ -4,97 +4,97 @@ NavigationIndicator - + Select Абраць - + Zoom Маштаб - + Rotate Павярнуць - + Pan Зрух - + Tilt Нахіл - + Navigation style Стыль навігацыі - + Page Up or Page Down key. Клавіша <Page Up> ці <Page down>. - + Rotation focus Фокус кручэння - + Middle mouse button or H key. <Сярэдняя кнопка мышы> ці клавіша <H>. - + Middle mouse button. <Сярэдняя кнопка мышы>. - + Navigation style not recognized. Стыль навігацыі не распазнаны. - + Settings Налады - + Orbit style Стыль арбіты - + Compact Сціслы - + Tooltip Парада - + Turntable Паваротны круг - + Free Turntable Свабодны паваротны круг - + Trackball Трэкбол - + Undefined Не вызначана diff --git a/src/Mod/Tux/Resources/translations/Tux_ca.ts b/src/Mod/Tux/Resources/translations/Tux_ca.ts index b5e317c1445c..ed9a69ed507e 100644 --- a/src/Mod/Tux/Resources/translations/Tux_ca.ts +++ b/src/Mod/Tux/Resources/translations/Tux_ca.ts @@ -4,97 +4,97 @@ NavigationIndicator - + Select Selecciona - + Zoom Lupa - + Rotate Rotació - + Pan Panoràmica - + Tilt Inclinació - + Navigation style Estil de navegació - + Page Up or Page Down key. Tecla de Re Pàg o Av Pàg. - + Rotation focus Enfocament de rotació - + Middle mouse button or H key. Botó central del ratolí o tecla H. - + Middle mouse button. Feu rodar el botó central del ratolí. - + Navigation style not recognized. Estil de navegació no reconegut. - + Settings Paràmetres - + Orbit style Estil d'òrbita - + Compact Compacte - + Tooltip Consell - + Turntable Torn - + Free Turntable Plataforma giratòria lliure - + Trackball Ratolí de bola - + Undefined Indefinit diff --git a/src/Mod/Tux/Resources/translations/Tux_cs.ts b/src/Mod/Tux/Resources/translations/Tux_cs.ts index e4b4c6174819..94d059a82ceb 100644 --- a/src/Mod/Tux/Resources/translations/Tux_cs.ts +++ b/src/Mod/Tux/Resources/translations/Tux_cs.ts @@ -4,97 +4,97 @@ NavigationIndicator - + Select Vybrat - + Zoom Přiblížení - + Rotate Otočit - + Pan Posun - + Tilt Naklonit - + Navigation style Styl navigace - + Page Up or Page Down key. Tlačítka Page Up nebo Page Down. - + Rotation focus Střed rotace - + Middle mouse button or H key. Prostřední tlačítko myši nebo klávesa H. - + Middle mouse button. Prostřední tlačítko myši. - + Navigation style not recognized. Navigační styl nebyl rozeznán. - + Settings Nastavení - + Orbit style Styl orbitu - + Compact Kompaktní - + Tooltip Popisek nástroje - + Turntable Otočný stůl - + Free Turntable Volný otočný stůl - + Trackball Trackball - + Undefined Nedefinovaná diff --git a/src/Mod/Tux/Resources/translations/Tux_da.ts b/src/Mod/Tux/Resources/translations/Tux_da.ts index 58a2b1244a3e..78daf055e96d 100644 --- a/src/Mod/Tux/Resources/translations/Tux_da.ts +++ b/src/Mod/Tux/Resources/translations/Tux_da.ts @@ -4,97 +4,97 @@ NavigationIndicator - + Select Vælg - + Zoom Zoom - + Rotate Roter - + Pan Panorer - + Tilt Tilt - + Navigation style Navigationstype - + Page Up or Page Down key. Page Up eller Page Down tast. - + Rotation focus Rotationsfokus - + Middle mouse button or H key. Midterste museknap eller H-tast. - + Middle mouse button. Midterste museknap. - + Navigation style not recognized. Navigationstype er ikke genkendt. - + Settings Indstillinger - + Orbit style Kredsløbsstil - + Compact Kompakt - + Tooltip Værktøjstip - + Turntable Drejeskive - + Free Turntable Fri drejeskive - + Trackball Trackball - + Undefined Udefineret diff --git a/src/Mod/Tux/Resources/translations/Tux_de.ts b/src/Mod/Tux/Resources/translations/Tux_de.ts index f637855b8b89..b52ad8134f8b 100644 --- a/src/Mod/Tux/Resources/translations/Tux_de.ts +++ b/src/Mod/Tux/Resources/translations/Tux_de.ts @@ -4,97 +4,97 @@ NavigationIndicator - + Select Auswählen - + Zoom Zoomen - + Rotate Drehen - + Pan Schwenken - + Tilt Neigen - + Navigation style Navigationsstil - + Page Up or Page Down key. Bild-auf- oder Bild-ab-Taste. - + Rotation focus Drehpunkt - + Middle mouse button or H key. Mittlere Maustaste oder H-Taste. - + Middle mouse button. Mittlere Maustaste. - + Navigation style not recognized. Navigationsstil nicht erkannt. - + Settings Einstellungen - + Orbit style Orbit-Stil - + Compact Kompakt - + Tooltip Quick-Info - + Turntable Drehscheibe - + Free Turntable Freie Drehscheibe - + Trackball Steuerkugel - + Undefined Unbestimmt diff --git a/src/Mod/Tux/Resources/translations/Tux_el.ts b/src/Mod/Tux/Resources/translations/Tux_el.ts index 951ebf192f24..a6c71a046df5 100644 --- a/src/Mod/Tux/Resources/translations/Tux_el.ts +++ b/src/Mod/Tux/Resources/translations/Tux_el.ts @@ -4,97 +4,97 @@ NavigationIndicator - + Select Επιλέξτε - + Zoom Εστίαση - + Rotate Περιστρέψτε - + Pan Μεταφορική Κίνηση Κάμερας - + Tilt Ρύθμιση Κλίσης Κάμερας - + Navigation style Τύπος Πλοήγησης - + Page Up or Page Down key. Το πλήκτρο Μετακίνησης της Σελίδας προς τα Πάνω ή προς τα Κάτω. - + Rotation focus Άξονας περιστροφής - + Middle mouse button or H key. Μεσαίο πλήκτρο του ποντικιού ή πλήκτρο H. - + Middle mouse button. Μεσαίο πλήκτρο του ποντικιού. - + Navigation style not recognized. Ο τύπος πλοήγησης δεν αναγνωρίζεται. - + Settings Ρυθμίσεις - + Orbit style Τύπος μορφοποίησης τροχιάς - + Compact Συμπαγής - + Tooltip Επεξήγηση εργαλείου - + Turntable Περιστρεφόμενη βάση - + Free Turntable Ελεύθερη Περιστροφική πλάκα - + Trackball Ιχνόσφαιρα - + Undefined Απροσδιόριστο diff --git a/src/Mod/Tux/Resources/translations/Tux_es-AR.ts b/src/Mod/Tux/Resources/translations/Tux_es-AR.ts index 16bde8e25253..c5f2d851361f 100644 --- a/src/Mod/Tux/Resources/translations/Tux_es-AR.ts +++ b/src/Mod/Tux/Resources/translations/Tux_es-AR.ts @@ -4,97 +4,97 @@ NavigationIndicator - + Select Seleccionar - + Zoom Zoom - + Rotate Rotar - + Pan Panear - + Tilt Inclinación - + Navigation style Estilo de navegación - + Page Up or Page Down key. Tecla Page Up o Page Down. - + Rotation focus Foco de rotación - + Middle mouse button or H key. Botón central del ratón o la tecla H. - + Middle mouse button. Botón central del ratón. - + Navigation style not recognized. Estilo de navegación no reconocido. - + Settings Configuración - + Orbit style Estilo de órbita - + Compact Compactar - + Tooltip Descripción - + Turntable Mesa giratoria - + Free Turntable Turntable libre - + Trackball Trackball - + Undefined Indefinido diff --git a/src/Mod/Tux/Resources/translations/Tux_es-ES.ts b/src/Mod/Tux/Resources/translations/Tux_es-ES.ts index 8da95c194a2a..edb35cc15abb 100644 --- a/src/Mod/Tux/Resources/translations/Tux_es-ES.ts +++ b/src/Mod/Tux/Resources/translations/Tux_es-ES.ts @@ -4,97 +4,97 @@ NavigationIndicator - + Select Seleccionar - + Zoom Aumentar/Disminuir - + Rotate Rotar - + Pan Panear - + Tilt Inclinación - + Navigation style Estilo de navegación - + Page Up or Page Down key. Tecla Page Up o Page Down. - + Rotation focus Foco de rotación - + Middle mouse button or H key. Botón central del ratón o la tecla H. - + Middle mouse button. Botón central del ratón. - + Navigation style not recognized. Estilo de navegación no reconocido. - + Settings Ajustes - + Orbit style Estilo de órbita - + Compact Compacto - + Tooltip Información sobre herramientas - + Turntable Mesa giratoria - + Free Turntable Turntable libre - + Trackball Trackball - + Undefined Indefinido diff --git a/src/Mod/Tux/Resources/translations/Tux_eu.ts b/src/Mod/Tux/Resources/translations/Tux_eu.ts index 5d4583f93ca6..d5e1976ce156 100644 --- a/src/Mod/Tux/Resources/translations/Tux_eu.ts +++ b/src/Mod/Tux/Resources/translations/Tux_eu.ts @@ -4,97 +4,97 @@ NavigationIndicator - + Select Hautatu - + Zoom Zooma - + Rotate Biratu - + Pan Mugitu ezker-eskuin - + Tilt Inklinatu - + Navigation style Nabigazio-estiloa - + Page Up or Page Down key. Page Up edo Page Down tekla. - + Rotation focus Biraketa-fokua - + Middle mouse button or H key. Saguaren erdiko botoia edo H tekla. - + Middle mouse button. Saguaren erdiko botoia. - + Navigation style not recognized. Nabigazio-estiloa ez da onartzen. - + Settings Ezarpenak - + Orbit style Orbita-estiloa - + Compact Trinkoa - + Tooltip Argibidea - + Turntable Tornua - + Free Turntable Tornu librea - + Trackball Trackball - + Undefined Definitu gabea diff --git a/src/Mod/Tux/Resources/translations/Tux_fi.ts b/src/Mod/Tux/Resources/translations/Tux_fi.ts index c554af2b9edb..2e1923e8d8fa 100644 --- a/src/Mod/Tux/Resources/translations/Tux_fi.ts +++ b/src/Mod/Tux/Resources/translations/Tux_fi.ts @@ -4,97 +4,97 @@ NavigationIndicator - + Select Valitse - + Zoom Zoomaus - + Rotate Pyöritä - + Pan Panoroi - + Tilt Kallistus - + Navigation style Siirtymistyyli - + Page Up or Page Down key. Page Up- tai Page Down -näppäin. - + Rotation focus Kierron kohdistus - + Middle mouse button or H key. Hiiren keskipainike tai H-näppäin. - + Middle mouse button. Hiiren keskipainike. - + Navigation style not recognized. Navigointityyliä ei tunnistettu. - + Settings Asetukset - + Orbit style Kiertoradan tyyli - + Compact Tiivis - + Tooltip Vihje - + Turntable Pyörähdyspöytä - + Free Turntable Vapaa kääntöalusta - + Trackball Trackball - + Undefined Määrittelemätön diff --git a/src/Mod/Tux/Resources/translations/Tux_fr.ts b/src/Mod/Tux/Resources/translations/Tux_fr.ts index 019fe1c9cc62..1e2e4311d065 100644 --- a/src/Mod/Tux/Resources/translations/Tux_fr.ts +++ b/src/Mod/Tux/Resources/translations/Tux_fr.ts @@ -4,97 +4,97 @@ NavigationIndicator - + Select Sélectionner - + Zoom Zoom - + Rotate Pivoter - + Pan Panoramique - + Tilt Inclinaison - + Navigation style Style de navigation - + Page Up or Page Down key. touche du clavier Page haut ou Page bas. - + Rotation focus Foyer de rotation - + Middle mouse button or H key. molette de la souris ou touche H. - + Middle mouse button. Bouton central de la souris. - + Navigation style not recognized. Style de navigation non reconnu. - + Settings Paramètres - + Orbit style Style d'orbite - + Compact Compact - + Tooltip Infobulle - + Turntable Vue en rotation - + Free Turntable Vue en rotation libre - + Trackball Trackball - + Undefined Non défini diff --git a/src/Mod/Tux/Resources/translations/Tux_hr.ts b/src/Mod/Tux/Resources/translations/Tux_hr.ts index 72d93e1b18bc..3c449fcc3c1f 100644 --- a/src/Mod/Tux/Resources/translations/Tux_hr.ts +++ b/src/Mod/Tux/Resources/translations/Tux_hr.ts @@ -4,97 +4,97 @@ NavigationIndicator - + Select Odaberite - + Zoom Uvećaj - + Rotate Rotiraj - + Pan Pomicanje - + Tilt Naginjanje - + Navigation style Stil navigacije - + Page Up or Page Down key. Tipke Stranica iznad ili Stranica ispod. - + Rotation focus Središte rotacije - + Middle mouse button or H key. Srednja tipka miša ili tipka H. - + Middle mouse button. Srednja tika miša. - + Navigation style not recognized. Stil navigacije nije prepoznat. - + Settings Postavke - + Orbit style Način okretanja - + Compact Kompaktan - + Tooltip Naziv alata - + Turntable Okretano - + Free Turntable Slobodna okretna ploča - + Trackball Prećeno - + Undefined Nedefinirano diff --git a/src/Mod/Tux/Resources/translations/Tux_hu.ts b/src/Mod/Tux/Resources/translations/Tux_hu.ts index be73068dc675..5599a82d3354 100644 --- a/src/Mod/Tux/Resources/translations/Tux_hu.ts +++ b/src/Mod/Tux/Resources/translations/Tux_hu.ts @@ -4,97 +4,97 @@ NavigationIndicator - + Select Kiválaszt - + Zoom Nagyítás - + Rotate Forgatás - + Pan Mozgatás - + Tilt Függőleges döntés - + Navigation style Navigációs stílus - + Page Up or Page Down key. Page Up vagy Page Down billentyű. - + Rotation focus Elforgatási középpontja - + Middle mouse button or H key. Középső egér gomb vagy H billentyű. - + Middle mouse button. Középső egér gomb. - + Navigation style not recognized. Navigációs stílus nem felismerhető. - + Settings Beállítások - + Orbit style Orbit stílus - + Compact Tömörített - + Tooltip Buboréksúgó - + Turntable Fordítótábla - + Free Turntable Forgóasztal - + Trackball Trackball - + Undefined Nem definiált diff --git a/src/Mod/Tux/Resources/translations/Tux_it.ts b/src/Mod/Tux/Resources/translations/Tux_it.ts index 283fd2b2de57..ce98453b1f0e 100644 --- a/src/Mod/Tux/Resources/translations/Tux_it.ts +++ b/src/Mod/Tux/Resources/translations/Tux_it.ts @@ -4,97 +4,97 @@ NavigationIndicator - + Select Seleziona - + Zoom Zoom - + Rotate Ruota - + Pan Panoramica - + Tilt Inclinazione - + Navigation style Stile di navigazione - + Page Up or Page Down key. Pagina su o Pagina giù. - + Rotation focus Centro di rotazione - + Middle mouse button or H key. Tasto centrale del mouse o tasto H. - + Middle mouse button. Tasto centrale del mouse. - + Navigation style not recognized. Stile di navigazione non valido. - + Settings Impostazioni - + Orbit style Stile orbita - + Compact Compatto - + Tooltip Suggerimento - + Turntable Piatto - + Free Turntable Piatto Libero - + Trackball Trackball - + Undefined Non definito diff --git a/src/Mod/Tux/Resources/translations/Tux_ja.ts b/src/Mod/Tux/Resources/translations/Tux_ja.ts index 93343e53b356..7d0ff20c4e3c 100644 --- a/src/Mod/Tux/Resources/translations/Tux_ja.ts +++ b/src/Mod/Tux/Resources/translations/Tux_ja.ts @@ -4,97 +4,97 @@ NavigationIndicator - + Select 選択 - + Zoom ズーム - + Rotate 回転 - + Pan パン - + Tilt チルト - + Navigation style ナビゲーションスタイル - + Page Up or Page Down key. PageUpキーまたはPageDownキー - + Rotation focus 回転中心 - + Middle mouse button or H key. マウス中央ボタンまたはHキー - + Middle mouse button. マウス中央ボタン - + Navigation style not recognized. ナビゲーションスタイルが認識されません。 - + Settings 設定 - + Orbit style 軌道スタイル - + Compact コンパクト - + Tooltip ツールチップ - + Turntable ターンテーブル - + Free Turntable フリーターンテーブル - + Trackball トラックボール - + Undefined 未定義 diff --git a/src/Mod/Tux/Resources/translations/Tux_ka.ts b/src/Mod/Tux/Resources/translations/Tux_ka.ts index 01d66ad3dd61..ab9e0c87485b 100644 --- a/src/Mod/Tux/Resources/translations/Tux_ka.ts +++ b/src/Mod/Tux/Resources/translations/Tux_ka.ts @@ -4,97 +4,97 @@ NavigationIndicator - + Select არჩევა - + Zoom გადიდება - + Rotate შებრუნება - + Pan პანორამა - + Tilt ტრიალი - + Navigation style ნავიგაციის სტილი - + Page Up or Page Down key. ღილაკები PageUp ან PageDown. - + Rotation focus ტრიალის ცენტრი - + Middle mouse button or H key. თაგუნის შუა ღილაკი ან ღილაკი H. - + Middle mouse button. თაგუნის შუა ღილაკი. - + Navigation style not recognized. ნავიგაციის უცნობი სტილი. - + Settings მორგება - + Orbit style ტრიალის სტილი - + Compact კომპაქტურად - + Tooltip მინიშნება - + Turntable გრუნტი - + Free Turntable თავისუფალი გრუნტი - + Trackball ტრეკბოლი - + Undefined განუსაზღვრელი diff --git a/src/Mod/Tux/Resources/translations/Tux_ko.ts b/src/Mod/Tux/Resources/translations/Tux_ko.ts index 7232f2a36dbf..2d4e45a327cf 100644 --- a/src/Mod/Tux/Resources/translations/Tux_ko.ts +++ b/src/Mod/Tux/Resources/translations/Tux_ko.ts @@ -4,97 +4,97 @@ NavigationIndicator - + Select 선택 - + Zoom 확대/축소 - + Rotate 회전하기 - + Pan 좌우회전 - + Tilt 상하회전 - + Navigation style 탐색 스타일 - + Page Up or Page Down key. Page Up / Down 키 - + Rotation focus 회전 시점 - + Middle mouse button or H key. 마우스 가운데 버튼 또는 H 키. - + Middle mouse button. 마우스 가운데 버튼 - + Navigation style not recognized. 탐색 스타일이 인식되지 않습니다. - + Settings Settings - + Orbit style 궤도 스타일 - + Compact 소형 - + Tooltip 툴팁 - + Turntable 턴테이블 - + Free Turntable Free Turntable - + Trackball 트랙볼 - + Undefined 정의되지 않음 diff --git a/src/Mod/Tux/Resources/translations/Tux_lt.ts b/src/Mod/Tux/Resources/translations/Tux_lt.ts index 244d90a41729..43abd0970000 100644 --- a/src/Mod/Tux/Resources/translations/Tux_lt.ts +++ b/src/Mod/Tux/Resources/translations/Tux_lt.ts @@ -4,97 +4,97 @@ NavigationIndicator - + Select Pasirinkti - + Zoom Mastelio keitimas - + Rotate Vartyti - + Pan Tampyti - + Tilt Palenkti - + Navigation style Naršymo būdai - + Page Up or Page Down key. PgUp arba PgDn, mygtukai. - + Rotation focus Sukimosi taškas - + Middle mouse button or H key. Vidurinysis pelės mygtukas arba H mygtukas. - + Middle mouse button. Vidurinysis pelės mygtukas. - + Navigation style not recognized. Nežinomas naršymo būdas. - + Settings Nuostatos - + Orbit style Vaizdo sukimo įrankis - + Compact Rodyti tik naršymo būdo paveikslėlį - + Tooltip Patarimai, kaip naudoti įrankį - + Turntable Peržiūra sukant - + Free Turntable Laisvoji peržiūra sukant ratu - + Trackball Rutulinis manipuliatorius - + Undefined Nežinomas diff --git a/src/Mod/Tux/Resources/translations/Tux_nl.ts b/src/Mod/Tux/Resources/translations/Tux_nl.ts index 9c3bfcd12b30..ef956a821375 100644 --- a/src/Mod/Tux/Resources/translations/Tux_nl.ts +++ b/src/Mod/Tux/Resources/translations/Tux_nl.ts @@ -4,97 +4,97 @@ NavigationIndicator - + Select Selecteer - + Zoom Inzoomen - + Rotate Draaien - + Pan Pan - + Tilt Kantelen - + Navigation style Navigatie stijl - + Page Up or Page Down key. Page Up of Page Down toets. - + Rotation focus Rotatie focus - + Middle mouse button or H key. Middelste muisknop of toets H. - + Middle mouse button. Middelste muisknop. - + Navigation style not recognized. Navigatie stijl is niet herkend. - + Settings Instellingen - + Orbit style Rotatiebaan stijl - + Compact Compact - + Tooltip Tooltip - + Turntable Draaitafel - + Free Turntable Vrije draaitafel - + Trackball Trackball - + Undefined niet gedefinieerd diff --git a/src/Mod/Tux/Resources/translations/Tux_pl.ts b/src/Mod/Tux/Resources/translations/Tux_pl.ts index e2095575561f..3810402e3796 100644 --- a/src/Mod/Tux/Resources/translations/Tux_pl.ts +++ b/src/Mod/Tux/Resources/translations/Tux_pl.ts @@ -4,97 +4,97 @@ NavigationIndicator - + Select Wybierz - + Zoom Powiększ - + Rotate Obróć - + Pan Panorama - + Tilt Nachylenie - + Navigation style Styl nawigacji - + Page Up or Page Down key. Klawisz strona w górę lub strona w dół. - + Rotation focus Tryb obrotu - + Middle mouse button or H key. Środkowy przycisk myszki lub klawisz H. - + Middle mouse button. Środkowy przycisk myszki. - + Navigation style not recognized. Styl nawigacji nie jest rozpoznany. - + Settings Ustawienia - + Orbit style Technika orbitalna - + Compact Kompaktowy - + Tooltip Podpowiedź - + Turntable Turntable - + Free Turntable Free Turntable - + Trackball Trackball - + Undefined Niezdefiniowany diff --git a/src/Mod/Tux/Resources/translations/Tux_pt-BR.ts b/src/Mod/Tux/Resources/translations/Tux_pt-BR.ts index a007b6517a7b..f37babd97697 100644 --- a/src/Mod/Tux/Resources/translations/Tux_pt-BR.ts +++ b/src/Mod/Tux/Resources/translations/Tux_pt-BR.ts @@ -4,97 +4,97 @@ NavigationIndicator - + Select Selecione - + Zoom Ampliar - + Rotate Rotacionar - + Pan Arrastar vista (pan) - + Tilt Inclinação - + Navigation style Estilo de navegação - + Page Up or Page Down key. Tecla Page Up ou Page Down. - + Rotation focus Foco de rotação - + Middle mouse button or H key. Botão do meio do mouse ou tecla H. - + Middle mouse button. Botão do meio do mouse. - + Navigation style not recognized. Estilo de navegação não reconhecido. - + Settings Configurações - + Orbit style Estilo de orbita - + Compact Compacto - + Tooltip Sugestão - + Turntable Plataforma - + Free Turntable Girarmesa Livre - + Trackball Trackball - + Undefined Indefinido diff --git a/src/Mod/Tux/Resources/translations/Tux_pt-PT.ts b/src/Mod/Tux/Resources/translations/Tux_pt-PT.ts index 07cc4ce941fe..3cf73c719354 100644 --- a/src/Mod/Tux/Resources/translations/Tux_pt-PT.ts +++ b/src/Mod/Tux/Resources/translations/Tux_pt-PT.ts @@ -4,97 +4,97 @@ NavigationIndicator - + Select Selecionar - + Zoom Zoom - + Rotate Rodar - + Pan Arrastar vista (pan) - + Tilt Inclinação - + Navigation style Estilo de navegação - + Page Up or Page Down key. Tecla Page Up ou Page Down. - + Rotation focus Foco de rotação - + Middle mouse button or H key. Botão do meio do rato ou a tecla H. - + Middle mouse button. Botão do meio do rato. - + Navigation style not recognized. Estilo de navegação não reconhecido. - + Settings Ajustes - + Orbit style Estilo da Órbita - + Compact Compacto - + Tooltip Sugestão - + Turntable Plataforma giratória - + Free Turntable Plataforma giratória livre - + Trackball Trackball - + Undefined Indefinido diff --git a/src/Mod/Tux/Resources/translations/Tux_ro.ts b/src/Mod/Tux/Resources/translations/Tux_ro.ts index 639ba5a8cfbb..cee6610dc2a3 100644 --- a/src/Mod/Tux/Resources/translations/Tux_ro.ts +++ b/src/Mod/Tux/Resources/translations/Tux_ro.ts @@ -4,97 +4,97 @@ NavigationIndicator - + Select Selectaţi - + Zoom Zoom - + Rotate Rotire - + Pan Panoramic - + Tilt Înclinare - + Navigation style Stil de navigare - + Page Up or Page Down key. Apasați tasta Page Up sau tasta Page Down. - + Rotation focus Rotația focarului - + Middle mouse button or H key. Rozeta mausului sau tasta H. - + Middle mouse button. Rozeta mausului. - + Navigation style not recognized. Stil de navigare invalid. - + Settings Setari - + Orbit style Stil de rotație - + Compact Compactează - + Tooltip Sugestii - + Turntable Placa turnantă - + Free Turntable Gratuit de Turntable - + Trackball Trackball - + Undefined Nedefinit diff --git a/src/Mod/Tux/Resources/translations/Tux_ru.ts b/src/Mod/Tux/Resources/translations/Tux_ru.ts index d84c58dd2eab..97b4ea350dfb 100644 --- a/src/Mod/Tux/Resources/translations/Tux_ru.ts +++ b/src/Mod/Tux/Resources/translations/Tux_ru.ts @@ -4,97 +4,97 @@ NavigationIndicator - + Select Выбрать - + Zoom Масштаб - + Rotate Повернуть - + Pan Сдвиг - + Tilt Наклон (вращение) - + Navigation style Стиль навигации - + Page Up or Page Down key. Клавиши Page Up или Page Down. - + Rotation focus Центр вращения - + Middle mouse button or H key. Средняя кнопка мыши или клавиша H. - + Middle mouse button. Средняя кнопка мыши. - + Navigation style not recognized. Стиль навигации не распознан. - + Settings Настройки - + Orbit style Орбитальный стиль - + Compact Компактно - + Tooltip Подсказка - + Turntable Поворотный стол - + Free Turntable Свободный Поворотный стол - + Trackball Трекбол - + Undefined Не определено diff --git a/src/Mod/Tux/Resources/translations/Tux_sl.ts b/src/Mod/Tux/Resources/translations/Tux_sl.ts index e47d4f190a89..07692498e250 100644 --- a/src/Mod/Tux/Resources/translations/Tux_sl.ts +++ b/src/Mod/Tux/Resources/translations/Tux_sl.ts @@ -4,97 +4,97 @@ NavigationIndicator - + Select Izberi - + Zoom Približaj/Oddalji - + Rotate Zavrti - + Pan Premik - + Tilt Nagib - + Navigation style Slog krmarjenja - + Page Up or Page Down key. Tipka Page Up ali Page Down. - + Rotation focus Osredotoči vrtilno središče - + Middle mouse button or H key. Srednja miškina tipka ali tipka H. - + Middle mouse button. Srednja miškina tipka. - + Navigation style not recognized. Stil navigacije ni prepoznan. - + Settings Nastavitve - + Orbit style Slog vrtenja - + Compact Kompakten - + Tooltip Namig orodja - + Turntable Sukajoči pogled - + Free Turntable Prostosukajoča plošča - + Trackball Sledilna kroglica - + Undefined Nedoločeno diff --git a/src/Mod/Tux/Resources/translations/Tux_sr-CS.qm b/src/Mod/Tux/Resources/translations/Tux_sr-CS.qm index 1c4be19fdbd4..44003ca9d006 100644 Binary files a/src/Mod/Tux/Resources/translations/Tux_sr-CS.qm and b/src/Mod/Tux/Resources/translations/Tux_sr-CS.qm differ diff --git a/src/Mod/Tux/Resources/translations/Tux_sr-CS.ts b/src/Mod/Tux/Resources/translations/Tux_sr-CS.ts index e473ab97f630..8f39ce6b6914 100644 --- a/src/Mod/Tux/Resources/translations/Tux_sr-CS.ts +++ b/src/Mod/Tux/Resources/translations/Tux_sr-CS.ts @@ -4,97 +4,97 @@ NavigationIndicator - + Select Izaberi - + Zoom Zumiraj - + Rotate Okreni - + Pan Pomeri - + Tilt Nagni - + Navigation style Stil navigacije - + Page Up or Page Down key. Tipke Page Up ili Page Down. - + Rotation focus Centar rotacije - + Middle mouse button or H key. - Srednji taster miša ili tipka „H“. + Srednji taster miša ili taster „H“ na tastaturi. - + Middle mouse button. Srednji taster miša. - + Navigation style not recognized. Stil navigacije nije prepoznat. - + Settings Podešavanja - + Orbit style Način okretanja orbit - + Compact Zbijeno - + Tooltip Kratak opis alatke - + Turntable Obrtni sto - + Free Turntable Slobodni obrtni sto - + Trackball Trackball - + Undefined Nedefinisano diff --git a/src/Mod/Tux/Resources/translations/Tux_sr.qm b/src/Mod/Tux/Resources/translations/Tux_sr.qm index 86762303f04e..6e07b4605b11 100644 Binary files a/src/Mod/Tux/Resources/translations/Tux_sr.qm and b/src/Mod/Tux/Resources/translations/Tux_sr.qm differ diff --git a/src/Mod/Tux/Resources/translations/Tux_sr.ts b/src/Mod/Tux/Resources/translations/Tux_sr.ts index 4ef089b44590..0addb150273c 100644 --- a/src/Mod/Tux/Resources/translations/Tux_sr.ts +++ b/src/Mod/Tux/Resources/translations/Tux_sr.ts @@ -4,97 +4,97 @@ NavigationIndicator - + Select Изабери - + Zoom Зумирај - + Rotate Окрени - + Pan Помери - + Tilt Нагни - + Navigation style Стил навигације - + Page Up or Page Down key. Типке Page Up или Page Down. - + Rotation focus Центар ротације - + Middle mouse button or H key. - Средњи тастер миша или типка „H“. + Средњи тастер миша или тастер „H“ на тастатури. - + Middle mouse button. Средњи тастер миша. - + Navigation style not recognized. Стил навигације није препознат. - + Settings Подешавања - + Orbit style Начин окретања орбит - + Compact Збијено - + Tooltip Кратак опис алатке - + Turntable Обртни сто - + Free Turntable Слободно обртни сто - + Trackball Trackball - + Undefined Недефинисано diff --git a/src/Mod/Tux/Resources/translations/Tux_sv-SE.ts b/src/Mod/Tux/Resources/translations/Tux_sv-SE.ts index 62abbacee436..d690fd17a9ee 100644 --- a/src/Mod/Tux/Resources/translations/Tux_sv-SE.ts +++ b/src/Mod/Tux/Resources/translations/Tux_sv-SE.ts @@ -4,97 +4,97 @@ NavigationIndicator - + Select Välj - + Zoom Zooma - + Rotate Rotera - + Pan Panorera - + Tilt Luta - + Navigation style Navigationsstil - + Page Up or Page Down key. Page Up eller Page Down-tangenten. - + Rotation focus Rotationsfokus - + Middle mouse button or H key. Mittersta musknappen eller H-tangenten. - + Middle mouse button. Mus-knappen i mitten. - + Navigation style not recognized. Navigationsstilen känns inte igen. - + Settings Inställningar - + Orbit style Orbit stil - + Compact Kompakt - + Tooltip Verktygstips - + Turntable Skivtallrik - + Free Turntable Free Turntable - + Trackball Trackball - + Undefined Odefinierad diff --git a/src/Mod/Tux/Resources/translations/Tux_tr.ts b/src/Mod/Tux/Resources/translations/Tux_tr.ts index a50d65146330..54cb464974e9 100644 --- a/src/Mod/Tux/Resources/translations/Tux_tr.ts +++ b/src/Mod/Tux/Resources/translations/Tux_tr.ts @@ -4,97 +4,97 @@ NavigationIndicator - + Select Seç - + Zoom Yakınlaştır - + Rotate Döndür - + Pan Yassılaştır - + Tilt Eğimi ayarla - + Navigation style Gezinme stili - + Page Up or Page Down key. Sayfa Yukarı veya Sayfa Aşağı Tuşu. - + Rotation focus Döndürme odaklaması - + Middle mouse button or H key. Farenin orta butonu ya da H tuşu. - + Middle mouse button. Farenin orta tuşu. - + Navigation style not recognized. Gezinme stili tanınmıyor. - + Settings Ayarlar - + Orbit style Yörünge stili - + Compact Kompakt - + Tooltip Ipucu - + Turntable Döner tabla - + Free Turntable Döner Tabla - + Trackball Trackball - + Undefined Tanımlanmamış diff --git a/src/Mod/Tux/Resources/translations/Tux_uk.ts b/src/Mod/Tux/Resources/translations/Tux_uk.ts index 85c961205204..1c31d48281ad 100644 --- a/src/Mod/Tux/Resources/translations/Tux_uk.ts +++ b/src/Mod/Tux/Resources/translations/Tux_uk.ts @@ -4,97 +4,97 @@ NavigationIndicator - + Select Обрати - + Zoom Збільшення - + Rotate Обертання - + Pan Посунути - + Tilt Нахил - + Navigation style Стиль навігації - + Page Up or Page Down key. Клавіша Page Up або Page Down. - + Rotation focus Фокус обертання - + Middle mouse button or H key. Середня кнопка миші або клавіша H. - + Middle mouse button. Середня кнопка миші. - + Navigation style not recognized. Стиль навігації не визначений. - + Settings Параметри - + Orbit style Стиль орбіти - + Compact Зменшити - + Tooltip Підказка - + Turntable Поворотна - + Free Turntable Поворотний перегляд - + Trackball Трекбол - + Undefined Невизначено diff --git a/src/Mod/Tux/Resources/translations/Tux_val-ES.ts b/src/Mod/Tux/Resources/translations/Tux_val-ES.ts index bf2114c4eb3b..3b0092e63fd5 100644 --- a/src/Mod/Tux/Resources/translations/Tux_val-ES.ts +++ b/src/Mod/Tux/Resources/translations/Tux_val-ES.ts @@ -4,97 +4,97 @@ NavigationIndicator - + Select Selecciona - + Zoom Zoom - + Rotate Gira - + Pan Panoràmica - + Tilt Inclinació - + Navigation style Estil de navegació - + Page Up or Page Down key. Tecla de Re Pàg o Av Pàg. - + Rotation focus Focus de rotació - + Middle mouse button or H key. Botó central del ratolí o la tecla H. - + Middle mouse button. Botó central del ratolí. - + Navigation style not recognized. No es reconeix l'estil de navegació. - + Settings Paràmetres - + Orbit style Estil d'òrbita - + Compact Compacte - + Tooltip Indicador de funció - + Turntable En rotació - + Free Turntable Free Turntable - + Trackball Ratolí de bola - + Undefined Sense definir diff --git a/src/Mod/Tux/Resources/translations/Tux_zh-CN.ts b/src/Mod/Tux/Resources/translations/Tux_zh-CN.ts index 4284c69eaa57..e8610b4aa0f1 100644 --- a/src/Mod/Tux/Resources/translations/Tux_zh-CN.ts +++ b/src/Mod/Tux/Resources/translations/Tux_zh-CN.ts @@ -4,97 +4,97 @@ NavigationIndicator - + Select 选择 - + Zoom 缩放 - + Rotate 旋转 - + Pan 平移 - + Tilt 倾斜 - + Navigation style 导航样式 - + Page Up or Page Down key. 向上翻页 或 向下翻页 键。 - + Rotation focus 回转中心 - + Middle mouse button or H key. 鼠标中键或 H 键。 - + Middle mouse button. 鼠标中键。 - + Navigation style not recognized. 无法识别导航样式。 - + Settings 设置 - + Orbit style 环绕模式 - + Compact 压缩 - + Tooltip 工具提示 - + Turntable 转盘 - + Free Turntable 自由转盘 - + Trackball 轨迹球 - + Undefined 未定义 diff --git a/src/Mod/Tux/Resources/translations/Tux_zh-TW.ts b/src/Mod/Tux/Resources/translations/Tux_zh-TW.ts index c09e482ec4eb..9399710d3f4f 100644 --- a/src/Mod/Tux/Resources/translations/Tux_zh-TW.ts +++ b/src/Mod/Tux/Resources/translations/Tux_zh-TW.ts @@ -4,97 +4,97 @@ NavigationIndicator - + Select 選擇 - + Zoom 縮放 - + Rotate 旋轉 - + Pan 平移 - + Tilt 傾斜 - + Navigation style 導覽列樣式 - + Page Up or Page Down key. Page Up 或 Page Down 按鍵。 - + Rotation focus 旋轉中心 - + Middle mouse button or H key. 滑鼠中鍵或 H 鍵 - + Middle mouse button. 滑鼠中鍵。 - + Navigation style not recognized. 無法辨識導覽列樣式 - + Settings 設定 - + Orbit style 環繞模式 - + Compact 緊湊 - + Tooltip 工具提示 - + Turntable 旋轉台 - + Free Turntable 自由旋轉台 - + Trackball 軌跡球 - + Undefined 未定義 diff --git a/tests/src/App/Color.cpp b/tests/src/App/Color.cpp index 7f8bcc859ace..32a262058e11 100644 --- a/tests/src/App/Color.cpp +++ b/tests/src/App/Color.cpp @@ -243,5 +243,6 @@ TEST(TestColor, fromHexString) EXPECT_FLOAT_EQ(color.r, 85.0F / 255.0F); EXPECT_FLOAT_EQ(color.g, 170.0F / 255.0F); EXPECT_FLOAT_EQ(color.b, 255.0F / 255.0F); + EXPECT_FLOAT_EQ(color.a, 255.0F / 255.0F); } // NOLINTEND diff --git a/tests/src/Mod/Part/App/FeaturePartFuse.cpp b/tests/src/Mod/Part/App/FeaturePartFuse.cpp index 9fd70ebec380..cf7e53a3958f 100644 --- a/tests/src/Mod/Part/App/FeaturePartFuse.cpp +++ b/tests/src/Mod/Part/App/FeaturePartFuse.cpp @@ -4,6 +4,7 @@ #include "Mod/Part/App/FeaturePartFuse.h" #include +#include "Mod/Part/App/FeatureCompound.h" #include "PartTestHelpers.h" @@ -20,12 +21,14 @@ class FeaturePartFuseTest: public ::testing::Test, public PartTestHelpers::PartT { createTestDoc(); _fuse = dynamic_cast(_doc->addObject("Part::Fuse")); + _multiFuse = dynamic_cast(_doc->addObject("Part::MultiFuse")); } void TearDown() override {} - Part::Fuse* _fuse = nullptr; // NOLINT Can't be private in a test framework + Part::Fuse* _fuse = nullptr; // NOLINT Can't be private in a test framework + Part::MultiFuse* _multiFuse = nullptr; // NOLINT Can't be private in a test framework }; TEST_F(FeaturePartFuseTest, testIntersecting) @@ -51,6 +54,64 @@ TEST_F(FeaturePartFuseTest, testIntersecting) EXPECT_DOUBLE_EQ(bb.MaxZ, 3.0); } +TEST_F(FeaturePartFuseTest, testCompound) +{ + // Arrange + Part::Compound* _compound = nullptr; + _compound = dynamic_cast(_doc->addObject("Part::Compound")); + _compound->Links.setValues({_boxes[0], _boxes[1]}); + _multiFuse->Shapes.setValues({_compound}); + + // Act + _compound->execute(); + _multiFuse->execute(); + Part::TopoShape ts = _multiFuse->Shape.getValue(); + double volume = PartTestHelpers::getVolume(ts.getShape()); + Base::BoundBox3d bb = ts.getBoundBox(); + + // Assert + EXPECT_DOUBLE_EQ(volume, 9.0); + // double check using bounds: + EXPECT_DOUBLE_EQ(bb.MinX, 0.0); + EXPECT_DOUBLE_EQ(bb.MinY, 0.0); + EXPECT_DOUBLE_EQ(bb.MinZ, 0.0); + EXPECT_DOUBLE_EQ(bb.MaxX, 1.0); + EXPECT_DOUBLE_EQ(bb.MaxY, 3.0); + EXPECT_DOUBLE_EQ(bb.MaxZ, 3.0); +} +TEST_F(FeaturePartFuseTest, testRecursiveCompound) +{ + // Arrange + Part::Compound* _compound[3] = {nullptr}; + int t; + for (t = 0; t < 3; t++) { + _compound[t] = dynamic_cast(_doc->addObject("Part::Compound")); + } + _compound[0]->Links.setValues({_boxes[0], _boxes[1]}); + _compound[1]->Links.setValues({_compound[0]}); + _compound[2]->Links.setValues({_compound[1]}); + _multiFuse->Shapes.setValues({_compound[2]}); + + // Act + for (t = 0; t < 3; t++) { + _compound[t]->execute(); + } + _multiFuse->execute(); + Part::TopoShape ts = _multiFuse->Shape.getValue(); + double volume = PartTestHelpers::getVolume(ts.getShape()); + Base::BoundBox3d bb = ts.getBoundBox(); + + // Assert + EXPECT_DOUBLE_EQ(volume, 9.0); + // double check using bounds: + EXPECT_DOUBLE_EQ(bb.MinX, 0.0); + EXPECT_DOUBLE_EQ(bb.MinY, 0.0); + EXPECT_DOUBLE_EQ(bb.MinZ, 0.0); + EXPECT_DOUBLE_EQ(bb.MaxX, 1.0); + EXPECT_DOUBLE_EQ(bb.MaxY, 3.0); + EXPECT_DOUBLE_EQ(bb.MaxZ, 3.0); +} + TEST_F(FeaturePartFuseTest, testNonIntersecting) { // Arrange