From eb45df8349a6fc87a32339143e79eb2285f598be Mon Sep 17 00:00:00 2001 From: Karim Abdelrahman Date: Tue, 14 Nov 2023 09:32:14 +0200 Subject: [PATCH 01/25] McuSupport: disable run button while flashing in progress Mcus run configuration will build and flash the binary into the target board. The flash process could go wrong if the user accidentally restarted the flashing process by clicking the run button again while flashing is already in progress. Task-number: QTMCU-104 Change-Id: I1387bfd1dd299d427af13de5904f5ad3a8a1d347 Reviewed-by: Eike Ziller Reviewed-by: Alessandro Portale --- .../mcusupport/mcusupportrunconfiguration.cpp | 21 +++++++++++++++++++ 1 file changed, 21 insertions(+) diff --git a/src/plugins/mcusupport/mcusupportrunconfiguration.cpp b/src/plugins/mcusupport/mcusupportrunconfiguration.cpp index 5b397801c8f..b87b527f411 100644 --- a/src/plugins/mcusupport/mcusupportrunconfiguration.cpp +++ b/src/plugins/mcusupport/mcusupportrunconfiguration.cpp @@ -8,6 +8,7 @@ #include #include +#include #include #include @@ -58,9 +59,20 @@ public: connect(target->project(), &Project::displayNameChanged, this, &RunConfiguration::update); } + bool isEnabled() const override + { + if (disabled) + return false; + + return RunConfiguration::isEnabled(); + } + + static bool disabled; StringAspect flashAndRunParameters{this}; }; +bool FlashAndRunConfiguration::disabled = false; + class FlashAndRunWorker : public SimpleTargetRunner { public: @@ -74,6 +86,15 @@ public: setWorkingDirectory(target->activeBuildConfiguration()->buildDirectory()); setEnvironment(target->activeBuildConfiguration()->environment()); }); + + connect(runControl, &RunControl::started, []() { + FlashAndRunConfiguration::disabled = true; + ProjectExplorerPlugin::updateRunActions(); + }); + connect(runControl, &RunControl::stopped, []() { + FlashAndRunConfiguration::disabled = false; + ProjectExplorerPlugin::updateRunActions(); + }); } }; From 7affb80fc386652ba544bb7812f109caf08d39ab Mon Sep 17 00:00:00 2001 From: Cristian Adam Date: Thu, 16 Nov 2023 16:36:21 +0100 Subject: [PATCH 02/25] CMakePM: Do not show source/group/path twice For the cases of: source_group(TREE ${CMAKE_SOURCE_DIR} FILES my/subdir/file.cpp) Treat the "my\\subdir" part in the project view as part of the source group name. Fixes: QTCREATORBUG-29799 Change-Id: I92bf581be25d085783bcdadd8a418b849a29c708 Reviewed-by: Alessandro Portale --- src/plugins/cmakeprojectmanager/fileapidataextractor.cpp | 5 ++++- 1 file changed, 4 insertions(+), 1 deletion(-) diff --git a/src/plugins/cmakeprojectmanager/fileapidataextractor.cpp b/src/plugins/cmakeprojectmanager/fileapidataextractor.cpp index b5b692da080..70e5900dfcb 100644 --- a/src/plugins/cmakeprojectmanager/fileapidataextractor.cpp +++ b/src/plugins/cmakeprojectmanager/fileapidataextractor.cpp @@ -664,7 +664,10 @@ static void addCompileGroups(ProjectNode *targetRoot, sourceDirectory, targetRoot); if (showSourceFolders) { - insertNode->addNestedNodes(std::move(current), sourceDirectory); + FilePath baseDir = sourceDirectory.pathAppended(td.sourceGroups[i]); + if (!baseDir.exists()) + baseDir = sourceDirectory; + insertNode->addNestedNodes(std::move(current), baseDir); } else { for (auto &fileNodes : current) insertNode->addNode(std::move(fileNodes)); From cff26d813a8805c34588536ca19453852b946643 Mon Sep 17 00:00:00 2001 From: David Schulz Date: Thu, 16 Nov 2023 10:13:05 +0100 Subject: [PATCH 03/25] Clangd: Avoid client restart after modifying open documents Change-Id: I116eed1b047159e3d1ce64f18f44da6a0ad7b231 Reviewed-by: Christian Kandeler --- .../clangcodemodel/clangmodelmanagersupport.cpp | 5 +++++ src/plugins/clangcodemodel/test/clangdtests.cpp | 10 ++-------- 2 files changed, 7 insertions(+), 8 deletions(-) diff --git a/src/plugins/clangcodemodel/clangmodelmanagersupport.cpp b/src/plugins/clangcodemodel/clangmodelmanagersupport.cpp index a25ceef0ff5..9d0cd2c0241 100644 --- a/src/plugins/clangcodemodel/clangmodelmanagersupport.cpp +++ b/src/plugins/clangcodemodel/clangmodelmanagersupport.cpp @@ -683,6 +683,11 @@ void ClangModelManagerSupport::watchForExternalChanges() if (!LanguageClientManager::hasClients()) return; for (const FilePath &file : files) { + if (TextEditor::TextDocument::textDocumentForFilePath(file)) { + // if we have a document for that file we should receive the content + // change via the document signals + continue; + } const ProjectFile::Kind kind = ProjectFile::classify(file.toString()); if (!ProjectFile::isSource(kind) && !ProjectFile::isHeader(kind)) continue; diff --git a/src/plugins/clangcodemodel/test/clangdtests.cpp b/src/plugins/clangcodemodel/test/clangdtests.cpp index bfc6d1d4f8d..984aac6e779 100644 --- a/src/plugins/clangcodemodel/test/clangdtests.cpp +++ b/src/plugins/clangcodemodel/test/clangdtests.cpp @@ -2052,21 +2052,15 @@ void ClangdTestExternalChanges::test() QVERIFY(curDoc->marks().isEmpty()); // Now trigger an external change in an open, but not currently visible file and - // verify that we get a new client and diagnostics in the current editor. + // verify that we get diagnostics in the current editor. TextDocument * const docToChange = document("mainwindow.cpp"); docToChange->setSilentReload(); QFile otherSource(filePath("mainwindow.cpp").toString()); QVERIFY(otherSource.open(QIODevice::WriteOnly)); otherSource.write("blubb"); otherSource.close(); - QVERIFY(waitForSignalOrTimeout(LanguageClientManager::instance(), - &LanguageClientManager::clientAdded, timeOutInMs())); - ClangdClient * const newClient = ClangModelManagerSupport::clientForProject(project()); - QVERIFY(newClient); - QVERIFY(newClient != oldClient); - newClient->enableTesting(); if (curDoc->marks().isEmpty()) - QVERIFY(waitForSignalOrTimeout(newClient, &ClangdClient::textMarkCreated, timeOutInMs())); + QVERIFY(waitForSignalOrTimeout(client(), &ClangdClient::textMarkCreated, timeOutInMs())); } ClangdTestIndirectChanges::ClangdTestIndirectChanges() From fbf8b4d3c3f7272231ac60f17df9c5ef9b2beaed Mon Sep 17 00:00:00 2001 From: David Schulz Date: Thu, 16 Nov 2023 15:07:46 +0100 Subject: [PATCH 04/25] Copilot: fix applying copilot suggestions word by word via the ctrl+right shortcut Change-Id: I1a9460a456833c7ddd35a42a63eaf75b8e2930b3 Reviewed-by: Artem Sokolovskii --- src/plugins/copilot/copilotsuggestion.cpp | 2 +- src/plugins/texteditor/textdocumentlayout.cpp | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/src/plugins/copilot/copilotsuggestion.cpp b/src/plugins/copilot/copilotsuggestion.cpp index 28da286f1f7..8fcac6ee663 100644 --- a/src/plugins/copilot/copilotsuggestion.cpp +++ b/src/plugins/copilot/copilotsuggestion.cpp @@ -72,7 +72,7 @@ void CopilotSuggestion::reset() int CopilotSuggestion::position() { - return m_start.position(); + return m_start.selectionEnd(); } } // namespace Copilot::Internal diff --git a/src/plugins/texteditor/textdocumentlayout.cpp b/src/plugins/texteditor/textdocumentlayout.cpp index 6efa145aace..6b98673bf85 100644 --- a/src/plugins/texteditor/textdocumentlayout.cpp +++ b/src/plugins/texteditor/textdocumentlayout.cpp @@ -603,7 +603,7 @@ bool TextDocumentLayout::updateSuggestion(const QTextBlock &block, { if (TextSuggestion *suggestion = TextDocumentLayout::suggestion(block)) { auto positionInBlock = position - block.position(); - if (positionInBlock < suggestion->position()) + if (position < suggestion->position()) return false; const QString start = block.text().left(positionInBlock); const QString end = block.text().mid(positionInBlock); From d652d7bfbd09dbced47a87e55c106ae0e3ee5ba4 Mon Sep 17 00:00:00 2001 From: Eike Ziller Date: Mon, 13 Nov 2023 14:09:52 +0100 Subject: [PATCH 05/25] Change log: Switch documentation links to stable documentation Change-Id: Ifd1c17808787182668ef0c1d35f33b89860aa8d9 Reviewed-by: Leena Miettinen --- dist/changelog/changes-12.0.0.md | 42 ++++++++++++++++---------------- 1 file changed, 21 insertions(+), 21 deletions(-) diff --git a/dist/changelog/changes-12.0.0.md b/dist/changelog/changes-12.0.0.md index 69ab50ee436..3d8608f2da9 100644 --- a/dist/changelog/changes-12.0.0.md +++ b/dist/changelog/changes-12.0.0.md @@ -37,14 +37,14 @@ Every language, compiler, and library that is supported at is also supported in Qt Creator. You can save your Compiler Explorer session as a `.qtce` file (JSON-based). -([Documentation](https://doc-snapshots.qt.io/qtcreator-12.0/creator-how-to-explore-compiler-code.html)) +([Documentation](https://doc.qt.io/qtcreator/creator-how-to-explore-compiler-code.html)) ### CMake Debugging and the Debug Adapter Protocol Set breakpoints in a CMake file and select `Debug > Start Debugging > Start CMake Debugging` to start debugging. -([Documentation](https://doc-snapshots.qt.io/qtcreator-12.0/creator-how-to-debug-cmake-files.html)) +([Documentation](https://doc.qt.io/qtcreator/creator-how-to-debug-cmake-files.html)) ### Screen Recording @@ -56,7 +56,7 @@ To enable the ScreenRecorder plugin, select `Help > About Plugins > Utilities > ScreenRecorder`. Then select `Restart Now` to restart Qt Creator and load the plugin. -([Documentation](https://doc-snapshots.qt.io/qtcreator-12.0/creator-how-to-record-screens.html)) +([Documentation](https://doc.qt.io/qtcreator/creator-how-to-record-screens.html)) General ------- @@ -66,14 +66,14 @@ General `Edit > Preferences > Environment > Locator` to keep the sorting from the tool used for the file system index locator filter ([QTCREATORBUG-27789](https://bugreports.qt.io/browse/QTCREATORBUG-27789)) - ([Documentation](https://doc-snapshots.qt.io/qtcreator-12.0/creator-editor-locator.html#locating-files-from-global-file-system-index)) + ([Documentation](https://doc.qt.io/qtcreator/creator-editor-locator.html#locating-files-from-global-file-system-index)) * Added the `View > Show Menu Bar` option to hide the menu bar on platforms without a unified menu bar ([QTCREATORBUG-29498](https://bugreports.qt.io/browse/QTCREATORBUG-29498)) - ([Documentation](https://doc-snapshots.qt.io/qtcreator-12.0/creator-how-to-show-and-hide-main-menu.html)) + ([Documentation](https://doc.qt.io/qtcreator/creator-how-to-show-and-hide-main-menu.html)) * Changed the `Enable high DPI scaling` setting to a `DPI rounding policy` setting, which fits Qt's settings better - ([Documentation](https://doc-snapshots.qt.io/qtcreator-12.0/creator-how-to-set-high-dpi-scaling.html)) + ([Documentation](https://doc.qt.io/qtcreator/creator-how-to-set-high-dpi-scaling.html)) * Fixed an issue with growing session files * Fixed that the shortcuts for the navigation views could be stuck to opening a view in the right side bar @@ -87,7 +87,7 @@ Help * Added the `Edit > Preferences > Help > General > Antialias` check box for setting the anti-aliasing of text ([QTCREATORBUG-12177](https://bugreports.qt.io/browse/QTCREATORBUG-12177)) - ([Documentation](https://doc-snapshots.qt.io/qtcreator-12.0/creator-how-to-get-help.html#change-the-font)) + ([Documentation](https://doc.qt.io/qtcreator/creator-how-to-get-help.html#change-the-font)) Editing ------- @@ -95,9 +95,9 @@ Editing * Added the count of selected characters to line and column information on the `Edit` mode toolbar ([QTCREATORBUG-29381](https://bugreports.qt.io/browse/QTCREATORBUG-29381)) - ([Documentation](https://doc-snapshots.qt.io/qtcreator-12.0/creator-coding-navigating.html#navigating-between-open-files-and-symbols)) + ([Documentation](https://doc.qt.io/qtcreator/creator-coding-navigating.html#navigating-between-open-files-and-symbols)) * Added an indenter, auto-brace and auto-quote for JSON - ([Documentation](https://doc-snapshots.qt.io/qtcreator-12.0/creator-enclose-code-in-characters.html)) + ([Documentation](https://doc.qt.io/qtcreator/creator-enclose-code-in-characters.html)) * Improved the performance of searching in big documents * Fixed that the historical order of open documents was not restored * Fixed that suggestions were rendered with the wrong tab size @@ -108,12 +108,12 @@ Editing * Updated to LLVM 17.0.1 * Added `Tools > C++ > Fold All Comment Blocks` and `Unfold All Comment Blocks` ([QTCREATORBUG-2449](https://bugreports.qt.io/browse/QTCREATORBUG-2449)) - ([Documentation](https://doc-snapshots.qt.io/qtcreator-12.0/creator-highlighting.html#folding-blocks)) + ([Documentation](https://doc.qt.io/qtcreator/creator-highlighting.html#folding-blocks)) * Added the `Convert Comment to C Style` and `Convert Comment to C++ Style` refactoring actions for converting comments between C++-style and C-style ([QTCREATORBUG-27501](https://bugreports.qt.io/browse/QTCREATORBUG-27501)) - ([Documentation](https://doc-snapshots.qt.io/qtcreator-12.0/creator-editor-quick-fixes.html#refactoring-c-code)) + ([Documentation](https://doc.qt.io/qtcreator/creator-editor-quick-fixes.html#refactoring-c-code)) * Added the `Move Function Documentation to Declaration` and `Move Function Documentation to Definition` refactoring actions for moving documentation between function declaration and definition @@ -177,7 +177,7 @@ Editing * Added support for proxies ([QTCREATORBUG-29485](https://bugreports.qt.io/browse/QTCREATORBUG-29485)) - ([Documentation](https://doc-snapshots.qt.io/qtcreator-12.0/creator-copilot.html)) + ([Documentation](https://doc.qt.io/qtcreator/creator-copilot.html)) * Fixed the auto-detection of `agent.js` ([QTCREATORBUG-29750](https://bugreports.qt.io/browse/QTCREATORBUG-29750)) @@ -188,7 +188,7 @@ Editing ### Markdown * Added buttons and configurable shortcuts for text styles - ([Documentation](https://doc-snapshots.qt.io/qtcreator-12.0/creator-markdown-editor.html)) + ([Documentation](https://doc.qt.io/qtcreator/creator-markdown-editor.html)) ### Images @@ -203,9 +203,9 @@ Projects * Project specific settings * Added C++ file naming settings ([QTCREATORBUG-22033](https://bugreports.qt.io/browse/QTCREATORBUG-22033)) - ([Documentation](https://doc-snapshots.qt.io/qtcreator-12.0/creator-how-to-set-cpp-file-naming.html)) + ([Documentation](https://doc.qt.io/qtcreator/creator-how-to-set-cpp-file-naming.html)) * Added documentation comment settings - ([Documentation](https://doc-snapshots.qt.io/qtcreator-12.0/creator-how-to-document-code.html)) + ([Documentation](https://doc.qt.io/qtcreator/creator-how-to-document-code.html)) * Added an option for the Doxygen command prefix ([QTCREATORBUG-8096](https://bugreports.qt.io/browse/QTCREATORBUG-8096)) * Improved performance of filtering the target setup page @@ -250,15 +250,15 @@ Projects ([QTCREATORBUG-29643](https://bugreports.qt.io/browse/QTCREATORBUG-29643)) * Fixed unnecessary restrictions on the preset name -([Documentation](https://doc-snapshots.qt.io/qtcreator-12.0/creator-project-cmake.html)) +([Documentation](https://doc.qt.io/qtcreator/creator-project-cmake.html)) ### Python * Added auto-detection of PySide from the installer ([PYSIDE-2153](https://bugreports.qt.io/browse/PYSIDE-2153)) - ([Documentation](https://doc-snapshots.qt.io/qtcreator-12.0/creator-python-development.html#set-up-pyside6)) + ([Documentation](https://doc.qt.io/qtcreator/creator-python-development.html#set-up-pyside6)) * Added the option to forward the display for remote Linux - ([Documentation](https://doc-snapshots.qt.io/qtcreator-12.0/creator-run-settings.html#specifying-run-settings-for-linux-based-devices)) + ([Documentation](https://doc.qt.io/qtcreator/creator-run-settings.html#specifying-run-settings-for-linux-based-devices)) * Fixed PySide wheels installation on macOS ### qmake @@ -277,7 +277,7 @@ Projects * Added parsing the dependencies from `vcpkg.json` manifest files * Improved the addition of dependencies to `vcpkg.json` -([Documentation](https://doc-snapshots.qt.io/qtcreator-12.0/creator-how-to-edit-vcpkg-manifest-files.html)) +([Documentation](https://doc.qt.io/qtcreator/creator-how-to-edit-vcpkg-manifest-files.html)) ### Qt Safe Renderer @@ -321,7 +321,7 @@ Terminal * Added support for Windows Terminal schemes * Fixed `Ctrl+C/V` on Windows -([Documentation](https://doc-snapshots.qt.io/qtcreator-12.0/creator-reference-terminal-view.html)) +([Documentation](https://doc.qt.io/qtcreator/creator-reference-terminal-view.html)) Version Control Systems ----------------------- @@ -331,7 +331,7 @@ Version Control Systems * Added the `Ignore whitespace changes` and `Ignore line moves` options to `Preferences > Version Control > Git > Instant Blame` ([QTCREATORBUG-29378](https://bugreports.qt.io/browse/QTCREATORBUG-29378)) - ([Documentation](https://doc-snapshots.qt.io/qtcreator-12.0/creator-vcs-git.html)) + ([Documentation](https://doc.qt.io/qtcreator/creator-vcs-git.html)) ### CVS From 20752a78112d4b8af42325e2ad6fcea89769f0e4 Mon Sep 17 00:00:00 2001 From: Jarek Kobus Date: Thu, 19 Oct 2023 09:12:51 +0200 Subject: [PATCH 06/25] Translations: Clean update of Polish ts file Change-Id: Id4ec2377443b8fe42fa51f38c63a7a6c3bd6e6ee Reviewed-by: Patryk Stachniak Reviewed-by: Oswald Buddenhagen Reviewed-by: Eike Ziller --- share/qtcreator/translations/qtcreator_pl.ts | 85899 ++++++++++------- 1 file changed, 53251 insertions(+), 32648 deletions(-) diff --git a/share/qtcreator/translations/qtcreator_pl.ts b/share/qtcreator/translations/qtcreator_pl.ts index fb3b9a36e3f..f5cd343f2f2 100644 --- a/share/qtcreator/translations/qtcreator_pl.ts +++ b/share/qtcreator/translations/qtcreator_pl.ts @@ -2,527 +2,13578 @@ - QtC::ExtensionSystem + AbstractButtonSection - Name: - Nazwa: + Button Content + - Version: - Wersja: + Text + Tekst - Vendor: - Dostawca: + Text displayed on the button. + Tekst pokazany na przycisku. - Location: - Położenie: + Display + Wyświetlanie + + + Determines how the icon and text are displayed within the button. + + + + Checkable + Wybieralny + + + Toggles if the button is checkable. + + + + Checked + Wciśnięty + + + Toggles if the button is checked. + + + + Exclusive + + + + Toggles if the button is exclusive. Non-exclusive checkable buttons that belong to the same parent behave as if they are part of the same button group; only one button can be checked at any time. + + + + Auto-repeat + + + + Toggles if pressed, released, and clicked actions are repeated while the button is pressed and held down. + + + + Repeat delay + + + + Sets the initial delay of auto-repetition in milliseconds. + + + + Repeat interval + + + + Sets the interval between auto-repetitions in milliseconds. + + + + + AccountImage + + Account + + + + + AddImageToResources + + File Name + Nazwa pliku + + + Size + Rozmiar + + + Add Resources + + + + &Browse... + + + + Target Directory + + + + + AddModuleView + + Select a Module to Add + + + + + AddSignalHandlerDialog + + Implement Signal Handler + Zaimplementuj obsługę sygnału + + + Frequently used signals + Często używane sygnały + + + Property changes + Zmiany właściwości + + + All signals + Wszystkie sygnały + + + Signal: + Sygnał: + + + Choose the signal you want to handle: + Wybierz sygnał do obsługi: + + + The item will be exported automatically. + Element zostanie automatycznie wyeksportowany. + + + + AdvancedSection + + Advanced + Zaawansowane + + + Toggles if the component is enabled to receive mouse and keyboard input. + + + + Toggles if the smoothing is performed using linear interpolation method. Keeping it unchecked would follow non-smooth method using nearest neighbor. It is mostly applicable on image based items. + + + + Refines the edges of the image. + + + + Focus + + + + Sets focus on the component within the enclosing focus scope. + + + + Focus on tab + + + + Adds the component to the tab focus chain. + + + + Baseline offset + + + + Sets the position of the component's baseline in local coordinates. + + + + Enabled + Odblokowany + + + Smooth + Gładki + + + Antialiasing + Antyaliasing + + + + AlignCamerasToViewAction + + Align Cameras to View + + + + + AlignDistributeSection + + Alignment + Wyrównanie + + + Align left edges. + + + + Align horizontal centers. + + + + Align right edges. + + + + Align top edges. + + + + Align vertical centers. + + + + Align bottom edges. + + + + Distribute objects + + + + Distribute left edges. + + + + Distribute horizontal centers. + + + + Distribute right edges. + + + + Distribute top edges. + + + + Distribute vertical centers. + + + + Distribute bottom edges. + + + + Distribute spacing + + + + Distribute spacing horizontally. + + + + Distribute spacing vertically. + + + + Disables the distribution of spacing in pixels. + + + + Sets the left or top border of the target area or item as the starting point, depending on the distribution orientation. + + + + Sets the horizontal or vertical center of the target area or item as the starting point, depending on the distribution orientation. + + + + Sets the bottom or right border of the target area or item as the starting point, depending on the distribution orientation. + + + + Pixel spacing + + + + Align to + + + + Key object + + + + Warning + + + + - The selection contains the root component. + + + + - The selection contains a non-visual component. + + + + - A component in the selection uses anchors. + + + + + AlignViewToCameraAction + + Align View to Camera + + + + + AmbientSoundSection + + Ambient Sound + + + + Source + Źródło + + + The source file for the sound to be played. + + + + Volume + + + + Set the overall volume for this sound source. +Values between 0 and 1 will attenuate the sound, while values above 1 provide an additional gain boost. + + + + Loops + + + + Sets how often the sound is played before the player stops. +Bind to AmbientSound.Infinite to loop the current sound forever. + + + + Auto Play + + + + Sets whether the sound should automatically start playing when a source gets specified. + + + + + AnchorButtons + + Anchors can only be applied to child items. + + + + Anchors can only be applied to the base state. + + + + Anchor component to the top. + + + + Anchor component to the bottom. + + + + Anchor component to the left. + + + + Anchor component to the right. + + + + Fill parent component. + + + + Anchor component vertically. + + + + Anchor component horizontally. + + + + + AnchorRow + + Target + Cel + + + Margin + Margines + + + Anchor to the top of the target. + Zakotwicz do górnej krawędzi celu. + + + Anchor to the left of the target. + Zakotwicz do lewej krawędzi celu. + + + Anchor to the vertical center of the target. + Zakotwicz do środka celu w pionie. + + + Anchor to the horizontal center of the target. + Zakotwicz do środka celu w poziomie. + + + Anchor to the bottom of the target. + Zakotwicz do dolnej krawędzi celu. + + + Anchor to the right of the target. + Zakotwicz do prawej krawędzi celu. + + + + AnimatedImageSpecifics + + Image + Obrazek + + + Animated image + + + + Speed + + + + Sets the speed of the animation. + + + + Playing + + + + Toggles if the animation is playing. + + + + + AnimationSection + + Animation + + + + Running + Uruchomiona + + + Whether the animation is running and/or paused. + + + + Loops + + + + Number of times the animation should play. + + + + Duration + Czas trwania + + + Duration of the animation in milliseconds. + + + + Run to end + + + + Runs the animation to completion when it is stopped. + + + + Easing curve + + + + Defines a custom easing curve. + + + + + AnimationTargetSection + + Animation Targets + + + + Target + Cel + + + Target to animate the properties of. + + + + Property + Właściwość + + + Property to animate. + + + + Properties + Właściwości + + + Properties to animate. + + + + + ApplicationWindowSpecifics + + Window + Okno + + + Title + Tytuł + + + Size + Rozmiar + + + Color + Kolor + + + Visible + Widoczny + + + Opacity + Nieprzezroczystość + + + + AssetDelegate + + (empty) + + + + + Assets + + Add a new asset to the project. + + + + No match found. + + + + Looks like you don't have any assets yet. + + + + Drag-and-drop your assets here or click the '+' button to browse assets from the file system. + + + + + AssetsContextMenu + + Delete Files + + + + Add Textures + + + + Delete File + Usuń plik + + + Add Texture + + + + Expand All + Rozwiń wszystko + + + Collapse All + Zwiń wszystko + + + Add Light Probe + + + + Rename Folder + Zmień nazwę katalogu + + + New Folder + Nowy katalog + + + Delete Folder + Usuń katalog + + + New Effect + + + + + AudioEngineSection + + Audio Engine + + + + Master Volume + + + + Sets or returns overall volume being used to render the sound field. +Values between 0 and 1 will attenuate the sound, while values above 1 provide an additional gain boost. + + + + Output Mode + + + + Sets the current output mode of the engine. + + + + Output Device + + + + Sets the device that is being used for outputting the sound field. + + + + + AudioRoomSection + + Audio Room + + + + Dimensions + + + + Sets the dimensions of the room in 3D space. + + + + Reflection Gain + + + + Sets the gain factor for reflections generated in this room. +A value from 0 to 1 will dampen reflections, while a value larger than 1 will apply a gain to reflections, making them louder. + + + + Reverb Gain + + + + Sets the gain factor for reverb generated in this room. +A value from 0 to 1 will dampen reverb, while a value larger than 1 will apply a gain to the reverb, making it louder. + + + + Reverb Time + + + + Sets the factor to be applies to all reverb timings generated for this room. +Larger values will lead to longer reverb timings, making the room sound larger. + + + + Reverb Brightness + + + + Sets the brightness factor to be applied to the generated reverb. +A positive value will increase reverb for higher frequencies and dampen lower frequencies, a negative value does the reverse. + + + + Left Material + + + + Sets the material to use for the left (negative x) side of the room. + + + + Right Material + + + + Sets the material to use for the right (positive x) side of the room. + + + + Floor Material + + + + Sets the material to use for the floor (negative y) side of the room. + + + + Ceiling Material + + + + Sets the material to use for the ceiling (positive y) side of the room. + + + + Back Material + + + + Sets the material to use for the back (negative z) side of the room. + + + + Front Material + + + + Sets the material to use for the front (positive z) side of the room. + + + + + AudioSection + + Audio + + + + Volume + + + + Muted + + + + + Axivion + + Project: + Projekt: + + + Lines of code: + + + + Analysis timestamp: + + + + unknown + + + + Total: + + + + Axivion + + + + Show dashboard + + + + Show rule details + + + + Certificate Error + Błąd certyfikatu + + + Server certificate for %1 cannot be authenticated. +Do you want to disable SSL verification for this server? +Note: This can expose you to man-in-the-middle attack. + + + + Dashboard projects: + + + + Fetch Projects + + + + Link Project + + + + Unlink Project + + + + This project is not linked to a dashboard project. + + + + This project is linked to "%1". + + + + Incomplete or misconfigured settings. + + + + curl: + + + + Dashboard URL: + Description: - Opis: + Opis: - Copyright: - Prawa autorskie: + Non-empty description + - License: - Licencja: + Access token: + - Dependencies: - Zależności: + IDE Access Token + - Group: - Grupa: + Edit... + Modyfikuj... - Compatibility version: - Zgodność z wersją: + Edit Dashboard Configuration + - URL: - URL: - - - Platforms: - Platformy: - - - State: - Stan: - - - Error message: - Komunikat błędu: + General + Ogólne - QtC::Utils + BackgroundColorMenuActions - Do not ask again - Nie pytaj ponownie + Background Color Actions + + + + + BakeLights + + Bake Lights + - Do not &ask again - Nie &pytaj ponownie + Bake lights for the current 3D scene. + + + + + BakeLightsProgressDialog + + Close + Zamknij - Do not &show again - Nie po&kazuj ponownie + Baking lights for 3D view: %1 + - Name: - Nazwa: + Bake Again + - Path: - Ścieżka: + Cancel + Anuluj + + + + BakeLightsSetupDialog + + Lights baking setup for 3D view: %1 + - Choose the Location - Wybierz położenie + Expose models and lights + - Invalid base class name - Niepoprawna nazwa klasy bazowej + Baking Disabled + - Invalid header file name: "%1" - Niepoprawna nazwa pliku nagłówkowego: "%1" + Bake Indirect + - Invalid source file name: "%1" - Niepoprawna nazwa piku źródłowego: "%1" + Bake All + - Invalid form file name: "%1" - Niepoprawna nazwa pliku z formularzem: "%1" + The baking mode applied to this light. + - Inherits QObject - Dziedziczy z QObject + In Use + - None - Brak + If checked, this model contributes to baked lighting, +for example in form of casting shadows or indirect light. + - Inherits QWidget - Dziedziczy z QWidget + Enabled + - &Class name: - Nazwa &klasy: + If checked, baked lightmap texture is generated and rendered for this model. + - &Base class: - Klasa &bazowa: + Resolution: + - &Type information: - Informacja o &typie: + Generated lightmap resolution for this model. + - Based on QSharedData - Bazuje na QSharedData + Setup baking manually + - &Header file: - Plik &nagłówkowy: + If checked, baking settings above are not applied on close or bake. +Instead, user is expected to set baking properties manually. + - &Source file: - Plik ź&ródłowy: + Cancel + Anuluj - &Generate form: - Wy&generuj formularz: + Apply & Close + - &Form file: - Plik z &formularzem: + Bake + + + + + BakedLightmapSection + + Baked Lightmap + - &Path: - Ś&cieżka: + Enabled + - Inherits QDeclarativeItem - Qt Quick 1 - Dziedziczy z QDeclarativeItem (wersja Qt Quick 1) + When false, the lightmap generated for the model is not stored during lightmap baking, +even if the key is set to a non-empty value. + - Inherits QQuickItem - Qt Quick 2 - Dziedziczy z QDeclarativeItem (wersja Qt Quick 2) + Key + Klucz - Create in: - Utwórz w: + Sets the filename base for baked lightmap files for the model. +No other Model in the scene can use the same key. + - <Enter_Name> - <Wprowadź nazwę> + Load Prefix + - Location - Położenie + Sets the folder where baked lightmap files are generated. +It should be a relative path. + + + + + BindingsDialog + + Owner + Właściciel - The project already exists. - Projekt już istnieje. + The owner of the property + + + + + BindingsDialogForm + + From + Od - A file with that name already exists. - Plik o tej samej nazwie już istnieje. + Sets the component and its property from which the value is copied. + - Name is empty. - Nazwa jest pusta. + To + Do - Name does not match "%1". - Nazwa nie pasuje do wzorca "%1". + Sets the property of the selected component to which the copied value is assigned. + + + + + BindingsListView + + Removes the binding. + + + + + BorderImageSpecifics + + Source + Źródło - Invalid character "%1" found. - Niepoprawny znak "%1". + Sets the source image for the border. + - Invalid character ".". - Niepoprawny znak ".". + Sets the dimension of the border image. + + + + W + width + The width of the object + + + + Width + Szerokość + + + H + height + The height of the object + H + + + Height + Wysokość + + + Tile mode H + + + + Sets the horizontal tiling mode. + + + + Tile mode V + + + + Sets the vertical tiling mode. + + + + Border left + + + + Sets the left border. + + + + Border right + + + + Sets the right border. + + + + Border top + + + + Sets the top border. + + + + Border bottom + + + + Sets the bottom border. + + + + Mirror + + + + Toggles if the image should be inverted horizontally. + + + + Cache + Cache + + + Toggles if the image is saved to the cache memory. + + + + Asynchronous + + + + Toggles if the image is loaded after all the components in the design. + + + + Border Image + Obraz brzegowy + + + Source size + Rozmiar źródła + + + + BusyIndicatorSpecifics + + Busy Indicator + + + + Running + Uruchomiona + + + Toggles if the busy indicator indicates activity. + + + + Live + + + + + ButtonSection + + Button + Przycisk + + + Appearance + + + + Toggles if the button is flat or highlighted. + + + + Flat + + + + Highlight + + + + + ButtonSpecifics + + Button + Przycisk + + + Text + Tekst + + + Checked + Wciśnięty + + + Text displayed on the button. + Tekst pokazany na przycisku. + + + State of the button. + Stan przycisku. + + + Checkable + Wybieralny + + + Determines whether the button is checkable or not. + Określa, czy przycisk jest wybieralny. + + + Enabled + Odblokowany + + + Determines whether the button is enabled or not. + Określa, czy przycisk jest odblokowany. + + + Default button + Domyślny przycisk + + + Sets the button as the default button in a dialog. + Ustawia przycisk jako domyślny w dialogu. + + + Tool tip + Podpowiedź + + + The tool tip shown for the button. + Podpowiedź ukazująca się dla przycisku. + + + Focus on press + Fokus po naciśnięciu + + + Determines whether the button gets focus if pressed. + Określa, czy przycisk otrzymuje fokus po naciśnięciu. + + + Icon source + Źródło ikony + + + The URL of an icon resource. + Adres URL ikony. + + + + CameraToggleAction + + Toggle Perspective/Orthographic Camera Mode + + + + + ChangeStyleWidgetAction + + Change style for Qt Quick Controls 2. + Zmień styl dla Qt Quick Controls 2. + + + Change style for Qt Quick Controls 2. Configuration file qtquickcontrols2.conf not found. + Zmień styl dla Qt Quick Controls 2. Brak pliku konfiguracyjnego qtquickcontrols2.conf. + + + + CharacterSection + + Character + + + + Text + Tekst + + + Sets the text to display. + + + + Font + Czcionka + + + Sets the font of the text. + + + + Style name + + + + Sets the style of the selected font. This is prioritized over <b>Weight</b> and <b>Emphasis</b>. + + + + Size + Rozmiar + + + Sets the font size in pixels or points. + + + + Text color + + + + Sets the text color. + + + + Weight + + + + Sets the overall thickness of the font. + + + + Emphasis + + + + Sets the text to bold, italic, underlined, or strikethrough. + + + + Alignment H + + + + Sets the horizontal alignment position. + + + + Alignment V + + + + Sets the vertical alignment position. + + + + Letter spacing + + + + Sets the letter spacing for the text. + + + + Word spacing + + + + Sets the word spacing for the text. + + + + Line height + + + + Sets the line height for the text. + + + + + CheckBoxSpecifics + + Check Box + Przycisk wyboru + + + Text + Tekst + + + Determines whether the check box gets focus if pressed. + Określa, czy przycisk wyboru otrzymuje fokus po naciśnięciu. + + + Checked + Wciśnięty + + + Text shown on the check box. + Tekst etykiety przycisku wyboru. + + + State of the check box. + Stan przycisku wyboru. + + + Focus on press + Fokus po naciśnięciu + + + + CheckSection + + Check Box + Przycisk wyboru + + + Check state + + + + Sets the state of the check box. + + + + Tri-state + + + + Toggles if the check box can have an intermediate state. + + + + + ChooseMaterialProperty + + Select material: + + + + Select property: + + + + Cancel + Anuluj + + + Apply + Zastosuj + + + + CollectionItem + + Delete + + + + Rename + Zmień nazwę + + + Deleting whole collection + + + + Cancel + Anuluj + + + Rename collection + + + + New name: + + + + + CollectionView + + Collections + + + + Import Json + + + + Import CSV + + + + Add new collection + + + + + ColorAnimationSpecifics + + Color Animation + + + + From color + + + + To color + + + + + ColorEditorPopup + + Solid + + + + Linear + + + + Radial + + + + Conical + + + + Open Color Dialog + + + + Fill type can only be changed in base state. + + + + Transparent + Przezroczystość + + + Gradient Picker + + + + Eye Dropper + + + + Original + + + + New + Nowy + + + Add to Favorites + + + + Color Details + + + + Palette + + + + Gradient Controls + + + + Vertical + W pionie + + + Horizontal + W poziomie + + + Defines the direction of the gradient. + + + + Defines the start point for color interpolation. + + + + Defines the end point for color interpolation. + + + + Defines the center point. + + + + Defines the focal point. + + + + Defines the center radius. + + + + Defines the focal radius. Set to 0 for simple radial gradients. + + + + Defines the start angle for the conical gradient. The value is in degrees (0-360). + + + + + ColorPalette + + Remove from Favorites + + + + Add to Favorites + + + + + ColumnLayoutSpecifics + + Column Layout + + + + Column spacing + + + + Layout direction + + + + + ColumnSpecifics + + Column + Kolumna + + + Spacing + Odstępy + + + Sets the spacing between column items. + + + + + ComboBoxSpecifics + + Combo Box + Pole wyboru + + + Text role + + + + Sets the model role for populating the combo box. + + + + Display text + + + + Sets the initial display text for the combo box. + + + + Current index + Bieżący indeks + + + Sets the current item. + + + + Flat + + + + Toggles if the combo box button is flat. + + + + Editable + + + + Toggles if the combo box is editable. + + + + Determines whether the combobox gets focus if pressed. + Określa, czy pole wyboru otrzymuje fokus po naciśnięciu. + + + Focus on press + Fokus po naciśnięciu + + + + Component + + Error exporting node %1. Cannot parse type %2. + + + + + ComponentButton + + This is an instance of a component + + + + Edit Component + + + + + ComponentSection + + Component + Komponent + + + Type + Typ + + + Sets the QML type of the component. + + + + ID + Identyfikator + + + Sets a unique identification or name. + + + + id + identyfikator + + + Exports this component as an alias property of the root component. + + + + State + Stan + + + Sets the state of the component. + + + + Annotation + Adnotacja + + + Adds a note with a title to explain the component. + + + + Descriptive text + + + + Edit Annotation + + + + Remove Annotation + + + + Add Annotation + + + + + ConfirmDeleteFilesDialog + + Confirm Delete Files + + + + Some files might be in use. Delete anyway? + + + + Do not ask this again + + + + Delete + + + + Cancel + Anuluj + + + + ConfirmDeleteFolderDialog + + Folder Not Empty + + + + Folder "%1" is not empty. Delete it anyway? + + + + If the folder has assets in use, deleting it might cause the project to not work correctly. + + + + Delete + + + + Cancel + Anuluj + + + + ConnectionsDialog + + Target + Cel + + + Sets the Component that is connected to a <b>Signal</b>. + + + + + ConnectionsDialogForm + + Signal + Sygnalizowanie + + + Sets an interaction method that connects to the <b>Target</b> component. + + + + Action + Akcja + + + Sets an action that is associated with the selected <b>Target</b> component's <b>Signal</b>. + + + + Call Function + + + + Assign + + + + Change State + + + + Set Property + + + + Print Message + + + + Custom + Własny + + + Add Condition + + + + Sets a logical condition for the selected <b>Signal</b>. It works with the properties of the <b>Target</b> component. + + + + Remove Condition + + + + Removes the logical condition for the <b>Target</b> component. + + + + Add Else Statement + + + + Sets an alternate condition for the previously defined logical condition. + + + + Remove Else Statement + + + + Removes the alternate logical condition for the previously defined logical condition. + + + + Write the conditions for the components and the signals manually. + + + + + ConnectionsListView + + Removes the connection. + + + + + ConnectionsSpecifics + + Connections + Połączenia + + + Enabled + + + + Sets whether the component accepts change events. + + + + Ignore unknown signals + + + + Ignores runtime errors produced by connections to non-existent signals. + + + + Target + Cel + + + Sets the component that sends the signal. + + + + + ContainerSection + + Container + + + + Current index + Bieżący indeks + + + Sets the index of the current item. + + + + + ContentLibrary + + Materials + + + + Textures + + + + Environments + + + + Effects + + + + + ContentLibraryEffect + + Effect is imported to project + + + + + ContentLibraryEffectContextMenu + + Add an instance + + + + Remove from project + + + + + ContentLibraryEffectsView + + No effects available. + + + + <b>Content Library</b> effects are not supported in Qt5 projects. + + + + To use <b>Content Library</b>, first add the QtQuick3D module in the <b>Components</b> view. + + + + To use <b>Content Library</b>, version 6.4 or later of the QtQuick3D module is required. + + + + <b>Content Library</b> is disabled inside a non-visual component. + + + + No match found. + + + + + ContentLibraryMaterial + + Material is imported to project + + + + Add an instance to project + + + + Click to download material + + + + + ContentLibraryMaterialContextMenu + + Apply to selected (replace) + + + + Apply to selected (add) + + + + Add an instance to project + + + + Remove from project + + + + + ContentLibraryMaterialsView + + No materials available. Make sure you have internet connection. + + + + <b>Content Library</b> materials are not supported in Qt5 projects. + + + + To use <b>Content Library</b>, first add the QtQuick3D module in the <b>Components</b> view. + + + + To use <b>Content Library</b>, version 6.3 or later of the QtQuick3D module is required. + + + + <b>Content Library</b> is disabled inside a non-visual component. + + + + No match found. + + + + + ContentLibraryTabButton + + Materials + + + + + ContentLibraryTexture + + Texture was already downloaded. + + + + Network/Texture unavailable or broken Link. + + + + Could not download texture. + + + + Click to download the texture. + + + + Updating... + + + + Progress: + + + + % + % + + + Downloading... + + + + Update texture + + + + Extracting... + + + + + ContentLibraryTextureContextMenu + + Add image + + + + Add texture + + + + Add light probe + + + + + ContentLibraryTexturesView + + No textures available. Make sure you have internet connection. + + + + No match found. + + + + + ContextMenu + + Undo + Cofnij + + + Redo + Przywróć + + + Copy + Skopiuj + + + Cut + Wytnij + + + Paste + Wklej + + + Delete + + + + Clear + Wyczyść + + + Select All + Zaznacz wszystko + + + + ControlSection + + Control + + + + Enable + + + + Toggles if the component can receive hover events. + + + + Hover + + + + Focus policy + + + + Sets focus method. + + + + Spacing + Odstępy + + + Sets the spacing between internal elements of the component. + + + + Wheel + + + + Toggles if the component supports mouse wheel events. + + + + + CsvImport + + Import A CSV File + + + + New CSV File + + + + Could not load the file + + + + An error occurred while trying to load the file. + + + + File name: + + + + Open + Otwórz + + + Collection name: + + + + File name can not be empty + + + + Collection name can not be empty + + + + Import + Zaimportuj + + + Cancel + Anuluj + + + + DelayButtonSpecifics + + Delay Button + + + + Delay + + + + Sets the delay before the button activates. + + + + Milliseconds. + + + + + DesignerActionManager + + Document Has Errors + + + + The document which contains the list model contains errors. So we cannot edit it. + + + + Document Cannot Be Written + + + + An error occurred during a write attemp. + + + + + Details + + Details + Szczegóły Use as default project location - Ustaw jako domyślne położenie projektów + Ustaw jako domyślne położenie projektów - Introduction and Project Location - Nazwa oraz położenie projektu + Width + Szerokość - Project: - Projekt: + Height + Wysokość + + + Orientation + Orientacja + + + Use Qt Virtual Keyboard + + + + Target Qt Version: + + + + Save Custom Preset + + + + Save Preset + + + + Preset name + + + + MyPreset + - QtC::Core + DialSpecifics - New Project - Nowy projekt + Dial + - Choose a template: - Wybierz szablon: + Value + Wartość - Choose... - Wybierz... + Sets the value of the dial. + - Projects - Projekty + Live + - Files and Classes - Pliki i klasy + From + Od - All Templates - Wszystkie szablony + Sets the minimum value of the dial. + - %1 Templates - This is wrong since %1 is used here as a noun adjunct while %1 was meant to be a noun in nominative case. These 2 different uses can't be mixed here, since translations will be completely different in e.g. Polish. - Tylko %1 + To + Do - Platform independent - Niezależne od platformy + Sets the maximum value of the dial. + - Supported Platforms - Obsługiwane platformy + Step size + Rozmiar kroku - <System Language> - <Język systemowy> + Sets the number by which the dial value changes. + + + + Snap mode + Tryb przyciągania + + + Sets how the dial's handle snaps to the steps +defined in <b>Step size</b>. + + + + Input mode + + + + Sets how the user can interact with the dial. + + + + Wrap + + + + Toggles if the dial wraps around when it reaches the start or end. + + + + + DialogSpecifics + + Dialog + Dialog + + + Title + Tytuł + + + + DownloadPane + + Downloading... + + + + Progress: + + + + % + % + + + + DrawerSpecifics + + Drawer + Szuflada + + + Edge + Krawędź + + + Defines the edge of the window the drawer will open from. + Definiuje krawędź okna z której wysunie się szuflada. + + + Drag margin + Margines przeciągania + + + Defines the distance from the screen edge within which drag actions will open the drawer. + Definiuje obszar od krawędzi ekranu w którym przeciąganie spowoduje wysunięcie szuflady. + + + + DynamicPropertiesSection + + Local Custom Properties + + + + No editor for type: + + + + Add New Property + + + + Name + Nazwa + + + Type + Typ + + + Add Property + + + + + EditLightToggleAction + + Toggle Edit Light On/Off + + + + + EffectCompositionNode + + Remove + Usuń + + + Enable/Disable Node + + + + + EffectMaker + + Open Shader in Code Editor + + + + Add an effect node to start + + + + + EffectMakerPreview + + Zoom out + + + + Zoom In + Powiększ + + + Zoom Fit + + + + Restart Animation + + + + Play Animation + Odtwórz animację + + + + EffectMakerTopBar + + Save in Library + + + + How to use Effect Maker: +1. Click "+ Add Effect" to add effect node +2. Adjust the effect nodes properties +3. Change the order of the effects, if you like +4. See the preview +5. Save in the library, if you wish to reuse the effect later + + + + + EffectNodesComboBox + + + Add Effect + + + + + EmptyMaterialEditorPane + + <b>Material Editor</b> is not supported in Qt5 projects. + + + + To use <b>Material Editor</b>, first add the QtQuick3D module in the <b>Components</b> view. + + + + <b>Material Editor</b> is disabled inside a non-visual component. + + + + There are no materials in this project.<br>Select '<b>+</b>' to create one. + + + + + EmptyTextureEditorPane + + <b>Texture Editor</b> is not supported in Qt5 projects. + + + + To use <b>Texture Editor</b>, first add the QtQuick3D module in the <b>Components</b> view. + + + + <b>Texture Editor</b> is disabled inside a non-visual component. + + + + There are no textures in this project.<br>Select '<b>+</b>' to create one. + + + + + ErrorDialog + + Close + Zamknij + + + + ExpressionBuilder + + This is AND (&&) + + + + This is OR (||) + + + + This is EQUAL (===) + + + + This is NOT EQUAL (!==) + + + + This is GREATER (>) + + + + This is LESS (<) + + + + This is GREATER OR EQUAL (>=) + + + + This is LESS OR EQUAL (<=) + + + + Condition + Warunek + + + + ExtendedFunctionLogic + + Reset + + + + Set Binding + Powiąż + + + Export Property as Alias + Wyeksportuj właściwość jako alias + + + Insert Keyframe + + + + + FileResourcesModel + + Open File + Otwórz plik + + + + FitToViewAction + + Fit Selected Object to View + + + + + FlickableGeometrySection + + Flickable Geometry + + + + Content size + Rozmiar zawartości + + + Sets the size of the content (the surface controlled by the flickable). + + + + W + width + The width of the object + + + + Content width used for calculating the total implicit width. + + + + H + height + The height of the object + H + + + Content height used for calculating the total implicit height. + + + + Content + Zawartość + + + Sets the current position of the component. + + + + Horizontal position. + + + + Vertical position. + + + + Origin + Początek + + + Sets the origin point of the content. + + + + Left margin + + + + Sets an additional left margin in the flickable area. + + + + Right margin + + + + Sets an additional right margin in the flickable area. + + + + Top margin + + + + Sets an additional top margin in the flickable area. + + + + Bottom margin + + + + Sets an additional bottom margin in the flickable area. + + + + + FlickableSection + + Flickable + Element przerzucalny + + + Flick direction + Kierunek przerzucania + + + Behavior + Zachowanie + + + Interactive + Interaktywny + + + Toggles if the flickable supports drag and flick actions. + + + + Sets which directions the view can be flicked. + + + + Sets how the flickable behaves when it is dragged beyond its boundaries. + + + + Movement + + + + Sets if the edges of the flickable should be soft or hard. + + + + Max. velocity + Prędkość maks. + + + Sets how fast an item can be flicked. + + + + Sets the rate by which a flick should slow down. + + + + Press delay + + + + Sets the time to delay delivering a press to children of the flickable in milliseconds. + + + + Pixel aligned + + + + Toggles if the component is being moved by complete pixel length. + + + + Synchronous drag + + + + Toggles if the content should move instantly or not when the mouse or touchpoint is dragged to a new position. + + + + Deceleration + Opóźnienie + + + + FlipableSpecifics + + Flipable + + + + + FlowSpecifics + + Flow + + + + Spacing + Odstępy + + + Sets the spacing between flow items. + + + + Sets the direction of flow items. + + + + Layout direction + + + + Sets in which direction items in the flow are placed. + + + + + FontExtrasSection + + Font Extras + + + + Capitalization + + + + Sets capitalization rules for the text. + + + + Style + Styl + + + Sets the font style. + + + + Style color + + + + Sets the color for the font style. + + + + Hinting + + + + Sets how to interpolate the text to render it more clearly when scaled. + + + + Auto kerning + + + + Resolves the gap between texts if turned true. + + + + Prefer shaping + + + + Toggles the font-specific special features. + + + + + FontSection + + Font + Czcionka + + + Sets the font of the text. + + + + Size + Rozmiar + + + Sets the font size in pixels or points. + + + + Emphasis + + + + Sets the text to bold, italic, underlined, or strikethrough. + + + + Capitalization + + + + Sets capitalization rules for the text. + + + + Weight + + + + Sets the overall thickness of the font. + + + + Style name + + + + Sets the style of the selected font. This is prioritized over <b>Weight</b> and <b>Emphasis</b>. + + + + Sets the font style. + + + + Style color + + + + Sets the color for the font style. + + + + Hinting + + + + Sets how to interpolate the text to render it more clearly when scaled. + + + + Letter spacing + + + + Sets the letter spacing for the text. + + + + Word spacing + + + + Sets the word spacing for the text. + + + + Auto kerning + + + + Resolves the gap between texts if turned true. + + + + Prefer shaping + + + + Toggles the disables font-specific special features. + + + + Style + Styl + + + + FrameSpecifics + + Frame + Ramka + + + Font + Czcionka + + + + GeometrySection + + Geometry - 2D + + + + This property is defined by an anchor or a layout. + + + + Position + Pozycja + + + Sets the position of the component relative to its parent. + + + + X-coordinate + + + + Y-coordinate + + + + Size + Rozmiar + + + Sets the width and height of the component. + + + + W + width + The width of the object + + + + Width + Szerokość + + + H + height + The height of the object + H + + + Height + Wysokość + + + Rotation + Rotacja + + + Rotate the component at an angle. + + + + Angle (in degree) + + + + Scale + Skala + + + Sets the scale of the component by percentage. + + + + Percentage + + + + Z stack + + + + Sets the stacking order of the component. + + + + Origin + Początek + + + Sets the modification point of the component. + + + + + GradientPresetList + + Gradient Picker + + + + System Presets + + + + User Presets + + + + Delete preset? + + + + Are you sure you want to delete this preset? + + + + Close + Zamknij + + + Save + Zachowaj + + + Apply + Zastosuj + + + + GridLayoutSpecifics + + Grid Layout + + + + Columns & Rows + + + + Spacing + Odstępy + + + Flow + + + + Layout direction + + + + + GridSpecifics + + Grid + Siatka + + + Columns + Kolumny + + + Sets the number of columns in the grid. + + + + Rows + Wiersze + + + Sets the number of rows in the grid. + + + + Sets the space between grid items. The same space is applied for both rows and columns. + + + + Flow + + + + Sets in which direction items in the grid are placed. + + + + Layout direction + + + + Alignment H + + + + Sets the horizontal alignment of items in the grid. + + + + Alignment V + + + + Sets the vertical alignment of items in the grid. + + + + Spacing + Odstępy + + + + GridViewSpecifics + + Grid View + + + + Cell size + + + + Sets the dimensions of cells in the grid. + + + + W + width + The width of the object + + + + Width + Szerokość + + + H + height + The height of the object + H + + + Height + Wysokość + + + Sets the directions of the cells. + + + + Layout direction + + + + Sets in which direction items in the grid view are placed. + + + + Sets how the view scrolling will settle following a drag or flick. + + + + Cache + Cache + + + Whether the grid wraps key navigation. + + + + Sets the highlight range mode. + + + + Sets the animation duration of the highlight delegate. + + + + Sets the preferred highlight beginning. It must be smaller than +the <b>Preferred end</b>. Note that the user has to add a +highlight component. + + + + Sets the preferred highlight end. It must be larger than +the <b>Preferred begin</b>. Note that the user has to add +a highlight component. + + + + Toggles if the view manages the highlight. + + + + Flow + + + + Sets in pixels how far the components are kept loaded outside the view's visible area. + + + + Navigation wraps + + + + Snap mode + Tryb przyciągania + + + Grid View Highlight + + + + Range + Zakres + + + Move duration + Długość trwania ruchu + + + Preferred begin + Oczekiwany początek + + + Preferred end + Oczekiwany koniec + + + Follows current + + + + + GroupBoxSpecifics + + Group Box + + + + Title + Tytuł + + + Sets the title for the group box. + + + + + IconSection + + Icon + Ikona + + + Source + Źródło + + + Sets a background image for the icon. + + + + Color + Kolor + + + Sets the color for the icon. + + + + Size + Rozmiar + + + Sets the height and width of the icon. + + + + W + width + The width of the object + + + + Width + Szerokość + + + H + height + The height of the object + H + + + Height + Wysokość + + + Cache + Cache + + + Toggles if the icon is saved to the cache memory. + + + + + ImageSection + + Image + Obrazek + + + Source + Źródło + + + Adds an image from the local file system. + + + + Fill mode + Tryb wypełniania + + + Sets how the image fits in the content box. + + + + Source size + Rozmiar źródła + + + Sets the width and height of the image. + + + + W + width + The width of the object + + + + Width. + + + + H + height + The height of the object + H + + + Height. + + + + Alignment H + + + + Sets the horizontal alignment of the image. + + + + Alignment V + + + + Sets the vertical alignment of the image. + + + + Asynchronous + + + + Loads images on the local filesystem asynchronously in a separate thread. + + + + Auto transform + + + + Automatically applies image transformation metadata such as EXIF orientation. + + + + Cache + Cache + + + Caches the image. + + + + Mipmap + + + + Uses mipmap filtering when the image is scaled or transformed. + + + + Mirror + + + + Inverts the image horizontally. + + + + + InsetSection + + Inset + + + + Vertical + W pionie + + + Sets the space from the top and bottom of the area to the background top and bottom. + + + + Top inset for the background. + + + + Bottom inset for the background. + + + + Horizontal + W poziomie + + + Sets the space from the left and right of the area to the background left and right. + + + + Left inset for the background. + + + + Right inset for the background. + + + + + InsightSection + + Insight + + + + [None] + + + + Category + + + + Object name + + + + Sets the object name of the component. + + + + + InvalidIdException + + Only alphanumeric characters and underscore allowed. +Ids must begin with a lowercase letter. + Dozwolone są tylko znaki alfanumeryczne i podkreślenia. +Identyfikatory muszą rozpoczynać się małą literą. + + + Ids have to be unique. + Identyfikatory muszą być unikatowe. + + + Invalid Id: %1 +%2 + Niepoprawny identyfikator: %1 +%2 + + + + ItemDelegateSection + + Item Delegate + + + + Highlight + + + + Toggles if the delegate is highlighted. + + + + + ItemFilterComboBox + + [None] + + + + + ItemPane + + Visibility + Widoczność + + + Visible + Widoczny + + + Clip + Do you mean "cut" or "short video"? + Przycięcie + + + Opacity + Nieprzezroczystość + + + Sets the transparency of the component. + + + + Layout + Rozmieszczenie + + + + ItemsView + + Remove Module + + + + Expand All + Rozwiń wszystko + + + Collapse All + Zwiń wszystko + + + Hide Category + + + + Show Module Hidden Categories + + + + Show All Hidden Categories + + + + Add Module: + + + + Edit Component + + + + Add a module. + + + + + JsonImport + + Import Collections + + + + New Json File + + + + Could not load the file + + + + An error occurred while trying to load the file. + + + + File name: + + + + Open + Otwórz + + + File name cannot be empty. + + + + Import + Zaimportuj + + + Cancel + Anuluj + + + + Label + + This property is not available in this configuration. + + + + + Language + + None + Brak + + + + LayerSection + + Layer + + + + Enabled + + + + Toggles if the component is layered. + + + + Sampler name + + + + Sets the name of the effect's source texture property. + + + + Samples + + + + Sets the number of multisample renderings in the layer. + + + + Effect + + + + Sets which effect is applied. + + + + Format + Format + + + Sets the internal OpenGL format for the texture. + + + + Texture size + + + + Sets the requested pixel size of the layer's texture. + + + + W + width + The width of the object + + + + Width. + + + + H + height + The height of the object + H + + + Height. + + + + Texture mirroring + + + + Sets how the generated OpenGL texture should be mirrored. + + + + Wrap mode + Tryb zawijania + + + Sets the OpenGL wrap modes associated with the texture. + + + + Mipmap + + + + Toggles if mipmaps are generated for the texture. + + + + Smooth + Gładki + + + Toggles if the layer transforms smoothly. + + + + Source rectangle + + + + Sets the rectangular area of the component that should +be rendered into the texture. + + + + + LayoutProperties + + Alignment + Wyrównanie + + + Alignment of a component within the cells it occupies. + + + + Fill layout + + + + Expands the component as much as possible within the given constraints. + + + + Width + Szerokość + + + Height + Wysokość + + + Preferred size + Preferowany rozmiar + + + Preferred size of a component in a layout. If the preferred height or width is -1, it is ignored. + + + + W + width + The width of the object + + + + H + height + The height of the object + H + + + Minimum size + Minimalny rozmiar + + + Minimum size of a component in a layout. + + + + Maximum size + Maksymalny rozmiar + + + Maximum size of a component in a layout. + + + + Row span + Zajętość rzędów + + + Row span of a component in a Grid Layout. + + + + Column span + Zajętość kolumn + + + Column span of a component in a Grid Layout. + + + + + LayoutSection + + Layout + Rozmieszczenie + + + Anchors + Kotwice + + + + ListViewSpecifics + + List View + Widok listy + + + Sets the orientation of the list. + + + + Layout direction + + + + Sets the direction that the cells flow inside a list. + + + + Sets how the view scrolling settles following a drag or flick. + + + + Sets the spacing between components. + + + + Cache + Cache + + + Sets in pixels how far the components are kept loaded outside the view's visible area. + + + + Toggles if the grid wraps key navigation. + + + + Sets the highlight range mode. + + + + Sets the animation duration of the highlight delegate when +it is moved. + + + + Move velocity + + + + Sets the animation velocity of the highlight delegate when +it is moved. + + + + Sets the animation duration of the highlight delegate when +it is resized. + + + + Resize velocity + + + + Sets the animation velocity of the highlight delegate when +it is resized. + + + + Sets the preferred highlight beginning. It must be smaller than +the <b>Preferred end</b>. Note that the user has to add +a highlight component. + + + + Sets the preferred highlight end. It must be larger than +the <b>Preferred begin</b>. Note that the user has to add +a highlight component. + + + + Toggles if the view manages the highlight. + + + + Navigation wraps + + + + Orientation + Orientacja + + + Snap mode + Tryb przyciągania + + + Spacing + Odstępy + + + List View Highlight + Podświetlenie widoku listy + + + Range + Zakres + + + Move duration + Długość trwania ruchu + + + Resize duration + Długość trwania zmiany rozmiaru + + + Preferred begin + Oczekiwany początek + + + Preferred end + Oczekiwany koniec + + + Follows current + + + + + LoaderSpecifics + + Loader + + + + Active + + + + Whether the loader is currently active. + + + + Source + Źródło + + + URL of the component to instantiate. + + + + Source component + + + + Component to instantiate. + + + + Asynchronous + + + + Whether the component will be instantiated asynchronously. + + + + + Main + + Connections + Połączenia + + + Sets logical connection between the components and the signals. + + + + Bindings + Powiązania + + + Sets the relation between the properties of two components to bind them together. + + + + Properties + Właściwości + + + Sets an additional property for the component. + + + + Adds a Connection, Binding, or Custom Property to the components. + + + + Can't rename category, name already exists. + + + + Tracking + + + + With tracking turned on, the application tracks user interactions for all component types in the selected predefined categories. + + + + Enabled + + + + Disabled + Zablokowana + + + Token + + + + Tokens are used to match the data your application sends to your Qt Insight Organization. + + + + Add token here + + + + Send Cadence + + + + minutes + + + + Predefined Categories + + + + Select the categories to track + + + + Select all + + + + Custom Categories + + + + Manage your own categories + + + + Add new Category + + + + Rename state group + + + + State Group + + + + Switch State Group + + + + Create State Group + + + + Remove State Group + + + + Rename State Group + + + + Show thumbnails + + + + Show property changes + + + + Set runtime configuration for the project. + + + + Kit + Zestaw narzędzi + + + Choose a predefined kit for the runtime configuration of the project. + + + + Style + Styl + + + Choose a style for the Qt Quick Controls of the project. + + + + Switch to Design Mode. + + + + Switch to Welcome Mode. + + + + Return to Design + + + + Run Project + + + + Live Preview + + + + Go Back + Wstecz + + + Go Forward + W przód + + + Close + Zamknij + + + Workspace + + + + Edit Annotations + + + + Share + + + + More Items + + + + + MainWindow + + MainWindow + MainWindow + + + + MarginSection + + Margin + Margines + + + Vertical + W pionie + + + The margin above the item. + Margines nad elementem. + + + The margin below the item. + Margines pod elementem. + + + Horizontal + W poziomie + + + The margin left of the item. + Margines po lewej stronie elementu. + + + The margin right of the item. + Margines po prawej stronie elementu. + + + Margins + Marginesy + + + The margins around the item. + Marginesy wokół elementu. + + + + MaterialBrowser + + Add a Material. + + + + Add a Texture. + + + + <b>Material Browser</b> is not supported in Qt5 projects. + + + + To use <b>Material Browser</b>, first add the QtQuick3D module in the <b>Components</b> view. + + + + <b>Material Browser</b> is disabled inside a non-visual component. + + + + Materials + + + + No match found. + + + + There are no materials in this project.<br>Select '<b>+</b>' to create one. + + + + Textures + + + + There are no textures in this project. + + + + + MaterialBrowserContextMenu + + Apply to selected (replace) + + + + Apply to selected (add) + + + + Copy properties + + + + Paste properties + + + + Duplicate + + + + Rename + Zmień nazwę + + + Delete + + + + Create New Material + + + + + MaterialEditorToolBar + + Apply material to selected model. + + + + Create new material. + + + + Delete current material. + + + + Open material browser. + + + + + MaterialEditorTopSection + + Cone + + + + Cube + + + + Cylinder + + + + Sphere + + + + Basic + Podstawowe + + + Color + Kolor + + + Studio + + + + Landscape + + + + Select preview environment. + + + + Select preview model. + + + + Name + Nazwa + + + Material name + + + + Type + Typ + + + + MediaPlayerSection + + Media Player + + + + Playback rate + + + + Audio output + + + + Target audio output. + + + + Video output + + + + Target video output. + + + + + Message + + Close + Zamknij + + + + ModelNodeOperations + + Go to Implementation + Przejdź do implementacji + + + Invalid component. + + + + Cannot find an implementation. + Nie można odnaleźć implementacji. + + + Cannot Set Property %1 + Nie można ustawić właściwości %1 + + + The property %1 is bound to an expression. + Właściwość %1 jest powiązana z wyrażeniem. + + + Overwrite Existing File? + + + + File already exists. Overwrite? +"%1" + + + + Asset import data file "%1" is invalid. + + + + Unable to locate source scene "%1". + + + + Opening asset import data file "%1" failed. + + + + Unable to resolve asset import path. + + + + Import Update Failed + + + + Failed to update import. +Error: +%1 + + + + + ModelSourceItem + + Delete + + + + Rename + Zmień nazwę + + + Deleting source + + + + Cancel + Anuluj + + + Rename source + + + + New name: + + + + + MouseAreaSpecifics + + Enable + + + + Sets how the mouse can interact with the area. + + + + Area + + + + Hover + + + + Accepted buttons + + + + Sets which mouse buttons the area reacts to. + + + + Cursor shape + + + + Sets which mouse cursor to display on this area. + + + + Hold interval + + + + Sets the time before the pressAndHold signal is registered when you press the area. + + + + Scroll gesture + + + + Toggles if scroll gestures from non-mouse devices are supported. + + + + Enabled + Odblokowany + + + Prevent stealing + + + + Toggles if mouse events can be stolen from this area. + + + + Propagate events + + + + Toggles if composed mouse events should be propagated to other mouse areas overlapping this area. + + + + Drag + + + + Target + Cel + + + Sets the component to have drag functionalities. + + + + Axis + + + + Sets in which directions the dragging work. + + + + Threshold + + + + Sets a threshold after which the drag starts to work. + + + + Filter children + + + + Toggles if the dragging overrides descendant mouse areas. + + + + Smoothed + + + + Toggles if the move is smoothly animated. + + + + Mouse Area + Obszar Myszy + + + + MoveToolAction + + Activate Move Tool + + + + + NavigatorTreeModel + + Warning + Ostrzeżenie + + + Reparenting the component %1 here will cause the component %2 to be deleted. Do you want to proceed? + Przeniesienie komponentu %1 tutaj spowoduje usunięcie komponentu %2. Czy kontynuować? + + + + NewCollectionDialog + + Add a new Collection + + + + Collection name: + + + + Collection name can not be empty + + + + Create + + + + Cancel + Anuluj + + + + NewEffectDialog + + Create New Effect + + + + Could not create effect + + + + An error occurred while trying to create the effect. + + + + Effect name: + + + + Effect name cannot be empty. + + + + Effect path is too long. + + + + The name must start with a capital letter, contain at least three characters, and cannot have any special characters. + + + + Create + + + + Cancel + Anuluj + + + + NewFolderDialog + + Create New Folder + + + + Could not create folder + + + + An error occurred while trying to create the folder. + + + + Folder name: + + + + Folder name cannot be empty. + + + + Folder path is too long. + + + + Create + + + + Cancel + Anuluj + + + New folder + + + + + NewProjectDialog + + Let's create something wonderful with + + + + Qt Design Studio! + + + + Create new project by selecting a suitable Preset and then adjust details. + + + + Presets + + + + Cancel + Anuluj + + + Create + + + + + NodeSection + + Visibility + Widoczność + + + Sets the local visibility of the node. + + + + Visible + Widoczny + + + Opacity + Nieprzezroczystość + + + Sets the local opacity value of the node. + + + + Transform + + + + Translation + + + + Sets the translation of the node. + + + + Rotation + Rotacja + + + Sets the rotation of the node in degrees. + + + + Scale + Skala + + + Sets the scale of the node. + + + + Pivot + + + + Sets the pivot of the node. + + + + + NumberAnimationSpecifics + + Number Animation + + + + From + Od + + + Start value for the animation. + + + + To + Do + + + End value for the animation. + + + + + OrientationToggleAction + + Toggle Global/Local Orientation + + + + + PaddingSection + + Padding + Margines wewnętrzny + + + Vertical + W pionie + + + Sets the padding on top and bottom of the item. + + + + Sets the padding on the left and right sides of the item. + + + + Global + Globalne + + + Sets the padding for all sides of the item. + + + + Padding between the content and the top edge of the item. + Margines wewnętrzny pomiędzy wnętrzem elementu a jego górnym brzegiem. + + + Padding between the content and the bottom edge of the item. + Margines wewnętrzny pomiędzy wnętrzem elementu a jego dolnym brzegiem. + + + Horizontal + W poziomie + + + Padding between the content and the left edge of the item. + Margines wewnętrzny pomiędzy wnętrzem elementu a jego lewym brzegiem. + + + Padding between the content and the right edge of the item. + Margines wewnętrzny pomiędzy wnętrzem elementu a jego prawym brzegiem. + + + + PageIndicatorSpecifics + + Page Indicator + + + + Count + Ilość + + + Sets the number of pages. + + + + Current + + + + Sets the current page. + + + + Interactive + Interaktywny + + + Toggles if the user can interact with the page indicator. + + + + + PageSpecifics + + Page + + + + Title + Tytuł + + + Sets the title of the page. + + + + Content size + Rozmiar zawartości + + + Sets the size of the page. This is used to +calculate the total implicit size. + + + + W + width + The width of the object + + + + Content width used for calculating the total implicit width. + + + + H + height + The height of the object + H + + + Content height used for calculating the total implicit height. + + + + + PaneSection + + Pane + + + + Content size + Rozmiar zawartości + + + Sets the size of the %1. This is used to calculate +the total implicit size. + + + + W + width + The width of the object + + + + Content width used for calculating the total implicit width. + + + + H + height + The height of the object + H + + + Content height used for calculating the total implicit height. + + + + + PaneSpecifics + + Font + Czcionka + + + + ParticleViewModeAction + + Toggle particle animation On/Off + + + + + ParticlesPlayAction + + Play Particles + + + + + ParticlesRestartAction + + Restart Particles + + + + + PathTool + + Path Tool + Narzędzie do ścieżek + + + + PathToolAction + + Edit Path + Modyfikuj ścieżkę + + + + PathViewSpecifics + + Path View + Widok ścieżki + + + Toggles if the path view allows drag or flick. + + + + Drag margin + Margines przeciągania + + + Sets a margin within which the drag function also works even without clicking the item itself. + + + + Flick deceleration + Opóźnienie przerzucania + + + Sets the highlight range mode. + + + + Sets the animation duration of the highlight delegate when +it is moved. + + + + Sets the preferred highlight beginning. It must be smaller than +the <b>Preferred end</b>. Note that the user has to add +a highlight component. + + + + Sets the preferred highlight end. It must be larger than +the <b>Preferred begin</b>. Note that the user has to add +a highlight component. + + + + Offset + Przesunięcie + + + Item count + Liczba elementów + + + Path View Highlight + + + + Move duration + Długość trwania ruchu + + + Preferred begin + Oczekiwany początek + + + Preferred end + Oczekiwany koniec + + + Interactive + Interaktywny + + + Sets the rate by which a flick action slows down after performing. + + + + Sets how far along the path the items are from their initial position. + + + + Sets the number of items visible at once along the path. + + + + Range + Zakres + + + + PerfKallsyms + + Invalid address: %1 + + + + Mapping is empty. + + + + + PerfUnwind + + Could not find ELF file for %1. This can break stack unwinding and lead to missing symbols. + + + + Failed to parse kernel symbol mapping file "%1": %2 + + + + Time order violation of MMAP event across buffer flush detected. Event time is %1, max time during last buffer flush was %2. This potentially breaks the data analysis. + + + + + PluginManager + + Failed Plugins + Niezaładowane wtyczki + + + + PopupLabel + + missing + + + + + PopupSection + + Popup + + + + Size + Rozmiar + + + W + width + The width of the object + + + + H + height + The height of the object + H + + + Visibility + Widoczność + + + Visible + Widoczny + + + Clip + Przycięcie + + + Behavior + Zachowanie + + + Modal + Modalny + + + Defines the modality of the popup. + + + + Dim + + + + Defines whether the popup dims the background. + + + + Opacity + Nieprzezroczystość + + + Scale + Skala + + + Spacing + Odstępy + + + Spacing between internal elements of the control. + Odstępy pomiędzy wewnętrznymi elementami kontrolki. + + + + PresetView + + Delete Custom Preset + + + + + ProgressBarSpecifics + + Progress Bar + + + + Value + Wartość + + + Sets the value of the progress bar. + + + + From + Od + + + Sets the minimum value of the progress bar. + + + + To + Do + + + Sets the maximum value of the progress bar. + + + + Indeterminate + + + + Toggles if the progress bar is in indeterminate mode. +A progress bar in indeterminate mode displays that an +operation is in progress. + + + + + PropertiesDialog + + Owner + Właściciel + + + The owner of the property + + + + + PropertiesDialogForm + + Type + Typ + + + Sets the category of the <b>Local Custom Property</b>. + + + + Name + Nazwa + + + Sets a name for the <b>Local Custom Property</b>. + + + + Value + Wartość + + + Sets a valid <b>Local Custom Property</b> value. + + + + + PropertiesListView + + Removes the property. + + + + + PropertyActionSpecifics + + Property Action + + + + Value + Wartość + + + Value of the property. + + + + + PropertyLabel + + This property is not available in this configuration. + + + + + PuppetStarter + + Puppet is starting... + + + + You can now attach your debugger to the %1 puppet with process id: %2. + + + + + QAbstractFileIconProvider + + File Folder + Match Windows Explorer + + + + Folder + All other platforms + + + + + QDockWidget + + Float + + + + Undocks and re-attaches the dock widget + + + + Close + Zamknij + + + Closes the dock widget + Zamyka okno dokowalne + + + + QObject + + All syntax definitions are up-to-date. + + + + Downloading new syntax definition for '%1'... + + + + Updating syntax definition for '%1' to version %2... + + + + <Filter> + Library search input hint text + <Filtr> + + + Effect %1 is not complete. + + + + Ensure that you have saved it in Qt Quick Effect Maker. +Do you want to edit this effect? + + + + Exposed Custom Properties + + + + Start Nanotrace + + + + Shut Down Nanotrace + + + + Failed to Add Texture + + + + Could not add %1 to project. + + + + Show Event List + + + + Assign Events to Actions + + + + Connect Signal to Event + + + + Connected Events + + + + Connected Signals + + + + ID cannot start with an uppercase character (%1). + + + + ID cannot start with a number (%1). + + + + ID cannot include whitespace (%1). + + + + %1 is a reserved QML keyword. + + + + %1 is a reserved property keyword. + + + + ID includes invalid characters (%1). + + + + Empty document + + + + UntitledProject + File path suggestion for a new project. If you choose to translate it, make sure it is a valid path name without blanks and using only ascii chars. + + + + + QmlDesigner::AbstractEditorDialog + + Untitled Editor + + + + + QmlDesigner::ActionEditorDialog + + Connection Editor + + + + + QmlDesigner::AddNewBackendDialog + + Add New C++ Backend + Dodaj nowy back-end C++ + + + Type + Typ + + + Define object locally + Zdefiniuj obiekt lokalnie + + + Required import + Wymagany import + + + Choose a type that is registered using qmlRegisterType or qmlRegisterSingletonType. The type will be available as a property in the current .qml file. + Wybierz typ, który jest zarejestrowany przy użyciu qmlRegisterType lub qmlRegisterSingletonType. Typ ten będzie dostępny jako właściwość w bieżącym pliku .qml. + + + + QmlDesigner::AlignDistribute + + Cannot Distribute Perfectly + + + + These objects cannot be distributed to equal pixel values. Do you want to distribute to the nearest possible values? + + + + + QmlDesigner::AnnotationCommentTab + + Title + Tytuł + + + Text + Tekst + + + Author + + + + + QmlDesigner::AnnotationEditor + + Annotation + Adnotacja + + + Delete this annotation? + + + + + QmlDesigner::AnnotationEditorDialog + + Annotation Editor + + + + + QmlDesigner::AnnotationEditorWidget + + Add Status + + + + In Progress + + + + In Review + + + + Done + + + + Tab view + + + + Table view + + + + Selected component + + + + Name + Nazwa + + + Tab 1 + + + + Tab 2 + + + + + QmlDesigner::AnnotationTabWidget + + Add Comment + + + + Remove Comment + + + + Delete this comment? + + + + Annotation + Adnotacja + + + + QmlDesigner::AnnotationTableView + + Title + Tytuł + + + Author + + + + Value + Wartość + + + + QmlDesigner::AssetExportDialog + + Advanced Options + + + + Choose Export File + + + + Metadata file (*.metadata) + + + + Open + Otwórz + + + Export assets + + + + Export components separately + + + + Export + + + + + QmlDesigner::AssetExporter + + Export root directory: %1. +Exporting assets: %2 + + + + Yes + Tak + + + No + Nie + + + Each component is exported separately. + + + + Canceling export. + + + + Unknown error. + Nieznany błąd. + + + Loading file is taking too long. + + + + Cannot parse. The file contains coding errors. + + + + Loading components failed. %1 + + + + Cannot export component. Document "%1" has parsing errors. + + + + Error saving component file. %1 + + + + Unknown + Nieznany + + + Cannot preprocess file: %1. Error %2 + + + + Cannot preprocess file: %1 + + + + Cannot update %1. +%2 + + + + Exporting file %1. + + + + Export canceled. + + + + Writing metadata failed. Cannot create file %1 + + + + Writing metadata to file %1. + + + + Empty JSON document. + + + + Writing metadata failed. %1 + + + + Export finished. + + + + Error creating asset directory. %1 + + + + Error saving asset. %1 + + + + + QmlDesigner::AssetExporterPlugin + + Asset Export + + + + Issues with exporting assets. + + + + Export Components + + + + Export components in the current project. + + + + + QmlDesigner::AssetsLibraryModel + + Failed to Delete File + + + + Could not delete "%1". + + + + + QmlDesigner::AssetsLibraryView + + Assets + + + + + QmlDesigner::AssetsLibraryWidget + + Assets Library + Title of assets library widget + + + + Failed to Add Files + + + + Could not add %1 to project. + + + + All Files (%1) + + + + Add Assets + + + + Could not add %1 to project. Unsupported file format. + + + + + QmlDesigner::AssignEventDialog + + Nonexistent events discovered + + + + The Node references the following nonexistent events: + + + + + + QmlDesigner::BackendModel + + Type + Typ + + + Name + Nazwa + + + Singleton + Singleton + + + Local + + + + + QmlDesigner::BackgroundAction + + Set the color of the canvas. + Ustawia kolor płótna. + + + + QmlDesigner::BakeLights + + Invalid root node, baking aborted. + + + + Baking process crashed, baking aborted. + + + + Lights Baking Setup + + + + Lights Baking Progress + + + + + QmlDesigner::BakeLightsDataModel + + Lights + + + + Models + Modele + + + Components with unexposed models and/or lights + + + + + QmlDesigner::BindingEditorDialog + + Binding Editor + Edytor powiązań + + + NOT + + + + Invert the boolean expression. + + + + + QmlDesigner::BindingEditorWidget + + Trigger Completion + Rozpocznij uzupełnianie + + + Meta+Space + Meta+Space + + + Ctrl+Space + Ctrl+Space + + + + QmlDesigner::CapturingConnectionManager + + QML Emulation Layer (QML Puppet - %1) Crashed + + + + You are recording a puppet stream and the emulations layer crashed. It is recommended to reopen the Qt Quick Designer and start again. + + + + + QmlDesigner::ChooseFromPropertyListDialog + + Select Property + + + + Bind to property: + + + + Binds this component to the parent's selected property. + + + + + QmlDesigner::CollectionView + + Collection Editor + + + + Collection Editor view + + + + + QmlDesigner::CollectionWidget + + Collection View + Title of collection view widget + + + + + QmlDesigner::ColorTool + + Color Tool + Narzędzie do kolorów + + + + QmlDesigner::ComponentAction + + Edit sub components defined in this file. + Modyfikuje podkomponenty zdefiniowane w tym pliku. + + + + QmlDesigner::ConditionListModel + + No Valid Condition + + + + Invalid token %1 + + + + Invalid order at %1 + + + + + QmlDesigner::ConnectionEditorStatements + + Function + Funkcja + + + Assignment + + + + Set Property + + + + Set State + + + + Print + + + + Empty + Brak + + + Custom + Własny + + + + QmlDesigner::ConnectionModel + + Target + Cel + + + Signal Handler + Obsługa sygnału + + + Action + Akcja + + + Error + Błąd + + + + QmlDesigner::ConnectionModelBackendDelegate + + Error + Błąd + + + + QmlDesigner::ConnectionModelStatementDelegate + + Base State + + + + + QmlDesigner::ConnectionView + + Connections + Połączenia + + + + QmlDesigner::ContentLibraryView + + Content Library + + + + + QmlDesigner::ContentLibraryWidget + + Content Library + Title of content library widget + + + + + QmlDesigner::CrumbleBar + + Save the changes to preview them correctly. + Zachowaj zmiany aby utworzyć poprawny podgląd. + + + Always save when leaving subcomponent + Zawsze zachowuj przy opuszczaniu podkomponentu + + + + QmlDesigner::CurveEditor + + This file does not contain a timeline. <br><br>To create an animation, add a timeline by clicking the + button in the "Timeline" view. + + + + + QmlDesigner::CurveEditorToolBar + + Linear + + + + Start Frame + + + + End Frame + + + + Current Frame + + + + Zoom Out + Pomniejsz + + + Zoom In + Powiększ + + + Not supported for MCUs + + + + Step + + + + Spline + + + + Unify + + + + + QmlDesigner::CurveEditorView + + Curves + + + + + QmlDesigner::DebugViewWidget + + Debug + Debug + + + Model Log + Log modelu + + + Clear + Wyczyść + + + Instance Notifications + Powiadomienia + + + Instance Errors + Błędy + + + Enabled + Odblokowany + + + + QmlDesigner::DesignDocument + + Locked items: + + + + Delete/Cut Item + + + + Deleting or cutting this item will modify locked items. + + + + Do you want to continue by removing the item (Delete) or removing it and copying it to the clipboard (Cut)? + + + + + QmlDesigner::DocumentMessage + + Error parsing + Błąd parsowania + + + Internal error + Błąd wewnętrzny + + + line %1 + + + + + column %1 + + + + + + QmlDesigner::DocumentWarningWidget + + Always ignore these warnings about features not supported by Qt Quick Designer. + + + + Cannot open this QML document because of an error in the QML file: + Nie można otworzyć tego dokumentu QML z powodu błędu w pliku QML: + + + OK + OK + + + This QML file contains features which are not supported by Qt Quick Designer at: + Ten plik QML zawiera funkcjonalności, które nie są obsługiwane przez Qt Quick Designera: + + + Ignore + Zignoruj + + + Previous + Poprzedni + + + Next + Następny + + + Go to error + Przejdź do błędu + + + Go to warning + Przejdź do ostrzeżenia + + + + QmlDesigner::DynamicPropertiesProxyModel + + Property Already Exists + + + + Property "%1" already exists. + + + + + QmlDesigner::Edit3DView + + 3D + + + + 3D view + + + + Cameras + + + + Lights + + + + Primitives + + + + Imported Models + + + + Failed to Add Import + + + + Could not add QtQuick3D import to project. + + + + + QmlDesigner::Edit3DWidget + + Edit Component + + + + Edit Material + + + + Copy + Skopiuj + + + Paste + Wklej + + + Delete + + + + Duplicate + + + + Fit Selected Items to View + + + + Align Camera to View + + + + Align View to Camera + + + + Bake Lights + + + + Select Parent + + + + Group Selection Mode + + + + 3D view is not supported in MCU projects. + + + + Your file does not import Qt Quick 3D.<br><br>To create a 3D view, add the <b>QtQuick3D</b> module in the <b>Components</b> view or click <a href="#add_import"><span style="text-decoration:none;color:%1">here</span></a>.<br><br>To import 3D assets, select <b>+</b> in the <b>Assets</b> view. + + + + 3D view is not supported in Qt5 projects. + + + + Create + + + + + QmlDesigner::EventListDelegate + + Release + Release + + + Connect + + + + + QmlDesigner::EventListDialog + + Add Event + + + + Remove Selected Events + + + + + QmlDesigner::EventListModel + + Event ID + + + + Shortcut + Skrót + + + Description + Opis + + + + QmlDesigner::EventListPluginView + + Event List + + + + + QmlDesigner::FileExtractor + + Choose Directory + Wybierz katalog + + + + QmlDesigner::FilePathModel + + Canceling file preparation. + + + + + QmlDesigner::FormEditorAnnotationIcon + + Annotation + Adnotacja + + + Edit Annotation + + + + Remove Annotation + + + + By: + + + + Edited: + + + + Delete this annotation? + + + + + QmlDesigner::FormEditorView + + 2D + + + + 2D view + + + + %1 is not supported as the root element by the 2D view. + + + + + QmlDesigner::FormEditorWidget + + Override Width + Nadpisz szerokość + + + Override Height + Nadpisz wysokość + + + No Snapping + + + + Snap with Anchors + + + + Snap without Anchors + + + + Show Bounds + + + + Override width of root component. + + + + Override height of root component. + + + + Zoom In + Powiększ + + + Zoom Out + Pomniejsz + + + Zoom screen to fit all content. + + + + Ctrl+Alt+0 + + + + Zoom screen to fit current selection. + + + + Ctrl+Alt+i + + + + Reload View + + + + Export Current QML File as Image + Wyeksportuj bieżący plik QML jako plik graficzny + + + PNG (*.png);;JPG (*.jpg) + PNG (*.png);;JPG (*.jpg) + + + + QmlDesigner::GenerateResource + + Unable to generate resource file: %1 + + + + A timeout occurred running "%1". + Przekroczono limit czasu oczekiwania na odpowiedź od uruchomionego "%1". + + + "%1" crashed. + "%1" przerwał pracę. + + + "%1" failed (exit code %2). + '%1' zakończone błędem (kod wyjściowy %2). + + + Generate QRC Resource File... + + + + Save Project as QRC File + + + + QML Resource File (*.qrc) + + + + Generate Deployable Package... + + + + Save Project as Resource + + + + QML Resource File (*.qmlrc);;Resource File (*.rcc) + + + + Generate a resource file out of project %1 to %2 + + + + Success + + + + Successfully generated deployable package + %1 + + + + + QmlDesigner::GlobalAnnotationDialog + + Global Annotation Editor + + + + Global Annotation + + + + All Annotations + + + + + QmlDesigner::GlobalAnnotationEditor + + Global Annotation + + + + Delete this annotation? + + + + + QmlDesigner::GraphicsView + + Open Style Editor + + + + Insert Keyframe + + + + Delete Selected Keyframes + + + + + QmlDesigner::HyperlinkDialog + + Link + Odsyłacz + + + Anchor + + + + + QmlDesigner::InsightView + + Qt Insight + + + + + QmlDesigner::InsightWidget + + Qt Insight + Title of the widget + + + + Cannot Create QtQuick View + + + + InsightWidget: %1 cannot be created.%2 + + + + + QmlDesigner::InteractiveConnectionManager + + Cannot Connect to QML Emulation Layer (QML Puppet) + Nie można podłączyć emulatora QML (QML Puppet) + + + The executable of the QML emulation layer (QML Puppet) may not be responding. Switching to another kit might help. + Emulator QML (QML Puppet) pozostaje bez odpowiedzi. Pomocne może być przełączenie się na inny zestaw narzędzi. + + + + QmlDesigner::Internal::AssetImportUpdateDialog + + Select Files to Update + + + + Expand All + Rozwiń wszystko + + + Collapse All + Zwiń wszystko + + + + QmlDesigner::Internal::DebugView + + Debug view is enabled + Widok debugowy jest odblokowany + + + ::nodeReparented: + ::nodeReparented: + + + ::nodeIdChanged: + ::nodeIdChanged: + + + Debug View + Widok debugowy + + + + QmlDesigner::Internal::DesignModeWidget + + &Workspaces + + + + Output + Komunikaty + + + Edit global annotation for current file. + + + + Manage... + Zarządzaj... + + + Reset Active + + + + + QmlDesigner::Internal::MetaInfoPrivate + + Invalid meta info + Niepoprawna metainformacja + + + + QmlDesigner::Internal::MetaInfoReader + + Illegal state while parsing. + Niepoprawny stan podczas parsowania. + + + No property definition allowed. + Definicja właściwości nie jest dozwolona. + + + Invalid type %1 + Niepoprawny typ %1 + + + Unknown property for Type %1 + Nieznana właściwość dla "Type" %1 + + + Unknown property for ItemLibraryEntry %1 + Nieznana właściwość dla "ItemLibraryEntry" %1 + + + Unknown property for Property %1 + Nieznana właściwość dla "Property" %1 + + + Unknown property for QmlSource %1 + Nieznana właściwość dla "QmlSource" %1 + + + Unknown property for ExtraFile %1 + + + + Invalid or duplicate library entry %1 + + + + + QmlDesigner::Internal::ModelPrivate + + Exception thrown by view %1. + + + + + QmlDesigner::Internal::SettingsPage + + Snapping + Przyciąganie + + + Features + + + + The made changes will take effect after a restart of the QML Emulation layer or %1. + + + + Qt Quick Designer + Qt Quick Designer Restart Required Wymagane ponowne uruchomienie - Interface - Interfejs + Canvas + Płótno - The language change will take effect after a restart of Qt Creator. - Zmiana języka zostanie zastosowana przy ponownym uruchomieniu Qt Creatora. + Debugging + Debugowanie - User Interface - Interfejs użytkownika + Enable smooth rendering in the 2D view. + - Color: - Kolor: + Path to the QML emulation layer executable (qmlpuppet). + - Language: - Język: + Resets the path to the built-in QML emulation layer. + - Reset to default. - Color - Przywróć domyślny. + Warn about unsupported features of .ui.qml files in code editor + - Reset Warnings - Button text - Przywróć ostrzeżenia + Warn about unsupported features in .ui.qml files + - Re-enable warnings that were suppressed by selecting "Do Not Show Again" (for example, missing highlighter). - Przywraca ostrzeżenia, które zostały wyłączone przy użyciu "Nie pokazuj ponownie" (np. brak podświetlania). + Always open ui.qml files in Design mode + - Theme: - Motyw: + Ask for confirmation before deleting asset + + + + Always auto-format ui.qml files in Design mode + + + + Enable Timeline editor + + + + Show the debugging view + Pokazuj okno debugowe + + + Enable the debugging view + Odblokuj okno debugowe + + + Parent component padding: + + + + Sibling component spacing: + + + + Smooth rendering: + + + + Root Component Init Size + + + + Warnings + Ostrzeżenia + + + Subcomponents + Podkomponenty + + + Always save when leaving subcomponent in bread crumb + Zawsze zachowuj przy opuszczaniu podkomponentu + + + QML Emulation Layer + Emulator QML + + + Styling + Style + + + Controls style: + Styl kontrolek: + + + Default style + Domyślny styl + + + Reset Style + Zresetuj styl + + + If you select this radio button, Qt Quick Designer always uses the QML emulation layer (QML Puppet) located at the following path. + Wybranie tej opcji spowoduje używanie alternatywnego emulatora QML (QML Puppet) przez Qt Quick Designera, zlokalizowanego w poniższej ścieżce. + + + Use fallback QML emulation layer + Używaj własnego emulatora QML + + + Path: + Ścieżka: + + + Reset Path + Zresetuj ścieżkę + + + Top level build path: + Ścieżka do wybranej wersji Qt: + + + Warns about QML features that are not properly supported by the Qt Quick Designer. + Ostrzega przed funkcjonalnościami QML, które nie są poprawnie obsługiwane przez Qt Quick Designera. + + + Also warns in the code editor about QML features that are not properly supported by the Qt Quick Designer. + Ostrzega również w edytorze kodu przed funkcjonalnościami QML które nie są poprawnie obsługiwane przez Qt Quick Designera. + + + Internationalization + Umiędzynarodowienie + + + qsTr() + qsTr() + + + qsTrId() + qsTrId() + + + Show property editor warnings + Pokazuj ostrzeżenia edytora właściwości + + + Forward QML emulation layer output: + Przesyłanie komunikatów emulatora QML: + + + Show warn exceptions + + + + Debug QML emulation layer: + Debugowanie emulatora QML: + + + Qt Quick Designer will propose to open .ui.qml files instead of opening a .qml file. + Qt Quick Designer będzie proponował otwieranie plików .ui.qml zamiast plików .qml. + + + Warn about using .qml files instead of .ui.qml files + Ostrzegaj przed używaniem plików .qml zamiast plików .ui.qml + + + Width: + Szerokość: + + + Height: + Wysokość: + + + Controls 2 style: + Styl kontrolek 2: + + + Use QML emulation layer that is built with the selected Qt + Używaj emulatora QML zbudowanego przez wybraną wersję Qt + + + qsTranslate() + qsTranslate() - QtC::CodePaster + QmlDesigner::InvalidArgumentException + + Failed to create item of type %1 + Nie można utworzyć elementu typu %1 + + + + QmlDesigner::ItemLibraryAssetImportDialog + + Asset Import + + + + Import Options + + + + Show All Options + + + + Import + Zaimportuj + + + Select import options and press "Import" to import the following files: + + + + Locate 3D Asset "%1" + + + + %1 options + + + + No options available for this type. + + + + No simple options available for this type. + + + + Cancel + Anuluj + + + Close + Zamknij + + + Import interrupted. + + + + Import done. + + + + Canceling import. + + + + Hide Advanced Options + + + + + QmlDesigner::ItemLibraryAssetImporter + + Could not create a temporary directory for import. + + + + Importing 3D assets. + + + + Import process crashed. + + + + Import failed for unknown reason. + + + + Asset import process failed: "%1". + + + + Parsing files. + + + + Skipped import of duplicate asset: "%1". + + + + Skipped import of existing asset: "%1". + + + + No files selected for overwrite, skipping import: "%1". + + + + Could not access temporary asset directory: "%1". + + + + Failed to create qmldir file for asset: "%1". + + + + Removing old overwritten assets. + + + + Copying asset files. + + + + Overwrite Existing Asset? + + + + Asset already exists. Overwrite existing or skip? +"%1" + + + + Overwrite Selected Files + + + + Overwrite All Files + + + + Skip + Pomiń + + + Failed to start import 3D asset process. + + + + Updating data model. + + + + Failed to insert import statement into qml document. + + + + Failed to update imports: %1 + + + + + QmlDesigner::ItemLibraryImport + + Default Components + + + + My Components + + + + My 3D Components + + + + All Other Components + + + + + QmlDesigner::ItemLibraryView + + Components + Komponenty + + + Components view + + + + + QmlDesigner::ItemLibraryWidget + + Components Library + Title of library view + + + + + QmlDesigner::ListModelEditorDialog + + Add Row + + + + Remove Columns + + + + Add Column + + + + Move Down (Ctrl + Down) + + + + Move Up (Ctrl + Up) + + + + Add Property + + + + Property name: + + + + Change Property + + + + Column name: + + + + + QmlDesigner::MaterialBrowserTexturesModel + + Texture has no source image. + + + + Texture has no data. + + + + + QmlDesigner::MaterialBrowserView + + Material Browser + + + + Material Browser view + + + + Select a material property + + + + + QmlDesigner::MaterialBrowserWidget + + Material Browser + Title of material browser widget + + + + + QmlDesigner::MaterialEditorContextObject + + <b>Incompatible properties:</b><br> + + + + Change Type + + + + Changing the type from %1 to %2 can't be done without removing incompatible properties.<br><br>%3 + + + + Do you want to continue by removing incompatible properties? + + + + + QmlDesigner::MaterialEditorView + + Cannot Export Property as Alias + Nie można wyeksportować właściwości jako alias + + + Property %1 does already exist for root component. + + + + Material Editor + + + + Material Editor view + + + + + QmlDesigner::NavigatorSearchWidget + + Search + Wyszukaj + + + + QmlDesigner::NavigatorTreeModel + + Unknown component: %1 + + + + Toggles whether this component is exported as an alias property of the root component. + + + + Toggles the visibility of this component in the 2D and 3D views. +This is independent of the visibility property. + + + + Toggles whether this component is locked. +Locked components cannot be modified or selected. + + + + + QmlDesigner::NavigatorTreeView + + Invalid Id + Niepoprawny identyfikator + + + %1 is an invalid id. + %1 nie jest poprawnym identyfikatorem. + + + %1 already exists. + %1 już istnieje. + + + + QmlDesigner::NavigatorView + + Navigator + Nawigator + + + Navigator view + + + + + QmlDesigner::NavigatorWidget + + Navigator + Title of navigator view + Nawigator + + + Become last sibling of parent (CTRL + Left). + Przenieś jako rodzeństwo rodzica i umieść przed nim (CTRL + Left). + + + Become child of last sibling (CTRL + Right). + Przenieś jako dziecko poprzedniego z rodzeństwa (CTRL + Right). + + + Move down (CTRL + Down). + Przenieś w dół (CTRL + Down). + + + Move up (CTRL + Up). + Przenieś w górę (CTRL + Up). + + + Show Only Visible Components + + + + Reverse Component Order + + + + + QmlDesigner::NodeInstanceView + + Qt Quick emulation layer crashed. + Warstwa emulacji Qt Quick przerwała pracę. + + + Source item: %1 + + + + Failed to generate QSB file for: %1 + + + + + QmlDesigner::NodeListModel + + ID + Identyfikator + + + Type + Typ + + + From + Od + + + To + Do + + + + QmlDesigner::OpenUiQmlFileDialog + + Open ui.qml file + Otwórz plik ui.qml + + + You are opening a .qml file in the designer. Do you want to open a .ui.qml file instead? + Otwieranie pliku .qml w designerze. Czy otworzyć w zamian plik .ui.qml? + + + Do not show this dialog again + Nie pokazuj ponownie tego dialogu + + + Cancel + Anuluj + + + + QmlDesigner::PathItem + + Closed Path + Zamknięta ścieżka + + + Split Segment + Podziel segment + + + Make Curve Segment Straight + Wyprostuj segment + + + Remove Edit Point + Usuń punkt edycji + + + + QmlDesigner::PresetEditor + + Save Preset + + + + Name + Nazwa + + + + QmlDesigner::PresetList + + Add Preset + + + + Delete Selected Preset + + + + + QmlDesigner::PropertyEditorContextObject + + Invalid Type + Niepoprawny typ + + + %1 is an invalid type. + %1 jest niepoprawnym typem. + + + Invalid QML source + + + + + QmlDesigner::PropertyEditorView + + Properties + Właściwości + + + Invalid ID + + + + %1 already exists. + %1 już istnieje. + + + Cannot Export Property as Alias + Nie można wyeksportować właściwości jako alias + + + Property %1 does already exist for root component. + + + + Property Editor view + + + + Invalid QML source + + + + + QmlDesigner::QmlDesignerPlugin + + Cannot Open Design Mode + Nie można otworzyć trybu "Design" + + + The QML file is not currently opened in a QML Editor. + Plik QML nie jest aktualnie otwarty w edytorze QML. + + + Give Feedback... + + + + License: Enterprise + + + + License: Professional + + + + Licensee: %1 + + + + Enjoying the %1? + + + + + QmlDesigner::QmlModelNodeProxy + + multiselection + + + + + QmlDesigner::QmlPreviewWidgetPlugin + + Show Live Preview + + + + + QmlDesigner::RichTextEditor + + &Undo + &Cofnij + + + &Redo + &Przywróć + + + &Bold + + + + &Italic + + + + &Underline + + + + Select Image + + + + Image files (*.png *.jpg) + + + + Insert &Image + + + + Hyperlink Settings + + + + &Left + + + + C&enter + + + + &Right + + + + &Justify + + + + Bullet List + + + + Numbered List + + + + &Color... + + + + &Table Settings + + + + Create Table + + + + Remove Table + + + + Add Row + + + + Add Column + + + + Remove Row + + + + Remove Column + + + + Merge Cells + + + + Split Row + + + + Split Column + + + + + QmlDesigner::SetFrameValueDialog + + Edit Keyframe + + + + Frame + Ramka + + + + QmlDesigner::ShortCutManager + + Export as &Image... + Wyeksportuj jako pl&ik graficzny... + + + Take Screenshot + + + + &Undo + &Cofnij + + + &Redo + &Przywróć + + + Delete + Usuń + + + Cu&t + Wy&tnij + + + &Copy + S&kopiuj + + + &Paste + Wk&lej + + + Select &All + Zaznacz &wszystko + + + &Duplicate + + + + Edit Global Annotations... + + + + Save %1 As... + Zachowaj %1 jako... + + + &Save %1 + &Zachowaj %1 + + + Revert %1 to Saved + Odwróć zmiany w %1 + + + Close %1 + Zamknij %1 + + + Close All Except %1 + Zamknij wszystko z wyjątkiem %1 + + + Close Others + Zamknij inne + + + + QmlDesigner::SignalList + + Signal List for %1 + + + + + QmlDesigner::SignalListDelegate + + Release + Release + + + Connect + + + + + QmlDesigner::SignalListModel + + Item ID + + + + Signal + Sygnalizowanie + + + + QmlDesigner::SourceTool + + Open File + Otwórz plik + + + Source Tool + Narzędzie źródłowe + + + + QmlDesigner::SplineEditor + + Delete Point + + + + Smooth Point + + + + Corner Point + + + + Add Point + + + + Reset Zoom + Zresetuj powiększenie + + + + QmlDesigner::StatesEditorModel + + base state + Implicit default state + Stan bazowy + + + Invalid state name + + + + Name already used in another state + + + + Default + + + + Invalid ID + + + + %1 already exists. + %1 już istnieje. + + + The empty string as a name is reserved for the base state. + Pusta nazwa jest zarezerwowana dla stanu bazowego. + + + + QmlDesigner::StatesEditorView + + States + Stany + + + Remove State + + + + This state is not empty. Are you sure you want to remove it? + + + + Locked components: + + + + Removing this state will modify locked components. + + + + Continue by removing the state? + + + + base state + Stan bazowy + + + + QmlDesigner::StatesEditorWidget + + States + Title of Editor widget + Stany + + + Cannot Create QtQuick View + + + + StatesEditorWidget: %1 cannot be created.%2 + + + + + QmlDesigner::StudioConfigSettingsPage + + Qt Design Studio Configuration + + + + + QmlDesigner::StudioSettingsPage + + Build + + + + Debug + Debug + + + Analyze + + + + Tools + + + + Hide top-level menus with advanced functionality to simplify the UI. <b>Build</b> is generally not required in the context of Qt Design Studio. <b>Debug</b> and <b>Analyze</b> are only required for debugging and profiling. <b>Tools</b> can be useful for bookmarks and git integration. + + + + Hide Menu + + + + Examples + Przykłady + + + Examples path: + + + + Reset Path + Zresetuj ścieżkę + + + Bundles + + + + Bundles path: + + + + The menu visibility change will take effect after restart. + + + + Changing bundle path will take effect after restart. + + + + + QmlDesigner::SubComponentManager + + My 3D Components + + + + + QmlDesigner::SwitchLanguageComboboxAction + + Switch the language used by preview. + + + + Default + + + + + QmlDesigner::TextEditorView + + Trigger Completion + Rozpocznij uzupełnianie + + + Meta+Space + Meta+Space + + + Ctrl+Space + Ctrl+Space + + + Code + Kod + + + Code view + + + + + QmlDesigner::TextToModelMerger + + No import statements found. + + + + Qt Quick 6 is not supported with a Qt 5 kit. + + + + The Design Mode requires a valid Qt kit. + + + + Unsupported Qt Quick version. + + + + No import for Qt Quick found. + Brak instrukcji importu Qt Quick. + + + + QmlDesigner::TextureEditorView + + Cannot Export Property as Alias + Nie można wyeksportować właściwości jako alias + + + Property %1 does already exist for root component. + + + + Texture Editor + + + + Texture Editor view + + + + + QmlDesigner::TimelineAnimationForm + + Animation Settings + + + + Animation ID: + + + + Name for the animation. + + + + Running in base state + + + + Runs the animation automatically when the base state is active. + + + + Start frame: + + + + First frame of the animation. + + + + End frame: + + + + Last frame of the animation. + + + + Duration: + + + + Length of the animation in milliseconds. If you set a shorter duration than the number of frames, frames are left out from the end of the animation. + + + + Continuous + + + + Sets the animation to loop indefinitely. + + + + Loops: + + + + Number of times the animation runs before it stops. + + + + Ping pong + + + + Runs the animation backwards to the beginning when it reaches the end. + + + + Finished: + + + + State to activate when the animation finishes. + + + + none + + + + Transition to state: + + + + Invalid Id + Niepoprawny identyfikator + + + %1 is an invalid id. + %1 nie jest poprawnym identyfikatorem. + + + %1 already exists. + %1 już istnieje. + + + Base State + + + + + QmlDesigner::TimelineForm + + Timeline Settings + + + + Timeline ID: + + + + Name for the timeline. + + + + Start frame: + + + + First frame of the timeline. Negative numbers are allowed. + + + + End frame: + + + + Last frame of the timeline. + + + + Expression binding + + + + To create an expression binding animation, delete all animations from this timeline. + + + + Animation + + + + Expression binding: + + + + Sets the expression to bind the current keyframe to. + + + + Invalid Id + Niepoprawny identyfikator + + + %1 is an invalid id. + %1 nie jest poprawnym identyfikatorem. + + + %1 already exists. + %1 już istnieje. + + + + QmlDesigner::TimelinePropertyItem + + Previous Frame + + + + Next Frame + + + + Auto Record + + + + Insert Keyframe + + + + Delete Keyframe + + + + Edit Easing Curve... + + + + Edit Keyframe... + + + + Remove Property + + + + + QmlDesigner::TimelineSettingsDialog + + Add Timeline + + + + Remove Timeline + + + + Add Animation + + + + Remove Animation + + + + No Timeline + + + + No Animation + + + + + QmlDesigner::TimelineSettingsModel + + None + Brak + + + State + Stan + + + Timeline + Oś czasu + + + Animation + + + + Fixed Frame + + + + Base State + + + + Error + Błąd + + + + QmlDesigner::TimelineToolBar + + Base State + + + + Not Supported for MCUs + + + + Timeline Settings + + + + To Start + + + + Previous + Poprzedni + + + Play + + + + Next + Następny + + + To End + + + + Loop Playback + + + + Playback Speed + + + + Auto Key + + + + Zoom Out + Pomniejsz + + + Zoom In + Powiększ + + + Easing Curve Editor + + + + + QmlDesigner::TimelineView + + Timeline + Oś czasu + + + Timeline view + + + + + QmlDesigner::TimelineWidget + + Timeline + Title of timeline view + Oś czasu + + + Add Timeline + + + + This file does not contain a timeline. <br><br>To create an animation, add a timeline by clicking the + button. + + + + To edit the timeline settings, click + + + + + QmlDesigner::TransitionEditorSettingsDialog + + Transition Settings + + + + Add Transition + + + + Remove Transition + + + + No Transition + + + + + QmlDesigner::TransitionEditorToolBar + + Transition Settings + + + + Easing Curve Editor + + + + Curve Editor + + + + Zoom Out + Pomniejsz + + + Zoom In + Powiększ + + + + QmlDesigner::TransitionEditorView + + No States Defined + + + + There are no states defined in this component. + + + + No Property Changes to Animate + + + + To add transitions, first change the properties that you want to animate in states (%1). + + + + Transitions + + + + Transitions view + + + + + QmlDesigner::TransitionEditorWidget + + Transition + Title of transition view + Przejście + + + Add Transition + + + + This file does not contain transitions. <br><br> To create an animation, add a transition by clicking the + button. + + + + To edit the transition settings, click + + + + + QmlDesigner::TransitionForm + + Invalid ID + + + + %1 is an invalid ID. + + + + %1 already exists. + %1 już istnieje. + + + + QmlDesigner::TransitionTool + + Add Transition + + + + Remove Transitions + + + + Remove All Transitions + + + + Do you really want to remove all transitions? + + + + Remove Dangling Transitions + + + + Transition Tool + + + + + QmlDesignerAddResources + + Image Files + + + + Font Files + + + + Sound Files + + + + Video Files + + + + Shader Files + + + + 3D Assets + + + + Qt 3D Studio Presentations + + + + Effect Maker Files + + + + + QmlDesignerContextMenu + + Selection + Selekcja + + + Edit + Edycja + + + Anchors + Kotwice + + + Layout + Rozmieszczenie + + + Stacked Container + + + + Parent + + + + Select: %1 + Zaznacz: %1 + + + Change State + + + + Change State Group + + + + Default State + + + + Change Signal + + + + Change Slot + + + + to + + + + Remove This Handler + + + + Add Signal Handler + + + + Connect: %1 + + + + Cut + Wytnij + + + Copy + Skopiuj + + + Paste + Wklej + + + Delete Selection + Usuń zaznaczone + + + Connections + Połączenia + + + Connect + + + + Select Effect + + + + Arrange + + + + Positioner + + + + Group + + + + Snapping + Przyciąganie + + + Flow + + + + Flow Effects + + + + Bring to Front + + + + Send to Back + + + + Bring Forward + + + + Send Backward + + + + Undo + Cofnij + + + Redo + Przywróć + + + Visibility + Widoczność + + + Reset Size + Zresetuj rozmiar + + + Reset Position + Zresetuj pozycję + + + Copy Formatting + + + + Apply Formatting + + + + Edit Component + + + + Merge with Template + + + + Create Component + + + + Edit Material + + + + Edit Annotations + + + + Add Mouse Area + + + + Open Signal Dialog + + + + Update 3D Asset + + + + Reverse + + + + Fill Parent + + + + No Anchors + + + + Top And Bottom + + + + Left And Right + + + + Top + Górny + + + Right + Prawy + + + Bottom + Dolny + + + Left + Lewy + + + Column Positioner + + + + Row Positioner + + + + Grid Positioner + + + + Flow Positioner + + + + Raise selected component. + + + + Lower selected component. + + + + Copy formatting. + + + + Apply formatting. + + + + Fill selected component to parent. + + + + Reset anchors for selected component. + + + + Layout selected components in column layout. + + + + Layout selected components in row layout. + + + + Layout selected components in grid layout. + + + + Add component to stacked container. + + + + Add flow action. + + + + Edit List Model... + + + + Go to Implementation + Przejdź do implementacji + + + Add Tab Bar + Dodaj pasek z zakładkami + + + Increase Index + Zwiększ indeks + + + Decrease Index + Zmniejsz indeks + + + Reset size and use implicit size. + + + + Reset position and use implicit position. + + + + Increase index of stacked container. + + + + Decrease index of stacked container. + + + + Set Id + Ustaw identyfikator + + + Reset z Property + Zresetuj właściwość "z" + + + Remove Positioner + + + + Create Flow Action + + + + Set Flow Start + + + + Remove Layout + Usuń rozmieszczenie + + + Group in GroupItem + + + + Remove GroupItem + + + + Add Component + Dodaj komponent + + + Column Layout + + + + Row Layout + + + + Grid Layout + + + + Fill Width + Wypełnij szerokość + + + Fill Height + Wypełnij wysokość + + + Timeline + Oś czasu + + + Copy All Keyframes + + + + Paste Keyframes + + + + Add Keyframe + + + + Delete All Keyframes + + + + + QmlDesignerTimeline + + Playhead frame %1 + + + + Keyframe %1 + + + + + QmlParser + + Illegal unicode escape sequence + + + + Unexpected token '.' + + + + Stray newline in string literal + + + + End of file reached at escape sequence + + + + Illegal hexadecimal escape sequence + + + + Octal escape sequences are not allowed + + + + Unclosed string at end of line + + + + At least one hexadecimal digit is required after '0%1' + + + + At least one octal digit is required after '0%1' + + + + At least one binary digit is required after '0%1' + + + + Decimal numbers can't start with '0' + + + + Illegal syntax for exponential number + + + + Invalid regular expression flag '%0' + + + + Unterminated regular expression backslash sequence + + + + Unterminated regular expression class + + + + Unterminated regular expression literal + + + + Syntax error + + + + Imported file must be a script + + + + Invalid module URI + + + + Incomplete version number (dot but no minor) + + + + File import requires a qualifier + + + + Module import requires a qualifier + + + + Invalid import qualifier + + + + Unexpected token `%1' + + + + Expected token `%1' + + + + + QtC::ADS + + Detach + + + + Pin To... + + + + Top + Górny + + + Left + Lewy + + + Right + Prawy + + + Bottom + Dolny + + + Unpin (Dock) + + + + Close + Zamknij + + + List All Tabs + + + + Detach Group + + + + Close Active Tab + + + + Close Group + + + + Pin Group + + + + Pin Group To... + + + + Close Other Groups + + + + Pin Active Tab (Press Ctrl to Pin Group) + + + + Workspace "%1" does not exist. + + + + Cannot restore "%1". + + + + Cannot reload "%1". It is not in the list of workspaces. + + + + Could not clone "%1" due to: %2 + + + + Workspace "%1" is not a preset. + + + + Cannot remove "%1". + + + + Cannot save workspace while in mode change state. + + + + File "%1" does not exist. + + + + Could not copy "%1" to "%2" due to: %3 + + + + Could not remove "%1". + + + + The directory "%1" does not exist. + Katalog "%1" nie istnieje. + + + The workspace "%1" does not exist + + + + Cannot write to "%1". + + + + Cannot write to "%1" due to: %2 + + + + Close Tab + Zamknij kartę + + + Pin + + + + Close Others + Zamknij inne + + + &New + + + + &Rename + + + + C&lone + + + + &Delete + &Usuń + + + Reset + + + + &Switch To + + + + Import + Zaimportuj + + + Export + + + + Move Up + Przenieś do góry + + + Move Down + Przenieś na dół + + + Restore last workspace on startup + + + + Workspace Manager + + + + <a href="qthelp://org.qt-project.qtcreator/doc/creator-project-managing-workspaces.html">What is a Workspace?</a> + + + + Enter the name of the workspace: + + + + Workspace + + + + File Name + Nazwa pliku + + + Last Modified + Ostatnio zmodyfikowana + + + New Workspace Name + + + + &Create + &Utwórz + + + Create and &Open + Utwórz i &otwórz + + + Cannot Create Workspace + + + + &Clone + S&klonuj + + + Clone and &Open + Sklonuj i &otwórz + + + %1 Copy + + + + Cannot Clone Workspace + + + + Rename Workspace + + + + Rename and &Open + Zmień nazwę i &otwórz + + + Cannot Rename Workspace + + + + Cannot Switch Workspace + + + + Import Workspace + + + + Cannot Import Workspace + + + + Export Workspace + + + + Cannot Export Workspace + + + + Delete Workspace + + + + Delete Workspaces + + + + Delete workspace "%1"? + + + + Delete these workspaces? + + + + + QtC::Android + + Create a keystore and a certificate + + + + Password: + Hasło: + + + Retype password: + Wprowadź ponownie hasło: + + + Show password + Pokaż hasło + + + Certificate + Certyfikat + + + Alias name: + Alias: + + + Keysize: + Rozmiar klucza: + + + Validity (days): + Okres ważności (w dniach): + + + Certificate Distinguished Names + + + + First and last name: + Imię i nazwisko: + + + Organizational unit (e.g. Necessitas): + Jednostka organizacyjna (np. Necessitas): + + + Organization (e.g. KDE): + Organizacja (np. KDE): + + + Two-letter country code for this unit (e.g. RO): + Dwuliterowy kod kraju dla tej jednostki (np. PL): + + + City or locality: + Miasto lub miejscowość: + + + State or province: + Stan lub prowincja: + + + Use Keystore password + + + + Android Configuration + Konfiguracja Androida + + + Open Android SDK download URL in the system's browser. + + + + Add the selected custom NDK. The toolchains and debuggers will be created automatically. + + + + Remove the selected NDK if it has been added manually. + + + + Force a specific NDK installation to be used by all Android kits.<br/>Note that the forced NDK might not be compatible with all registered Qt versions. + + + + Open JDK download URL in the system's browser. + + + + Set Up SDK + + + + Automatically download Android SDK Tools to selected location. + +If the selected path contains no valid SDK Tools, the SDK Tools package is downloaded +from %1, +and extracted to the selected path. +After the SDK Tools are properly set up, you are prompted to install any essential +packages required for Qt to build for Android. + + + + SDK Manager + + + + Open Android NDK download URL in the system's browser. + + + + Select the path of the prebuilt OpenSSL binaries. + + + + Download OpenSSL + + + + Automatically download OpenSSL prebuilt libraries. + +These libraries can be shipped with your application if any SSL operations +are performed. Find the checkbox under "Projects > Build > Build Steps > +Build Android APK > Additional Libraries". +If the automatic download fails, Qt Creator proposes to open the download URL +in the system's browser for manual download. + + + + JDK path exists and is writable. + + + + Android SDK path exists and is writable. + + + + Android SDK Command-line Tools installed. + + + + Android SDK Command-line Tools runs. + + + + Android SDK Platform-Tools installed. + + + + All essential packages installed for all installed Qt versions. + + + + Android SDK Build-Tools installed. + + + + Android Platform SDK (version) installed. + + + + Android settings are OK. + + + + Android settings have errors. + + + + OpenSSL path exists. + + + + QMake include project (openssl.pri) exists. + + + + CMake include project (CMakeLists.txt) exists. + + + + OpenSSL Settings are OK. + + + + OpenSSL settings have errors. + + + + Select Android SDK Folder + + + + Select OpenSSL Include Project File + + + + Android Settings + + + + Android SDK location: + Położenie Android SDK: + + + Android NDK list: + + + + Android OpenSSL settings (Optional) + + + + OpenSSL binaries location: + + + + Failed to create the SDK Tools path %1. + + + + Select an NDK + + + + Add Custom NDK + + + + The selected path has an invalid NDK. This might mean that the path contains space characters, or that it does not have a "toolchains" sub-directory, or that the NDK version could not be retrieved because of a missing "source.properties" or "RELEASE.TXT" file + + + + OpenSSL Cloning + + + + OpenSSL prebuilt libraries repository is already configured. + + + + The selected download path (%1) for OpenSSL already exists and the directory is not empty. Select a different path or make sure it is an empty directory. + + + + Cloning OpenSSL prebuilt libraries... + + + + OpenSSL prebuilt libraries cloning failed. + + + + Opening OpenSSL URL for manual download. + + + + Open Download URL + + + + The Git tool might not be installed properly on your system. + + + + (SDK Version: %1, NDK Version: %2) + + + + Unset Default + + + + Make Default + Ustaw jako domyślny + + + The selected path already has a valid SDK Tools package. + + + + Download and install Android SDK Tools to %1? + + + + Remove + Usuń + + + Automatically create kits for Android tool chains + Automatyczne tworzenie zestawów narzędzi Androida + + + JDK location: + Położenie JDK: + + + Add... + Dodaj... + + + Keystore password is too short. + + + + Keystore passwords do not match. + + + + Certificate password is too short. + Hasło certyfikatu jest zbyt krótkie. + + + Certificate passwords do not match. + Hasła certyfikatu nie zgadzają się. + + + Certificate alias is missing. + Brak aliasu certyfikatu. + + + Invalid country code. + Niepoprawny kod kraju. + + + Keystore Filename + Nazwa pliku z magazynem kluczy + + + Keystore files (*.keystore *.jks) + Pliki z magazynami kluczy (*.keystore *.jks) + + + Error + Błąd + + + Device name: + + + + Device type: + Typ urządzenia: + + + Unknown + Nieznany + + + Serial number: + + + + CPU architecture: + + + + OS version: + Wersja OS: + + + Yes + Tak + + + No + Nie + + + Authorized: + + + + Android target flavor: + + + + Skin type: + + + + OpenGL status: + + + + Android Device Manager + + + + Run on Android + Uruchom na androidzie + Refresh - Odśwież + Odśwież - Waiting for items - Oczekiwanie na elementy + Start AVD + - This protocol does not support listing - Ten protokół nie obsługuje wyświetlania zawartości + Erase AVD + + + + AVD Arguments + + + + Set up Wi-Fi + + + + Emulator for "%1" + + + + Physical device + + + + None + Brak + + + Erase the Android AVD "%1"? +This cannot be undone. + + + + An error occurred while removing the Android AVD "%1" using avdmanager tool. + + + + The device has to be connected with ADB debugging enabled to use this feature. + + + + Opening connection port %1 failed. + + + + Retrieving the device IP address failed. + + + + The retrieved IP address is invalid. + + + + Connecting to the device IP "%1" failed. + + + + Emulator Command-line Startup Options + + + + Emulator command-line startup options (<a href="%1">Help Web Page</a>): + + + + Android Device + Urządzenie Android + + + The device info returned from AvdDialog is invalid. + + + + Android + Qt Version is meant for Android + Android + + + "%1" terminated. + Zakończono "%1". + + + Select JDK Path + Wybierz ścieżkę do JDK + + + Android SDK Manager + + + + Update Installed + + + + Default + Domyślna + + + Stable + + + + Beta + + + + Dev + + + + Canary + + + + Include obsolete + + + + Available + Dostępne + + + Installed + Zainstalowane + + + All + + + + Advanced Options... + + + + Expand All + Rozwiń wszystko + + + Do you want to accept the Android SDK license? + + + + Show Packages + + + + Channel: + + + + Android SDK Changes + + + + %1 cannot find the following essential packages: "%2". +Install them manually after the current operation is done. + + + + + Android SDK installation is missing necessary packages. Do you want to install the missing packages? + + + + Checking pending licenses... + + + + The installation of Android SDK packages may fail if the respective licenses are not accepted. + + + + SDK Manager is busy. + + + + %n Android SDK packages shall be updated. + + + + + + + + [Packages to be uninstalled:] + + + + + SDK Manager is busy. Operation cancelled. + + + + Installing/Uninstalling selected packages... + + + + + Closing the %1 dialog will cancel the running and scheduled SDK operations. + + + + + preferences + + + + options + + + + Updating installed packages... + + + + + Android SDK operations finished. + + + + Operation cancelled. + + + + + +No pending operations to cancel... + + + + + +Cancelling pending operations... + + + + + SDK Manager Arguments + + + + Cannot load available arguments for "sdkmanager" command. + + + + SDK manager arguments: + + + + Available arguments: + General Ogólne + + XML Source + Źródło XML + + + Android Manifest editor + Edytor plików manifest Androida + + + Package + Pakiet + + + <p align="justify">Please choose a valid package name for your application (for example, "org.example.myapplication").</p><p align="justify">Packages are usually defined using a hierarchical naming pattern, with levels in the hierarchy separated by periods (.) (pronounced "dot").</p><p align="justify">In general, a package name begins with the top level domain name of the organization and then the organization's domain and then any subdomains listed in reverse order. The organization can then choose a specific name for their package. Package names should be all lowercase characters whenever possible.</p><p align="justify">Complete conventions for disambiguating package names and rules for naming packages when the Internet domain name cannot be directly used as a package name are described in section 7.7 of the Java Language Specification.</p> + + + + Package name: + Nazwa pakietu: + + + The package name is not valid. + Niepoprawna nazwa pakietu. + + + Version code: + Kod wersji: + + + Version name: + Nazwa wersji: + + + Sets the minimum required version on which this application can be run. + Ustawia minimalną wymaganą wersję, z którą ta aplikacja może zostać uruchomiona. + + + Not set + Nie ustawiona + + + Minimum required SDK: + Minimalnie wymagane SDK: + + + Sets the target SDK. Set this to the highest tested version. This disables compatibility behavior of the system for your application. + + + + Target SDK: + Docelowe SDK: + + + Application + Aplikacja + + + Application name: + Nazwa aplikacji: + + + Activity name: + Nazwa aktywności: + + + The structure of the Android manifest file is corrupted. Expected a top level 'manifest' node. + Struktura pliku manifest Androida jest uszkodzona. Oczekiwano głównego elementu "manifest". + + + The structure of the Android manifest file is corrupted. Expected an 'application' and 'activity' sub node. + Struktura pliku manifest Androida jest uszkodzona. Oczekiwano podelementów "application" i "activity". + + + API %1: %2 + API %1: %2 + + + Permissions + Prawa dostępu + + + Include default permissions for Qt modules. + Ustaw domyślne prawa dostępu dla modułów Qt. + + + Include default features for Qt modules. + Ustaw domyślne funkcjonalności dla modułów Qt. + + + Add + Dodaj + + + Style extraction: + + + + Screen orientation: + + + + Advanced + Zaawansowane + + + Application icon + + + + Splash screen + + + + Could not parse file: "%1". + Błąd parsowania pliku: "%1". + + + %2: Could not parse file: "%1". + %2: Błąd parsowania pliku: "%1". + + + Goto error + Błąd instrukcji goto + + + Create new AVD + Utwórz nowe AVD + + + Overwrite existing AVD name + + + + Device definition: + + + + Architecture (ABI): + + + + Target API: + API docelowe: + + + Cannot create a new AVD. No suitable Android system image is installed.<br/>Install a system image for the intended Android version from the SDK Manager. + + + + Cannot create an AVD for ABI %1.<br/>Install a system image for it from the SDK Manager tab first. + + + + Name: + Nazwa: + + + SD card size: + Rozmiar karty SD: + + + MiB + MiB + + + Could not open "%1" for writing: %2. + + + + The SDK Tools download URL is empty. + + + + Downloading SDK Tools package... + + + + Cancel + Anuluj + + + Encountered SSL errors, download is aborted. + + + + Download from %1 was redirected. + + + + Downloading Android SDK Tools from URL %1 has failed: %2. + + + + Unarchiving SDK Tools package... + + + + Verifying the integrity of the downloaded file has failed. + + + + Unarchiving error. + + + + Download SDK Tools + + + + Deploy to Android device + Zainstaluj na urządzeniu Android + + + Cannot find the androiddeployqt tool. + Nie można odnaleźć narzędzia androiddeployqt. + + + The process "%1" exited normally. + Proces "%1" zakończył pracę normalnie. + + + The process "%1" exited with code %2. + Proces "%1" zakończył pracę kodem wyjściowym %2. + + + The process "%1" crashed. + Proces "%1" przerwał pracę. + + + Package deploy: Failed to pull "%1" to "%2". + + + + Install failed + Instalacja niepoprawnie zakończona + + + Deployment failed with the following errors: + + + Instalacja zakończona następującymi błędami: + + + + + Uninstall the existing app before deployment + + + + No Android architecture (ABI) is set by the project. + + + + Initializing deployment to Android device/simulator + + + + The kit's run configuration is invalid. + + + + The kit's build configuration is invalid. + + + + The kit's build steps list is invalid. + + + + The kit's deploy configuration is invalid. + + + + No valid deployment device is set. + + + + The deployment device "%1" is invalid. + + + + The deployment device "%1" does not support the architectures used by the kit. +The kit supports "%2", but the device uses "%3". + + + + The deployment device "%1" is disconnected. + + + + Android: The main ABI of the deployment device (%1) is not selected. The app execution or debugging might not work properly. Add it from Projects > Build > Build Steps > qmake > ABIs. + + + + Deploying to %1 + + + + The deployment step's project node is invalid. + + + + Cannot find the androiddeployqt input JSON file. + + + + Cannot find the package name from the Android Manifest file "%1". + + + + Uninstalling the previous package "%1". + + + + Starting: "%1" + + + + Installing the app failed even after uninstalling the previous one. + + + + Installing the app failed with an unknown error. + + + + +Uninstalling the installed package may solve the issue. +Do you want to uninstall the existing package? + +Odinstalowanie uprzednio zainstalowanego pakietu może rozwiązać problem. +Czy odinstalować istniejący pakiet? + + + The deployment AVD "%1" cannot be started. + + + + Pulling files necessary for debugging. + + + + Package deploy: Running command "%1". + + + + Install an APK File + + + + Qt Android Installer + + + + Android package (*.apk) + Pakiet androida (*.apk) + + + Could not run: %1 + Nie można uruchomić: %1 + + + No devices found in output of: %1 + Brak urządzeń na wyjściu %1 + + + Android Debugger (%1, NDK %2) + + + + Android %1 Clang %2 + + + + Configure Android... + Konfiguruj Androida... + + + %1 needs additional settings to enable Android support. You can configure those settings in the Options dialog. + + + + Sign package + Podpisz pakiet + + + Keystore: + Magazyn kluczy: + + + Create... + Utwórz... + + + Signing a debug package + extra space on the end + Podpisywanie pakietu debugowego + + + Certificate alias: + Alias certyfikatu: + + + Advanced Actions + Zaawansowane akcje + + + Verbose output + Gadatliwe komunikaty + + + Open package location after build + Po zakończeniu budowania otwórz w położeniu pakietu + + + Packages debug server with the APK to enable debugging. For the signed APK this option is unchecked by default. + + + + Add debug server + Dodaj serwer debugowy + + + Create Templates + Utwórz szablony + + + Create an Android package for Custom Java code, assets, and Gradle configurations. + + + + Android build-tools version: + + + + Android build platform SDK: + + + + Android customization: + + + + Additional Libraries + Dodatkowe biblioteki + + + List of extra libraries to include in Android package and load on startup. + Lista dodatkowych bibliotek dołączanych do pakietu Android i ładowanych przy uruchamianiu. + + + Select library to include in package. + Wybierz bibliotekę, którą dołączyć do pakietu. + + + Remove currently selected library from list. + Usuń zaznaczoną bibliotekę z listy. + + + Select additional libraries + Wybierz dodatkowe biblioteki + + + Libraries (*.so) + Biblioteki (*.so) + + + Build Android APK + Zbuduj Android APK + + + Warning: Signing a debug or profile package. + Ostrzeżenie: podpisywanie pakietu debugowego lub przeznaczonego do profilowania. + + + The API level set for the APK is less than the minimum required by the kit. +The minimum API level required by the kit is %1. + + + + Cannot sign the package. Certificate alias %1 does not exist. + Nie można podpisać pakietu. Nie istnieje alias certyfikatu %1. + + + Failed to run keytool. + + + + Select Keystore File + Wybierz plik z magazynem kluczy + + + Unknown Android version. API Level: %1 + Nieznana wersja Androida. Poziom API: %1 + + + Error creating Android templates. + Błąd tworzenia szablonów Androida. + + + Cannot parse "%1". + Nie można sparsować "%1". + + + Starting Android virtual device failed. + Nie można uruchomić wirtualnego urządzenia Android. + + + Android package installation failed. +%1 + + + + Allowed characters are: a-z A-Z 0-9 and . _ - + Dozwolone znaki to: a-z A-Z 0-9 i . _ - + + + Deploy to device + Zainstaluj na urządzeniu + + + Copy application data + Skopiuj dane aplikacji + + + <b>Make install:</b> Copy App Files to "%1" + + + + "%1" step has an invalid C++ toolchain. + + + + Product type is not an application, not running the Make install step. + + + + Removing directory %1 + Usuwanie katalogu %1 + + + Failed to clean "%1" from the previous build, with error: +%2 + + + + No application .pro file found in this project. + Brak pliku .pro aplikacji w tym projekcie. + + + No Application .pro File + Brak pliku .pro aplikacji + + + Select the .pro file for which you want to create the Android template files. + Wybierz plik .pro dla którego utworzyć pliki szablonu Android. + + + .pro file: + Plik .pro: + + + Select a .pro File + Wybierz plik .pro + + + The Android package source directory cannot be the same as the project directory. + Katalog ze źródłami pakietu Android nie może być taki sam jak katalog projektu. + + + Could not update the project file %1. + + + + Android package source directory: + Katalog źródłowy pakietu Android: + + + It is highly recommended if you are planning to extend the Java part of your Qt application. + Jest to rekomendowane w przypadku rozszerzania kodu Java w aplikacji Qt. + + + Select the Android package source directory. + +The files in the Android package source directory are copied to the build directory's Android directory and the default files are overwritten. + Wybierz katalog źródłowy pakietu Android. + +Pliki z katalogu źródłowego pakietu Android są kopiowane do katalogu budowania i domyślne pliki są nadpisywane. + + + Copy the Gradle files to Android directory + Skopiuj pliki Gradle do katalogu Android + + + The Android template files will be created in the %1 set in the .pro file. + + + + Create Android Template Files Wizard + Tworzenie kreatora plików szablonowych Androida + + + Project File not Updated + Nieaktualny plik projektu + + + No free ports available on host for QML debugging. + Brak wolnych portów w hoście do debugowania QML. + + + Failed to forward QML debugging ports. + + + + Failed to start the activity. + + + + Activity Manager threw the error: %1 + + + + Failed to find application directory. + + + + Cannot find C++ debug server in NDK installation. + + + + The lldb-server binary has not been found. + + + + Cannot copy C++ debug server. + + + + Failed to start debugger server. + + + + Failed to forward C++ debugging ports. + + + + Failed to forward JDB debugging ports. + + + + Failed to start JDB. + + + + Cannot attach JDB to the running application. + + + + "%1" died. + "%1" zakończył pracę. + + + Cannot create AVD. Invalid input. + Nie można utworzyć AVD. Niepoprawne wejście. + + + Could not start process "%1". + + + + Emulator Tool Is Missing + + + + Install the missing emulator tool (%1) to the installed Android SDK. + + + + AVD Start Error + + + + Cannot create AVD. Command timed out. + Nie można utworzyć AVD. Przekroczono limit czasu oczekiwania. + + + Incorrect password. + Niepoprawne hasło. + + + Application Signature + + + + Include prebuilt OpenSSL libraries + + + + This is useful for apps that use SSL operations. The path can be defined in Edit > Preferences > Devices > Android. + + + + Build Android App Bundle (*.aab) + + + + "%1" step failed initialization. + + + + Keystore/Certificate password verification failed. + + + + The Qt version for kit %1 is invalid. + + + + The minimum Qt version required for Gradle build to work is %1. It is recommended to install the latest Qt version. + + + + No valid input file for "%1". + + + + Android build SDK version is not defined. Check Android settings. + + + + Cannot sign the package. Invalid keystore path (%1). + + + + The Android build folder "%1" was not found and could not be created. + + + + Cannot copy the target's lib file "%1" to the Android build folder "%2". + + + + Cannot copy file "%1" to Android build libs folder "%2". + + + + Cannot open androiddeployqt input file "%1" for writing. + + + + Android deploy settings file not found, not building an APK. + + + + Product type is not an application, not building an APK. + + + + Cannot set up "%1", not building an APK. + + + + Keystore + Magazyn kluczy + + + Enter keystore password + Podaj hasło magazynu kluczy + + + Enter certificate password + Wprowadź hasło certyfikatu + + + Master icon + + + + Select master icon. + + + + LDPI icon + + + + Select an icon suitable for low-density (ldpi) screens (~120dpi). + + + + MDPI icon + + + + Select an icon for medium-density (mdpi) screens (~160dpi). + + + + HDPI icon + + + + Select an icon for high-density (hdpi) screens (~240dpi). + + + + XHDPI icon + + + + Select an icon for extra-high-density (xhdpi) screens (~320dpi). + + + + XXHDPI icon + + + + Select an icon for extra-extra-high-density (xxhdpi) screens (~480dpi). + + + + XXXHDPI icon + + + + Select an icon for extra-extra-extra-high-density (xxxhdpi) screens (~640dpi). + + + + Icon scaled up. + + + + Click to select... + + + + Images %1 + %1 expands to wildcard list for file dialog, do not change order + + + + Deploy to Android Device + + + + Java Language Server + + + + Would you like to configure Android options? This will ensure Android kits can be usable and all essential packages are installed. To do it later, select Edit > Preferences > Devices > Android. + + + + Configure Android + + + + %1 has been stopped. + + + + Selected device is invalid. + + + + Selected device is disconnected. + + + + Launching AVD. + + + + Could not start AVD. + + + + No valid AVD has been selected. + + + + Checking if %1 app is installed. + + + + ABI of the selected device is unknown. Cannot install APK. + + + + Cannot install %1 app for %2 architecture. The appropriate APK was not found in resources folders. + + + + Installing %1 APK. + + + + Too many .qmlproject files in your project. Open directly the .qmlproject file you want to work with and then run the preview. + + + + No .qmlproject file found among project files. + + + + Could not gather information on project files. + + + + Could not create file for %1 "%2". + + + + A timeout occurred running "%1". + Przekroczono limit czasu oczekiwania na odpowiedź od uruchomionego "%1". + + + Crash while creating file for %1 "%2". + + + + Creating file for %1 failed. "%2" (exit code %3). + + + + Uploading files. + + + + Starting %1. + + + + %1 is running. + + + + NDK is not configured in Devices > Android. + + + + SDK is not configured in Devices > Android. + + + + Failed to detect the ABIs used by the Qt version. Check the settings in Devices > Android for errors. + + + + Clean Environment + Czyste środowisko + + + Activity manager start arguments: + + + + Pre-launch on-device shell commands: + + + + Post-quit on-device shell commands: + + + + The operation requires user interaction. Use the "sdkmanager" command-line tool. + + + + Updating installed packages. + + + + Failed. + Niepoprawnie zakończone. + + + Done + + + + Installing + + + + Uninstalling + + + + Failed + Niepoprawnie zakończone + + + License command failed. + + + + Revision + + + + API + + + + Tools + + + + SDK Platform + + + + Android Clang + + + + Java: + + + + Java Language Server: + + + + Path to equinox launcher jar + + + + Images (*.png *.jpg *.jpeg) + + + + Select splash screen image + + + + Portrait splash screen + + + + Select portrait splash screen image + + + + Landscape splash screen + + + + Select landscape splash screen image + + + + Clear All + + + + A non-sticky splash screen is hidden automatically when an activity is drawn. +To hide a sticky splash screen, invoke QtAndroid::hideSplashScreen(). + + + + Sticky splash screen: + + + + Image show mode: + + + + Background color of the splash screen. + + + + Background color: + + + + Select master image to use. + + + + Master image: + + + + Select portrait master image to use. + + + + Portrait master image: + + + + Select landscape master image to use. + + + + Landscape master image: + + + + LDPI + + + + MDPI + + + + HDPI + + + + XHDPI + + + + XXHDPI + + + + XXXHDPI + + + + An image is used for the splashscreen. Qt Creator manages +splashscreen by using a different method which requires changing +the manifest file by overriding your settings. Allow override? + + + + Convert + + + + Select background color + + + + Select master image + + + + Select portrait master image + + + + Select landscape master image + + + + Images + + - QtC::CVS + QtC::Autotest - CVS - CVS + Scan threads: + - Configuration - Konfiguracja + Framework + Framework - Miscellaneous - Różne + Group + - Prompt on submit - Pytaj o potwierdzenie przed utworzeniem poprawki + Enables grouping of test cases. + - Describe all files matching commit id - Opisuj wszystkie pliki zgodne z identyfikatorem poprawki + Reset Cached Choices + + + + Clear all cached choices of run configurations for tests where the executable could not be deduced. + + + + General + Ogólne + + + Automatically run + + + + Enable or disable test frameworks to be handled by the AutoTest plugin. + + + + Enable or disable grouping of test cases by folder. + + + + No active test frameworks or tools. + + + + Mixing test frameworks and test tools. + + + + Mixing test frameworks and test tools can lead to duplicating run information when using "Run All Tests", for example. + + + + Hides internal messages by default. You can still enable them by using the test results filter. + Domyślnie ukrywa wewnętrzne komunikaty. Wciąż możliwe jest ich odblokowanie przy użyciu filtra rezultatów testów. + + + Omit internal messages + Pomijaj komunikaty wewnętrzne + + + Number of worker threads used when scanning for tests. + + + + Omit run configuration warnings + Pomijaj ostrzeżenia konfiguracji uruchamiania + + + Hides warnings related to a deduced run configuration. + + + + Limit result output + Ogranicz komunikaty z rezultatami + + + Limit result description: + + + + Limit number of lines shown in test result tooltip and description. + + + + Automatically scroll results + Automatycznie przewijaj rezultaty + + + Process arguments + + + + Allow passing arguments specified on the respective run configuration. +Warning: this is an experimental feature and might lead to failing to execute the test executable. + + + + Group results by application + + + + Open results when tests start + + + + Displays test results automatically when tests are started. + + + + Open results when tests finish + + + + Displays test results automatically when tests are finished. + + + + Only for unsuccessful test runs + + + + Displays test results only if the test run contains failed, fatal or unexpectedly passed tests. + + + + Runs chosen tests automatically if a build succeeded. + + + + Timeout used when executing each test case. + Limit czasu oczekiwania na zakończenie każdego testu. Timeout: Limit czasu oczekiwania: - s - s + Timeout used when executing test cases. This will apply for each test case on its own, not the whole project. + Limit czasu oczekiwania na zakończenie wariantu testu. Ma to zastosowanie do każdego wykonywanego testu, a nie do całego projektu. - CVS command: - Komenda CVS: + s + s - CVS root: - Korzeń CVS: + Active Test Frameworks + Aktywne frameworki testowe - Diff options: - Parametry porównywania: + Limits result output to 100000 characters. + Ogranicza komunikaty z rezultatami do 100000 znaków. - When checked, all files touched by a commit will be displayed when clicking on a revision number in the annotation view (retrieved via commit ID). Otherwise, only the respective file will be displayed. - Gdy zaznaczone, wszystkie pliki powiązane z poprawką zostaną wyświetlone po kliknięciu na numer wersji w widoku adnotacji (uzyskane zostaną poprzez identyfikator wrzuconej zmiany). W przeciwnym razie, wyświetlony zostanie tylko określony plik. - - - - QtC::Designer - - Class - Klasa + Automatically scrolls down when new items are added and scrollbar is at bottom. + Automatycznie przewija w dół po dodaniu nowych elementów, gdy pasek przewijania jest na dole. - Class Details - Szczegóły klasy + Selects the test frameworks to be handled by the AutoTest plugin. + Wybiera frameworki testowe, które mają zostać obsłużone przez wtyczkę AutoTest. - %1 - Error - %1 - Błąd + Testing + - Choose a Class Name - Podaj nazwę klasy + &Tests + &Testy - - - QtC::Git - Branches - Gałęzie + Run &All Tests + Uruchom &wszystkie testy + + + Alt+Shift+T,Alt+A + Alt+Shift+T,Alt+A + + + Ctrl+Meta+T, Ctrl+Meta+A + + + + Run All Tests Without Deployment + + + + Ctrl+Meta+T, Ctrl+Meta+E + + + + Alt+Shift+T,Alt+E + + + + &Run Selected Tests + Uruchom &zaznaczone testy + + + Alt+Shift+T,Alt+R + Alt+Shift+T,Alt+R + + + Ctrl+Meta+T, Ctrl+Meta+R + + + + &Run Selected Tests Without Deployment + + + + Run Selected Tests Without Deployment + + + + Ctrl+Meta+T, Ctrl+Meta+W + + + + Alt+Shift+T,Alt+W + + + + Run &Failed Tests + + + + Run Failed Tests + + + + Ctrl+Meta+T, Ctrl+Meta+F + + + + Alt+Shift+T,Alt+F + + + + Run Tests for &Current File + + + + Run Tests for Current File + + + + Ctrl+Meta+T, Ctrl+Meta+C + + + + Alt+Shift+T,Alt+C + + + + Disable Temporarily + + + + Disable scanning and other actions until explicitly rescanning, re-enabling, or restarting Qt Creator. + + + + Re&scan Tests + &Odśwież zbiór testów + + + Alt+Shift+T,Alt+S + Alt+Shift+T,Alt+S + + + Ctrl+Meta+T, Ctrl+Meta+S + + + + Run Test Under Cursor + + + + &Run Test + + + + Run Test Without Deployment + + + + &Debug Test + + + + Debug Test Without Deployment + + + + Cannot debug multiple tests at once. + + + + Selected test was not found (%1). + + + + Scanning for Tests + Odświeżanie zbioru testów + + + Tests + Testy + + + Run This Test + Uruchom ten test + + + Run Without Deployment + Uruchom z pominięciem instalowania + + + Debug This Test + Zdebuguj ten test + + + Debug Without Deployment + Zdebuguj bez instalowania + + + Select All + Zaznacz wszystko + + + Deselect All + Odznacz wszystko + + + Filter Test Tree + Przefiltruj drzewo testów + + + Sort Naturally + Posortuj naturalnie + + + Expand All + Rozwiń wszystko + + + Collapse All + Zwiń wszystko + + + Sort Alphabetically + Posortuj alfabetycznie + + + Show Init and Cleanup Functions + Pokaż funkcje "Init" i "Cleanup" + + + Show Data Functions + Pokaż funkcje z danymi + + + %1 %2 per iteration (total: %3, iterations: %4) + %1 %2 na iterację (w sumie: %3, ilość iteracji: %4) + + + Executing test case %1 + Wykonywanie wariantu testu %1 + + + Executing test suite %1 + + + + Test execution took %1. + + + + Test suite execution took %1. + + + + Executing test module %1 + + + + Test module execution took %1. + - Include branches and tags that have not been active for %n days. - - Uwzględnij gałęzie i tagi, które nie były aktywne przez %n dzień. - Uwzględnij gałęzie i tagi, które nie były aktywne przez %n dni. - Uwzględnij gałęzie i tagi, które nie były aktywne przez %n dni. + %n failure(s) detected in %1. + + + + - Checkout - Kopia robocza - - - Checkout branch? - Utworzyć kopię roboczą gałęzi? - - - Would you like to delete the tag "%1"? - Czy usunąć tag "%1"? - - - Would you like to delete the branch "%1"? - Czy usunąć gałąź "%1"? - - - Would you like to delete the <b>unmerged</b> branch "%1"? - Czy usunąć <b>niescaloną</b> gałąź "%1"? - - - Delete Branch - Usuń gałąź - - - Delete Tag - Usuń tag - - - Rename Tag - Zmień nazwę tagu - - - Git Reset + %1 tests passed. - Hard reset branch "%1" to "%2"? + No errors detected. - Fast-Forward + Running tests exited with %1. - No Fast-Forward + Executable: %1 - Re&fresh - &Odśwież - - - &Add... - &Dodaj... - - - &Remove - &Usuń - - - &Diff - Po&równaj - - - &Log - &Log - - - Re&name - Zmień &nazwę - - - &Merge - &Scal - - - Re&base + Running tests failed. +%1 +Executable: %2 - Cherry pick top commit from selected branch. + Running tests without output. - &Track - Włącz śl&edzenie + Executing test function %1 + Wykonywanie funkcji testowej %1 - Set current branch to track the selected one. - Bieżąca gałąź zacznie śledzić zmiany w zaznaczonej gałęzi. + Entering test function %1::%2 + Wejście do funkcji testowej %1::%2 - &Include old entries + Qt version: %1 + Wersja Qt: %1 + + + Qt build: %1 - Include ta&gs + QTest version: %1 + Wersja QTest: %1 + + + XML parsing failed. - C&heckout + Test function finished. + Zakończono test funkcji. + + + Execution took %1 ms. + Wykonanie zajęło %1 ms. + + + Test finished. + Zakończono test. + + + Test execution took %1 ms. + Wykonanie testu zajęło %1 ms. + + + Repeating test suite %1 (iteration %2) - Re&set + Entering test case %1 - Cherry &Pick + Execution took %1. + Wykonanie zajęło %1. + + + Running tests failed. + %1 +Executable: %2 + + Run All Tests + Uruchom wszystkie testy + + + Run Selected Tests + Uruchom zaznaczone testy + + + Stop Test Run + Zatrzymaj uruchomiony test + + + Filter Test Results + Przefiltruj wyniki testu + + + Switch Between Visual and Text Display + Text is usually visual too, isn't it? + + + + Test Results + Wyniki testu + + + Pass + Zdany + + + Fail + Niezdany + + + Expected Fail + Oczekiwanie niezdany + + + Unexpected Pass + Nieoczekiwanie zdany + + + Skip + Pomiń + + + Benchmarks + Testy wydajności + + + Debug Messages + Komunikaty debugowe + + + Warning Messages + Komunikaty z ostrzeżeniami + + + Internal Messages + Komunikaty wewnętrzne + + + Check All Filters + Zaznacz wszystkie filtry + + + Uncheck All Filters + + + + Test summary + + + + passes + zdanych + + + fails + niezdanych + + + unexpected passes + nieoczekiwanie zdanych + + + expected fails + oczekiwanie niezdanych + + + fatals + błędnych + + + blacklisted + na czarnej liście + + + skipped + + + + disabled + + + + Copy + Skopiuj + + + Copy All + Skopiuj wszystko + + + Save Output to File... + Zachowaj wyjście w pliku... + + + Run This Test Without Deployment + + + + Debug This Test Without Deployment + + + + Save Output To + Zachowaj wyjście w + + + Error + Błąd + + + Failed to write "%1". + +%2 + Błąd zapisu pliku "%1". + +%2 + + + Test run canceled by user. + Wykonywanie testów anulowane przez użytkownika. + + + Project is null for "%1". Removing from test run. +Check the test environment. + + + + Executable path is empty. (%1) + Ścieżka do pliku wykonywalnego jest pusta. (%1) + + + Failed to start test for project "%1". + Nie można uruchomić testu dla projektu "%1". + + + Test for project "%1" crashed. + Test dla projektu "%1" przerwał pracę. + + + Could not find command "%1". (%2) + Brak komendy "%1". (%2) + + + Test case canceled due to timeout. +Maybe raise the timeout? + Anulowano wykonywanie wariantu testu ze względu na przekroczenie limitu czasu oczekiwania na jego zakończenie. +Podwyższenie limitu czasowego może zapewnić poprawny przebieg testu. + + + +Run configuration: deduced from "%1" + + + + +Run configuration: "%1" + + + + Omitted the following arguments specified on the run configuration page for "%1": + + + + Omitted the following environment variables for "%1": + + + + Current kit has changed. Canceling test run. + + + + No tests selected. Canceling test run. + Nie zaznaczono testów. Anulowano uruchomienie. + + + Project is null. Canceling test run. +Only desktop kits are supported. Make sure the currently active kit is a desktop kit. + + + + Project is not configured. Canceling test run. + Projekt nie jest skonfigurowany. Anulowano uruchomienie testów. + + + Project's run configuration was deduced for "%1". +This might cause trouble during execution. +(deduced from "%2") + + + + Startup project has changed. Canceling test run. + + + + No test cases left for execution. Canceling test run. + + + + Test for project "%1" did not produce any expected output. + + + + Running Tests + Uruchomiono testy + + + Failed to get run configuration. + Brak konfiguracji uruchamiania. + + + Select Run Configuration + + + + Could not determine which run configuration to choose for running tests + + + + Remember choice. Cached choices can be reset by switching projects or using the option to clear the cache. + + + + Run Configuration: + + + + Executable: + Plik wykonywalny: + + + Arguments: + Argumenty: + + + Working Directory: + + + + Unable to display test results when using CDB. + Nie można wyświetlić rezultatów testu w trakcie pracy CDB. + + + Build failed. Canceling test run. + Błąd budowania. Anulowano uruchomienie testów. + + + Google Test + Google Test + + + parameterized + sparametryzowany + + + fixture + + + + templated + + + + <matching> + + + + <not matching> + + + + Change GTest filter in use inside the settings. + + + + typed + + + + Qt Test + Qt Test + + + <unnamed> + <nienazwany> + + + Give all test cases a name to ensure correct behavior when running test cases and to be able to select them + + + + AutoTest Debug + + + + No active test frameworks. + Brak aktywnych frameworków testowych. + + + You will not be able to use the AutoTest plugin without having at least one active test framework. + Nie można użyć wtyczki AutoTest bez aktywnego frameworku testowego. + + + %1 (none) + %1 (brak) + + + Catch Test + + + + Number of resamples for bootstrapping. + + + + ms + ms + + + Abort after + + + + Aborts after the specified number of failures. + + + + Benchmark samples + + + + Number of samples to collect while running benchmarks. + + + + Benchmark resamples + + + + Number of resamples used for statistical bootstrapping. + + + + Confidence interval used for statistical bootstrapping. + + + + Benchmark confidence interval + + + + Benchmark warmup time + + + + Warmup time for each test. + + + + Disable analysis + + + + Disables statistical analysis and bootstrapping. + + + + Show success + + + + Show success for tests. + + + + Break on failure while debugging + Zatrzymuj na błędach podczas debugowania + + + Skip throwing assertions + + + + Skips all assertions that test for thrown exceptions. + + + + Visualize whitespace + + + + Makes whitespace visible. + + + + Warn on empty tests + + + + Warns if a test section does not check any assertion. + + + + Executes disabled tests when performing a test run. + Wykonuje zablokowane testy po uruchomieniu. + + + Run disabled tests + Uruchamiaj zablokowane testy + + + Throw on failure + Rzucaj wyjątki na błędach + + + Iterations: + Iteracje: + + + Shuffle tests + Mieszaj testy + + + Repeats a test run (you might be required to increase the timeout to avoid canceling the tests). + Powtarza testy (konieczne może okazać się zwiększenie limitu czasu oczekiwania na zakończenie testu). + + + Directory + Katalog + + + GTest Filter + + + + Group mode: + + + + Select on what grouping the tests should be based. + + + + Active filter: + + + + Set the GTest filter to be used for grouping. +See Google Test documentation for further information on GTest filters. + + + + Enable or disable grouping of test cases by folder or GTest filter. +See also Google Test settings. + + + + CTest + + + + Repeat tests + Powtarzaj testy + + + Run in parallel + + + + Output on failure + + + + Output mode + + + + Default + + + + Verbose + Gadatliwy + + + Very Verbose + + + + Repetition mode + + + + Until Fail + + + + Until Pass + + + + After Timeout + + + + Count + Ilość + + + Number of re-runs for the test. + + + + Schedule random + + + + Stop on failure + + + + Run tests in parallel mode using given number of jobs. + + + + Jobs + + + + Test load + + + + Try not to start tests when they may cause CPU load to pass a threshold. + + + + Threshold + + + + Log format: + + + + Report level: + + + + Seed: + Ziarno: + + + A seed of 0 means no randomization. A value of 1 uses the current time, any other value is used as random seed generator. + + + + Randomize + + + + Randomize execution order. + + + + Catch system errors + + + + Catch or ignore system errors. + + + + Floating point exceptions + + + + Enable floating point exception traps. + + + + Detect memory leaks + + + + Enable memory leak detection. + + + + A seed of 0 generates a seed based on the current timestamp. + Ziarno o wartości 0 generuje ziarno na podstawie aktualnego czasu. + + + Turns failures into debugger breakpoints. + Tworzy pułapki w miejscach z błędami. + + + Turns assertion failures into C++ exceptions. + Tworzy wyjątki C++ w miejscach błędnych asercji. + + + Shuffles tests automatically on every iteration by the given seed. + Automatycznie miesza testy przy każdej iteracji na podstawie podanego ziarna. + + + Enables interrupting tests on assertions. + Odblokowuje przerywanie testów w asercjach. + + + Disable crash handler while debugging + + + + Benchmark Metrics + Miary wydajności testów + + + Uses walltime metrics for executing benchmarks (default). + Używa czasu zegarowego podczas wykonywania testów wydajności. + + + Walltime + Czas zegarowy + + + Uses tick counter when executing benchmarks. + Używa licznika zegara systemowego podczas wykonywania testów wydajności. + + + Tick counter + Licznik zegara systemowego + + + Uses event counter when executing benchmarks. + Używa licznika zdarzeń podczas wykonywania testów wydajności. + + + Event counter + Licznik zdarzeń + + + Uses Valgrind Callgrind when executing benchmarks (it must be installed). + Używa Valgrind Callgrind podczas wykonywania testów wydajności (musi być on zainstalowany). + + + Limit warnings + + + + Set the maximum number of warnings. 0 means that the number is not limited. + + + + Unlimited + + + + Check for derived Qt Quick tests + + + + Search for Qt Quick tests that are derived from TestCase. +Warning: Enabling this feature significantly increases scan time. + + + + Callgrind + Callgrind + + + Uses Perf when executing benchmarks (it must be installed). + Używa Perf podczas wykonywania testów wydajności (musi być on zainstalowany). + + + Perf + Perf + + + Use XML output + Używaj XML na wyjściu + + + XML output is recommended, because it avoids parsing issues, while plain text is more human readable. + +Warning: Plain text misses some information, such as duration. + + + + Verbose benchmarks + + + + Log every signal emission and resulting slot invocations. + Loguj każdą emisję sygnału i każde wywołanie slotu pobudzonego sygnałem. + + + Log signals and slots + Loguj sygnały i sloty + + + Multiple testcases inside a single executable are not officially supported. Depending on the implementation they might get executed or not, but never will be explicitly selectable. + + + + inherited + dziedziczony + + + multiple testcases + + + + Boost Test + + + + Exception: + + + + Executing %1 "%2"... + + + + %1 "%2" passed. + + + + Expression passed. + + + + Expression failed: %1 + + + + Finished executing %1 "%2". + + + + Running tests for "%1". + + + + None + Brak + + + All + + + + Selected + + + + Active frameworks: + + + + Automatically run tests after build + + + + Quick Test + + + + Auto Test + + + + Test executable crashed. + + + + + QtC::AutotoolsProjectManager + + Arguments: + Argumenty: + + + Configuration unchanged, skipping autogen step. + Konfiguracja niezmieniona, krok autogen pominięty. + + + Autogen + Display name for AutotoolsProjectManager::AutogenStep id. + Autogen + + + Configuration unchanged, skipping autoreconf step. + Konfiguracja niezmieniona, krok autoreconf pominięty. + + + Autoreconf + Display name for AutotoolsProjectManager::AutoreconfStep id. + Autoreconf + + + Autotools Manager + Menedżer Autotools + + + Configuration unchanged, skipping configure step. + Konfiguracja niezmieniona, krok konfiguracji pominięty. + + + Configure + Display name for AutotoolsProjectManager::ConfigureStep id. + Konfiguracja + + + Parsing %1 in directory %2 + Parsowanie %1 w katalogu %2 + + + Parsing directory %1 + Parsowanie katalogu %1 + + + + QtC::BareMetal + + Set up Debug Server or Hardware Debugger + + + + Name: + Nazwa: + + + Bare Metal Device + Urządzenie Bare Metal + + + Bare Metal + Bare Metal + + + Peripheral description files (*.svd) + + + + Select Peripheral Description File + + + + Peripheral description file: + + + + Enter GDB commands to reset the board and to write the nonvolatile memory. + Wprowadź komendy GDB resetujące płytę i zapisujące do nieulotnej pamięci. + + + Enter GDB commands to reset the hardware. The MCU should be halted after these commands. + Wprowadź komendy GDB resetujące sprzęt. MCU powinien zostać zatrzymany po tych komendach. + + + New Bare Metal Device Configuration Setup + Nowa konfiguracja urządzenia Bare Metal + + + Unknown + Nieznany + + + Custom Executable + Własny plik wykonywalny + + + The remote executable must be set in order to run a custom remote run configuration. + W celu uruchomienia własnej, zdalnej konfiguracji uruchamiania, należy ustawić zdalny plik wykonywalny. + + + Cannot debug: Kit has no device. + Nie można debugować: brak urządzenia w zestawie narzędzi. + + + No debug server provider found for %1 + + + + Cannot debug: Local executable is not set. + Nie można debugować: brak ustawionego lokalnego pliku wykonywalnego. + + + Cannot debug: Could not find executable for "%1". + Nie można debugować: nie można odnaleźć pliku wykonywalnego dla "%1". + + + JLink + + + + JLink GDB Server (JLinkGDBServerCL.exe) + + + + JLink GDB Server (JLinkGDBServer) + + + + IP Address + + + + Host interface: + + + + Speed + + + + Target interface: + + + + Device: + Urządzenie: + + + Default + Domyślny + + + USB + + + + TCP/IP + + + + Compact JTAG + + + + Renesas RX FINE + + + + ICSP + + + + Auto + + + + Adaptive + + + + %1 kHz + + + + EBlink + + + + Host: + Host: + + + Script file: + + + + Specify the verbosity level (0 to 7). + + + + Connect under reset (hotplug). + + + + Connect under reset: + + + + Interface type. + + + + Type: + Typ: + + + Specify the speed of the interface (120 to 8000) in kilohertz (kHz). + + + + Speed: + + + + Do not use EBlink flash cache. + + + + Disable cache: + + + + Shut down EBlink server after disconnect. + + + + Auto shutdown: + + + + Init commands: + Komendy inicjalizujące: + + + Reset commands: + Komendy resetujące: + + + SWD + + + + JTAG + + + + Clone of %1 + Klon %1 + + + Choose the desired startup mode of the GDB server provider. + Wybierz tryb startowy dostarczyciela serwera GDB. + + + Startup mode: + Tryb startowy: + + + Startup in TCP/IP Mode + Start w trybie TCP/IP + + + Startup in Pipe Mode + Start w trybie potokowym + + + Manage... + Zarządzaj... + + + None + Brak + + + Not recognized + Nierozpoznany + + + GDB + GDB + + + UVSC + + + + GDB compatible provider engine +(used together with the GDB debuggers). + + + + UVSC compatible provider engine +(used together with the KEIL uVision). + + + + Name + Nazwa + + + Type + Typ + + + Engine + + + + Duplicate Providers Detected + Wykryto powielonych dostawców + + + The following providers were already configured:<br>&nbsp;%1<br>They were not configured again. + Następujący dostawcy zostali już skonfigurowani:<br>&nbsp;%1<br>Nie zostali oni ponownie skonfigurowani. + + + Add + Dodaj + + + Clone + Sklonuj + + + Remove + Usuń + + + Debug Server Providers + + + + OpenOCD + OpenOCD + + + Executable file: + Plik wykonywalny: + + + Root scripts directory: + Korzeń katalogu ze skryptami: + + + Configuration file: + Plik z konfiguracją: + + + Additional arguments: + Dodatkowe argumenty: + + + ST-LINK Utility + Narzędzie ST-LINK + + + Specify the verbosity level (0..99). + Poziom gadatliwości (0..99). + + + Verbosity level: + Poziom gadatliwości: + + + Continue listening for connections after disconnect. + Kontynuuj nasłuchiwanie nowych połączeń po rozłączeniu. + + + Generic + + + + Use GDB target extended-remote + + + + Extended mode: + Tryb rozszerzony: + + + Reset board on connection. + Zresetuj płytę po połączeniu. + + + Reset on connection: + Zresetuj po połączeniu: + + + Connects to the board before executing any instructions. + + + + Transport layer type. + Typ warstwy transportu. + + + Version: + Wersja: + + + ST-LINK/V1 + ST-LINK/V1 + + + ST-LINK/V2 + ST-LINK/V2 + + + Keep unspecified + + + + Debug server provider: + + + + Deploy to BareMetal Device + + + + uVision JLink + + + + Unable to create a uVision project options template. + + + + Adapter options: + + + + Port: + + + + 50MHz + + + + 33MHz + + + + 25MHz + + + + 20MHz + + + + 10MHz + + + + 5MHz + + + + 3MHz + + + + 2MHz + + + + 1MHz + + + + 500kHz + + + + 200kHz + + + + 100kHz + + + + uVision Simulator + + + + Limit speed to real-time. + + + + Limit speed to real-time: + + + + uVision St-Link + + + + 9MHz + + + + 4.5MHz + + + + 2.25MHz + + + + 1.12MHz + + + + 560kHz + + + + 280kHz + + + + 140kHz + + + + 4MHz + + + + 1.8MHz + + + + 950kHz + + + + 480kHz + + + + 240kHz + + + + 125kHz + + + + 50kHz + + + + 25kHz + + + + 15kHz + + + + 5kHz + + + + Unable to create a uVision project template. + + + + Choose Keil Toolset Configuration File + + + + Tools file path: + + + + Target device: + + + + Target driver: + + + + Starting %1... + Uruchamianie %1... + + + Version + Wersja + + + Vendor + Dostawca + + + ID + Identyfikator + + + Start + + + + Size + Rozmiar + + + FLASH Start + + + + FLASH Size + + + + RAM Start + + + + RAM Size + + + + Algorithm path. + + + + FLASH: + + + + Start address. + + + + Size. + + + + RAM: + + + + Vendor: + Dostawca: + + + Package: + Pakiet: + + + Description: + Opis: + + + Memory: + + + + Flash algorithm: + + + + Target device not selected. + + + + Available Target Devices + + + + Path + Ścieżka + + + Debugger CPU library (depends on a CPU core). + + + + Debugger driver library. + + + + Driver library: + + + + CPU library: + + + + Target driver not selected. + + + + Available Target Drivers + + + + IAREW %1 (%2, %3) + + + + IAREW + + + + &Compiler path: + Ścieżka do &kompilatora: + + + Platform codegen flags: + + + + &ABI: + &ABI: + + + Enter the name of the debugger server provider. + + + + Enter TCP/IP hostname of the debug server, like "localhost" or "192.0.2.1". + + + + Enter TCP/IP port which will be listened by the debug server. + + + + KEIL %1 (%2, %3) + + + + KEIL + + + + SDCC %1 (%2, %3) + + + + SDCC + + + + + QtC::Bazaar General Information Ogólne informacje - - Repository: - Repozytorium: - - - repository - repozytorium - Branch: Gałąź: - branch - gałąź + Local commit + Lokalna poprawka Commit Information @@ -537,132 +13588,51 @@ E-mail: - By&pass hooks - &Omiń hooki + Fixed bugs: + Poprawione błędy: - Sign off - - - - <b>Note:</b> - <b>Uwaga:</b> - - - Note that huge amount of commits might take some time. - Zwróć uwagę, że wyświetlanie dużej liczby poprawek może zajmować sporo czasu. - - - Git - Git - - - Git Settings - Ustawienia Git - - - Miscellaneous - Różne - - - Timeout: - Limit czasu oczekiwania: - - - s - s - - - Pull with rebase - "Pull" z opcją "rebase" - - - Set "HOME" environment variable - Ustaw zmienną środowiskową "HOME" - - - Gitk - Gitk - - - Arguments: - Argumenty: - - - Log count: - Licznik logu: - - - Git needs to find Perl in the environment. - Git musi znaleźć Perl w środowisku. + Performs a local commit in a bound branch. +Local commits are not pushed to the master branch until a normal commit is performed. + Tworzy lokalną poprawkę w bieżącej gałęzi. +Poprawki utworzone lokalnie nie są wrzucane do głównej gałęzi, dopóki nie utworzono normalnej poprawki. Configuration Konfiguracja - - Prepend to PATH: - Dodatkowy początek PATH: - Command: Komenda: - Repository Browser - Przeglądarka repozytorium - - - - QtC::Perforce - - Change Number - Numer zmiany + User + Użytkownik - Change Number: - Numer zmiany: + Username to use by default on commit. + Nazwa użytkownika domyślnie używana przy tworzeniu poprawek. - P4 Pending Changes - Oczekujące zmiany P4 + Default username: + Domyślna nazwa użytkownika: - Submit - Utwórz poprawkę + Email to use by default on commit. + E-mail domyślnie używany przy tworzeniu poprawek. - Cancel - Anuluj - - - Change %1: %2 - Zmiana %1: %2 - - - Perforce Prompt - Pytanie Perforce'a - - - OK - OK - - - Test - Przetestuj - - - Perforce - Perforce - - - Configuration - Konfiguracja + Default email: + Domyślny adres e-mail: Miscellaneous Różne + + Log count: + Licznik logu: + Timeout: Limit czasu oczekiwania: @@ -672,1290 +13642,744 @@ s - Prompt on submit - Pytaj o potwierdzenie przed utworzeniem poprawki + The number of recent commit logs to show. Choose 0 to see all entries. + Liczba ostatnich poprawek, wyświetlanych w logu. Wybierz 0 aby ujrzeć wszystkie zmiany. - Log count: - Licznik logu: + Dialog + Dialog - P4 command: - Komenda P4: + Branch Location + Położenie gałęzi - P4 client: - Klient P4: + Default location + Domyślne położenie - P4 user: - Użytkownik P4: + Local filesystem: + Lokalny system plików: - P4 port: - Port P4: + Specify URL: + Podaj URL: - Environment Variables - Zmienne środowiskowe + Options + Opcje - Automatically open files when editing - Automatycznie otwieraj pliki, jeśli zostały zmodyfikowane + Remember specified location as default + Zapamiętaj podane położenie jako domyślne - Change: - Zmiana: + Overwrite + Nadpisz - Client: - Klient: + Use existing directory + Użyj istniejącego katalogu - User: - Użytkownik: + Create prefix + Utwórz przedrostek - - - QtC::ProjectExplorer - Editor settings: - Ustawienia edytora: + Local + Lokalnie - Global - Globalne - - - Restore Global - Przywróć globalne - - - Display Settings - Wyświetlanie - - - Display right &margin at column: - Wyświetlaj prawy &margines w kolumnie: - - - Command: - Komenda: - - - Working directory: - Katalog roboczy: - - - Arguments: - Argumenty: - - - Build and Run - Budowanie i uruchamianie - - - Use jom instead of nmake - Używaj jom zamiast nmake - - - Projects Directory - Katalog z projektami - - - Current directory - Bieżący katalog - - - Directory - Katalog - - - Save all files before build - Zachowuj wszystkie pliki przed budowaniem - - - Clear old application output on a new run - Usuwaj stare komunikaty aplikacji przed uruchomieniem - - - Always build project before deploying it - Zawsze buduj projekt przed zainstalowaniem - - - Always deploy project before running it - Zawsze instaluj projekt przed uruchomieniem - - - Word-wrap application output - Zawijaj komunikaty aplikacji - - - Always ask before stopping applications - Zawsze pytaj przed zatrzymaniem aplikacji - - - Enabling this option ensures that the order of interleaved messages from stdout and stderr is preserved, at the cost of disabling highlighting of stderr. - Odblokowanie tej opcji spowoduje zachowanie kolejności komunikatów z stdout i stderr kosztem braku podświetlania komunikatów stderr. - - - Merge stderr and stdout - Scal stderr z stdout - - - Limit application output to - Ogranicz komunikaty aplikacji do - - - lines - linii - - - Open Compile Output pane when building - Otwieraj "Komunikaty kompilatora" podczas budowania - - - Open Application Output pane on output when running - Otwieraj "Komunikaty aplikacji" podczas uruchamiania - - - Open Application Output pane on output when debugging - Otwieraj "Komunikaty aplikacji" podczas debugowania - - - Default build directory: - Domyślny katalog wersji: - - - Reset - Zresetuj - - - Asks before terminating the running application in response to clicking the stop button in Application Output. - Pyta po naciśnięciu przycisku stop w "Komunikatach aplikacji", przed zatrzymaniem aplikacji. - - - <i>jom</i> is a drop-in replacement for <i>nmake</i> which distributes the compilation process to multiple CPU cores. The latest binary is available at <a href="http://download.qt.io/official_releases/jom/">http://download.qt.io/official_releases/jom/</a>. Disable it if you experience problems with your builds. - <i>jom</i> jest zamiennikiem <i>nmake</i>, który dystrybuuje proces kompilacji do wielu rdzeni procesora .Najnowsza wersja jest dostępna tu: <a href="http://download.qt.io/official_releases/jom/">http://download.qt.io/official_releases/jom/</a>. W razie napotkania problemów podczas budowania opcję tę należy zablokować. - - - Stop applications before building: - Aplikacje zatrzymywane przed budowaniem: - - - Same Project - Pochodzące z tego samego projektu - - - All - Wszystkie - - - Same Build Directory - Pochodzące z tego samego katalogu budowania - - - The following files will be added: - - - - - Następujące pliki zostaną dodane: - - - - - - - Add to &project: - Dodaj do &projektu: - - - Add to &version control: - Dodaj do systemu kontroli &wersji: - - - Project Management - Organizacja projektu - - - Session Manager - Zarządzanie sesjami - - - &New... - &Nowa sesja... - - - &Rename... - Z&mień nazwę... - - - C&lone... - S&klonuj... - - - &Delete... - &Usuń... - - - &Open - &Otwórz - - - What is a Session? - Co to jest sesja? - - - Restore last session on startup - Przywracaj ostatnią sesję po uruchomieniu - - - Automatically restores the last session when Qt Creator is started. - Automatycznie przywraca ostatnią sesję po uruchomieniu Qt Creatora. - - - - QtC::QmakeProjectManager - - Form - Formularz - - - The header file - Plik nagłówkowy - - - &Sources - Źró&dła - - - Widget librar&y: - &Biblioteka widżetów: - - - Widget project &file: - Plik z &projektem widżetu: - - - Widget h&eader file: - Plik na&główkowy widżetu: - - - The header file has to be specified in source code. - Plik nagłówkowy musi wystąpić w kodzie źródłowym. - - - Widge&t source file: - Plik źródłowy widże&tu: - - - Widget &base class: - Klasa &bazowa widżetu: - - - QWidget - QWidget - - - Plugin class &name: - &Nazwa klasy wtyczki: - - - Plugin &header file: - Plik &nagłówkowy wtyczki: - - - Plugin sou&rce file: - Plik ź&ródłowy wtyczki: - - - Icon file: - Plik z ikoną: - - - &Link library - Dowiąż bib&liotekę - - - Create s&keleton - Utwórz sz&kielet - - - Include pro&ject - Dołącz pro&jekt - - - &Description - &Opis - - - G&roup: - &Grupa: - - - &Tooltip: - &Podpowiedź: - - - W&hat's this: - "&Co to jest": - - - The widget is a &container - Widżet jest po&jemnikiem - - - Property defa&ults - Dom&yślne wartości właściwości - - - dom&XML: - dom&XML: - - - Select Icon - Wybierz ikonę - - - Icon files (*.png *.ico *.jpg *.xpm *.tif *.svg) - Pliki z ikonami (*.png *.ico *.jpg *.xpm *.tif *.svg) - - - WizardPage - StronaKreatora - - - Plugin and Collection Class Information - Informacje o wtyczce i o klasie z kolekcją - - - Specify the properties of the plugin library and the collection class. - Podaj dane o wtyczce i o klasie z kolekcją. - - - Collection class: - Klasa z kolekcją: - - - Collection header file: - Plik nagłówkowy kolekcji: - - - Collection source file: - Plik źródłowy kolekcji: - - - Plugin name: - Nazwa wtyczki: - - - Resource file: - Plik z zasobami: - - - icons.qrc - icons.qrc - - - Plugin Details - Szczegóły wtyczki - - - Custom Qt Widget Wizard - Kreator własnych widżetów Qt - - - Custom Widget List - Lista własnych widżetów - - - Widget &Classes: - &Klasy widżetów: - - - Specify the list of custom widgets and their properties. - Podaj listę własnych widżetów i ich właściwości. - - - ... - ... - - - Custom Widgets - Własne widżety - - - Shadow Build Directory - Katalog kompilacji w innym miejscu - - - General - Ogólne - - - This kit cannot build this project since it does not define a Qt version. - Zestaw narzędzi nie może zbudować projektu ponieważ nie zawiera informacji o wersji Qt. - - - A build for a different project exists in %1, which will be overwritten. - %1 build directory - W katalogu "%1" istnieje wersja innego projektu, która zostanie nadpisana. - - - %1 The build in %2 will be overwritten. - %1 error message, %2 build directory - %1 Wersja zbudowana w "%2" zostanie nadpisana. - - - Error: - Błąd: - - - building in <b>%1</b> - budowanie w <b>%1</b> - - - Warning: - Ostrzeżenie: - - - problemLabel - problematycznaEtykietka - - - Shadow build: - Kompilacja w innym miejscu: - - - Build directory: - Katalog wersji: - - - - QtC::Subversion - - Authentication - Autoryzacja - - - Password: - Hasło: - - - Subversion - Subversion - - - Configuration - Konfiguracja - - - Miscellaneous - Różne - - - Timeout: - Limit czasu oczekiwania: - - - s - s - - - Prompt on submit - Pytaj o potwierdzenie przed utworzeniem poprawki - - - Ignore whitespace changes in annotation - Ignoruj zmiany w białych znakach w adnotacjach - - - Log count: - Licznik logu: - - - Subversion command: - Komenda Subversion: - - - Username: - Nazwa użytkownika: - - - - QtC::TextEditor - - Bold - Pogrubiony - - - Italic - Kursywa - - - Background: - Kolor tła: - - - Foreground: - Kolor pierwszoplanowy: - - - x - x - - - Erase foreground. - Wyczyść kolor pierwszoplanowy. - - - Erase background. - Wyczyść kolor tła. - - - No Underline - Brak podkreślenia - - - Single Underline - Pojedyncze podkreślenie - - - Wave Underline - Podkreślenie wężykiem - - - Dot Underline - Podkreślenie z kropek - - - Dash Underline - Podkreślenie z kresek - - - Dash-Dot Underline - Podkreślenie z kresek i kropek - - - Dash-Dot-Dot Underline - Podkreślenie z kresek i dwóch kropek - - - Relative Foreground + Pull Source - Relative Background + Push Destination - Lightness: - Jasność: + By default, push will fail if the target directory exists, but does not already have a control directory. +This flag will allow push to proceed. + - Saturation: - Nasycenie: + For example: "https://[user[:pass]@]host[:port]/[path]". + Na przykład: "https://[użytkownik[:hasło]@]host[:port]/[ścieżka]". - Font - Czcionka + Ignores differences between branches and overwrites +unconditionally. + Ignoruje różnice pomiędzy gałęziami i nadpisuje bezwarunkowo. - Underline - Podkreślenie + Creates the path leading up to the branch if it does not already exist. + Tworzy ścieżkę prowadzącą do gałęzi jeśli jeszcze nie istnieje. - Color: - Kolor: + Performs a local pull in a bound branch. +Local pulls are not applied to the master branch. + - Family: - Rodzina: + Revert + Odwróć zmiany - Size: - Rozmiar: + Specify a revision other than the default? + Podaj inną wersję niż domyślna - Antialias - Antyaliasing + Bazaar + Bazaar - Color Scheme - Schemat kolorów + Annotate Current File + Dołącz adnotację do bieżącego pliku - Copy... - Kopiuj... + Annotate "%1" + Dołącz adnotację do "%1" - Delete - Usuń + Diff Current File + Pokaż różnice w bieżącym pliku - % - % + Diff "%1" + Pokaż różnice w "%1" - Zoom: - Powiększenie: + Alt+Z,Alt+D + Alt+Z,Alt+D - Add Bookmark - Dodaj zakładkę + Meta+Z,Meta+D + Meta+Z,Meta+D - Bookmark: - Zakładka: + Log Current File + Log bieżącego pliku - + - + + Log "%1" + Log "%1" - New Folder - Nowy katalog + Alt+Z,Alt+L + Alt+Z,Alt+L - Bookmarks - Zakładki + Meta+Z,Meta+L + Meta+Z,Meta+L - Delete Folder - Usuń katalog + Status Current File + Stan bieżącego pliku - Rename Folder - Zmień nazwę katalogu + Status "%1" + Stan "%1" - Add in folder: - Dodaj w katalogu: - - - - FilterNameDialogClass - - Add Filter Name - Dodaj nazwę filtra + Alt+Z,Alt+S + Alt+Z,Alt+S - Filter Name: - Nazwa filtra: - - - - QtC::Help - - Choose Topic - Wybierz temat + Meta+Z,Meta+S + Meta+Z,Meta+S - &Topics - &Tematy + Triggers a Bazaar version control operation. + - - &Display - &Wyświetl - - - &Close - &Zamknij - - - Filter - Filtr - - - Choose a topic for <b>%1</b>: - Wybierz temat dla <b>%1</b>: - - - - QtC::ResourceEditor Add Dodaj + + Add "%1" + Dodaj "%1" + + + Delete... + Usuń... + + + Delete "%1"... + Usuń "%1"... + + + Revert Current File... + Odwróć zmiany w bieżącym pliku... + + + Revert "%1"... + Odwróć zmiany w "%1"... + + + Diff + Pokaż różnice + + + Log + Log + + + Revert... + Odwróć zmiany... + + + Status + Stan + + + Pull... + Pull... + + + Push... + Push... + + + Update... + Update... + + + Commit... + Utwórz poprawkę... + + + Alt+Z,Alt+C + Alt+Z,Alt+C + + + Meta+Z,Meta+C + Meta+Z,Meta+C + + + Uncommit... + Wycofaj poprawkę... + + + Create Repository... + Utwórz repozytorium... + + + Update + Uaktualnij + + + There are no changes to commit. + Brak zmian do utworzenia poprawki. + + + Unable to create an editor for the commit. + Nie można utworzyć edytora dla poprawki. + + + Unable to create a commit editor. + Nie można utworzyć edytora poprawek. + + + Commit changes for "%1". + Poprawka ze zmian w "%1". + + + Commit Editor + Edytor poprawek + + + Bazaar Command + Komenda Bazaar + + + Uncommit + Wycofaj poprawkę + + + Keep tags that point to removed revisions + + + + Only remove the commits from the local branch when in a checkout + + + + Revision: + Wersja: + + + If a revision is specified, uncommits revisions to leave the branch at the specified revision. +For example, "Revision: 15" will leave the branch at revision 15. + + + + Last committed + Ostatnio utworzona poprawka + + + Dry Run + Na sucho + + + Test the outcome of removing the last committed revision, without actually removing anything. + Testuje rezultat usunięcia ostatnio utworzonej wersji poprawki bez faktycznego usunięcia czegokolwiek. + + + &Annotate %1 + Dołącz &adnotację do %1 + + + Annotate &parent revision %1 + Dołącz adnotację do &wersji macierzystej "%1" + + + Ignore Whitespace + Ignoruj białe znaki + + + Ignore Blank Lines + Ignoruj puste linie + + + Verbose + Gadatliwy + + + Show files changed in each revision. + Pokazuj zmienione pliki w każdej wersji. + + + Forward + Do przodu + + + Show from oldest to newest. + Pokazuj od najstarszego do najnowszego. + + + Include Merges + Dołącz scalenia + + + Show merged revisions. + Pokaż scalone wersje. + + + Detailed + Szczegółowo + + + Moderately Short + Umiarkowanie krótko + + + One Line + Otwórz linię + + + GNU Change Log + Log zmian GNU + + + Format + Format + + + + QtC::Beautifier + + Configuration + Konfiguracja + + + Artistic Style command: + Komendy stylu Artistic: + + + Options + Opcje + + + Use file *.astylerc defined in project files + Używaj plików *.astylerc zdefiniowanych w plikach projektów + + + Artistic Style + Styl Artistic + + + Use file .astylerc or astylerc in HOME + Używaj plików .astylerc lub astylerc zdefiniowanych w HOME + + + Use customized style: + Używaj własnego stylu: + + + Restrict to MIME types: + Zastosuj jedynie do typów MIME: + + + Use specific config file: + Używaj szczególnego pliku konfiguracyjnego: + + + Clang Format command: + Komenda formatowania Clang: + + + Clang Format + Formatowanie Clang + + + Use predefined style: + Używaj predefiniowanego stylu: + + + Format entire file if no text was selected + Sformatuj cały plik, jeśli nie zaznaczono w nim tekstu + + + Fallback style: + Styl zastępczy: + + + Name + Nazwa + + + Value + Wartość + + + Documentation + Dokumentacja + + + Documentation for "%1" + Dokumentacja dla "%1" + + + Edit + Zmodyfikuj + Remove Usuń - Properties - Właściwości + Add + Dodaj - Prefix: - Przedrostek: + Add Configuration + Dodaj konfigurację - Language: - Język: + Edit Configuration + Zmodyfikuj konfigurację - Alias: - Alias: + Uncrustify command: + - Remove Missing Files - Usuń brakujące pliki + Use file uncrustify.cfg defined in project files + Używaj plików uncrustify.cfg zdefiniowanych w plikach projektów + + + Use file uncrustify.cfg in HOME + Shouldn't we use %1 instead of HOME? + Uźywaj pliku uncrustify.cfg w HOME + + + For action Format Selected Text + Dla akcji: "Sformatuj zaznaczony tekst" + + + Use file specific uncrustify.cfg + + + + Beautifier + Upiększacz + + + Bea&utifier + U&piększacz + + + Error in Beautifier: %1 + Błąd upiększacza: %1 + + + Cannot get configuration file for %1. + Brak pliku z konfiguracją dla %1. + + + Format &Current File + Menu entry + Sformatuj &bieżący plik + + + Format &Selected Text + Menu entry + Sformatuj &zaznaczony tekst + + + &Format at Cursor + Menu entry + + + + Format &Line(s) + Menu entry + + + + &Disable Formatting for Selected Text + Menu entry + + + + %1 Command + File dialog title for path chooser when choosing binary + Komenda %1 + + + Automatic Formatting on File Save + Automatyczne formatowanie przy zachowywaniu plików + + + Enable auto format on file save + Odblokuj automatyczne formatowanie przy zachowywaniu plików + + + Tool: + Narzędzie: + + + Restrict to files contained in the current project + Zastosuj jedynie do plików zawartych w bieżącym projekcie + + + General + Ogólne + + + Cannot save styles. %1 does not exist. + Nie można zachować stylów. %1 nie istnieje. + + + Cannot open file "%1": %2. + Nie można otworzyć pliku "%1": %2. + + + Cannot save file "%1": %2. + Nie można zachować pliku "%1": %2. + + + No documentation file specified. + Nie podano pliku z dokumentacją. + + + Cannot open documentation file "%1". + Nie można otworzyć pliku z dokumentacją "%1". + + + The file "%1" is not a valid documentation file. + Plik "%1" nie jest poprawnym plikiem z dokumentacją. + + + Cannot read documentation file "%1": %2. + Nie można odczytać pliku z dokumentacją "%1": %2. + + + &Artistic Style + Styl &Artistic + + + &ClangFormat + &ClangFormat + + + No description available. + Brak opisu. + + + Uncrustify + Uncrustify + + + &Uncrustify + &Uncrustify + + + Uncrustify file (*.cfg) + Plik uncrustify (*.cfg) + + + AStyle (*.astylerc) + AStyle (*.astylerc) - Application + QtC::BinEditor - Failed to load core: %1 - Nie można załadować zrzutu: %1 + The Binary Editor cannot open empty files. + Edytor plików binarnych nie może otwierać pustych plików. - Could not send message - Nie można wysłać komunikatu + File Error + Błąd pliku - Unable to send command line arguments to the already running instance. It appears to be not responding. Do you want to start a new instance of Creator? - Nie można wysłać argumentów do uruchomionego programu. Wygląda na to, że program nie odpowiada. Czy uruchomić nową instancję Creatora? + The file is too big for the Binary Editor (max. 32GB). + Plik jest zbyt wielki dla edytora binarnego (maks. 32GB). - Could not find Core plugin in %1 - Nie można odnaleźć wtyczki "Core" w %1 + Cannot open %1: %2 + Nie można otworzyć %1: %2 - Core plugin is disabled. - Wtyczka "Core" zablokowana. + &Undo + &Cofnij - - - MyMain - N/A - Niedostępne + &Redo + &Przywróć - - - QtC::CppEditor - <Select Symbol> - <Wybierz symbol> + Memory at 0x%1 + Pamięć w 0x%1 - <No Symbols> - <Brak symbolu> + Decimal&nbsp;unsigned&nbsp;value: + Wartość&nbsp;dziesiętna&nbsp;bez&nbsp;znaku: - - - QtC::ExtensionSystem - The plugin "%1" is specified twice for testing. - Wtyczka "%1" występuje dwukrotnie w testach. + Decimal&nbsp;signed&nbsp;value: + Wartość&nbsp;dziesiętna&nbsp;ze&nbsp;znakiem: - The plugin "%1" does not exist. - Wtyczka "%1" nie istnieje. + Previous&nbsp;decimal&nbsp;unsigned&nbsp;value: + Poprzednia&nbsp;wartość&nbsp;dziesiętna&nbsp;bez&nbsp;znaku: - The plugin "%1" is not tested. - Wtyczka "%1" nie jest przetestowana. + Previous&nbsp;decimal&nbsp;signed&nbsp;value: + Poprzednia&nbsp;wartość&nbsp;dziesiętna&nbsp;ze&nbsp;znakiem: - Unknown option %1 - Nieznana opcja %1 + %1-bit&nbsp;Integer&nbsp;Type + %1-bitowy&nbsp;typ&nbsp;całkowity - The option %1 requires an argument. - Opcja %1 wymaga argumentu. + Little Endian + Little Endian - Failed Plugins - Niezaładowane wtyczki + Big Endian + Big Endian - Circular dependency detected: - Wykryto cykliczną zależność: + Binary&nbsp;value: + Wartość&nbsp;binarna: - %1(%2) depends on - %1(%2) zależy od + Octal&nbsp;value: + Wartość&nbsp;ósemkowa: - %1(%2) - %1(%2) + Previous&nbsp;binary&nbsp;value: + Poprzednia&nbsp;wartość&nbsp;binarna: - Cannot load plugin because dependency failed to load: %1(%2) -Reason: %3 - Nie można załadować wtyczki, ponieważ nie udało się załadować zależności: %1(%2) -Przyczyna: %3 + Previous&nbsp;octal&nbsp;value: + Poprzednia&nbsp;wartość&nbsp;ósemkowa: - Invalid - Niepoprawna + <i>double</i>&nbsp;value: + Wartość&nbsp;<i>double</i>: - Description file found, but error on read. - Plik z opisem został znaleziony, lecz wystąpił błąd podczas wczytywania. + Previous <i>double</i>&nbsp;value: + Poprzednia&nbsp;wartość&nbsp;<i>double</i>: - Description successfully read. - Opis poprawnie wczytany. + <i>float</i>&nbsp;value: + Wartość&nbsp;<i>float</i>: - Dependencies are successfully resolved. - Zależności zostały poprawnie rozwiązane. + Previous <i>float</i>&nbsp;value: + Poprzednia&nbsp;wartość&nbsp;<i>float</i>: - Library is loaded. - Biblioteka załadowana. + Copying Failed + Błąd kopiowania - Plugin's initialization function succeeded. - Inicjalizacja wtyczki poprawnie zakończona. + You cannot copy more than 4 MB of binary data. + Nie można skopiować więcej niż 4 MB danych binarnych. - Plugin successfully loaded and running. - Wtyczka poprawnie załadowana i uruchomiona. + Copy Selection as ASCII Characters + Skopiuj jako znaki ASCII - Plugin was shut down. - Wtyczka została zamknięta. + Copy Selection as Hex Values + Skopiuj jako wartości szesnastkowe - Plugin ended its life cycle and was deleted. - Wtyczka zakończyła działanie i została usunięta. + Set Data Breakpoint on Selection + Ustaw pułapkę danych na selekcji - Read - Wczytana + Copy 0x%1 + - Resolved - Rozwiązana + Jump to Address in This Window + Skocz do adresu w tym oknie - Loaded - Załadowana + Jump to Address in New Window + Skocz do adresu w nowym oknie - Initialized - Zainicjalizowana + Copy Value + - Running - Uruchomiona + Jump to Address 0x%1 in This Window + Skocz do adresu 0x%1 w tym oknie - Stopped - Zatrzymana + Jump to Address 0x%1 in New Window + Skocz do adresu 0x%1 w nowym oknie - Deleted - Usunięta - - - Plugin meta data not found - Brak danych o wtyczce - - - Invalid platform specification "%1": %2 - Niepoprawna specyfikacja platformy "%1": %2 - - - Dependency: %1 - Zależność: %1 - - - Dependency: "%1" must be "%2" or "%3" (is "%4"). - Zależność: "%1" powinno mieć wartość "%2" lub "%3" (aktualnie ma wartość "%4"). - - - Argument: %1 - Argument: %1 - - - Argument: "%1" is empty - Argument: "%1" jest pusty - - - "%1" is missing - Brak "%1" - - - Value for key "%1" is not a string - Wartością klucza "%1" nie jest ciąg tekstowy - - - Value for key "%1" is not a bool - Wartością klucza "%1" nie jest wartość boolowska - - - Value for key "%1" is not an array of objects - Wartością klucza "%1" nie jest tablica obiektów - - - Value for key "%1" is not a string and not an array of strings - Wartością klucza "%1" nie jest ciąg testowy ani tablica obiektów - - - Value "%2" for key "%1" has invalid format - Wartość "%1" klucza "%2" posiada nieprawidłowy format - - - Resolving dependencies failed because state != Read - Nie udało się rozwiązać zależności, ponieważ stan wtyczki jest inny niż "wczytana" - - - Could not resolve dependency '%1(%2)' - Nie można rozwiązać zależności "%1(%2)" - - - Loading the library failed because state != Resolved - Błąd ładowania biblioteki, stan wtyczki jest inny niż "rozwiązana" - - - Plugin is not valid (does not derive from IPlugin) - Wtyczka jest niepoprawna (nie dziedziczy z IPlugin) - - - Initializing the plugin failed because state != Loaded - Błąd inicjalizacji wtyczki, jej stan jest inny niż "załadowana" - - - Internal error: have no plugin instance to initialize - Błąd wewnętrzny: brak wtyczki do zainicjalizowania - - - Plugin initialization failed: %1 - Błąd inicjalizacji wtyczki: %1 - - - Cannot perform extensionsInitialized because state != Initialized - Nie można wykonać "extensionsInitialized", ponieważ stan wtyczek jest inny niż "Initialized" - - - Internal error: have no plugin instance to perform extensionsInitialized - Błąd wewnętrzny: brak instancji wtyczki potrzebnej do wykonania extensionsInitialized - - - Internal error: have no plugin instance to perform delayedInitialize - Błąd wewnętrzny: brak instancji wtyczki potrzebnej do wykonania delayedInitialize - - - - QtC::Utils - - The class name must not contain namespace delimiters. - Nazwa klasy nie może zawierać separatorów przestrzeni nazw. - - - Please enter a class name. - Wprowadź nazwę klasy. - - - The class name contains invalid characters. - Nazwa klasy zawiera niepoprawne znaki. - - - Cannot set up communication channel: %1 - Nie można ustawić kanału komunikacyjnego: %1 - - - Press <RETURN> to close this window... - Naciśnij <RETURN> aby zamknąć to okno... - - - Cannot create temporary file: %1 - Nie można utworzyć tymczasowego pliku: %1 - - - Cannot write temporary file. Disk full? - Nie można zapisać pliku tymczasowego. Być może brak wolnego miejsca na dysku? - - - Cannot create temporary directory "%1": %2 - Nie można utworzyć tymczasowego katalogu "%1": %2 - - - Cannot change to working directory "%1": %2 - Nie można zmienić katalogu roboczego na "%1": %2 - - - Cannot execute "%1": %2 - Nie można uruchomić "%1": %2 - - - Unexpected output from helper program (%1). - Nieoczekiwany komunikat od programu pomocniczego (%1). - - - Quoting error in command. - Błąd w cytacie komendy. - - - Debugging complex shell commands in a terminal is currently not supported. - Debugowanie złożonych komend powłoki w terminalu nie jest obecnie obsługiwane. - - - Quoting error in terminal command. - Błąd w cytacie komendy terminala. - - - Terminal command may not be a shell command. - Komenda terminala nie musi być komendą powłoki. - - - Cannot start the terminal emulator "%1", change the setting in the Environment preferences. - Nie można uruchomić emulatora terminala "%1", zmień ustawienie w opcjach środowiska. - - - Cannot create socket "%1": %2 - Nie można utworzyć gniazda "%1": %2 - - - The process "%1" could not be started: %2 - Nie można uruchomić procesu "%1": %2 - - - Cannot obtain a handle to the inferior: %1 - Nie otrzymano uchwytu do podprocesu: %1 - - - Cannot obtain exit status from inferior: %1 - Nie otrzymano kodu wyjściowego podprocesu: %1 - - - Details - Szczegóły - - - Name contains white space. - Nazwa zawiera spację. - - - Invalid character "%1". - Niepoprawny znak: "%1". - - - Invalid characters "%1". - Niepoprawne znaki: "%1". - - - Name matches MS Windows device. (%1). - Nazwa wskazuje na urządzenie MS Windows. (%1). - - - File extension %1 is required: - Wymagane jest rozszerzenie %1 pliku: - - - File extensions %1 are required: - Wymagane są rozszerzenia %1 plików: - - - %1: canceled. %n occurrences found in %2 files. - - %1: anulowano. Znaleziono %n wystąpienie w %2 plikach. - %1: anulowano. Znaleziono %n wystąpienia w %2 plikach. - %1: anulowano. Znaleziono %n wystąpień w %2 plikach. - - - - %1: %n occurrences found in %2 files. - - %1: anulowano. Znaleziono %n wystąpienie w %2 plikach. - %1: anulowano. Znaleziono %n wystąpienia w %2 plikach. - %1: anulowano. Znaleziono %n wystąpień w %2 plikach. - - - - Fi&le pattern: - Wzorzec &pliku: - - - Excl&usion pattern: - Wzorzec w&ykluczenia: - - - List of comma separated wildcard filters. Files with file name or full file path matching any filter are included. - Lista filtrów z wykorzystaniem symboli wieloznacznych, oddzielona przecinkami. Pliki, których nazwy lub pełne ścieżki pasują do któregoś z filtrów, zostaną dołączone. - - - Choose... - Wybierz... - - - Browse... - Przeglądaj... - - - Choose Directory - Wybierz katalog - - - Choose Executable - Wybierz plik wykonywalny - - - Choose File - Wybierz plik - - - The path "%1" expanded to an empty string. - Ścieżka "%1" rozwinięta do pustej nazwy. - - - The path "%1" does not exist. - Ścieżka "%1" nie istnieje. - - - The path "%1" is not a directory. - Ścieżka "%1" nie wskazuje na katalog. - - - The path "%1" is not a file. - Ścieżka "%1" nie wskazuje na plik. - - - The directory "%1" does not exist. - Katalog "%1" nie istnieje. - - - The path "%1" is not an executable file. - Ścieżka "%1" nie wskazuje na plik wykonywalny. - - - Cannot execute "%1". - Nie można uruchomić "%1". - - - Full path: "%1" - Pełna ścieżka: "%1" - - - The path must not be empty. - Ścieżka nie może być pusta. - - - Insert... - Wstaw... - - - Delete Line - Usuń linię - - - Clear - Wyczyść - - - File Changed - Plik został zmieniony - - - The unsaved file <i>%1</i> has changed outside Qt Creator. Do you want to reload it and discard your changes? - Niezachowany plik <i>%1</i> został zmieniony na zewnątrz Qt Creatora. Czy ponownie go załadować, tracąc w nim zmiany? - - - The file <i>%1</i> has changed outside Qt Creator. Do you want to reload it? - Plik <i>%1</i> został zmieniony na zewnątrz Qt Creatora. Czy ponownie go załadować? - - - &Close - &Zamknij - - - No to All && &Diff - Nie dla wszystkich i pokaż &różnice - - - - QtC::TextEditor - - Move Up - Przenieś do góry - - - Move Down - Przenieś na dół - - - &Edit - &Edycja - - - &Remove - &Usuń - - - Remove All - Usuń wszystko - - - Remove All Bookmarks - Usuń wszystkie zakładki - - - Are you sure you want to remove all bookmarks from all files in the current session? - Czy usunąć wszystkie zakładki ze wszystkich plików w bieżącej sesji? - - - &Bookmarks - &Zakładki - - - Toggle Bookmark - Przełącz ustawienie zakładki - - - Ctrl+M - Ctrl+M - - - Meta+M - Meta+M - - - Previous Bookmark - Poprzednia zakładka - - - Ctrl+, - Ctrl+, - - - Meta+, - Meta+, - - - Next Bookmark - Następna zakładka - - - Ctrl+. - Ctrl+. - - - Meta+. - Meta+. - - - Previous Bookmark in Document - Poprzednia zakładka w dokumencie - - - Next Bookmark in Document - Następna zakładka w dokumencie - - - Edit Bookmark - Zmodyfikuj zakładkę + Zoom: %1% + Powiększenie:%1% QtC::CMakeProjectManager - Build directory: - Katalog wersji: + Initial Configuration + + + + Current Configuration + + + + Kit Configuration + + + + Edit the current kit's CMake configuration. + Filter @@ -1965,6 +14389,10 @@ Przyczyna: %3 &Add &Dodaj + + Add a new configuration value. + + &Boolean Wartość &boolowską @@ -1985,17 +14413,161 @@ Przyczyna: %3 &Edit &Edycja + + Edit the current CMake configuration value. + + + + &Set + + + + Set a value in the CMake configuration. + + + + &Unset + &Usuń + + + Unset a value in the CMake configuration. + + &Reset &Reset + + Reset all unapplied changes. + + + + Batch Edit... + + + + Set or reset multiple values in the CMake configuration. + + Advanced Zaawansowane - Apply Configuration Changes - Zastosuj zmiany w konfiguracji + Enter one CMake <a href="variable">variable</a> per line.<br/>To set or change a variable, use -D&lt;variable&gt;:&lt;type&gt;=&lt;value&gt;.<br/>&lt;type&gt; can have one of the following values: FILEPATH, PATH, BOOL, INTERNAL, or STRING.<br/>To unset a variable, use -U&lt;variable&gt;.<br/> + + + + Re-configure with Initial Parameters + + + + Clear CMake configuration and configure with initial parameters? + + + + Kit CMake Configuration + + + + Configure + Konfiguracja + + + Stop CMake + + + + bool + display string for cmake type BOOLEAN + + + + file + display string for cmake type FILE + + + + directory + display string for cmake type DIRECTORY + + + + string + display string for cmake type STRING + + + + Force to %1 + + + + Help + Pomoc + + + Apply Kit Value + + + + Apply Initial Configuration Value + + + + Copy + Skopiuj + + + Changing Build Directory + + + + Change the build directory to "%1" and start with a basic CMake configuration? + + + + Build type: + + + + Additional CMake <a href="options">options</a>: + + + + The CMake flag for the development team + + + + The CMake flag for the provisioning profile + + + + The CMake flag for the architecture on macOS + + + + The CMake flag for QML debugging, if enabled + + + + Profile + + + + Clean Environment + Czyste środowisko + + + Base environment for the CMake configure step: + + + + System Environment + Środowisko systemowe + + + Build Environment + Środowisko budowania <UNSET> @@ -2005,718 +14577,898 @@ Przyczyna: %3 CMake CMake - - - QtC::Core - File Generation Failure - Błąd w trakcie generowania pliku + Run CMake + Uruchom CMake - Existing files - Istniejące pliki + Clear CMake Configuration + Wyczyść konfigurację CMake - Plain Text Editor - Zwykły edytor tekstowy + Rescan Project + Przeskanuj ponownie projekt - Binary Editor - Edytor binarny + Reload CMake Presets + - C++ Editor - Edytor C++ + CMake Profiler + - .pro File Editor - Edytor plików .pro + Start CMake Debugging + - .files Editor - Edytor plików .files + Build File + Zbuduj plik - QMLJS Editor - Edytor QMLJS + Build File "%1" + Zbuduj plik "%1" - Qt Designer - Qt Designer + Ctrl+Alt+B + Ctrl+Alt+B - Qt Linguist - Qt Linguist + Re-generates the kits that were created for CMake presets. All manual modifications to the CMake project settings will be lost. + - Resource Editor - Edytor zasobów + Reload + Przeładuj - GLSL Editor - Edytor GLSL + Build File is not supported for generator "%1" + - Python Editor - Edytor Pythona + The CMake Tool to use when building a project with CMake.<br>This setting is ignored when using other build systems. + Narzędzie CMake używane podczas budowania projektu CMake.<br>Ustawienie to jest ignorowane podczas budowania za pomocą innych systemów budowania. - Model Editor - Edytor modeli + <No CMake Tool available> + <Brak narzędzia CMake> - Nim Editor - Edytor Nim + Unconfigured + Nieskonfigurowane - SCXML Editor - Edytor SCXML + Path to the cmake executable + Ścieżka do pliku wykonywalnego cmake - Open File With... - Otwórz plik przy pomocy... + (Default) + what default??? + (domyślny) - Open file extension with: - Otwórz rozszerzenie pliku przy pomocy: + Name + Nazwa - Open file "%1" with: - Otwórz plik "%1" przy pomocy: + Manual + Ustawione ręcznie - Save All - Zachowaj wszystko + Autorun CMake + Automatyczne uruchamianie CMake - Save - Zachowaj + Automatically run CMake after changes to CMake project files. + Automatycznie uruchamia CMake po zmianach w plikach projektów CMake. - &Diff - Pokaż &różnice + Package manager auto setup + - Do &Not Save - &Nie zachowuj + Add the CMAKE_PROJECT_INCLUDE_BEFORE variable pointing to a CMake script that will install dependencies from the conanfile.txt, conanfile.py, or vcpkg.json file from the project source directory. + - &Save - &Zachowaj + Ask before re-configuring with initial parameters + - &Diff && Cancel - Pokaż &różnice i anuluj + Ask before reloading CMake Presets + - &Save All - Zachowaj &wszystko + Show subfolders inside source group folders + - &Diff All && Cancel - Pokaż &różnice we wszystkich i anuluj + Show advanced options by default + - &Save Selected - Zachowaj &zaznaczone + General + Ogólne - Save Selected - Zachowaj zaznaczone + Version: %1 + - &Diff Selected && Cancel - Pokaż &różnice w zaznaczonych i anuluj + Supports fileApi: %1 + - Save Changes - Zachowaj zmiany + yes + tak - The following files have unsaved changes: - Następujące pliki posiadają niezachowane zmiany: + no + nie - Automatically save all files before building - Automatycznie zachowuj wszystkie pliki przed budowaniem + Detection source: "%1" + - Preferences - Ustawienia + CMake executable path does not exist. + - Options - Opcje + CMake executable path is not a file. + - Keyboard - Klawisze + CMake executable path is not executable. + - Edit - Edycja + CMake executable does not provide required IDE integration features. + - Revert to Saved - Odwróć zmiany + Path + Ścieżka - Close - Zamknij + CMake .qch File + - Close All - Zamknij wszystko + Name: + Nazwa: - Close Others - Zamknij inne + Path: + Ścieżka: - Next Open Document in History - Następny otwarty dokument w historii + Version: + Wersja: - Previous Open Document in History - Poprzedni otwarty dokument w historii + Help file: + - Go Back - Wstecz + Add + Dodaj - Go Forward - W przód + Clone + Sklonuj - Copy Full Path - Skopiuj pełną ścieżkę + Remove + Usuń - Copy Path and Line Number - Skopiuj ścieżkę i numer linii + Make Default + Ustaw jako domyślny - Copy File Name - Skopiuj nazwę pliku + Set as the default CMake Tool to use when creating a new kit or when no value is set. + Ustaw jako domyślne narzędzie CMake, które będzie używane podczas tworzenia nowego zestawu narzędzi lub gdy wartość pozostanie nieustawiona. - Continue Opening Huge Text File? - Kontynuować otwieranie wielkiego pliku tekstowego? + Clone of %1 + Klon %1 - The text file "%1" has the size %2MB and might take more memory to open and process than available. - -Continue? - Plik tekstowy "%1" o rozmiarze %2MB może zająć więcej pamięci niż wynosi ilość wolnej pamięci. - -Kontynuować? + New CMake + Nowy CMake - Open With - Otwórz przy pomocy + Tools + - Save &As... - Zachowaj j&ako... + System CMake at %1 + Systemowy CMake w %1 - Close All Except Visible - Zamknij wszystko z wyjątkiem widocznych + No cmake tool set. + Nie ustawiono narzędzia cmake. - Close "%1" - Zamknij "%1" + No compilers set in kit. + - Close Editor - Zamknij edytor + CMakeUserPresets.json cannot re-define the %1 preset: %2 + - Close All Except "%1" - Zamknij wszystko z wyjątkiem "%1" + Build preset %1 is missing a corresponding configure preset. + - Close Other Editors - Zamknij pozostałe edytory + Failed to load %1: %2 + - File Error - Błąd pliku + Attempt to include "%1" which was already parsed. + - Opening File - Otwieranie pliku + The kit needs to define a CMake tool to parse this project. + - Split - Podziel + Apply configuration changes? + - Split Side by Side - Podziel sąsiadująco + Run CMake with configuration changes? + - Open in New Window - Otwórz w nowym oknie + <b>CMake configuration failed<b><p>The backup of the previous configuration has been restored.</p><p>Issues and "Projects > Build" settings show more information about the failure.</p> + - Close Document - Zamknij dokument + <b>Failed to load project<b><p>Issues and "Projects > Build" settings show more information about the failure.</p> + - Open Documents - Otwarte dokumenty + Scan "%1" project tree + Przeskanuj drzewo projektu "%1" - * - * + Failed to create build directory "%1". + - Qt Creator - Qt Creator + No CMake tool set up in kit. + - &File - &Plik + The remote CMake executable cannot write to the local build directory. + - &Edit - &Edycja + %1 (via cmake) + - &Tools - &Narzędzia + cmake generator failed: %1. + - &Window - &Okno + Kit does not have a cmake binary set. + - &Help - P&omoc + Cannot create output directory "%1". + - Return to Editor - Powróć do edytora + No valid cmake executable. + - &New File or Project... - &Nowy plik lub projekt... + Running in "%1": %2. + - New File or Project - Title of dialog - Nowy plik lub projekt + A CMake tool must be set up for building. Configure a CMake tool in the kit options. + - &Open File or Project... - &Otwórz plik lub projekt... + There is a CMakeCache.txt file in "%1", which suggest an in-source build was done before. You are now building in "%2", and the CMakeCache.txt file might confuse CMake. + Plik CMakeCache.txt istnieje w katalogu ze źródłami "%1", co sugeruje, że został tam uprzednio zbudowany projekt. Aktualnie budowanie projektu jest wykonywane w "%2" i plik CMakeCache.txt może uniemożliwić poprawne jego zbudowanie. - Open File &With... - Otwórz plik &przy pomocy... + Current executable + - Recent &Files - Ostatnie p&liki + Build the executable used in the active run configuration. Currently: %1 + - Ctrl+Shift+S - Ctrl+Shift+S + Target: %1 + - Save As... - Zachowaj jako... + CMake arguments: + - Save A&ll - Zachowaj &wszystko + Stage for installation + - &Print... - &Drukuj... + Staging directory: + - E&xit - Za&kończ + Enable automatic provisioning updates: + - Ctrl+Q - Ctrl+Q + Tells xcodebuild to create and download a provisioning profile if a valid one does not exist. + - &Undo - &Cofnij + Target + Cel - Undo - Cofnij + Persisting CMake state... + Trwały stan CMake... - &Redo - &Przywróć + Running CMake in preparation to build... + Uruchamianie CMake'a przed właściwym budowaniem... - Redo - Przywróć + CMake Build + Display name for CMakeProjectManager::CMakeBuildStep id. + Wersja CMake - Cu&t - Wy&tnij + The build configuration is currently disabled. + Konfiguracja budowania aktualnie wyłączona. - &Copy - S&kopiuj + Tool arguments: + Argumenty narzędzia: - &Paste - Wk&lej + Project did not parse successfully, cannot build. + - Select &All - Zaznacz &wszystko + Stage at %2 for %3 + Stage (for installation) at <staging_dir> for <installation_dir> + - &Go to Line... - Przej&dź do linii... + Build + ConfigWidget display name. + - Ctrl+L - Ctrl+L + Clear system environment + Wyczyść środowisko systemowe - &Options... - &Opcje... + Targets: + Produkty docelowe: - Minimize - Zminimalizuj + Change... + Zmień... - Ctrl+M - Ctrl+M + CMake generator defines how a project is built when using CMake.<br>This setting is ignored when using other build systems. + Generator CMake definiuje, w jaki sposób projekt jest budowany przy użyciu CMake.<br>Ustawienie to jest ignorowane przez inne systemy budowania. - Zoom - Powiększ + CMake Generator + Generator CMake - Ctrl+0 - Ctrl+0 + CMake Tool + - Alt+0 - Alt+0 + CMake version %1 is unsupported. Update to version 3.15 (with file-api) or later. + - Ctrl+Shift+0 - Ctrl+Shift+0 + Platform + Platforma - Alt+Shift+0 - Alt+Shift+0 + Toolset + - Show Mode Selector - Pokazuj listę trybów + Generator: + Generator: - Full Screen - Pełny ekran + Platform: + Platforma: - Ctrl+Meta+F - Ctrl+Meta+F + Toolset: + Zestaw narzędzi: - Ctrl+Shift+F11 - Ctrl+Shift+F11 + CMake <a href="generator">generator</a> + - Close Window - Zamknij okno + The selected CMake binary does not support file-api. %1 will not be able to parse CMake projects. + - Ctrl+Meta+W - Ctrl+Meta+W + CMake Configuration + Konfiguracja CMake - &Views - &Widoki + Default configuration passed to CMake when setting up a project. + Domyślna konfiguracja przekazywana do CMake podczas konfigurowania projektu. - About &Qt Creator - Informacje o &Qt Creatorze + Edit CMake Configuration + Edycja konfiguracji CMake - About &Qt Creator... - Informacje o &Qt Creatorze... + CMake Tool is unconfigured, CMake generator will be ignored. + Narzędzie CMake nie jest skonfigurowane. Generator CMake zostanie zignorowany. - About &Plugins... - Informacje o w&tyczkach... + CMake Tool does not support the configured generator. + Narzędzie CMake nie obsługuje skonfigurowanego generatora. - Settings... - Ustawienia... + Platform is not supported by the selected CMake generator. + Brak obsługi platformy przez wybrany generator CMake. - General Messages - Komunikaty ogólne + Toolset is not supported by the selected CMake generator. + Brak obsługi zestawu narzędzi przez wybrany generator CMake. - Switch to <b>%1</b> mode - Przejdź do trybu <b>%1</b> + Generator: %1<br>Extra generator: %2 + Generator: %1<br>Dodatkowy generator: %2 - Output - Komunikaty + <Use Default Generator> + <Użyj domyślnego generatora> - Clear - Wyczyść + Platform: %1 + - Next Item - Następny element + Toolset: %1 + - Previous Item - Poprzedni element + Enter one CMake <a href="variable">variable</a> per line.<br/>To set a variable, use -D&lt;variable&gt;:&lt;type&gt;=&lt;value&gt;.<br/>&lt;type&gt; can have one of the following values: FILEPATH, PATH, BOOL, INTERNAL, or STRING. + - Ctrl+Shift+9 - Ctrl+Shift+9 + CMake configuration has no path to qmake binary set, even though the kit has a valid Qt version. + Brak ścieżki do pliku wykonywalnego qmake w konfiguracji CMake, mimo że zestaw narzędzi posiada poprawną wersję Qt. - Alt+Shift+9 - Alt+Shift+9 + CMake configuration has a path to a qmake binary set, even though the kit has no valid Qt version. + Konfiguracja CMake posiada ustawioną ścieżkę do pliku wykonywalnego qmake, mimo że zestaw narzędzi nie posiada poprawnej wersji Qt. - Maximize Output Pane - Zmaksymalizuj panel z komunikatami + CMake configuration has a path to a qmake binary set that does not match the qmake binary path configured in the Qt version. + Konfiguracja CMake posiada ustawioną ścieżkę do pliku wykonywalnego qmake, która nie odpowiada ścieżce skonfigurowanej w wersji Qt. - Output &Panes - &Panele z komunikatami + CMake configuration has no CMAKE_PREFIX_PATH set that points to the kit Qt version. + Brak ustawionej zmiennej CMAKE_PREFIX_PATH w konfiguracji CMake, która wskazuje na wersję zestawu narzędzi Qt. - Shift+F6 - Shift+F6 + CMake configuration has no path to a C compiler set, even though the kit has a valid tool chain. + Brak ścieżki do kompilatora C w konfiguracji CMake, mimo że zestaw narzędzi posiada poprawną ścieżkę. - F6 - F6 + CMake configuration has a path to a C compiler set, even though the kit has no valid tool chain. + Konfiguracja CMake posiada ustawioną ścieżkę do kompilatora C, mimo że zestaw narzędzi nie posiada poprawnej ścieżki. - Minimize Output Pane - Zminimalizuj panel z komunikatami + CMake configuration has a path to a C compiler set that does not match the compiler path configured in the tool chain of the kit. + Konfiguracji CMake posiada ustawioną ścieżkę do kompilatora C, która nie odpowiada ścieżce skonfigurowanej w zestawie narzędzi. - Show all - Pokaż wszystkie + CMake configuration has a path to a C++ compiler set that does not match the compiler path configured in the tool chain of the kit. + Konfiguracji CMake posiada ustawioną ścieżkę do kompilatora C++, która nie odpowiada ścieżce skonfigurowanej w zestawie narzędzi. - Show all installed plugins, including base plugins and plugins that are not available on this platform. - Pokazuje wszystkie zainstalowane wtyczki, włączając wtyczki bazowe i te, które nie są dostępne na tej platformie. + CMake configuration has no path to a C++ compiler set, even though the kit has a valid tool chain. + Brak ścieżki do kompilatora C++ w konfiguracji CMake, mimo że zestaw narzędzi posiada poprawną ścieżkę. - Details - Szczegóły + CMake configuration has a path to a C++ compiler set, even though the kit has no valid tool chain. + Konfiguracja CMake posiada ustawioną ścieżkę do kompilatora C++, mimo że zestaw narzędzi nie posiada poprawnej ścieżki. - Error Details - Szczegóły błędów + Value + Wartość - Restart required. - Wymagane ponowne uruchomienie. + Key + Klucz - Installed Plugins - Zainstalowane wtyczki + Kit: + Zestaw narzędzi: - Plugin Details of %1 - Szczegóły wtyczki %1 + Initial Configuration: + - Plugin Errors of %1 - Błędy wtyczki %1 + Current Configuration: + - Processes - Procesy + Type: + Typ: - About Qt Creator - Informacje o Qt Creatorze + Minimum Size Release + Wersja o minimalnym rozmiarze (kosztem prędkości) - <br/>From revision %1<br/> - This gets conditionally inserted as argument %8 into the description string. - <br/>Z wersji %1<br/> + Release with Debug Information + Wersja z informacją debugową - <br/>Built on %1 %2<br/> - <br/>Wersja z %1 %2<br/> + Failed to open %1 for reading. + Błąd otwierania %1 do odczytu. - <h3>%1</h3>%2<br/>%3%4%5<br/>Copyright 2008-%6 %7. All rights reserved.<br/><br/>The program is provided AS IS with NO WARRANTY OF ANY KIND, INCLUDING THE WARRANTY OF DESIGN, MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE.<br/> + CMake Modules + Moduły CMake + + + CMake Presets + + + + Target type: + Typ docelowy: + + + No build artifacts + + + + Build artifacts: + + + + CMake + SnippetProvider + CMake + + + Build + Zbuduj + + + Build "%1" + Zbuduj "%1" + + + Not in CMakeCache.txt + Brak w CMakeCache.txt + + + The source directory %1 is not reachable by the CMake executable %2. + + + + The build directory %1 is not reachable by the CMake executable %2. + + + + The build directory "%1" does not exist + + + + CMake executable "%1" and build directory "%2" must be on the same device. + + + + Running %1 in %2. + + + + Configuring "%1" + Konfiguracja "%1" + + + CMake process failed to start. + + + + CMake process was canceled by the user. + + + + CMake process crashed. + + + + CMake process exited with exit code %1. + + + + <Build Directory> + <Katalog budowania> + + + <Other Locations> + <Inne położenia> + + + <Generated Files> + + + + Enable auto format on file save + Odblokuj automatyczne formatowanie przy zachowywaniu plików + + + Restrict to files contained in the current project + Zastosuj jedynie do plików zawartych w bieżącym projekcie + + + Restrict to MIME types: + Zastosuj jedynie do typów MIME: + + + <a href="%1">CMakeFormat</a> command: + + + + Automatic Formatting on File Save + Automatyczne formatowanie przy zachowywaniu plików + + + CMakeFormatter + + + + Format &Current File + Sformatuj &bieżący plik + + + Formatter + + + + Install + ConfigWidget display name. + Zainstaluj + + + CMake Install + Display name for CMakeProjectManager::CMakeInstallStep id. + + + + Build CMake Target + + + + Builds a target of any open CMake project. + + + + Open CMake Target + + + + Locates the definition of a target of any open CMake project. + + + + Call stack: + + + + Unexpected source directory "%1", expected "%2". This can be correct in some situations, for example when importing a standalone Qt test, but usually this is an error. Import the build anyway? + + + + Version not parseable + + + + Searching CMake binaries... + + + + Found "%1" + + + + Removing CMake entries... + + + + Removed "%1" + + + + CMake: + + + + Select a file for %1 + + + + Select a directory for %1 + + + + Failed to set up CMake file API support. %1 cannot extract project information. + + + + Invalid reply file created by CMake. + + + + Invalid cache file generated by CMake. + + + + Invalid cmakeFiles file generated by CMake. + + + + Invalid codemodel file generated by CMake: No directories. + + + + Invalid codemodel file generated by CMake: Empty directory object. + + + + Invalid codemodel file generated by CMake: No projects. + + + + Invalid codemodel file generated by CMake: Empty project object. + + + + Invalid codemodel file generated by CMake: Broken project data. + + + + Invalid codemodel file generated by CMake: Empty target object. + + + + Invalid codemodel file generated by CMake: Broken target data. + + + + Invalid codemodel file generated by CMake: No configurations. + + + + Invalid codemodel file generated by CMake: Empty configuration object. + + + + Invalid codemodel file generated by CMake: Broken indexes in directories, projects, or targets. + + + + Invalid codemodel file generated by CMake. + + + + Invalid target file: Information is missing. + + + + Invalid target file generated by CMake: Broken indexes in target details. + + + + CMake parsing was canceled. + + + + CMake project configuration failed. No CMake configuration for build type "%1" found. + + + + No "%1" CMake configuration found. Available configurations: "%2". +Make sure that CMAKE_CONFIGURATION_TYPES variable contains the "Build type" field. + + + + No "%1" CMake configuration found. Available configuration: "%2". +Make sure that CMAKE_BUILD_TYPE variable matches the "Build type" field. + + + + CMake returned error code: %1 + + + + Failed to rename "%1" to "%2". + + + + Failed to copy "%1" to "%2". + + + + Failed to read file "%1". + + + + Invalid file "%1". + + + + Invalid "version" in file "%1". + + + + Invalid "configurePresets" section in %1 file + + + + Invalid "buildPresets" section in %1 file + + + + <File System> - - QtC::CodePaster - - &Code Pasting - Wklejanie &kodu - - - Paste Snippet... - Wklej urywek... - - - Alt+C,Alt+P - Alt+C,Alt+P - - - Meta+C,Meta+P - Meta+C,Meta+P - - - Fetch Snippet... - Pobierz urywek... - - - Alt+C,Alt+F - Alt+C,Alt+F - - - Meta+C,Meta+F - Meta+C,Meta+F - - - Fetch from URL... - Pobierz z URL... - - - Fetch from URL - Pobierz z URL - - - Enter URL: - Wprowadź URL: - - - Empty snippet received for "%1". - Otrzymano pusty urywek dla "%1". - - - - QtC::CppEditor - - C++ Symbols in Current Document - Symbole C++ w bieżącym dokumencie - - - /************************************************************************** -** Qt Creator license header template -** Special keywords: %USER% %DATE% %YEAR% -** Environment variables: %$VARIABLE% -** To protect a percent sign, use '%%'. -**************************************************************************/ - - /************************************************************************** -** Szablon nagłówka z licencją dla Qt Creatora -** Słowa kluczowe: %USER% %DATE% %YEAR% -** Zmienne środowiskowe: %$VARIABLE% -** Znak procenta: '%%'. -**************************************************************************/ - - - - Edit... - Modyfikuj... - - - Choose Location for New License Template File - Wybierz położenie nowego pliku z szablonem licencji - - - C++ Usages: - Użycia C++: - - - Searching for Usages - Wyszukiwanie użyć - - - Re&name %1 files - Zmień &nazwę w %1 plikach - - - Files: -%1 - Pliki: -%1 - - - C++ Macro Usages: - Użycia makr C++: - - - C++ Functions - Funkcje C++ - - - Code Style - Styl kodu - - - File Naming - Nazewnictwo plików - - - Code Model - Model kodu - - - C++ - C++ - - - &C++ - &C++ - - - Switch Header/Source - Przełącz pomiędzy nagłówkiem a źródłem - - - Open Corresponding Header/Source in Next Split - Otwórz odpowiedni nagłówek / źródło w sąsiadującym oknie - - - Meta+E, F4 - Meta+E, F4 - - - Ctrl+E, F4 - Ctrl+E, F4 - - - The license template. - Szablon z licencją. - - - The configured path to the license template - Ścieżka do szablonu z licencją - - QtC::CVS + + CVS + CVS + + + Configuration + Konfiguracja + + + Miscellaneous + Różne + + + Describe all files matching commit id + Opisuj wszystkie pliki zgodne z identyfikatorem poprawki + + + CVS command: + Komenda CVS: + + + CVS root: + Korzeń CVS: + + + When checked, all files touched by a commit will be displayed when clicking on a revision number in the annotation view (retrieved via commit ID). Otherwise, only the respective file will be displayed. + Gdy zaznaczone, wszystkie pliki powiązane z poprawką zostaną wyświetlone po kliknięciu na numer wersji w widoku adnotacji (uzyskane zostaną poprzez identyfikator wrzuconej zmiany). W przeciwnym razie, wyświetlony zostanie tylko określony plik. + &CVS &CVS @@ -2777,6 +15529,10 @@ Kontynuować? Filelog Current File Log bieżącego pliku + + Triggers a CVS version control operation. + + Meta+C,Meta+D Meta+C,Meta+D @@ -2909,34 +15665,6 @@ Kontynuować? Revert Repository... Odwróć zmiany w repozytorium... - - Commit - Utwórz poprawkę - - - Diff &Selected Files - Pokaż różnice w &zaznaczonych plikach - - - &Undo - &Cofnij - - - &Redo - &Przywróć - - - Closing CVS Editor - Zamykanie edytora CVS - - - Do you want to commit the change? - Czy utworzyć poprawkę? - - - The commit message check failed. Do you want to commit the change? - Błąd podczas sprawdzania opisu poprawki. Czy utworzyć poprawkę? - Revert Repository Odwróć zmiany w repozytorium @@ -3005,6 +15733,7530 @@ Kontynuować? CVS Command Komenda CVS + + &Edit + &Edycja + + + CVS Checkout + Kopia robocza CVS + + + Annotate revision "%1" + Dołącz adnotację do wersji "%1" + + + Ignore Whitespace + Ignoruj białe znaki + + + Ignore Blank Lines + Ignoruj puste linie + + + + QtC::ClangCodeModel + + Location: %1 + Parent folder for proposed #include completion + Położenie: %1 + + + Generating Compilation DB + + + + Clang Code Model + Model kodu clang + + + C++ code issues that Clangd found in the current document. + + + + Generate Compilation Database + + + + Generate Compilation Database for "%1" + + + + Clang compilation database generated at "%1". + + + + Generating Clang compilation database failed: %1 + + + + Project: %1 (based on %2) + + + + Changes applied to diagnostic configuration "%1". + + + + Code Model Warning + Ostrzeżenie modelu kodu + + + Code Model Error + Błąd modelu kodu + + + Copy to Clipboard + Clang Code Model Marks + Skopiuj do schowka + + + Disable Diagnostic in Current Project + + + + clangd + + + + Indexing %1 with clangd + + + + Indexing session with clangd + + + + Memory Usage + Zajętość pamięci + + + C++ Usages: + Użycia C++: + + + Re&name %n files + + + + + + + + Files: +%1 + Pliki: +%1 + + + collecting overrides... + + + + <base declaration> + + + + [Source: %1] + + + + Component + Komponent + + + Total Memory + + + + Update + Uaktualnij + + + The use of clangd for the C/C++ code model was disabled, because it is likely that its memory requirements would be higher than what your system can handle. + + + + With clangd enabled, Qt Creator fully supports modern C++ when highlighting code, completing symbols and so on.<br>This comes at a higher cost in terms of CPU load and memory usage compared to the built-in code model, which therefore might be the better choice on older machines and/or with legacy code.<br>You can enable/disable and fine-tune clangd <a href="dummy">here</a>. + + + + Enable Anyway + + + + Cannot use clangd: Failed to generate compilation database: +%1 + + + + Could not retrieve build directory. + + + + Could not create "%1": %2 + + + + Clazy Issue + + + + Clang-Tidy Issue + + + + + QtC::ClangFormat + + Clang-Format Style + + + + Current ClangFormat version: %1. + + + + The widget was generated for ClangFormat %1. If you use a different version, the widget may work incorrectly. + + + + Files greater than this will not be indented by ClangFormat. +The built-in code indenter will handle indentation. + + + + Formatting mode: + + + + Ignore files greater than: + + + + Format while typing + + + + Format edited code on file save + + + + Override .clang-format file + + + + Use global settings + + + + ClangFormat settings: + + + + Indenting only + + + + Full formatting + + + + Disable + Zablokuj + + + The current project has its own .clang-format file which can be overridden by the settings below. + + + + When this option is enabled, ClangFormat will use a user-specified configuration from the widget below, instead of the project .clang-format file. You can customize the formatting options for your code by adjusting the settings in the widget. Note that any changes made there will only affect the current configuration, and will not modify the project .clang-format file. + + + + ClangFormat + ClangFormat + + + Open Used .clang-format Configuration File + + + + + QtC::ClangTools + + Files outside of the base directory + + + + Files to Analyze + + + + Analyze + + + + Analyze Project with %1... + + + + Analyze Current File with %1 + + + + Go to previous diagnostic. + + + + Go to next diagnostic. + + + + Load diagnostics from YAML files exported with "-export-fixes". + + + + Clear + Wyczyść + + + Expand All + Rozwiń wszystko + + + Collapse All + Zwiń wszystko + + + Filter Diagnostics + + + + Apply Fixits + + + + Clang-Tidy and Clazy use a customized Clang executable from the Clang project to search for diagnostics. + + + + Release + Release + + + Run %1 in %2 Mode? + Uruchomić %1 w trybie %2? + + + You are trying to run the tool "%1" on an application in %2 mode. The tool is designed to be used in Debug mode since enabled assertions can reduce the number of false positives. + + + + Do you want to continue and run the tool in %1 mode? + + + + Failed to start the analyzer. + + + + Failed to create temporary directory: %1. + + + + Failed to build the project. + + + + Analyzing + Analiza + + + No code model data available for project. + + + + The project configuration changed since the start of the %1. Please re-run with current configuration. + + + + Running %1 on %2 with configuration "%3". + + + + Analyzing "%1" [%2]. + + + + Failed to analyze "%1": %2 + Nie można przeanalizować "%1": %2 + + + Error: Failed to analyze %n files. + + + + + + + + Note: You might need to build the project to generate or update source files. To build automatically, enable "Build the project before analysis". + + + + %1 finished: Processed %2 files successfully, %3 failed. + + + + %1 tool stopped by user. + + + + Cannot analyze current file: No files open. + + + + Cannot analyze current file: "%1" is not a known source file. + + + + Select YAML Files with Diagnostics + + + + YAML Files (*.yml *.yaml);;All Files (*) + + + + Error Loading Diagnostics + + + + Set a valid %1 executable. + + + + Project "%1" is not a C/C++ project. + + + + Open a C/C++ project to start analyzing. + + + + All Files + + + + Opened Files + + + + Edited Files + + + + Failed to analyze %n file(s). + + + + + + + + Analyzing... + + + + Analyzing... %1 of %n file(s) processed. + + + + + + + + Analysis stopped by user. + + + + Finished processing %n file(s). + + + + + + + + Diagnostics imported. + + + + %1 diagnostics. %2 fixits, %3 selected. + + + + No diagnostics. + + + + Clang-Tidy + + + + Clazy + + + + %1 produced stderr output: + + + + Command line: %1 +Process Error: %2 +Output: +%3 + Komenda: "%1" +Błąd procesu: %2 +Komunikat: +%3 + + + An error occurred with the %1 process. + + + + %1 finished with exit code: %2. + + + + %1 crashed. + %1 przerwał pracę. + + + Message: + Komunikat: + + + Location: + Położenie: + + + Filter... + Filtr... + + + Clear Filter + + + + Filter for This Diagnostic Kind + + + + Filter out This Diagnostic Kind + + + + Web Page + + + + Suppress Selected Diagnostics + + + + Suppress This Diagnostic + Wytłum diagnostykę + + + Disable These Checks + + + + Disable This Check + + + + Error: Failed to parse YAML file "%1": %2. + + + + Clang Tools + + + + Issues that Clang-Tidy and Clazy found when analyzing code. + + + + Analyze File... + + + + Restore Global Settings + + + + Go to Clang-Tidy + + + + Go to Clazy + + + + Remove Selected + Usuń zaznaczone + + + Remove All + Usuń wszystko + + + Suppressed diagnostics + + + + File + Plik + + + Diagnostic + Diagnostyka + + + No Fixits + + + + Not Scheduled + + + + Invalidated + + + + Scheduled + + + + Failed to Apply + + + + Applied + + + + Category: + Kategoria: + + + Type: + Typ: + + + Description: + Opis: + + + Fixit status: + + + + Steps: + + + + Documentation: + + + + In general, the project should be built before starting the analysis to ensure that the code to analyze is valid.<br/><br/>Building the project might also run code generators that update the source files as necessary. + + + + Info About Build the Project Before Analysis + + + + Default Clang-Tidy and Clazy checks + + + + Edit Checks as String... + + + + Could not query the supported checks from the clang-tidy executable. +Set a valid executable first. + + + + See <a href="https://github.com/KDE/clazy">Clazy's homepage</a> for more information. + + + + Filters + Filtry + + + Reset Topic Filter + + + + Checks + + + + Enable lower levels automatically + + + + When enabling a level explicitly, also enable lower levels (Clazy semantic). + + + + Could not query the supported checks from the clazy-standalone executable. +Set a valid executable first. + + + + Options for %1 + + + + Option + + + + Value + Wartość + + + Add Option + + + + Remove Option + + + + <new option> + + + + Options + Opcje + + + Manual Level: Very few false positives + + + + Level 0: No false positives + + + + Level 1: Very few false positives + + + + Level 2: More false positives + + + + Level 3: Experimental checks + + + + Level %1 + + + + Clang-Tidy Checks + + + + Clazy Checks + + + + View Checks as String... + + + + Checks (%n enabled, some are filtered out) + + + + + + + + Checks (%n enabled) + + + + + + + + Custom Configuration + + + + Copy to Clipboard + Skopiuj do schowka + + + Disable Diagnostic + + + + Check + + + + Select All + Zaznacz wszystko + + + Select All with Fixits + + + + Clear Selection + Usuń selekcję + + + Select the diagnostics to display. + + + + Prefer .clang-tidy file, if present + + + + Build the project before analysis + + + + Analyze open files + + + + Run Options + + + + Parallel jobs: + Liczba równoległych zadań: + + + Clang-Tidy Executable + + + + Clazy Executable + + + + Executables + + + + Clang-Tidy: + + + + Clazy-Standalone: + + + + + QtC::ClassView + + Show Subprojects + Pokaż podprojekty + + + Class View + Widok klas + + + + QtC::ClearCase + + Check Out + Kopia robocza + + + &Reserved + + + + &Unreserved if already reserved + + + + &Preserve file modification time + Zachowaj czas modyfikacji &pliku + + + Use &Hijacked file + + + + &Checkout comment: + + + + Configuration + Konfiguracja + + + &Command: + &Komenda: + + + Diff + Pokazywanie różnic + + + &External + Z&ewnętrzne + + + Arg&uments: + Arg&umenty: + + + Miscellaneous + Różne + + + &History count: + Licznik &historii: + + + &Timeout: + Limit czasu &oczekiwania: + + + s + s + + + &Automatically check out files on edit + + + + Aut&o assign activity names + + + + &Prompt on check-in + &Pytaj przed wrzucaniem zmian + + + Di&sable indexer + &Zablokuj indekser + + + &Index only VOBs: + &Indeksuj tylko VOB'y: + + + ClearCase + ClearCase + + + Check this if you have a trigger that renames the activity automatically. You will not be prompted for activity name. + + + + VOBs list, separated by comma. Indexer will only traverse the specified VOBs. If left blank, all active VOBs will be indexed. + + + + Check out or check in files with no comment (-nc/omment). + + + + &Graphical (single file only) + &Graficzne (tylko dla pojedynczego pliku) + + + Do &not prompt for comment during checkout or check-in + + + + Dialog + Dialog + + + The file was changed. + Plik został zmieniony. + + + &Save copy of the file with a '.keep' extension + &Zachowaj kopię pliku z rozszerzeniem ".keep" + + + Confirm Version to Check Out + Potwierdź wersję dla kopii roboczej + + + Version after &update + Wersja po akt&ualizacji + + + Note: You will not be able to check in this file without merging the changes (not supported by the plugin) + + + + Created by: + Utworzona przez: + + + Created on: + Utworzona dnia: + + + Multiple versions of "%1" can be checked out. Select the version to check out: + Istnieje wiele wersji "%1" które mogą być użyte dla kopii roboczej. Wybierz wersję: + + + &Loaded version + &Załadowana wersja + + + Select &activity: + Wybierz &aktywność: + + + Add + Dodaj + + + Keep item activity + Zachowaj aktywność elementu + + + C&learCase + C&learCase + + + Check Out... + + + + Check &Out "%1"... + + + + Meta+L,Meta+O + Meta+L,Meta+O + + + Alt+L,Alt+O + Alt+L,Alt+O + + + Check &In... + + + + Check &In "%1"... + + + + Meta+L,Meta+I + Meta+L,Meta+I + + + Alt+L,Alt+I + Alt+L,Alt+I + + + Undo Check Out + + + + &Undo Check Out "%1" + + + + Meta+L,Meta+U + Meta+L,Meta+U + + + Alt+L,Alt+U + Alt+L,Alt+U + + + Undo Hijack + + + + Undo Hi&jack "%1" + + + + Meta+L,Meta+R + Meta+L,Meta+R + + + Alt+L,Alt+R + Alt+L,Alt+R + + + Diff Current File + Pokaż różnice w bieżącym pliku + + + &Diff "%1" + Pokaż &różnice w "%1" + + + Meta+L,Meta+D + Meta+L,Meta+D + + + Alt+L,Alt+D + Alt+L,Alt+D + + + History Current File + Pokaż historię bieżącego pliku + + + &History "%1" + &Historia "%1" + + + Meta+L,Meta+H + Meta+L,Meta+H + + + Alt+L,Alt+H + Alt+L,Alt+H + + + Annotate Current File + Dołącz adnotację do bieżącego pliku + + + &Annotate "%1" + Dołącz &adnotację do "%1" + + + Meta+L,Meta+A + Meta+L,Meta+A + + + Alt+L,Alt+A + Alt+L,Alt+A + + + Add File... + Dodaj plik... + + + Add File "%1" + Dodaj plik "%1" + + + Diff A&ctivity... + + + + Ch&eck In Activity + + + + Chec&k In Activity "%1"... + + + + Update Index + Uaktualnij index + + + Update View + Uaktualnij widok + + + U&pdate View "%1" + &Uaktualnij widok "%1" + + + Check In All &Files... + + + + Meta+L,Meta+F + Meta+L,Meta+F + + + Alt+L,Alt+F + Alt+L,Alt+F + + + View &Status + &Stan widoku + + + Meta+L,Meta+S + Meta+L,Meta+S + + + Alt+L,Alt+S + Alt+L,Alt+S + + + Check In + Name of the "commit" action of the VCS + + + + Updating ClearCase Index + Uaktualnianie indeksu ClearCase + + + Undo Hijack File + + + + Triggers a ClearCase version control operation. + + + + Close Check In Editor + + + + Closing this editor will abort the check in. + + + + Cannot check in. + + + + Cannot check in: %1. + + + + External diff is required to compare multiple files. + Wymagany jest zewnętrzny program pokazujący różnice w celu porównania wielu plików. + + + Enter Activity + Wprowadź aktywność + + + Activity Name + Nazwa aktywności + + + Check In Activity + + + + Another check in is currently being executed. + + + + There are no modified files. + Brak zmodyfikowanych plików. + + + No ClearCase executable specified. + Nie podano komendy programu ClearCase. + + + ClearCase Checkout + Kopia robocza ClearCase + + + File is already checked out. + + + + Set current activity failed: %1 + Nie można ustawić bieżącej aktywności: %1 + + + Enter &comment: + Wprowadź &komentarz: + + + ClearCase Add File %1 + Dodaj plik %1 do ClearCase + + + ClearCase Remove Element %1 + Usuń element %1 z ClearCase + + + ClearCase Remove File %1 + Usuń plik %1 z ClearCase + + + ClearCase Rename File %1 -> %2 + Zmień nazwę pliku z %1 na %2 w ClearCase + + + This operation is irreversible. Are you sure? + Ta operacja jest nieodwracalna. Czy kontynuować? + + + Editing Derived Object: %1 + + + + Do you want to undo the check out of "%1"? + + + + Do you want to undo hijack of "%1"? + + + + Activity Headline + + + + Enter activity headline + + + + ClearCase Check In + Wrzuć do ClearCase + + + Chec&k in even if identical to previous version + W&rzuć, nawet jeśli wersja jest identyczna z wersją poprzednią + + + &Check In + &Wrzuć + + + ClearCase Command + Komenda ClearCase + + + In order to use External diff, "diff" command needs to be accessible. + W celu użycia zewnętrznego programu do porównywania plików, należy udostępnić komendę "diff". + + + DiffUtils is available for free download at http://gnuwin32.sourceforge.net/packages/diffutils.htm. Extract it to a directory in your PATH. + "DiffUtils" jest dostępne do darmowego ściągnięcia pod adresem http://gnuwin32.sourceforge.net/packages/diffutils.htm. Ściągnięty pakiet należy rozpakować w ścieżce określonej przez zmienną środowiskową PATH. + + + Check &Out + + + + &Hijack + + + + Annotate version "%1" + Dołącz adnotację do wersji "%1" + + + + QtC::Coco + + Select a Squish Coco CoverageBrowser Executable + + + + CoverageBrowser: + + + + Coco instrumentation files (*.csmes) + + + + Select a Squish Coco Instrumentation File + + + + CSMes: + + + + + QtC::CodePaster + + Refresh + Odśwież + + + Waiting for items + Oczekiwanie na elementy + + + This protocol does not support listing + Ten protokół nie obsługuje wyświetlania zawartości + + + General + Ogólne + + + &Code Pasting + Wklejanie &kodu + + + Paste Snippet... + Wklej urywek... + + + Alt+C,Alt+P + Alt+C,Alt+P + + + Meta+C,Meta+P + Meta+C,Meta+P + + + Fetch Snippet... + Pobierz urywek... + + + Alt+C,Alt+F + Alt+C,Alt+F + + + Meta+C,Meta+F + Meta+C,Meta+F + + + Fetch from URL... + Pobierz z URL... + + + Fetch from URL + Pobierz z URL + + + Enter URL: + Wprowadź URL: + + + Empty snippet received for "%1". + Otrzymano pusty urywek dla "%1". + + + Code Pasting + Wklejanie kodu + + + <Comment> + <Komentarz> + + + Paste + Wklej + + + Cannot open %1: %2 + Nie można otworzyć %1: %2 + + + %1 does not appear to be a paster file. + %1 nie wygląda na plik wklejacza. + + + Error in %1 at %2: %3 + Błąd w %1 w linii %2: %3 + + + Please configure a path. + Skonfiguruj ścieżkę. + + + Fileshare + Fileshare + + + %1 - Configuration Error + %1 - Błąd konfiguracji + + + Checking connection + Sprawdzanie połączenia + + + Connecting to %1... + Łączenie z %1... + + + The fileshare-based paster protocol allows for sharing code snippets using simple files on a shared network drive. Files are never deleted. + Protokół wklejania bazujący na współdzielonych plikach pozwala na wymianę fragmentów kodu przy użyciu prostych plików umieszczonych na współdzielonym dysku sieciowym. Pliki nigdy nie są usuwane. + + + &Path: + Ś&cieżka: + + + &Display: + &Wyświetlaj: + + + entries + wpisów + + + Protocol: + Protokół: + + + Paste: + Wklej: + + + Send to Codepaster + Wyślij do Codepaster + + + &Username: + Nazwa &użytkownika: + + + <Username> + <Nazwa użytkownika> + + + &Description: + &Opis: + + + <Description> + <Opis> + + + Parts to Send to Server + Zawartość wysyłki do serwera + + + &Expires after: + Okr&es ważności: + + + Days + Dni + + + Copy-paste URL to clipboard + Kopiuj i wklejaj URL do schowka + + + Username: + Nazwa użytkownika: + + + Default protocol: + Domyślny protokół: + + + Display General Messages after sending a post + + + + %1: %2 + + + + + QtC::CompilationDatabaseProjectManager + + Change Root Directory + + + + Scan "%1" project tree + Przeskanuj drzewo projektu "%1" + + + Parse "%1" project + + + + + QtC::CompilerExplorer + + Not found + + + + Reset used libraries + + + + No libraries selected + + + + Edit + + + + Add Compiler + + + + Remove Source + + + + Advanced Options + + + + Remove Compiler + + + + Bytes + + + + Failed to compile: "%1". + + + + Add Source Code + + + + No source code added yet. Add some using the button below. + + + + Add Source + + + + powered by %1 + + + + Compiler Explorer Editor + + + + Open Compiler Explorer + + + + Compiler Explorer + + + + Language: + Język: + + + Compiler: + Kompilator: + + + Compiler options: + + + + Arguments passed to the compiler. + + + + Libraries: + + + + Execute the code + + + + Compile to binary object + + + + Intel asm syntax + + + + Demangle identifiers + + + + Failed to fetch libraries: "%1". + + + + Failed to fetch languages: "%1". + + + + Failed to fetch compilers: "%1". + + + + Compiler Explorer URL: + + + + URL of the Compiler Explorer instance to use. + + + + + QtC::Conan + + Conan install + + + + Conan file: + + + + Enter location of conanfile.txt or conanfile.py. + + + + Additional arguments: + Dodatkowe argumenty: + + + Run conan install + + + + + QtC::Copilot + + Sign In + + + + A browser window will open. Enter the code %1 when asked. +The code has been copied to your clipboard. + + + + Login Failed + + + + The login request failed: %1 + + + + Copilot + + + + Proxy username and password required: + + + + Do not ask again. This will disable Copilot for now. + + + + Select Previous Copilot Suggestion + + + + Select Next Copilot Suggestion + + + + Apply (%1) + + + + Apply Word (%1) + + + + %1 of %2 + %1 z %2 + + + Request Copilot Suggestion + + + + Request Copilot suggestion at the current editor's cursor position. + + + + Show Next Copilot Suggestion + + + + Cycles through the received Copilot Suggestions showing the next available Suggestion. + + + + Show Previous Copilot Suggestion + + + + Cycles through the received Copilot Suggestions showing the previous available Suggestion. + + + + Disable Copilot + + + + Disable Copilot. + + + + Enable Copilot + + + + Enable Copilot. + + + + Toggle Copilot + + + + Enables the Copilot integration. + + + + Node.js path: + + + + Node.js Path + + + + Select path to node.js executable. See %1 for installation instructions. + %1 is the URL to nodejs + + + + Path to agent.js: + + + + Agent.js path + + + + Select path to agent.js in Copilot Neovim plugin. See %1 for installation instructions. + %1 is the URL to copilot.vim getting started + + + + Auto Request + + + + Auto request + + + + Automatically request suggestions for the current text cursor position after changes to the document. + + + + Use Proxy + + + + Use proxy + + + + Use a proxy to connect to the Copilot servers. + + + + Proxy Host + + + + Proxy host: + + + + The host name of the proxy server. + + + + Proxy Port + + + + Proxy port: + + + + The port of the proxy server. + + + + Proxy User + + + + Proxy user: + + + + The user name to access the proxy server. + + + + Save Proxy Password + + + + Save proxy password + + + + Save the password to access the proxy server. The password is stored insecurely. + + + + Proxy Password + + + + Proxy password: + + + + The password for the proxy server. + + + + Reject Unauthorized + + + + Reject unauthorized + + + + Reject unauthorized certificates from the proxy server. Turning this off is a security risk. + + + + Enabling %1 is subject to your agreement and abidance with your applicable %1 terms. It is your responsibility to know and accept the requirements and parameters of using tools like %1. This may include, but is not limited to, ensuring you have the rights to allow %1 access to your code, as well as understanding any implications of your use of %1 and suggestions produced (like copyright, accuracy, etc.). + + + + The Copilot plugin requires node.js and the Copilot neovim plugin. If you install the neovim plugin as described in %1, the plugin will find the agent.js file automatically. + +Otherwise you need to specify the path to the %2 file from the Copilot neovim plugin. + Markdown text for the copilot instruction label + + + + Note + + + + + QtC::Core + + Choose a template: + Wybierz szablon: + + + Choose... + Wybierz... + + + Projects + Projekty + + + Files and Classes + Pliki i klasy + + + All Templates + Wszystkie szablony + + + %1 Templates + This is wrong since %1 is used here as a noun adjunct while %1 was meant to be a noun in nominative case. These 2 different uses can't be mixed here, since translations will be completely different in e.g. Polish. + Tylko %1 + + + Platform independent + Niezależne od platformy + + + Supported Platforms + Obsługiwane platformy + + + <System Language> + <Język systemowy> + + + Restart Required + Wymagane ponowne uruchomienie + + + Later + + + + Restart Now + + + + Interface + Interfejs + + + User Interface + Interfejs użytkownika + + + Color: + Kolor: + + + Toolbar style: + + + + Language: + Język: + + + Reset to default. + Color + Przywróć domyślny. + + + Show keyboard shortcuts in context menus (default: %1) + + + + on + + + + off + + + + Reset Warnings + Button text + Przywróć ostrzeżenia + + + Re-enable warnings that were suppressed by selecting "Do Not Show Again" (for example, missing highlighter). + Przywraca ostrzeżenia, które zostały wyłączone przy użyciu "Nie pokazuj ponownie" (np. brak podświetlania). + + + Theme: + Motyw: + + + Round Up for .5 and Above + + + + Always Round Up + + + + Always Round Down + + + + Round Up for .75 and Above + + + + Don't Round + + + + DPI rounding policy: + + + + Text codec for tools: + + + + The language change will take effect after restart. + + + + Compact + + + + Relaxed + + + + The DPI rounding policy change will take effect after restart. + + + + File Generation Failure + Błąd w trakcie generowania pliku + + + Existing files + Istniejące pliki + + + Plain Text Editor + Zwykły edytor tekstowy + + + Binary Editor + Edytor binarny + + + C++ Editor + Edytor C++ + + + .pro File Editor + Edytor plików .pro + + + .files Editor + Edytor plików .files + + + QMLJS Editor + Edytor QMLJS + + + Qt Designer + Qt Designer + + + Qt Linguist + Qt Linguist + + + Resource Editor + Edytor zasobów + + + GLSL Editor + Edytor GLSL + + + Python Editor + Edytor Pythona + + + Model Editor + Edytor modeli + + + Nim Editor + Edytor Nim + + + SCXML Editor + Edytor SCXML + + + Open File With... + Otwórz plik przy pomocy... + + + Open file "%1" with: + Otwórz plik "%1" przy pomocy: + + + Save All + Zachowaj wszystko + + + Save + Zachowaj + + + &Diff + Pokaż &różnice + + + Do &Not Save + &Nie zachowuj + + + &Save + &Zachowaj + + + &Diff && Cancel + Pokaż &różnice i anuluj + + + &Save All + Zachowaj &wszystko + + + &Diff All && Cancel + Pokaż &różnice we wszystkich i anuluj + + + &Save Selected + Zachowaj &zaznaczone + + + Save Selected + Zachowaj zaznaczone + + + &Diff Selected && Cancel + Pokaż &różnice w zaznaczonych i anuluj + + + Save Changes + Zachowaj zmiany + + + The following files have unsaved changes: + Następujące pliki posiadają niezachowane zmiany: + + + Automatically save all files before building + Automatycznie zachowuj wszystkie pliki przed budowaniem + + + Sort categories + + + + Preferences + Ustawienia + + + Options + Opcje + + + Keyboard + Klawisze + + + Edit + Edycja + + + Revert to Saved + Odwróć zmiany + + + Close + Zamknij + + + Close All + Zamknij wszystko + + + Close Others + Zamknij inne + + + Next Open Document in History + Następny otwarty dokument w historii + + + Previous Open Document in History + Poprzedni otwarty dokument w historii + + + Go Back + Wstecz + + + Go Forward + W przód + + + Go to Last Edit + + + + Copy Full Path + Skopiuj pełną ścieżkę + + + Copy Path and Line Number + Skopiuj ścieżkę i numer linii + + + Copy File Name + Skopiuj nazwę pliku + + + Properties... + + + + Pin + + + + Continue Opening Huge Text File? + Kontynuować otwieranie wielkiego pliku tekstowego? + + + The text file "%1" has the size %2MB and might take more memory to open and process than available. + +Continue? + Plik tekstowy "%1" o rozmiarze %2MB może zająć więcej pamięci niż wynosi ilość wolnej pamięci. + +Kontynuować? + + + Unpin "%1" + + + + Pin "%1" + + + + Pin Editor + + + + Open With + Otwórz przy pomocy + + + Save &As... + Zachowaj j&ako... + + + Close All Except Visible + Zamknij wszystko z wyjątkiem widocznych + + + Close "%1" + Zamknij "%1" + + + Close Editor + Zamknij edytor + + + Close All Except "%1" + Zamknij wszystko z wyjątkiem "%1" + + + Close Other Editors + Zamknij pozostałe edytory + + + File Error + Błąd pliku + + + Opening File + Otwieranie pliku + + + Split + Podziel + + + Split Side by Side + Podziel sąsiadująco + + + Open in New Window + Otwórz w nowym oknie + + + Close Document + Zamknij dokument + + + Open Documents + Otwarte dokumenty + + + * + * + + + &File + &Plik + + + &Edit + &Edycja + + + &Tools + &Narzędzia + + + &Window + &Okno + + + &Help + P&omoc + + + Return to Editor + Powróć do edytora + + + &Open File or Project... + &Otwórz plik lub projekt... + + + Open File &With... + Otwórz plik &przy pomocy... + + + Recent &Files + Ostatnie p&liki + + + Ctrl+Shift+S + Ctrl+Shift+S + + + Save As... + Zachowaj jako... + + + Save A&ll + Zachowaj &wszystko + + + &Print... + &Drukuj... + + + E&xit + Za&kończ + + + Ctrl+Q + Ctrl+Q + + + &Undo + &Cofnij + + + Undo + Cofnij + + + &Redo + &Przywróć + + + Redo + Przywróć + + + Cu&t + Wy&tnij + + + &Copy + S&kopiuj + + + &Paste + Wk&lej + + + Select &All + Zaznacz &wszystko + + + &Go to Line... + Przej&dź do linii... + + + Ctrl+L + Ctrl+L + + + Minimize + Zminimalizuj + + + Ctrl+M + Ctrl+M + + + Zoom + Powiększ + + + Ctrl+0 + Ctrl+0 + + + %1 %2%3 + + + + Based on Qt %1 (%2, %3) + + + + Exit %1? + + + + &View + + + + &New Project... + + + + New Project + Title of dialog + Nowy projekt + + + New File... + + + + Open From Device... + + + + Zoom In + Powiększ + + + Ctrl++ + Ctrl++ + + + Zoom Out + Pomniejsz + + + Ctrl+- + Ctrl+- + + + Ctrl+Shift+- + + + + Original Size + Oryginalny rozmiar + + + Meta+0 + Meta+0 + + + Debug %1 + + + + Show Logs... + + + + Pr&eferences... + + + + Alt+0 + Alt+0 + + + Ctrl+Shift+0 + Ctrl+Shift+0 + + + Alt+Shift+0 + Alt+Shift+0 + + + About &%1 + + + + About &%1... + + + + Change Log... + + + + Contact... + + + + Cycle Mode Selector Styles + + + + Mode Selector Style + + + + Icons and Text + + + + Icons Only + + + + Hidden + + + + Version: + Wersja: + + + Change Log + + + + Contact + + + + <p>Qt Creator developers can be reached at the Qt Creator mailing list:</p>%1<p>or the #qt-creator channel on Libera.Chat IRC:</p>%2<p>Our bug tracker is located at %3.</p><p>Please use %4 for bigger chunks of text.</p> + + + + Full Screen + Pełny ekran + + + Ctrl+Meta+F + Ctrl+Meta+F + + + Ctrl+Shift+F11 + Ctrl+Shift+F11 + + + Close Window + Zamknij okno + + + Ctrl+Meta+W + Ctrl+Meta+W + + + Show Menu Bar + + + + Ctrl+Alt+M + + + + Hide Menu Bar + + + + This will hide the menu bar completely. You can show it again by typing %1. + + + + &Views + &Widoki + + + About &Plugins... + Informacje o w&tyczkach... + + + General Messages + Komunikaty ogólne + + + Switch to <b>%1</b> mode + Przejdź do trybu <b>%1</b> + + + Output + Komunikaty + + + Entry is missing a logging category name. + + + + Entry is missing data. + + + + Invalid level: %1 + + + + Category + + + + Color + Kolor + + + Debug + Debug + + + Warning + + + + Critical + + + + Fatal + + + + Info + Informacja + + + Timestamp + Znacznik czasu + + + Message + Komunikat + + + Logging Category Viewer + + + + Save Log + + + + Clear + Wyczyść + + + Stop Logging + + + + Filter Qt Internal Log Categories + + + + Auto Scroll + + + + Timestamps + + + + Message Types + + + + Filter categories by regular expression + + + + Invalid regular expression: %1 + Niepoprawne wyrażenie regularne: %1 + + + Start Logging + + + + Copy Selected Logs + + + + Copy All + Skopiuj wszystko + + + Uncheck All + + + + Uncheck All %1 + + + + Check All %1 + + + + Reset All %1 + + + + Save Enabled as Preset... + + + + Update from Preset... + + + + Save Logs As + + + + Failed to write logs to "%1". + + + + Failed to open file "%1" for writing logs. + + + + Save Enabled Categories As... + + + + Failed to write preset file "%1". + + + + Load Enabled Categories From + + + + Failed to open preset file "%1" for reading. + + + + Failed to read preset file "%1": %2 + + + + Unexpected preset file format. + + + + Show Non-matching Lines + + + + Filter output... + + + + Maximize + + + + Next Item + Następny element + + + Previous Item + Poprzedni element + + + Out&put + + + + Ctrl+Shift+9 + Ctrl+Shift+9 + + + Alt+Shift+9 + Alt+Shift+9 + + + Reset to Default + Przywróć domyślny + + + Shift+F6 + Shift+F6 + + + F6 + F6 + + + Details + Szczegóły + + + Error Details + Szczegóły błędów + + + Install Plugin... + + + + Installed Plugins + Zainstalowane wtyczki + + + Plugin changes will take effect after restart. + + + + Plugin Details of %1 + Szczegóły wtyczki %1 + + + Plugin Errors of %1 + Błędy wtyczki %1 + + + Processes + Procesy + + + About %1 + + + + <br/>From revision %1<br/> + <br/>Z wersji %1<br/> + + + <br/>Built on %1 %2<br/> + <br/>Wersja z %1 %2<br/> + + + <h3>%1</h3>%2<br/>%3%4%5<br/>Copyright 2008-%6 %7. All rights reserved.<br/><br/>The program is provided AS IS with NO WARRANTY OF ANY KIND, INCLUDING THE WARRANTY OF DESIGN, MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE.<br/> + + + + The Qt logo as well as Qt®, Qt Quick®, Built with Qt®, Boot to Qt®, Qt Quick Compiler®, Qt Enterprise®, Qt Mobile® and Qt Embedded® are registered trademarks of The Qt Company Ltd. + + + + File System + System plików + + + Locator + Lokalizator + + + Command Mappings + Mapy komend + + + Target + Cel + + + Command + Komenda + + + Reset All + Przywróć wszystkie + + + Reset all to default. + Przywraca wszystkie domyślne. + + + Import... + Importuj... + + + Export... + Eksportuj... + + + Label + Etykieta + + + Show Left Sidebar + Pokaż lewy boczny pasek + + + Hide Left Sidebar + Ukryj lewy boczny pasek + + + Show Right Sidebar + Pokaż prawy boczny pasek + + + Hide Right Sidebar + Ukryj prawy boczny pasek + + + Qt + Qt + + + Environment + Środowisko + + + Clear Menu + Wyczyść menu + + + Configure... + msgShowOptionsDialog + Konfiguruj... + + + Open Preferences dialog. + msgShowOptionsDialogToolTip (mac version) + Otwórz dialog z preferencjami. + + + Open Options dialog. + msgShowOptionsDialogToolTip (non-mac version) + Otwórz dialog z opcjami. + + + All Files (*.*) + On Windows + Wszystkie pliki (*.*) + + + All Files (*) + On Linux/macOS + Wszystkie pliki (*) + + + Design + Design + + + System Editor + Edytor systemowy + + + Could not open URL %1. + Nie można otworzyć URL %1. + + + Drag to drag documents between splits + "drag to drag" doesn't really explain anything- maybe "drag to move" + Przeciągnij aby przenieść dokumenty pomiędzy podziałami + + + Remove Split + Usuń podział + + + Make Writable + Przydziel prawa do zapisu + + + File is writable + Plik posiada prawa do zapisu + + + Open + Otwórz + + + Open "%1" + Otwórz "%1" + + + Show Hidden Files + Pokaż ukryte pliki + + + Show Bread Crumbs + + + + Show Folders on Top + + + + Synchronize with Editor + Synchronizuj z edytorem + + + Synchronize Root Directory with Editor + + + + New File + Title of dialog + Nowy plik + + + New Folder + Nowy katalog + + + Remove Folder + + + + Meta+Y,Meta+F + + + + Alt+Y,Alt+F + + + + Computer + + + + Home + Strona startowa + + + Add New... + Dodaj nowy... + + + Rename... + Zmień nazwę... + + + Remove... + + + + Activate %1 View + Uaktywnij widok %1 + + + Add + Dodaj + + + Remove + Usuń + + + <html><head/><body> +<p>What to do with the executable's standard output. +<ul><li>Ignore: Do nothing with it.</li><li>Show in General Messages.</li><li>Replace selection: Replace the current selection in the current document with it.</li></ul></p></body></html> + + + + + Show in General Messages + + + + <html><head><body> +<p >What to do with the executable's standard error output.</p> +<ul><li>Ignore: Do nothing with it.</li> +<li>Show in General Messages.</li> +<li>Replace selection: Replace the current selection in the current document with it.</li> +</ul></body></html> + + + + Description: + Opis: + + + Executable: + Plik wykonywalny: + + + Arguments: + Argumenty: + + + Working directory: + Katalog roboczy: + + + Output: + Komunikaty: + + + Ignore + Zignoruj + + + Replace Selection + Zastąp selekcję + + + Error output: + Komunikaty o błędach: + + + Text to pass to the executable via standard input. Leave empty if the executable should not receive any input. + Tekst przekazywany do pliku wykonywalnego poprzez standardowe wejście. Może zostać pusty dla pliku wykonywalnego nie otrzymującego niczego na wejściu. + + + Input: + Wejście: + + + If the tool modifies the current document, set this flag to ensure that the document is saved before running the tool and is reloaded after the tool finished. + Jeśli narzędzie modyfikuje bieżący dokument, ustaw tę flagę aby mieć pewność, iż zostanie on zachowany przed uruchomieniem narzędzia i przeładowany po jego zakończeniu. + + + Modifies current document + Modyfikuje bieżący dokument + + + System Environment + Środowisko systemowe + + + Base environment: + + + + Add Tool + Dodaj narzędzie + + + Add Category + Dodaj kategorię + + + PATH=C:\dev\bin;${PATH} + PATH=C:\dev\bin;${PATH} + + + PATH=/opt/bin:${PATH} + PATH=/opt/bin:${PATH} + + + Add tool. + Dodaj narzędzie. + + + Remove tool. + Usuń narzędzie. + + + Revert tool to default. + Przywróć domyślne narzędzia. + + + Environment: + Środowisko: + + + No changes to apply. + Brak zmian do zastosowania. + + + Change... + Zmień... + + + Variables + Zmienne + + + Uncategorized + Nieskategoryzowane + + + Tools that will appear directly under the External Tools menu. + Narzędzie, które pojawi się bezpośrednio w menu Narzędzia Zewnętrzne. + + + New Category + Nowa kategoria + + + New Tool + Nowe narzędzie + + + This tool prints a line of useful text + To narzędzie wyświetla linię z przydatnym tekstem + + + Useful text + Sample external tool text + Przydatny tekst + + + Could not find executable for "%1" (expanded "%2") + Nie można znaleźć pliku wykonywalnego dla "%1" (w rozwinięciu "%2") + + + Starting external tool "%1" + + + + "%1" finished with error + + + + "%1" finished + Zakończono "%1" + + + &External + Z&ewnętrzne + + + Error: External tool in %1 has duplicate id + Błąd: narzędzie zewnętrzne w %1 ma powielony identyfikator + + + Add Magic Header + Dodaj magiczny nagłówek + + + Error + Błąd + + + Internal error: Type is invalid + Błąd wewnętrzny: niepoprawny typ + + + Value: + Wartość: + + + String + Ciąg znakowy + + + Byte + Bajt + + + Use Recommended + Używaj rekomendowanych + + + Priority: + Priorytet: + + + <html><head/><body><p>MIME magic data is interpreted as defined by the Shared MIME-info Database specification from <a href="http://standards.freedesktop.org/shared-mime-info-spec/shared-mime-info-spec-latest.html">freedesktop.org</a>.<hr/></p></body></html> + <html><head/><body><p>Magiczne dane MIME są interpretowane zgodnie ze specyfikacją "Shared MIME-info Database" zdefiniowaną pod adresem <a href="http://standards.freedesktop.org/shared-mime-info-spec/shared-mime-info-spec-latest.html">freedesktop.org</a>.<hr/></p></body></html> + + + Type: + Typ: + + + RegExp + RegExp + + + Host16 + Host16 + + + Host32 + Host32 + + + Big16 + Big16 + + + Big32 + Big32 + + + Little16 + Little16 + + + Little32 + Little32 + + + <html><head/><body><p><span style=" font-style:italic;">Note: Wide range values might impact performance when opening files.</span></p></body></html> + + + + Mask: + Maska: + + + Range start: + Początek zakresu: + + + Range end: + Koniec zakresu: + + + MIME Type + Typ MIME + + + Handler + Jednostka obsługująca + + + Reset all MIME type definitions to their defaults. + + + + Reset the assigned handler for all MIME type definitions to the default. + + + + Reset Handlers + + + + A semicolon-separated list of wildcarded file names. + + + + Magic Header + + + + Changes will take effect after restart. + + + + Path: + Ścieżka: + + + MIME type: + + + + Default editor: + + + + Line endings: + + + + Indentation: + + + + Owner: + + + + Group: + Grupa: + + + Size: + Rozmiar: + + + Last read: + + + + Last modified: + + + + Readable: + + + + Writable: + + + + Symbolic link: + + + + Unknown + Nieznany + + + Windows (CRLF) + + + + Unix (LF) + + + + Mac (CR) + + + + %1 Spaces + + + + Tabs + + + + Undefined + Niezdefiniowana + + + Reset MIME Types + Zresetuj typy MIME + + + MIME Types + Typy MIME + + + External Tools + Narzędzia zewnętrzne + + + %1 repository was detected but %1 is not configured. + Wykryto repozytorium %1, ale %1 nie jest skonfigurowane. + + + Version Control + System kontroli wersji + + + Remove the following files from the version control system (%1)? + + + + Note: This might remove the local file. + + + + Add to Version Control + Dodaj do systemu kontroli wersji + + + Add the file +%1 +to version control (%2)? + Czy dodać plik +%1 +do systemu kontroli wersji (%2)? + + + Add the files +%1 +to version control (%2)? + Czy dodać pliki +%1 +do systemu kontroli wersji (%2)? + + + Adding to Version Control Failed + Nie można dodać do systemu kontroli wersji + + + Could not add the file +%1 +to version control (%2) + + Nie można dodać pliku +%1 +do systemu kontroli wersji (%2) + + + + Could not add the following files to version control (%1) +%2 + Nie można dodać następujących plików do systemu kontroli wersji (%1) +%2 + + + Launching a file browser failed + Nie można uruchomić przeglądarki plików + + + Unable to start the file manager: + +%1 + + + Nie można uruchomić menedżera plików: + +%1 + + + + + "%1" returned the following error: + +%2 + "%1" zwrócił następujący błąd: + +%2 + + + Launching Windows Explorer Failed + Nie można uruchomić "Windows Explorer" + + + Could not find explorer.exe in path to launch Windows Explorer. + Nie można odnaleźć explorer.exe w ścieżce w celu uruchomienia "Windows Explorer". + + + The command for file browser is not set. + + + + Error while starting file browser. + + + + Find in This Directory... + Znajdź w tym katalogu... + + + Show in File System View + + + + Show in Explorer + Pokaż w "Explorer" + + + Show in Finder + Pokaż w "Finder" + + + Show Containing Folder + Pokaż katalog pliku + + + Open Command Prompt Here + Otwórz tutaj linię poleceń + + + Open Terminal Here + Otwórz tutaj terminal + + + Open Command Prompt With + Opens a submenu for choosing an environment, such as "Run Environment" + + + + Open Terminal With + Opens a submenu for choosing an environment, such as "Run Environment" + + + + Failed to remove file "%1". + Nie można usunąć pliku "%1". + + + Failed to rename the include guard in file "%1". + + + + Unable to create the directory %1. + Nie można utworzyć katalogu %1. + + + Creates qm translation files that can be used by an application from the translator's ts files + Tworzy pliki qm z tłumaczeniami, na podstawie plików ts tłumacza, które mogą być użyte w aplikacji + + + Release Translations (lrelease) + Skompiluj tłumaczenia (lrelease) + + + Linguist + Linguist + + + Synchronizes translator's ts files with the program code + Synchronizuje pliki ts tłumacza z kodem programu + + + Update Translations (lupdate) + Uaktualnij tłumaczenia (lupdate) + + + Opens the current file in Notepad + Otwórz bieżący plik w "Notatniku" + + + Runs the current QML file with QML utility. + + + + QML utility + + + + Edit with Notepad + Zmodyfikuj w "Notatniku" + + + Text + Tekst + + + Runs the current QML file with qmlscene. This requires Qt 5. + Uruchamia bieżący plik QML przy pomocy qmlscene. Wymaga to Qt 5. + + + Qt Quick 2 Preview (qmlscene) + Podgląd Qt Quick 2 (qmlscene) + + + Qt Quick + Qt Quick + + + Opens the current file in vi + Otwiera bieżący plik w vi + + + Edit with vi + Zmodyfikuj w "vi" + + + Error while parsing external tool %1: %2 + Błąd parsowania narzędzia zewnętrznego %1: %2 + + + Registered MIME Types + Zarejestrowane typy MIME + + + Patterns: + Wzory: + + + Type + Typ + + + Range + Zakres + + + Priority + Priorytet + + + Add... + Dodaj... + + + Edit... + Modyfikuj... + + + Could not save the files. + error message + Nie można zachować plików. + + + Error while saving file: %1 + Błąd zachowywania pliku: %1 + + + Overwrite? + Nadpisać? + + + An item named "%1" already exists at this location. Do you want to overwrite it? + Element o nazwie "%1" istnieje już w tym miejscu. Czy nadpisać go? + + + Save File As + Zapisz plik jako + + + Open File + Otwórz plik + + + Cannot reload %1 + Nie można przeładować %1 + + + Meta+O + Meta+O + + + Alt+O + Alt+O + + + File was restored from auto-saved copy. Select Save to confirm or Revert to Saved to discard changes. + Plik został przywrócony z automatycznie zachowanej kopii. Naciśnij "Zachowaj" aby potwierdzić, lub "Przywróć do zachowanego" aby odrzucić zmiany. + + + Open with VCS (%1) + Otwórz przy pomocy VCS (%1) + + + Files Without Write Permissions + Pliki bez prawa do zapisu + + + The following files have no write permissions. Do you want to change the permissions? + Następujące pliki nie posiadają praw do zapisu. Zmienić prawa? + + + Open with VCS + Otwórz przy pomocy VCS + + + Save As + Zachowaj jako + + + Path + Ścieżka + + + Select all, if possible: + Zaznacz wszystko, jeśli to możliwe: + + + (%1) + (%1) + + + Toggle Progress Details + Przełącz szczegóły postępu + + + Add the file to version control (%1) + Dodaj plik do systemu kontroli wersji (%1) + + + Add the files to version control (%1) + Dodaj pliki do systemu kontroli wersji (%1) + + + &Search + Wy&szukaj + + + Search && &Replace + Wyszukaj i &zastąp + + + Empty search term. + + + + Search f&or: + + + + &Case sensitive + + + + Whole words o&nly + Tylko &całe słowa + + + Use re&gular expressions + Używaj wyrażeń &regularnych + + + Sco&pe: + Z&akres: + + + Find + Znajdź + + + Find: + Znajdź: + + + Replace with: + Zastąp: + + + Replace + Zastąp + + + Replace && Find + Zastąp i znajdź + + + Replace All + Zastąp wszystkie + + + Advanced... + Zaawansowane... + + + Name: + Nazwa: + + + Specify a short word/abbreviation that can be used to restrict completions to files from this directory tree. +To do this, you type this shortcut and a space in the Locator entry field, and then the word to search for. + Podaj krótkie słowo lub skrót, który zostanie użyty do odfiltrowania plików w podanych katalogach. +Aby uaktywnić ten filtr, wpisz w lokalizatorze powyższy skrót i po spacji podaj szukane słowo. + + + Directories: + Katalogi: + + + Create "%1"? + + + + Create + + + + Always create + + + + Create File + + + + Create Directory + + + + Opens a file given by a relative path to the current document, or absolute path. "~" refers to your home directory. You have the option to create a file if it does not exist yet. + + + + Create and Open File "%1" + + + + Create Directory "%1" + + + + Include hidden files + Włącz ukryte pliki + + + Filter: + Filtr: + + + Locator filters that do not update their cached data immediately, such as the custom directory filters, update it after this time interval. + Jest to czas, po którym zostaną odświeżone filtry lokalizatora. Dotyczy to filtrów, które nie odświeżają swoich danych natychmiast, takich jak własne filtry katalogów. + + + Refresh interval: + Odświeżanie co: + + + min + min + + + Shift+Enter + Shift+Enter + + + Shift+Return + Shift+Return + + + Find/Replace + Znajdź / zastąp + + + Enter Find String + Podaj ciąg do znalezienia + + + Ctrl+E + Ctrl+E + + + Find Next + Znajdź następne + + + Find Previous + Znajdź poprzednie + + + Find Next (Selected) + Znajdź następny (zaznaczony) + + + Ctrl+F3 + Ctrl+F3 + + + Find Previous (Selected) + Znajdź poprzedni (zaznaczony) + + + Ctrl+Shift+F3 + Ctrl+Shift+F3 + + + Select All + Zaznacz wszystko + + + Ctrl+Alt+Return + + + + Ctrl+= + Ctrl+= + + + Replace && Find Previous + Zastąp i znajdź poprzednie + + + Case Sensitive + Uwzględniaj wielkość liter + + + Whole Words Only + Tylko całe słowa + + + Use Regular Expressions + Używaj wyrażeń regularnych + + + Preserve Case when Replacing + Zachowuj wielkość liter przy zastępowaniu + + + Search for... + Wyszukiwanie... + + + Replace with... + Zastępowanie... + + + Case sensitive + Uwzględniaj wielkość liter + + + Whole words + Całe słowa + + + Regular expressions + Wyrażenia regularne + + + Preserve case + Zachowuj wielkość liter + + + Flags: %1 + Flagi: %1 + + + None + Brak + + + , + , + + + Search was canceled. + Anulowano przeszukiwanie. + + + Cancel + Anuluj + + + Repeat the search with same parameters. + Powtórz przeszukiwanie z tymi samymi parametrami. + + + Replace all occurrences. + Zastąp wszystkie wystąpienia. + + + &Search Again + &Przeszukaj ponownie + + + Repla&ce with: + Za&stąp: + + + &Replace + &Zastąp + + + Preser&ve case + Zachowaj &wielkość liter + + + This change cannot be undone. + Ta zmiana nie może być cofnięta. + + + The search resulted in more than %n items, do you still want to continue? + + Odnaleziono więcej niż %n element, kontynuować? + Odnaleziono więcej niż %n elementy, kontynuować? + Odnaleziono więcej niż %n elementów, kontynuować? + + + + Continue + Kontynuuj + + + Searching... + + + + No matches found. + Brak pasujących wyników. + + + %n matches found. + + Znaleziono %n pasujący wynik. + Znaleziono %n pasujące wyniki. + Znaleziono %n pasujących wyników. + + + + History: + Historia: + + + New Search + Nowe wyszukiwanie + + + Expand All + Rozwiń wszystko + + + Filter Results + + + + %1 %2 + %1 %2 + + + Collapse All + Zwiń wszystko + + + Search Results + Wyniki wyszukiwań + + + Generic Directory Filter + Ogólny filtr katalogów + + + Locates files from a custom set of directories. Append "+<number>" or ":<number>" to jump to the given line number. Append another "+<number>" or ":<number>" to jump to the column number as well. + + + + Select Directory + Wybierz katalog + + + %1 filter update: %n files + + Uaktualnienie filtra %1: %n plik + Uaktualnienie filtra %1: %n pliki + Uaktualnienie filtra %1: %n plików + + + + %1 filter update: canceled + Uaktualnienie filtra %1: anulowano + + + Execute Custom Commands + Wykonanie własnej komendy + + + Runs an arbitrary command with arguments. The command is searched for in the PATH environment variable if needed. Note that the command is run directly, not in a shell. + + + + Previous command is still running ("%1"). +Do you want to kill it? + Poprzednia komenda jest wciąż uruchomiona ("%1"). +Czy przerwać ją? + + + Starting command "%1". + Uruchamianie komendy "%1". + + + Kill Previous Process? + Czy przerwać poprzedni proces? + + + Could not find executable for "%1". + Nie można odnaleźć pliku wykonywalnego dla "%1". + + + Files in File System + Pliki w systemie plików + + + Filter Configuration + Konfiguracja filtra + + + Type the prefix followed by a space and search term to restrict search to the filter. + Wprowadź przedrostek, spację i poszukiwaną nazwę w celu przefiltrowania wyników. + + + Include by default + Dołącz domyślnie + + + Include the filter when not using a prefix for searches. + Dołącz filtr kiedy nie podano przedrostka. + + + Prefix: + Przedrostek: + + + Ctrl+K + Ctrl+K + + + Locate... + Znajdź... + + + Web Search + Szukanie w sieci + + + Qt Project Bugs + + + + Triggers a web search with the selected search engine. + + + + Triggers a search in the Qt bug tracker. + + + + <html><body style="color:#909090; font-size:14px"><div align='center'><div style="font-size:20px">Open a document</div><table><tr><td><hr/><div style="margin-top: 5px">&bull; File > Open File or Project (%1)</div><div style="margin-top: 5px">&bull; File > Recent Files</div><div style="margin-top: 5px">&bull; Tools > Locate (%2) and</div><div style="margin-left: 1em">- type to open file from any open project</div>%4%5<div style="margin-left: 1em">- type <code>%3&lt;space&gt;&lt;filename&gt;</code> to open file from file system</div><div style="margin-left: 1em">- select one of the other filters for jumping to a location</div><div style="margin-top: 5px">&bull; Drag and drop files here</div></td></tr></table></div></body></html> + + + + <div style="margin-left: 1em">- type <code>%1&lt;space&gt;&lt;pattern&gt;</code> to jump to a class definition</div> + <div style="margin-left: 1em">- wpisz <code>%1&lt;spacja&gt;&lt;wzorzec&gt;</code> aby przejść do definicji klasy</div> + + + <div style="margin-left: 1em">- type <code>%1&lt;space&gt;&lt;pattern&gt;</code> to jump to a function definition</div> + <div style="margin-left: 1em">- wpisz <code>%1&lt;spacja&gt;&lt;wzorzec&gt;</code> aby przejść do definicji funkcji</div> + + + Updating Locator Caches + Odświeżanie cache'ów Locatora + + + Available filters + Dostępne filtry + + + Open as Centered Popup + + + + Refresh + Odśwież + + + Type to locate + Wpisz aby znaleźć + + + Type to locate (%1) + Wpisz aby znaleźć (%1) + + + Failed to open an editor for "%1". + Nie można otworzyć edytora dla "%1". + + + [read only] + [tylko do odczytu] + + + [folder] + [katalog] + + + [symbolic link] + [dowiązanie symboliczne] + + + The project directory %1 contains files which cannot be overwritten: +%2. + Katalog projektu %1 zawiera pliki, które nie mogą być nadpisane: +%2. + + + No themes found in installation. + Nie zainstalowano żadnych motywów. + + + The current date (ISO). + Bieżąca data (ISO). + + + The current time (ISO). + Bieżący czas (ISO). + + + The current date (RFC2822). + Bieżąca data (RFC2822). + + + The current time (RFC2822). + Bieżący czas (RFC2822). + + + The current date (Locale). + Bieżąca data (Ustawienia lokalne). + + + The current time (Locale). + Bieżący czas (Ustawienia lokalne). + + + The configured default directory for projects. + Skonfigurowany domyślny katalog projektów. + + + The directory last visited in a file dialog. + Katalog ostatnio widoczny w przeglądarce plików. + + + Is %1 running on Windows? + + + + Is %1 running on OS X? + + + + Is %1 running on Linux? + + + + Is %1 running on any unix-based platform? + + + + The path list separator for the platform. + + + + The platform executable suffix. + + + + The directory where %1 finds its pre-installed resources. + + + + %1 > %2 Preferences... + + + + Create Folder + + + + Settings File Error + + + + The settings file "%1" is not writable. +You will not be able to store any %2 settings. + + + + The file is not readable. + + + + The file is invalid. + + + + Error reading settings file "%1": %2 +You will likely experience further problems using this instance of %3. + + + + %1 collects crash reports for the sole purpose of fixing bugs. To disable this feature go to %2. + + + + %1 can collect crash reports for the sole purpose of fixing bugs. To enable this feature go to %2. + + + + > Preferences > Environment > System + + + + Edit > Preferences > Environment > System + + + + %1 uses Google Crashpad for collecting crashes and sending them to our backend for processing. Crashpad may capture arbitrary contents from crashed process’ memory, including user sensitive information, URLs, and whatever other content users have trusted %1 with. The collected crash reports are however only used for the sole purpose of fixing bugs. + + + + More information: + + + + Crashpad Overview + + + + %1 security policy + + + + The current date (QDate formatstring). + Bieżący dzień (QDate fromatstring). + + + The current time (QTime formatstring). + Bieżący czas (QTime formatstring). + + + Generate a new UUID. + Wygeneruj nowy UUID. + + + A comment. + Komentarz. + + + Overwrite Existing Files + Nadpisz istniejące pliki + + + The following files already exist in the folder +%1. +Would you like to overwrite them? + Następujące pliki istnieją już w katalogu +%1. +Czy nadpisać je? + + + Mixed + Mieszane + + + Failed to %1 File + Horror!!! + Nie można %1 pliku + + + %1 file %2 from version control system %3 failed. + Horror!!! + + + + No Version Control System Found + Brak systemu kontroli wersji (VCS) + + + Cannot open file %1 from version control system. +No version control system found. + Nie można otworzyć pliku %1 z systemu kontroli wersji. +Brak systemu kontroli wersji. + + + Cannot Set Permissions + Nie można ustawić praw dostępu + + + Cannot set permissions for %1 to writable. + Nie można przydzielić plikowi %1 praw do zapisu. + + + Cannot Save File + Nie można zachować pliku + + + Cannot save file %1 + Nie można zachować pliku %1 + + + Canceled Changing Permissions + Anulowano zmianę praw dostępu + + + Could Not Change Permissions on Some Files + Nie można zmienić praw dostępu niektórych plików + + + See details for a complete list of files. + W szczegółach pełna lista plików. + + + Filename + + + + Change &Permission + Zmień &prawa dostępu + + + The following files are not checked out yet. +Do you want to check them out now? + + + + Revert File to Saved + Odwróć zmiany w pliku + + + Ctrl+W + Ctrl+W + + + Alternative Close + + + + Ctrl+F4 + Ctrl+F4 + + + Ctrl+Shift+W + Ctrl+Shift+W + + + Alt+Tab + Alt+Tab + + + Ctrl+Tab + Ctrl+Tab + + + Alt+Shift+Tab + Alt+Shift+Tab + + + Ctrl+Shift+Tab + Ctrl+Shift+Tab + + + Ctrl+Alt+Left + Ctrl+Alt+Left + + + Alt+Left + Alt+Left + + + Ctrl+Alt+Right + Ctrl+Alt+Right + + + Alt+Right + Alt+Right + + + Meta+E,2 + Meta+E,2 + + + Ctrl+E,2 + Ctrl+E,2 + + + Meta+E,3 + Meta+E,3 + + + Ctrl+E,3 + Ctrl+E,3 + + + Meta+E,4 + Meta+E,4 + + + Ctrl+E,4 + Ctrl+E,4 + + + Remove Current Split + Usuń bieżący podział + + + Meta+E,0 + Meta+E,0 + + + Ctrl+E,0 + Ctrl+E,0 + + + Remove All Splits + Usuń wszystkie podziały + + + Meta+E,1 + Meta+E,1 + + + Ctrl+E,1 + Ctrl+E,1 + + + Go to Previous Split or Window + Przejdź do poprzedniego podzielonego okna + + + Meta+E,i + Meta+E,i + + + Ctrl+E,i + Ctrl+E,i + + + Go to Next Split or Window + Przejdź do kolejnego podzielonego okna + + + Meta+E,o + Meta+E,o + + + Ctrl+E,o + Ctrl+E,o + + + Ad&vanced + Zaa&wansowane + + + Current document + Bieżący dokument + + + X-coordinate of the current editor's upper left corner, relative to screen. + Współrzędna X lewego górnego rogu bieżącego edytora względem ekranu. + + + Y-coordinate of the current editor's upper left corner, relative to screen. + Współrzędna Y lewego górnego rogu bieżącego edytora względem ekranu. + + + Could not open "%1": Cannot open files of type "%2". + Nie można otworzyć "%1". Nie można otwierać plików typu "%2". + + + Could not open "%1" for reading. Either the file does not exist or you do not have the permissions to open it. + Nie można otworzyć "%1" do odczytu. Albo plik nie istnieje, albo brak praw dostępu do niego. + + + Could not open "%1": Unknown error. + Nie można otworzyć "%1": nieznany błąd. + + + <b>Warning:</b> This file was not opened in %1 yet. + <b>Ostrzeżenie:</b> Ten plik nie był jeszcze otwarty w %1. + + + <b>Warning:</b> You are changing a read-only file. + <b>Ostrzeżenie:</b> Zmieniasz plik, który jest tylko do odczytu. + + + &Save %1 + &Zachowaj %1 + + + Save %1 &As... + Zachowaj %1 j&ako... + + + Revert %1 to Saved + Przywróć stan ostatnio zapisany w %1 + + + Reload %1 + Przeładuj %1 + + + Close %1 + Zamknij %1 + + + Close All Except %1 + Zamknij wszystko z wyjątkiem %1 + + + Cannot Open File + Nie można otworzyć pliku + + + Cannot open the file for editing with VCS. + Nie można otworzyć pliku do edycji przy pomocy VCS. + + + You will lose your current changes if you proceed reverting %1. + Utracisz swoje bieżące zmiany w %1 jeśli potwierdzisz wykonanie tego polecenia. + + + Proceed + Wykonaj + + + Cancel && &Diff + Anuluj i pokaż &różnice + + + Error in "%1": %2 + Błąd w "%1": %2 + + + Cannot convert result of "%1" to string. + Nie można skonwertować rezultatu "%1" do ciągu znakowego. + + + Evaluate simple JavaScript statements.<br>Literal '}' characters must be escaped as "\}", '\' characters must be escaped as "\\", and "%{" must be escaped as "%\{". + + + + Apply Chunk + Zastosuj fragment + + + Revert Chunk + Odwróć zmiany we fragmencie + + + Would you like to apply the chunk? + Czy zastosować fragment? + + + Would you like to revert the chunk? + Czy zastosować odwrotny fragment? + + + Note: The file will be saved before this operation. + + + + There is no patch-command configured in the general "Environment" settings. + Brak skonfigurowanej komendy "patch" w głównych ustawieniach środowiska. + + + The patch-command configured in the general "Environment" settings does not exist. + + + + Running in "%1": %2 %3. + Uruchamianie w "%1": %2 %3. + + + Unable to launch "%1": %2 + Nie można uruchomić "%1": %2 + + + A timeout occurred running "%1". + Przekroczono limit czasu oczekiwania na odpowiedź od uruchomionego "%1". + + + "%1" crashed. + "%1" przerwał pracę. + + + "%1" failed (exit code %2). + '%1' zakończone błędem (kod wyjściowy %2). + + + Exit Full Screen + Wyłącz tryb pełnoekranowy + + + Enter Full Screen + Włącz tryb pełnoekranowy + + + Keyboard Shortcuts + Skróty klawiszowe + + + Shortcut + Skrót + + + Enter key sequence as text + Wprowadź sekwencję klawiszy jako tekst + + + Key sequence: + Sekwencja klawiszy: + + + Use "Cmd", "Opt", "Ctrl", and "Shift" for modifier keys. Use "Escape", "Backspace", "Delete", "Insert", "Home", and so on, for special keys. Combine individual keys with "+", and combine multiple shortcuts to a shortcut sequence with ",". For example, if the user must hold the Ctrl and Shift modifier keys while pressing Escape, and then release and press A, enter "Ctrl+Shift+Escape,A". + + + + Use "Ctrl", "Alt", "Meta", and "Shift" for modifier keys. Use "Escape", "Backspace", "Delete", "Insert", "Home", and so on, for special keys. Combine individual keys with "+", and combine multiple shortcuts to a shortcut sequence with ",". For example, if the user must hold the Ctrl and Shift modifier keys while pressing Escape, and then release and press A, enter "Ctrl+Shift+Escape,A". + + + + Reset to default. + Przywróć domyślny. + + + Key sequence has potential conflicts. <a href="#conflicts">Show.</a> + Sekwencja klawiszy potencjalnie w konflikcie. <a href="#conflicts">Pokaż.</a> + + + Invalid key sequence. + Niepoprawna sekwencja klawiszy. + + + Key sequence will not work in editor. + + + + Import Keyboard Mapping Scheme + Zaimportuj schemat mapowania klawiatury + + + Keyboard Mapping Scheme (*.kms) + Schemat mapowania klawiatury (*.kms) + + + Export Keyboard Mapping Scheme + Wyeksportuj schemat mapowania klawiatury + + + %n occurrences replaced. + + Zastąpiono %n wystąpienie. + Zastąpiono %n wystąpienia. + Zastąpiono %n wystąpień. + + + + Factory with id="%1" already registered. Deleting. + Fabryka o identyfikatorze "%1" już zarejestrowana. Nowa fabryka zostanie usunięta. + + + Reload All Wizards + Przeładuj wszystkie kreatory + + + Inspect Wizard State + Przejrzyj stan kreatora + + + Run External Tool + Uruchom zewnętrzne narzędzie + + + Runs an external tool that you have set up in the preferences (Environment > External Tools). + + + + Files in Directories + + + + URL Template + + + + Name + Nazwa + + + Prefix + Przedrostek + + + Default + Domyślny + + + Built-in + Wbudowany + + + Custom + Własny + + + System + System + + + Terminal: + Terminal: + + + Warn before opening text files greater than + Ostrzegaj przed otwieraniem plików tekstowych większych niż + + + MB + MB + + + Auto-save modified files + Automatycznie zachowuj zmodyfikowane pliki + + + Interval: + Interwał: + + + min + min + + + When files are externally modified: + W przypadku zewnętrznej modyfikacji plików: + + + Always Ask + Zawsze pytaj + + + Reload All Unchanged Editors + Przeładowuj wszystkie niezmienione edytory + + + Ignore Modifications + Ignoruj modyfikacje + + + Patch command: + Komenda "patch": + + + ? + ? + + + Reset + Zresetuj + + + External file browser: + Zewnętrzna przeglądarka plików: + + + Reset to default. + Terminal + Przywróć domyślny. + + + File system case sensitivity: + Uwzględnianie wielkości liter w nazwach plików: + + + Command used for reverting diff chunks. + Komenda użyta do odwracania fragmentów różnicowych. + + + Bytes + + + + KiB + + + + MiB + + + + GiB + + + + TiB + + + + Automatically creates temporary copies of modified files. If %1 is restarted after a crash or power failure, it asks whether to recover the auto-saved content. + + + + Auto-save files after refactoring + + + + Automatically saves all open files affected by a refactoring operation, +provided they were unmodified before the refactoring. + + + + Minimum number of open documents that should be kept in memory. Increasing this number will lead to greater resource usage when not manually closing documents. + + + + Ask for confirmation before exiting + + + + Enable crash reporting + + + + Allow crashes to be automatically reported. Collected reports are used for the sole purpose of fixing bugs. + + + + Clear Local Crash Reports + + + + Command line arguments used for "Run in terminal". + + + + Command line arguments used for "%1". + + + + Maximum number of entries in "Recent Files": + + + + Crash Reporting + + + + The change will take effect after restart. + + + + Case Sensitive (Default) + Uwzględniaj wielkość liter (domyślne) + + + Case Insensitive (Default) + Nie uwzględniaj wielkości liter (domyślne) + + + Case Insensitive + Nie uwzględniaj wielkości liter + + + The file system case sensitivity change will take effect after restart. + + + + Influences how file names are matched to decide if they are the same. + Wpływa na sposób, w jaki nazwy plików są ze sobą porównywane, w celu stwierdzenia, że są to te same pliki. + + + Automatically free resources of old documents that are not visible and not modified. They stay visible in the list of open documents. + Automatycznie zwalnia zasoby zajmowane przez dokumenty które nie są widoczne i nie zostały zmodyfikowane. Dokumenty te nadal będą widoczne na liście otwartych dokumentów. + + + Auto-suspend unmodified files + Automatycznie usypiaj niezmodyfikowane pliki + + + Files to keep open: + Liczba nieuśpionych plików: + + + unnamed + nienazwany + + + Current theme: %1 + Bieżący motyw: %1 + + + The theme change will take effect after restart. + + + + Click and type the new key sequence. + Kliknij i wpisz nową sekwencję klawiszy. + + + Stop Recording + Zatrzymaj nagrywanie + + + Record + Rozpocznij nagrywanie + + + <no document> + <brak dokumentu> + + + No document is selected. + Brak zaznaczonego dokumentu. + + + &Find/Replace + Z&najdź / zastąp + + + Advanced Find + Zaawansowane przeszukiwanie + + + Open Advanced Find... + Otwórz zaawansowane przeszukiwanie... + + + Ctrl+Shift+F + Ctrl+Shift+F + + + Java Editor + Edytor Java + + + CMake Editor + Edytor CMake + + + Compilation Database + + + + Global Actions & Actions from the Menu + + + + Triggers an action. If it is from the menu it matches any part of a menu hierarchy, separated by ">". For example "sess def" matches "File > Sessions > Default". + + + + Text Encoding + Kodowanie tekstu + + + The following encodings are likely to fit: + Następujące kodowania będą najprawdopodobniej pasowały: + + + Select encoding for "%1".%2 + Wybierz kodowanie dla "%1".%2 + + + Reload with Encoding + Przeładuj z kodowaniem + + + Save with Encoding + Zachowaj z kodowaniem + + + The evaluation was interrupted. + + + + Engine reinitialized properly. + + + + Engine did not reinitialize properly. + + + + Engine aborted after timeout. + + + + Evaluate JavaScript + + + + Evaluates arbitrary JavaScript expressions and copies the result. + + + + Reset Engine + + + + Copy to clipboard: %1 + + + + Switches to an open document. + + + + Locator query string. + + + + Locator query string with quotes escaped with backslash. + + + + Locator query string with quotes escaped with backslash and spaces replaced with "*" wildcards. + + + + Locator query string as regular expression. + + + + File Name Index + + + + Locates files from a global file system index (Spotlight, Locate, Everything). Append "+<number>" or ":<number>" to jump to the given line number. Append another "+<number>" or ":<number>" to jump to the column number as well. + + + + Locator: Error occurred when running "%1". + + + + Sort results + + + + Case sensitive: + + + + Add "%1" placeholder for the query string. +Double-click to edit item. + + + + Move Up + Przenieś do góry + + + Move Down + Przenieś na dół + + + URLs: + + + + Elided %n characters due to Application Output settings + + + + + + + + [Discarding excessive amount of pending output.] + + + + + Source + Źródło + + + Choose source location. This can be a plugin library file or a zip file. + + + + File does not exist. + + + + Plugin requires an incompatible version of %1 (%2). + + + + Did not find %1 plugin. + + + + Check Archive + + + + Canceled. + + + + Checking archive... + + + + There was an error while unarchiving. + + + + Archive is OK. + + + + Install Location + + + + Choose install location. + + + + User plugins + + + + The plugin will be available to all compatible %1 installations, but only for the current user. + + + + %1 installation + + + + The plugin will be available only to this %1 installation, but for all users that can access it. + + + + Summary + Podsumowanie + + + "%1" will be installed into "%2". + + + + Overwrite File + + + + The file "%1" exists. Overwrite? + + + + Overwrite + Nadpisz + + + Failed to Write File + + + + Failed to write file "%1". + + + + Install Plugin + + + + Failed to Copy Plugin Files + + + + Tags: + Tagi: + + + Show All + + + + Back + Wstecz + + + Haskell Editor + + + + Binding Editor + Edytor powiązań + + + Qt Quick Designer + Qt Quick Designer + + + Markdown Editor + + + + + QtC::CppEditor + + <Select Symbol> + <Wybierz symbol> + + + <No Symbols> + <Brak symbolu> + + + Quick Fixes + + + + C++ Symbols in Current Document + Symbole C++ w bieżącym dokumencie + + + Locates C++ symbols in the current document. + + + + Locates C++ classes in any open project. + + + + Locates C++ functions in any open project. + + + + C++ Classes, Enums, Functions and Type Aliases + + + + Locates C++ classes, enums, functions and type aliases in any open project. + + + + Edit... + Modyfikuj... + + + Choose Location for New License Template File + Wybierz położenie nowego pliku z szablonem licencji + + + Reads + + + + Writes + + + + Other + + + + C++ Usages: + Użycia C++: + + + Searching for Usages + Wyszukiwanie użyć + + + Re&name %n files + + + + + + + + Files: +%1 + Pliki: +%1 + + + C++ Macro Usages: + Użycia makr C++: + + + C++ Functions + Funkcje C++ + + + Code Style + Styl kodu + + + File Naming + Nazewnictwo plików + + + Ignore files + + + + Ignore files that match these wildcard patterns, one wildcard per line. + + + + Ignore precompiled headers + + + + <html><head/><body><p>When precompiled headers are not ignored, the parsing for code completion and semantic highlighting will process the precompiled header before processing any file.</p></body></html> + + + + Use built-in preprocessor to show pre-processed files + + + + Uncheck this to invoke the actual compiler to show a pre-processed source file in the editor. + + + + Code Model + Model kodu + + + C++ + C++ + + + <p>If background indexing is enabled, global symbol searches will yield more accurate results, at the cost of additional CPU load when the project is first opened. The indexing result is persisted in the project's build directory. If you disable background indexing, a faster, but less accurate, built-in indexer is used instead. The thread priority for building the background index can be adjusted since clangd 15.</p><p>Background Priority: Minimum priority, runs on idle CPUs. May leave 'performance' cores unused.</p><p>Normal Priority: Reduced priority compared to interactive work.</p><p>Low Priority: Same priority as other clangd work.</p> + + + + <p>The C/C++ backend to use for switching between header and source files.</p><p>While the clangd implementation has more capabilities than the built-in code model, it tends to find false positives.</p><p>When "Try Both" is selected, clangd is used only if the built-in variant does not find anything.</p> + + + + <p>Which model clangd should use to rank possible completions.</p><p>This determines the order of candidates in the combo box when doing code completion.</p><p>The "%1" model used by default results from (pre-trained) machine learning and provides superior results on average.</p><p>If you feel that its suggestions stray too much from your expectations for your code base, you can try switching to the hand-crafted "%2" model.</p> + + + + Number of worker threads used by clangd. Background indexing also uses this many worker threads. + + + + Controls whether clangd may insert header files as part of symbol completion. + + + + Defines the amount of time %1 waits before sending document changes to the server. +If the document changes again while waiting, this timeout resets. + + + + Files greater than this will not be opened as documents in clangd. +The built-in code model will handle highlighting, completion and so on. + + + + The maximum number of completion results returned by clangd. + + + + Use clangd + + + + Insert header files on completion + + + + Automatic + Automatyczny + + + Ignore files greater than + + + + Completion results: + + + + No limit + + + + Path to executable: + + + + Background indexing: + + + + Header/source switch mode: + + + + Worker thread count: + + + + Completion ranking model: + + + + Document update threshold: + + + + Sessions with a single clangd instance + + + + By default, Qt Creator runs one clangd process per project. +If you have sessions with tightly coupled projects that should be +managed by the same clangd process, add them here. + + + + Add ... + + + + Choose a session: + + + + Additional settings are available via <a href="https://clangd.llvm.org/config"> clangd configuration files</a>.<br>User-specific settings go <a href="%1">here</a>, project-specific settings can be configured by putting a .clangd file into the project source tree. + + + + Clangd + + + + &C++ + &C++ + + + Follow + text on macOS touch bar + + + + Decl/Def + text on macOS touch bar + + + + Find References With Access Type + + + + Switch Header/Source + Przełącz pomiędzy nagłówkiem a źródłem + + + Header/Source + text on macOS touch bar + + + + Open Corresponding Header/Source in Next Split + Otwórz odpowiedni nagłówek / źródło w sąsiadującym oknie + + + Meta+E, F4 + Meta+E, F4 + + + Ctrl+E, F4 + Ctrl+E, F4 + + + Show Preprocessed Source + + + + Show Preprocessed Source in Next Split + + + + Fold All Comment Blocks + + + + Unfold All Comment Blocks + + + + Find Unused Functions + + + + Find Unused C/C++ Functions + + + + C++ File Naming + + + + The license template. + Szablon z licencją. + + + The configured path to the license template + Ścieżka do szablonu z licencją + + + Insert "#pragma once" instead of "#ifndef" include guards into header file + + + + Rewrite Using %1 + Przepisz używając %1 + + + Swap Operands + Zamień argumenty + + + Rewrite Condition Using || + Przepisz warunek używając || + + + Split Declaration + Rozdziel deklarację + + + Add Curly Braces + Dodaj nawiasy klamrowe + + + Move Declaration out of Condition + Wyłącz deklarację z warunku + + + Split if Statement + Rozdziel instrukcję if + + + Convert to String Literal + Skonwertuj do literału łańcuchowego + + + Convert to Character Literal and Enclose in QLatin1Char(...) + Skonwertuj do literału znakowego i zamknij w QLatin1Char(...) + + + Convert to Character Literal + Skonwertuj do literału znakowego + + + Mark as Translatable + Zaznacz jako przetłumaczalne + + + Convert to Binary + + + + Add forward declaration for %1 + + + + Add Member Function "%1" + + + + Add Class Member "%1" + + + + Member Function Implementations + + + + None + Brak + + + Inline + + + + Outside Class + + + + Default implementation location: + + + + Create Implementations for Member Functions + + + + Generate Missing Q_PROPERTY Members + Wygeneruj brakujące składniki Q_PROPERTY + + + Generate Setter + + + + Generate Getter + + + + Generate Getter and Setter + + + + Generate Constant Q_PROPERTY and Missing Members + + + + Generate Q_PROPERTY and Missing Members with Reset Function + + + + Generate Q_PROPERTY and Missing Members + + + + Getters and Setters + + + + Member + + + + Getter + + + + Setter + + + + Signal + Sygnalizowanie + + + Reset + + + + QProperty + + + + Constant QProperty + + + + Create getters for all members + + + + Create setters for all members + + + + Create signals for all members + + + + Create Q_PROPERTY for all members + + + + Select the getters and setters to be created. + + + + Create Getter and Setter Member Functions + Dodaj metodę zwracającą (getter) i ustawiającą (setter) + + + Convert to Stack Variable + Przekształć do zmiennej na stosie + + + Convert to Pointer + Przekształć do wskaźnika + + + Definitions Outside Class + + + + Escape String Literal as UTF-8 + Zamień na ciąg specjalny UTF-8 + + + Unescape String Literal as UTF-8 + Zamień ciąg specjalny UTF-8 na zwykły + + + Convert connect() to Qt 5 Style + Skonwertuj "connect()" do stylu Qt 5 + + + Remove All Occurrences of "using namespace %1" in Global Scope and Adjust Type Names Accordingly + + + + Remove "using namespace %1" and Adjust Type Names Accordingly + + + + Initialize in Constructor + + + + Member Name + + + + Parameter Name + + + + Default Value + + + + Base Class Constructors + + + + Constructor + + + + Parameters without default value must come before parameters with default value. + + + + Initialize all members + + + + Select the members to be initialized in the constructor. +Use drag and drop to change the order of the parameters. + + + + Generate Constructor + + + + Convert Comment to C-Style + + + + Convert Comment to C++-Style + + + + Move Function Documentation to Declaration + + + + Move Function Documentation to Definition + + + + Add Local Declaration + Dodaj lokalną deklarację + + + Provide the type + + + + Data type: + + + + Convert to Camel Case + Skonwertuj do zbitki Camel Case + + + Add #include %1 + Dodaj #include %1 + + + Switch with Previous Parameter + Zamień z poprzednim parametrem + + + Switch with Next Parameter + Zamień z następnym parametrem + + + Extract Constant as Function Parameter + Uczyń stałą parametrem funkcji + + + Assign to Local Variable + Przypisz do zmiennej lokalnej + + + Optimize for-Loop + Zoptymalizuj pętlę "for" + + + Convert to Objective-C String Literal + Skonwertuj do literału łańcuchowego Objective-C + + + Enclose in %1(...) + Otocz za pomocą %1(...) + + + Convert to Hexadecimal + Skonwertuj do wartości szesnastkowej + + + Convert to Octal + Skonwertuj do wartości ósemkowej + + + Convert to Decimal + Skonwertuj do wartości dziesiętnej + + + Reformat to "%1" + Przeformatuj do "%1" + + + Reformat Pointers or References + Przeformatuj wskaźniki i referencje + + + Complete Switch Statement + Dokończ instrukcję "switch" + + + No type hierarchy available + Brak dostępnej hierarchii typów + + + Bases + Klasy bazowe + + + Open in Editor + Otwórz w edytorze + + + Evaluating Type Hierarchy + + + + Derived + Klasy pochodne + + + Evaluating type hierarchy... + + + + Type Hierarchy + Hierarchia typów + + + C++ Symbols + Symbole C++ + + + Searching for Symbol + Wyszukiwanie symbolu + + + C++ Symbols: + Symbole C++: + + + Classes + Klasy + + + Functions + Funkcje + + + Enums + Typy wyliczeniowe + + + Declarations + Deklaracje + + + Scope: %1 +Types: %2 +Flags: %3 + Zakres: %1 +Typy: %2 +Flagi: %3 + + + All + Wszystko + + + Projects + Projekty + + + ≥ + + + + lines + linii + + + See tool tip for more information + + + + Use <name> for the variable +Use <camel> for camel case +Use <snake> for snake case +Use <Name>, <Camel> and <Snake> for upper case +e.g. name = "m_test_foo_": +"set_<name> => "set_test_foo" +"set<Name> => "setTest_foo" +"set<Camel> => "setTestFoo" + + + + For example, [[nodiscard]] + + + + For example, new<Name> + + + + Setters should be slots + + + + Normally reset<Name> + + + + Normally <name>Changed + + + + Generate signals with the new value as parameter + + + + For example, m_<name> + + + + Generate missing namespaces + + + + Add "using namespace ..." + + + + Rewrite types to match the existing namespaces + + + + <html><head/><body><p>Uncheck this to make Qt Creator try to derive the type of expression in the &quot;Assign to Local Variable&quot; quickfix.</p><p>Note that this might fail for more complex types.</p></body></html> + + + + Use type "auto" when creating new variables + + + + Template + + + + Separate the types by comma. + + + + Use <new> and <cur> to access the parameter and current value. Use <type> to access the type and <T> for the template parameter. + + + + Add + Dodaj + + + Normally arguments get passed by const reference. If the Type is one of the following ones, the argument gets passed by value. Namespaces and template arguments are removed. The real Type must contain the given Type. For example, "int" matches "int32_t" but not "vector<int>". "vector" matches "std::pmr::vector<int>" but not "std::optional<vector<int>>" + + + + Return non-value types by const reference + + + + Generate Setters + + + + Generate Getters + + + + Inside class: + + + + Outside class: + + + + In .cpp file: + + + + Types: + Typy: + + + Comparison: + + + + Assignment: + + + + Return expression: + + + + Return type: + + + + Generated Function Locations + + + + Getter Setter Generation Properties + + + + Getter attributes: + + + + Getter name: + + + + Setter name: + + + + Setter parameter name: + + + + Reset name: + + + + Signal name: + + + + Member variable name: + + + + Missing Namespace Handling + + + + Custom Getter Setter Templates + + + + Value types: + + + + Projects only + Tylko projekty + + + All files + Wszystkie pliki + + + Add %1 Declaration + Dodaj deklarację %1 + + + Add Definition in %1 + Dodaj definicję w %1 + + + Add Definition Here + Dodaj definicję tutaj + + + Add Definition Inside Class + Dodaj definicję wewnątrz klasy + + + Add Definition Outside Class + Dodaj definicję na zewnątrz klasy + + + Expand All + Rozwiń wszystko + + + Collapse All + Zwiń wszystko + + + General + Ogólne + + + Content + Zawartość + + + Indent + Wcięcia + + + "public", "protected" and +"private" within class body + "public", "protected" i +"private" w ciele klasy + + + Declarations relative to "public", +"protected" and "private" + Deklaracje względem "public", +"protected" i "private" + + + Statements within blocks + Wyrażenia w blokach + + + Declarations within +"namespace" definition + Deklaracje w definicjach +"namespace" + + + Braces + Nawiasy + + + Indent Braces + Wcięcia nawiasów + + + Class declarations + Deklaracje klas + + + Namespace declarations + Deklaracje przestrzeni nazw + + + Enum declarations + Deklaracje typów +wyliczeniowych + + + Blocks + Bloki + + + "switch" + "switch" + + + Indent within "switch" + Wcięcia wewnątrz "switch" + + + "case" or "default" + "case" lub "default" + + + Statements relative to +"case" or "default" + Wyrażenia względem +"case" lub "default" + + + Blocks relative to +"case" or "default" + Bloki względem +"case" lub "default" + + + "break" statement relative to +"case" or "default" + Wyrażenie "break" względem +"case" lub "default" + + + Alignment + Wyrównanie + + + Align + Wyrównanie przeniesionych linii + + + <html><head/><body> +Enables alignment to tokens after =, += etc. When the option is disabled, regular continuation line indentation will be used.<br> +<br> +With alignment: +<pre> +a = a + + b +</pre> +Without alignment: +<pre> +a = a + + b +</pre> +</body></html> + <html><head/><body> +Odblokowuje wyrównywanie do znaków po =, +=, itd. Kiedy ta opcja jest zablokowana, użyte zostanie zwykłe wyrównanie przeniesionych linii.<br> +<br> +Z wyrównaniem: +<pre> +a = a + + b +</pre> +Bez wyrównania: +<pre> +a = a + + b +</pre> +</body></html> + + + Align after assignments + Wyrównuj przeniesione linie +do znaków przypisania + + + Add extra padding to conditions +if they would align to the next line + Dodatkowe wcięcia przeniesionych +linii w instrukcjach "if", "foreach", +"switch" i "while", jeśli wymagane + + + <html><head/><body> +Adds an extra level of indentation to multiline conditions in the switch, if, while and foreach statements if they would otherwise have the same or less indentation than a nested statement. + +For four-spaces indentation only if statement conditions are affected. Without extra padding: +<pre> +if (a && + b) + c; +</pre> +With extra padding: +<pre> +if (a && + b) + c; +</pre> +</body></html> + <html><head/><body> +Dodaje kolejny poziom wcięć do przeniesionych linii w instrukcjach "if", "foreach", "switch" i "while" w przypadku, gdy rozmiar wcięć zagnieżdżonego wyrażenia byłby taki sam lub większy od rozmiaru wcięć przeniesionych linii. + +Gdy rozmiar wcięć wynosi 4 znaki, opcja ta ma zastosowanie jedynie dla instrukcji "if". Bez dodatkowych wcięć: +<pre> +if (a && + b) + c; +</pre> +Z dodatkowymi wcięciami: +<pre> +if (a && + b) + c; +</pre> +</body></html> + + + Pointers and References + Wskaźniki i referencje + + + Bind '*' and '&&' in types/declarations to + Sklejaj "*" i "&&" w typach i deklaracjach z + + + <html><head/><body>This does not apply to the star and reference symbol in pointer/reference to functions and arrays, e.g.: +<pre> int (&rf)() = ...; + int (*pf)() = ...; + + int (&ra)[2] = ...; + int (*pa)[2] = ...; + +</pre></body></html> + <html><head/><body>To nie dotyczy symboli we wskaźnikach lub referencjach do funkcji i tablic, np.: +<pre> int (&rf)() = ...; + int (*pf)() = ...; + + int (&ra)[2] = ...; + int (*pa)[2] = ...; + +</pre></body></html> + + + Identifier + Identyfikatorem + + + Type name + Nazwą typu + + + Left const/volatile + Lewym const / volatile + + + This does not apply to references. + Nie dotyczy referencji. + + + Right const/volatile + Prawym const / volatile + + + Statements within function body + Wyrażenia w ciele funkcji + + + Function declarations + Deklaracje funkcji + + + Global + Settings + Globalne + + + Qt + Qt + + + GNU + GNU + + + &Suffix: + &Rozszerzenie: + + + S&earch paths: + Ś&cieżki: + + + Comma-separated list of header paths. + +Paths can be absolute or relative to the directory of the current open document. + +These paths are used in addition to current directory on Switch Header/Source. + Lista ścieżek do nagłówków, oddzielona przecinkami. + +Mogą to być ścieżki bezwzględne lub względne do katalogu bieżąco otwartego dokumentu. + +Ścieżki te, w dodatku do ścieżki bieżącego katalogu, używane są do przełączania pomiędzy nagłówkiem a źródłem. + + + S&uffix: + R&ozszerzenie: + + + Se&arch paths: + Śc&ieżki: + + + Comma-separated list of source paths. + +Paths can be absolute or relative to the directory of the current open document. + +These paths are used in addition to current directory on Switch Header/Source. + Lista ścieżek do źródeł, oddzielona przecinkami. + +Mogą to być ścieżki bezwzględne lub względne do katalogu bieżąco otwartego dokumentu. + +Ścieżki te, w dodatku do ścieżki bieżącego katalogu, używane są do przełączania pomiędzy nagłówkiem a źródłem. + + + /************************************************************************** +** %1 license header template +** Special keywords: %USER% %DATE% %YEAR% +** Environment variables: %$VARIABLE% +** To protect a percent sign, use '%%'. +**************************************************************************/ + + + + + Use "#pragma once" instead of "#ifndef" guards + + + + &Lower case file names + Tylko &małe litery w nazwach plików + + + Uses "#pragma once" instead of "#ifndef" include guards. + + + + Headers + Nagłówki + + + Include guards + + + + Sources + Źródła + + + License &template: + Szablon z &licencją: + + + &Prefixes: + &Przedrostki: + + + Comma-separated list of header prefixes. + +These prefixes are used in addition to current file name on Switch Header/Source. + Lista przedrostków nagłówków, oddzielona przecinkami. + +Przedrostki te, w dodatku do nazwy bieżącego pliku, używane są do przełączania pomiędzy nagłówkiem a źródłem. + + + P&refixes: + P&rzedrostki: + + + Comma-separated list of source prefixes. + +These prefixes are used in addition to current file name on Switch Header/Source. + Lista przedrostków źródeł, oddzielona przecinkami. + +Przedrostki te, w dodatku do nazwy bieżącego pliku, używane są do przełączania pomiędzy nagłówkiem a źródłem. + + + Target file was changed, could not apply changes + Plik docelowy uległ zmianie, nie można zastosować zmian + + + Apply changes to definition + Zastosuj zmiany do definicji + + + Apply changes to declaration + Zastosuj zmiany do deklaracji + + + Apply Function Signature Changes + Zastosuj zmiany w sygnaturze funkcji + + + Extract Function + + + + Extract Function Refactoring + + + + Function name + Nazwa funkcji + + + Access + Dostęp + + + C++ Classes + Klasy C++ + + + Shift+F2 + Shift+F2 + + + Additional Preprocessor Directives... + Dodatkowe dyrektywy preprocesora... + + + C++ + SnippetProvider + C++ + + + Switch Between Function Declaration/Definition + Przełącz między deklaracją a definicją funkcji + + + Open Function Declaration/Definition in Next Split + Otwórz deklarację / definicję metody w nowym, sąsiadującym oknie + + + Meta+E, Shift+F2 + Meta+E, Shift+F2 + + + Ctrl+E, Shift+F2 + Ctrl+E, Shift+F2 + + + Open Type Hierarchy + Otwórz hierarchię typów + + + Meta+Shift+T + Meta+Shift+T + + + Ctrl+Shift+T + Ctrl+Shift+T + + + Open Include Hierarchy + Otwórz hierarchię dołączeń + + + Meta+Shift+I + Meta+Shift+I + + + Ctrl+Shift+I + Ctrl+Shift+I + + + Reparse Externally Changed Files + Ponownie przeparsuj pliki zewnętrznie zmodyfikowane + + + Inspect C++ Code Model... + Przejrzyj model kodu C++... + + + Meta+Shift+F12 + Meta+Shift+F12 + + + Ctrl+Shift+F12 + Ctrl+Shift+F12 + + + Move Definition Outside Class + Przenieś definicję na zewnątrz klasy + + + Move Definition to %1 + Przenieś definicję do %1 + + + Move All Function Definitions to %1 + Przenieś wszystkie definicje funkcji do %1 + + + Move Definition to Class + Przenieś definicję do klasy + + + Insert Virtual Functions of Base Classes + Wstaw wirtualne metody klas bazowych + + + Insert Virtual Functions + Wstaw wirtualne metody + + + &Functions to insert: + &Metody do wstawienia: + + + Filter + Filtr + + + &Hide reimplemented functions + &Ukryj nadpisane funkcje + + + &Insertion options: + Opcje &wstawiania: + + + Insert only declarations + Wstaw tylko deklaracje + + + Insert definitions inside class + Wstaw definicje wewnątrz klasy + + + Insert definitions outside class + Wstaw definicje na zewnątrz klasy + + + Insert definitions in implementation file + Wstaw definicje w pliku z implementacjami + + + Add "&virtual" to function declaration + Dodaj "&virtual" do deklaracji funkcji + + + Add "override" equivalent to function declaration: + Dodaj odpowiednik "override" do deklaracji funkcji: + + + Clear Added "override" Equivalents + Usuń dodany odpowiednik "override" + + + Parsing C/C++ Files + Parsowanie plików C / C++ + + + Only virtual functions can be marked 'override' + Jedynie funkcje wirtualne mogą być opatrzone "override" + + + Only virtual functions can be marked 'final' + Jedynie funkcje wirtualne mogą być opatrzone "final" + + + Expected a namespace-name + Oczekiwano nazwy przestrzeni nazw + + + Too many arguments + Za dużo argumentów + + + Too few arguments + Za mało argumentów + + + Additional C++ Preprocessor Directives + Dodatkowe dyrektywy preprocesora C++ + + + Additional C++ Preprocessor Directives for %1: + Dodatkowe dyrektywy preprocesora C++ dla %1: + + + Do not index files greater than + Nie indeksuj plików większych niż + + + MB + MB + + + Interpret ambiguous headers as C headers + Interpretuj niejednoznaczne nagłówki jako nagłówki języka C + + + Include Hierarchy + Hierarchia dołączeń + + + Includes + Dołączenia + + + Included by + Dołączone przez + + + Synchronize with Editor + Synchronizuj z edytorem + + + (none) + (brak) + + + (cyclic) + (cykl) + + + You are trying to rename a symbol declared in the generated file "%1". +This is normally not a good idea, as the file will likely get overwritten during the build process. + + + + Do you want to edit "%1" instead? + + + + Open "%1" + Otwórz "%1" + + + &Refactor + &Refaktoryzacja + + + %1: No such file or directory + %1: Brak pliku lub katalogu + + + %1: Could not get file contents + %1: Nie można odczytać zawartości pliku + + + Sort Alphabetically + Posortuj alfabetycznie + + + All Included C/C++ Files + Wszystkie dołączone pliki C/C++ + + + The file name. + Nazwa pliku. + + + The class name. + Nazwa klasy. + + + Copy... + Kopiuj... + + + Remove + Usuń + + + For appropriate options, consult the GCC or Clang manual pages or the [GCC online documentation](%1). + Sposoby konfigurowania opisane są w podręczniku GCC lub Clang lub w [dokumentacji online GCC](%1). + + + Built-in + Wbudowany + + + Custom + Własny + + + Use diagnostic flags from build system + + + + Rename... + Zmień nazwę... + + + Clang Warnings + + + + Copy Diagnostic Configuration + Skopiuj konfigurację diagnostyki + + + Diagnostic configuration name: + Nazwa konfiguracji diagnostyki: + + + %1 (Copy) + %1 (Kopia) + + + Rename Diagnostic Configuration + + + + New name: + + + + Option "%1" is invalid. + + + + Copy this configuration to customize it. + + + + Configuration passes sanity checks. + + + + No include hierarchy available + Brak dostępnej hierarchii dołączeń + + + C++ Indexer: Skipping file "%1" because it is too big. + Indekser C++: plik "%1" posiada zbyt duży rozmiar, zostanie on pominięty. + + + Checks for questionable constructs + + + + Build-system warnings + + + + <b>Warning</b>: This file is not part of any project. The code model might have issues parsing this file properly. + + + + Note: Multiple parse contexts are available for this file. Choose the preferred one from the editor toolbar. + + + + C++ Code Model + + + + <p><b>Active Parse Context</b>:<br/>%1</p><p>Multiple parse contexts (set of defines, include paths, and so on) are available for this file.</p><p>Choose a parse context to set it as the preferred one. Clear the preference from the context menu.</p> + + + + Clear Preferred Parse Context + + + + Diagnostic configuration: + + + + Diagnostic Configurations + + + + Follow Symbol to Type is only available when using clangd + + + + Compiler Flags + + + + Background Priority + + + + Normal Priority + + + + Low Priority + + + + Off + + + + Use Built-in Only + + + + Use Clangd Only + + + + Try Both + + + + Default + + + + Decision Forest + + + + Heuristics + + + + Locates files that are included by C++ files of any open project. Append "+<number>" or ":<number>" to jump to the given line number. Append another "+<number>" or ":<number>" to jump to the column number as well. + + + + Cannot show preprocessed file: %1 + + + + Falling back to built-in preprocessor: %1 + + + + Failed to open output file "%1". + + + + Failed to write output file "%1". + + + + Could not determine which compiler to invoke. + + + + Could not determine compiler command line. + + + + Checked %1 of %n function(s) + + + + + + + + Finding Unused Functions + + + + C++ Indexer: Skipping file "%1" because its path matches the ignore pattern. + + + + The project contains C source files, but the currently active kit has no C compiler. The code model will not be fully functional. + + + + The project contains C++ source files, but the currently active kit has no C++ compiler. The code model will not be fully functional. + + + + Preparing C++ Code Model + + + + Quick Fix settings are saved in a file. Existing settings file "%1" found. Should this file be used or a new one be created? + + + + Switch Back to Global Settings + + + + Use Existing + + + + Create New + + + + Custom settings are saved in a file. If you use the global settings, you can delete that file. + + + + Delete Custom Settings File + + + + Resets all settings to the global settings. + + + + Reset to Global + + + + collecting overrides... + + + + + QtC::Cppcheck + + Diagnostic + Diagnostyka + + + Cppcheck Diagnostics + + + + Cppcheck Run Configuration + + + + Analyze + + + + Cppcheck + + + + Go to previous diagnostic. + + + + Go to next diagnostic. + + + + Clear + Wyczyść + + + Cppcheck... + + + + Binary: + + + + Warnings + Ostrzeżenia + + + Style + Styl + + + Performance + + + + Portability + + + + Information + + + + Unused functions + + + + Disables multithreaded check. + + + + Missing includes + + + + Inconclusive errors + + + + Check all define combinations + + + + Custom arguments: + + + + Ignored file patterns: + Ignorowane wzorce plików: + + + Comma-separated wildcards of full file paths. Files still can be checked if others include them. + + + + Show raw output + + + + Add include paths + + + + Can find missing includes but makes checking slower. Use only when needed. + + + + Calculate additional arguments + + + + Like C++ standard and language. + + + + Checks: + + + + Cppcheck started: "%1". + + + + Cppcheck finished. + + + + + QtC::CtfVisualizer + + Title + Tytuł + + + Count + Ilość + + + Total Time + Czas całkowity + + + Percentage + + + + Minimum Time + + + + Average Time + + + + Maximum Time + + + + Stack Level %1 + + + + Value + Wartość + + + Min + + + + Max + + + + Start + + + + Wall Duration + + + + Unfinished + + + + true + + + + Thread %1 + + + + Categories + + + + Arguments + Argumenty + + + Instant + + + + Scope + + + + global + + + + process + + + + thread + + + + Return Arguments + + + + Error while parsing CTF data: %1. + + + + CTF Visualizer + + + + The trace contains threads with stack depth > 512. +Do you want to display them anyway? + + + + Chrome Trace Format Viewer + + + + Load JSON File + + + + Load Chrome Trace Format File + + + + JSON File (*.json) + + + + Restrict to Threads + + + + Timeline + Oś czasu + + + Reset Zoom + Zresetuj powiększenie + + + Statistics + Statystyki + + + The file does not contain any trace data. + + + + Cannot read the CTF file. + + + + Loading CTF File + + + + Chrome Trace Format Visualizer + + QtC::Debugger @@ -3016,10 +23268,6 @@ Kontynuować? Marker Line: Linia znacznika: - - Breakpoint Number: - Numer pułapki: - Breakpoint Address: Adres pułapki: @@ -3036,6 +23284,10 @@ Kontynuować? State: Stan: + + pending + + Requested Zażądano @@ -3044,10 +23296,6 @@ Kontynuować? Obtained Otrzymano - - Internal Number: - Numer wewnętrzny: - File Name: Nazwa pliku: @@ -3112,6 +23360,18 @@ Kontynuować? Break When JavaScript Exception Is Thrown Przerwij po rzuceniu wyjątku JavaScript + + Specifying the module (base name of the library or executable) for function or file type breakpoints can significantly speed up debugger startup times (CDB, LLDB). + + + + Debugger commands to be executed when the breakpoint is hit. This feature is only available for GDB. + + + + Propagate Change to Preset Breakpoint + + Data at 0x%1 Dane w 0x%1 @@ -3120,6 +23380,26 @@ Kontynuować? Data at %1 Dane w %1 + + Disable Selected Locations + + + + Enable Selected Locations + + + + Disable Location + + + + Enable Location + + + + Internal ID: + + Enabled Odblokowana @@ -3128,26 +23408,10 @@ Kontynuować? Disabled Zablokowana - - , pending - , oczekująca - - - Engine: - Silnik: - Line Number: Numer linii: - - Corrected Line Number: - Numer poprawionej linii: - - - Multiple Addresses: - Wielokrotne adresy: - Command: Komenda: @@ -3314,17 +23578,25 @@ Kontynuować? Ś&cieżka: - <p>Specifying the module (base name of the library or executable) for function or file type breakpoints can significantly speed up debugger startup times (CDB, LLDB). - <p>Podanie modułu (nazwy bazowej biblioteki lub pliku wykonywalnego) dla funkcji bądź pułapek może znacząco przyspieszyć uruchomienie debuggera (CDB, LLDB). + Display Name: + + + + Stopped at breakpoint %1 in thread %2. + + + + Unclaimed Breakpoint + + + + Debuggee + &Module: &Moduł: - - <p>Debugger commands to be executed when the breakpoint is hit. This feature is only available for GDB. - <p>Komendy debuggera, które będą wykonane, gdy pułapka zostanie osiągnięta. Ta funkcja jest dostępna jedynie dla GDB. - &Commands: &Komendy: @@ -3425,58 +23697,26 @@ Kontynuować? Add Breakpoint Dodaj pułapkę - - Breakpoint Condition - Warunek pułapki - - - Debugger Command - Komenda debuggera - Hit Count: Liczba trafień: - - Data breakpoint %1 (%2) at %3 triggered. - Osiągnięto pułapkę danych %1 (%2) pod adresem %3. - Internal data breakpoint %1 at %2 triggered. Osiągnięto wewnętrzną pułapkę danych %1 pod adresem %2. - - Data breakpoint %1 (%2) at %3 in thread %4 triggered. - Osiągnięto pułapkę danych %1 (%2) pod adresem %3 w wątku %4. - Internal data breakpoint %1 at %2 in thread %3 triggered. Osiągnięto wewnętrzną pułapkę danych %1 pod adresem %2 w wątku %3. - - Data breakpoint %1 (%2) at 0x%3 triggered. - Osiągnięto pułapkę danych %1 (%2) pod adresem 0x%3. - Internal data breakpoint %1 at 0x%2 triggered. Osiągnięto wewnętrzną pułapkę danych %1 pod adresem 0x%2. - - Data breakpoint %1 (%2) at 0x%3 in thread %4 triggered. - Osiągnięto pułapkę danych %1 (%2) pod adresem 0x%3 w wątku %4. - Internal data breakpoint %1 at 0x%2 in thread %3 triggered. Osiągnięto wewnętrzną pułapkę danych %1 pod adresem 0x%2 w wątku %3. - - Stopped at breakpoint %1 (%2) in thread %3. - Zatrzymano w pułapce %1 (%2) w wątku %3. - - - Stopped at internal breakpoint %1 in thread %2. - Zatrzymano w wewnętrznej pułapce %1 w wątku %2. - (all) (wszystko) @@ -3487,28 +23727,55 @@ Kontynuować? Startup - Placeholder Uruchamianie - Additional &arguments: - Dodatkowe &argumenty: + This switches the Locals and Expressions views to automatically dereference pointers. This saves a level in the tree view, but also loses data for the now-missing intermediate level. + - Break on: - Przerywaj w: + Additional arguments: + Dodatkowe argumenty: + + + Catches runtime error messages caused by assert(), for example. + + + + Uses CDB's native console for console applications. This overrides the setting in Environment > System. The native console does not prompt on application exit. It is suitable for diagnosing cases in which the application does not start up properly in the configured console and the subsequent attach fails. + Use CDB &console Użyj &konsoli CDB + + Attempts to correct the location of a breakpoint based on file and line number should it be in a comment or in a line for which no code is generated. The correction is based on the code model. + + Correct breakpoint location Poprawiaj położenia pułapek - This is useful to catch runtime error messages, for example caused by assert(). - Jest to przydatne do wyłapywania komunikatów o błędach w trakcie działania programu, spowodowanych np. przez assert(). + First chance exceptions + + + + Second chance exceptions + + + + Enables tooltips in the locals view during debugging. + + + + Enables tooltips in the breakpoints view during debugging. + + + + Enables tooltips in the stack view during debugging. + Various @@ -3518,14 +23785,6 @@ Kontynuować? Ignore first chance access violations - - <html><head/><body><p>Uses CDB's native console instead of Qt Creator's console for console applications. The native console does not prompt on application exit. It is suitable for diagnosing cases in which the application does not start up properly in Qt Creator's console and the subsequent attach fails.</p></body></html> - <html><head/><body><p>Używa natywnej konsoli CDB zamiast konsoli Qt Creatora w aplikacjach konsolowych. Konsola natywna nie wystawia dialogu po zakończeniu aplikacji. Jest to przydatne w trakcie diagnozy, gdy aplikacja nie uruchamia się poprawnie w konsoli Qt Creatora.</p></body></html> - - - <html><head/><body><p>Attempts to correct the location of a breakpoint based on file and line number should it be in a comment or in a line for which no code is generated. The correction is based on the code model.</p></body></html> - <html><head/><body><p>Próbuje poprawiać położenie pułapek w liniach, które są komentarzami lub dla których nie wygenerowano kodu. Poprawianie bazuje na modelu kodu.</p></body></html> - Use Python dumper Używaj Python dumpera @@ -3554,14 +23813,6 @@ Kontynuować? Configure Symbol paths that are used to locate debug symbol files. - - Use Alternating Row Colors - Używaj naprzemiennych kolorów wierszy - - - Show a Message Box When Receiving a Signal - Pokazuj komunikat po otrzymaniu sygnału - Log Time Stamps Notuj w logu czas komunikatów @@ -3570,10 +23821,6 @@ Kontynuować? Operate by Instruction Operuj na instrukcjach - - <p>This switches the debugger to instruction-wise operation mode. In this mode, stepping operates on single instructions and the source location view also shows the disassembled instructions. - <p>Przestawia debugger do trybu operowania na instrukcjach. W tym trybie kroczenie działa dla pojedynczych instrukcji i widok źródeł pokazuje również zdezasemblowane instrukcje. - Dereference Pointers Automatically Wyłuskuj wskaźniki automatycznie @@ -3619,30 +23866,6 @@ Kontynuować? Nie wszystkie linie kodu źródłowego generują kod wykonywalny. Ustawienie pułapki w takiej linii spowoduje, że zostanie ona ustawiona de facto w najbliższej kolejnej linii generującej kod wykonywalny. "Poprawiaj położenie pułapek" przesuwa czerwone znaczniki pułapek w miejsca prawdziwych pułapek w takich przypadkach. - - <p>Checking this will enable tooltips for variable values during debugging. Since this can slow down debugging and does not provide reliable information as it does not use scope information, it is switched off by default. - <p>Zaznaczenie tej opcji odblokuje podpowiedzi dla wartości zmiennych podczas debugowania. Domyślnie jest to wyłączone, ponieważ może to spowalniać debugowanie i ponadto może dostarczać nieprawidłowych informacji, jako że dane o zakresach nie są uwzględniane. - - - <p>Checking this will enable tooltips in the breakpoints view during debugging. - <p>Zaznaczenie tej opcji odblokuje podpowiedzi w widoku z pułapkami podczas debugowania. - - - <p>Checking this will enable tooltips in the stack view during debugging. - <p>Zaznaczenie tej opcji odblokuje podpowiedzi w widoku stosu podczas debugowania. - - - <p>Checking this will show a column with address information in the breakpoint view during debugging. - <p>Zaznaczenie tej opcji spowoduje pokazanie kolumny z adresami w widoku z pułapkami podczas debugowania. - - - <p>Checking this will show a column with address information in the stack view during debugging. - <p>Zaznaczenie tej opcji spowoduje pokazanie kolumny z adresami w widoku stosu podczas debugowania. - - - The maximum length of string entries in the Locals and Expressions pane. Longer than that are cut off and displayed with an ellipsis attached. - Maksymalna długość ciągów znakowych w widoku "Zmienne lokalne i wyrażenia". Dłuższe ciągi będą odcinane i zakańczane wielokropkiem. - The maximum length for strings in separated windows. Longer strings are cut off and displayed with an ellipsis attached. Maksymalna długość ciągów znakowych w oddzielnych oknach. Dłuższe ciągi będą odcinane i zakańczane wielokropkiem. @@ -3655,18 +23878,6 @@ Kontynuować? Always Adjust View Column Widths to Contents Zawsze wyrównuj szerokości kolumn do ich zawartości - - Keep Editor Stationary When Stepping - Wyłącz centrowanie bieżącej linii podczas kroczenia - - - Debugger Font Size Follows Main Editor - Rozmiar czcionki debuggera wzięty z głównego edytora - - - This switches the Locals and Expressions view to automatically dereference pointers. This saves a level in the tree view, but also loses data for the now-missing intermediate level. - Włącza automatyczne wyłuskiwanie wskaźników w widoku ze zmiennymi lokalnymi i obserwowanymi. Brak jednego poziomu w widoku upraszcza go, ale jednocześnie powoduje utratę danych w brakującym poziomie pośrednim. - Show QObject names if available Pokazuj dostępne nazwy QObject'ów @@ -3679,6 +23890,38 @@ Kontynuować? Use code model Używaj modelu kodu + + Force logging to console + + + + Sets QT_LOGGING_TO_CONSOLE=1 in the environment of the debugged program, preventing storing debug output in system logs. + + + + Registers %1 for debugging crashed applications. + + + + Use %1 for post-mortem debugging + + + + Bring %1 to foreground when application interrupts + + + + Use annotations in main editor when debugging + + + + Shows simple variable values as annotations in the main editor during debugging. + + + + Enables tooltips for variable values during debugging. Since this can slow down debugging and does not provide reliable information as it does not use scope information, it is switched off by default. + + Selecting this causes the C++ Code Model being asked for variable scope information. This might result in slightly faster debugger operation but may fail for optimized code. Wybranie tej opcji spowoduje pobieranie informacji o zakresie zmiennych z modelu kodu C++. Może to przyspieszyć działanie debuggera, lecz również może to spowodować niepoprawne działanie dla zoptymalizowanego kodu. @@ -3687,6 +23930,26 @@ Kontynuować? Displays names of QThread based threads. Wyświetla nazwy wątków dziedziczących z QThread. + + Python commands entered here will be executed after built-in debugging helpers have been loaded and fully initialized. You can load additional debugging helpers or modify existing ones here. + + + + Default array size: + + + + The number of array elements requested when expanding entries in the Locals and Expressions views. + + + + The debugging helpers are used to produce a nice display of objects of certain types like QString or std::map in the &quot;Locals&quot; and &quot;Expressions&quot; views. + + + + Extra Debugging Helper + + Display thread names Wyświetlaj nazwy wątków @@ -3739,10 +24002,6 @@ Kontynuować? Enable Reverse Debugging Odblokuj debugowanie wsteczne - - Register For Post-Mortem Debugging - Zarejestruj do pośmiertnego debugowania - Reload Full Stack Przeładuj cały stos @@ -3755,22 +24014,10 @@ Kontynuować? Use Tooltips in Locals View when Debugging Używaj podpowiedzi w widoku ze zmiennymi lokalnymi podczas debugowania - - <p>Checking this will enable tooltips in the locals view during debugging. - <p>Zaznaczenie tej opcji odblokuje podpowiedzi w widoku ze zmiennymi lokalnymi podczas debugowania. - Use Tooltips in Breakpoints View when Debugging Używaj podpowiedzi w widoku z pułapkami podczas debugowania - - Show Address Data in Breakpoints View when Debugging - Pokazuj adresy w widoku z pułapkami podczas debugowania - - - Show Address Data in Stack View when Debugging - Pokazuj adresy w widoku stosu podczas debugowania - Locals && Expressions '&&' will appear as one (one is marking keyboard shortcut) @@ -3784,34 +24031,54 @@ Kontynuować? Load Core File Załaduj plik zrzutu - - Use local core file: - Użyj lokalnego plik zrzutu: - - - &Executable: - Plik &wykonywalny: - Core file: Plik zrzutu: + + &Executable or symbol file: + + Override &start script: Nadpisz skrypt &startowy: - - Select Remote Core File - Wybierz zdalny plik zrzutu - Select Core File Wybierz plik zrzutu + + Select Executable or Symbol File + + + + Select a file containing debug information corresponding to the core file. Typically, this is the executable or a *.debug file if the debug information is stored separately from the executable. + + Select Startup Script Wybierz startowy skrypt + + This option can be used to override the kit's SysRoot setting + + + + Failed to copy core file to device: %1 + + + + Failed to copy symbol file to device: %1 + + + + Copying files to device... %1/%2 + + + + Copying files to device... + + Select Start Address Wybierz adres startowy @@ -3828,22 +24095,6 @@ Kontynuować? Stop requested... Zażądano zatrzymania... - - The gdb process has not responded to a command within %n second(s). This could mean it is stuck in an endless loop or taking longer than expected to perform the operation. -You can choose between waiting longer or aborting debugging. - - Proces gdb nie odpowiedział na komendę po upływie %n sekundy. Może to oznaczać, że utknął on w nieskończonej pętli lub odpowiedź zajmuje mu więcej czasu, niż się spodziewano. -Możesz poczekać dłużej na odpowiedź lub przerwać debugowanie. - Proces gdb nie odpowiedział na komendę po upływie %n sekund. Może to oznaczać, że utknął on w nieskończonej pętli lub odpowiedź zajmuje mu więcej czasu, niż się spodziewano. -Możesz poczekać dłużej na odpowiedź lub przerwać debugowanie. - Proces gdb nie odpowiedział na komendę po upływie %n sekund. Może to oznaczać, że utknął on w nieskończonej pętli lub odpowiedź zajmuje mu więcej czasu, niż się spodziewano. -Możesz poczekać dłużej na odpowiedź lub przerwać debugowanie. - - - - Executable failed - Nie można uruchomić programu - Executable failed: %1 Nie można uruchomić programu: %1 @@ -3860,36 +24111,14 @@ Możesz poczekać dłużej na odpowiedź lub przerwać debugowanie.An exception was triggered: Rzucono wyjątek: - - Missing debug information for %1 -Try: %2 - Brak informacji debugowej dla %1 -Spróbuj: %2 - - - Cannot jump. Stopped - Nie można przeskoczyć. Zatrzymano - - - The selected build of GDB supports Python scripting, but the used version %1.%2 is not sufficient for Qt Creator. Supported versions are Python 2.7 and 3.x. - Wybrana wersja GDB obsługuje skrypty Pythona, lecz użyta wersja %1.%2 Pythona nie jest obsługiwana przez Qt Creatora. Obsługiwane wersje Pythona to 2.7 i 3.x. - Cannot continue debugged process: Nie można kontynuować debugowanego procesu: - - There is no GDB binary available for binaries in format "%1" - Brak dostępnego pliku binarnego GDB dla plików binarnych w formacie "%1" - Step requested... Zażądano wykonania kroku... - - Step by instruction requested... - Zażądano wykonania kroku o jedną instrukcję... - Finish function requested... Zażądano zakończenia funkcji... @@ -3898,10 +24127,6 @@ Spróbuj: %2 Step next requested... Zażądano wykonania następnego kroku... - - Step next instruction requested... - Zażądano wykonania następnego kroku o jedną instrukcję... - Run to line %1 requested... Zażądano wykonania do osiągnięcia linii %1... @@ -3910,10 +24135,6 @@ Spróbuj: %2 Run to function %1 requested... Zażądano wykonania do osiągnięcia funkcji %1... - - Retrieving data for stack view thread 0x%1... - Pobieranie danych dla widoku stosu w wątku 0x%1... - Retrieving data for stack view... Pobieranie danych dla widoku stosu... @@ -3922,10 +24143,6 @@ Spróbuj: %2 Cannot create snapshot: Nie można utworzyć zrzutu: - - The debugger settings point to a script file at "%1" which is not accessible. If a script file is not needed, consider clearing that entry to avoid this warning. - Ustawienia debuggera pokazują na skrypt "%1", który nie jest dostępny. Jeśli plik ze skryptem nie jest potrzebny, można go usunięć z ustawień w celu uniknięcia tego ostrzeżenia. - Failed to start application: Nie można uruchomić aplikacji: @@ -3942,18 +24159,6 @@ Spróbuj: %2 Nie można zatrzymać procesu aplikacji: %1 - - Application started - Uruchomiono aplikację - - - Application running - Aplikacja uruchomiona - - - Attached to stopped application - Dołączono do zatrzymanej aplikacji - Connecting to remote server failed: %1 @@ -3976,82 +24181,46 @@ Spróbuj: %2 The working directory "%1" is not usable. Katalog roboczy "%1" jest niezdatny do użycia. + + The DAP process failed to start. Either the invoked program "%1" is missing, or you may have insufficient permissions to invoke the program. + + + + The DAP process crashed some time after starting successfully. + + + + An error occurred when attempting to write to the DAP process. For example, the process may not be running, or it may have closed its input channel. + + + + An error occurred when attempting to read from the DAP process. For example, the process may not be running. + + + + An unknown error in the DAP process occurred. + + Adapter start failed Nie można uruchomić adaptera - Cannot find debugger initialization script - Nie można odnaleźć skryptu inicjalizującego dla debuggera + DAP I/O Error + An exception was triggered. Rzucono wyjątek. - - Library %1 loaded - Załadowano bibliotekę %1 - - - Library %1 unloaded - Wyładowano bibliotekę %1 - - - Thread group %1 created - Utworzono grupę wątków %1 - - - Thread %1 created - Utworzono wątek %1 - - - Thread group %1 exited - Zakończono grupę wątków %1 - - - Thread %1 in group %2 exited - Zakończono wątek %1 w grupie %2 - - - Thread %1 selected - Wybrano wątek %1 - Stopping temporarily Zatrzymywanie tymczasowe - - GDB not responding - GDB nie odpowiada - - - Give GDB more time - Poczekaj dłużej na GDB - - - Stop debugging - Zatrzymaj debugowanie - - - Process failed to start - Nie można uruchomić procesu - - - Setting breakpoints failed - Nie można ustawić pułapek - Executable Failed Nieudane uruchomienie - - Jumped. Stopped - Przeskoczono, Zatrzymano - - - Target line hit. Stopped - Osiągnięto linię docelową. Zatrzymano - Application exited with exit code %1 Aplikacja zakończyła się kodem wyjściowym %1 @@ -4060,10 +24229,6 @@ Spróbuj: %2 Application exited after receiving signal %1 Aplikacja zakończyła się po otrzymaniu sygnału %1 - - Application exited normally - Aplikacja zakończona prawidłowo - Value changed from %1 to %2. Wartość zmieniona z %1 na %2. @@ -4080,10 +24245,6 @@ Spróbuj: %2 Execution Error Błąd uruchamiania - - Failed to shut down application - Nie można zamknąć aplikacji - Immediate return from function requested... Zażądano natychmiastowego powrotu z funkcji... @@ -4092,10 +24253,6 @@ Spróbuj: %2 Setting up inferior... Ustawianie podprocesu... - - Failed to start application - Nie można uruchomić aplikacji - GDB I/O Error Błąd wejścia / wyjścia GDB @@ -4104,10 +24261,6 @@ Spróbuj: %2 Setting breakpoints... Ustawianie pułapek... - - Adapter crashed - Adapter przerwał pracę - General Ogólne @@ -4149,18 +24302,6 @@ markers in the source code editor. Load .gdbinit file on startup Ładuj plik .gdbinit przy uruchamianiu - - The number of seconds Qt Creator will wait before it terminates -a non-responsive GDB process. The default value of 20 seconds should -be sufficient for most applications, but there are situations when -loading big libraries or listing source files takes much longer than -that on slow machines. In this case, the value should be increased. - Czas wyrażony w sekundach, w ciągu którego Qt Creator będzie oczekiwał na odpowiedź -od procesu GDB, zanim go zakończy. Domyślna wartość 20 sekund powinna być -wystarczająca dla większości aplikacji, lecz mogą zdarzyć się sytuacje, że załadowanie -bibliotek o dużych rozmiarach lub wyświetlenie plików źródłowych zajmie dużo więcej -czasu na powolnych maszynach. W takich przypadkach wartość ta powinna zostać zwiększona. - <html><head/><body><p>Allows <i>Step Into</i> to compress several steps into one step for less noisy debugging. For example, the atomic reference @@ -4187,14 +24328,6 @@ receives a signal like SIGSEGV during debugging. Uses the default GDB pretty printers installed in your system or linked to the libraries your application uses. - - The options below should be used with care. - Poniższe opcje winny być użyte z rozwagą. - - - <html><head/><body>The options below give access to advanced or experimental functions of GDB. Enabling them may negatively impact your debugging experience.</body></html> - <html><head/><body>Poniższe opcje udostępniają zaawansowane lub eksperymentalne funkcje GDB. Odblokowanie ich może negatywnie wpłynąć na proces debugowania.</body></html> - Use asynchronous mode to control the inferior Używaj trybu asynchronicznego do kontrolowania podprocesu @@ -4215,34 +24348,14 @@ receives a signal like SIGSEGV during debugging. Use Intel style disassembly Używaj dezasemblacji w stylu Intel - - <html><head/><body>GDB shows by default AT&&T style disassembly.</body></html> - <html><head/><body>Domyślnie GDB prezentuje dezasemblację w stylu AT&&T.</body></html> - - - Create tasks from missing packages - Tworzy zadania na podstawie brakujących pakietów - - - <html><head/><body><p>Attempts to identify missing debug info packages and lists them in the Issues output pane.</p><p><b>Note:</b> This feature needs special support from the Linux distribution and GDB build and is not available everywhere.</p></body></html> - <html><head/><body><p>Próbuje zidentyfikować brakujący pakiety z informacją debugową i wyświetla je w oknie z problemami budowania.</p><p><b>Uwaga:</b> ta funkcja wymaga specjalnej obsługi ze strony dystrybucji Linuxa i specjalnej wersji GDB, nie jest ona zawsze dostępna.</p></body></html> - <p>To execute simple Python commands, prefix them with "python".</p><p>To execute sequences of Python commands spanning multiple lines prepend the block with "python" on a separate line, and append "end" on a separate line.</p><p>To execute arbitrary Python scripts, use <i>python execfile('/path/to/script.py')</i>.</p> <p>Aby uruchomić proste komendy Pythona, rozpocznij je od słowa "python".</p><p>Aby uruchomić sekwencję komend Pythona, zajmującą kilka linii, rozpocznij od słowa "pyhon" w osobnej linii i zakończ słowem "end" również w oddzielnej linii.</p><p>Aby uruchomić skrypt Pythona, użyj:<i>python execfile('/ścieżka/do/skryptu.py')</i>.</p> - - <html><head/><body><p>GDB commands entered here will be executed after GDB has been started, but before the debugged program is started or attached, and before the debugging helpers are initialized.</p>%1</body></html> - <html><head/><body><p>Wprowadzone tutaj komendy GDB zostaną wykonane zaraz po uruchomieniu GDB, ale przed uruchomieniem lub dołączeniem debugowanego programu i przed zainicjalizowaniem programów pomocniczych debuggera.</p>%1</body></html> - Additional Attach Commands Dodatkowe komendy po dołączeniu - - <html><head/><body><p>GDB commands entered here will be executed after GDB has successfully attached to remote targets.</p><p>You can add commands to further set up the target here, such as "monitor reset" or "load".</body></html> - <html><head/><body><p>Wprowadzone tutaj komendy GDB zostaną wykonane zaraz po poprawnym dołączeniu GDB do debugowanego programu. </p><p>Można tutaj dodać dalsze komendy konfigurujące uruchomiony program, takie jak: "monitor reset" lub "load".</body></html> - Extended Rozszerzenia @@ -4259,10 +24372,50 @@ receives a signal like SIGSEGV during debugging. Debug all child processes Debuguj wszystkie procesy potomne + + GDB commands entered here will be executed after GDB has been started, but before the debugged program is started or attached, and before the debugging helpers are initialized. + + + + GDB commands entered here will be executed after GDB has successfully attached to remote targets.</p><p>You can add commands to further set up the target here, such as "monitor reset" or "load". + + <html><head/><body>Keeps debugging all children after a fork.</body></html> <html><head/><body>Debuguje wszystkie dzieci po forku.</body></html> + + GDB shows by default AT&&T style disassembly. + + + + Use pseudo message tracepoints + + + + Uses Python to extend the ordinary GDB breakpoint class. + + + + Use automatic symbol cache + + + + It is possible for GDB to automatically save a copy of its symbol index in a cache on disk and retrieve it from there when loading the same binary in the future. + + + + The number of seconds before a non-responsive GDB process is terminated. +The default value of 20 seconds should be sufficient for most +applications, but there are situations when loading big libraries or +listing source files takes much longer than that on slow machines. +In this case, the value should be increased. + + + + The options below give access to advanced<br>or experimental functions of GDB.<p>Enabling them may negatively impact<br>your debugging experience. + + Additional Startup Commands Dodatkowe komendy uruchamiania @@ -4311,6 +24464,10 @@ receives a signal like SIGSEGV during debugging. Content as %1-bit Floating Point Values Zawartość jako %1-bitowe liczby zmiennoprzecinkowe + + A group of registers. + + Reload Register Listing Przeładuj listę rejestrów @@ -4335,6 +24492,38 @@ receives a signal like SIGSEGV during debugging. Open Disassembler... Otwórz dezasembler... + + RO + + + + WO + + + + RW + + + + N/A + Niedostępne + + + [%1..%2] + + + + Access + Dostęp + + + View Groups + + + + Format + Format + Hexadecimal Szesnastkowy @@ -4399,6 +24588,10 @@ receives a signal like SIGSEGV during debugging. Copy Contents to Clipboard Skopiuj zawartość do schowka + + Copy Selection to Clipboard + + Save as Task File... Zachowaj jako plik z zadaniem... @@ -4563,6 +24756,14 @@ receives a signal like SIGSEGV during debugging. %n bajtów + + Creation Time in ms + + + + Source + Źródło + Internal Type Typ wewnętrzny @@ -4575,10 +24776,6 @@ receives a signal like SIGSEGV during debugging. Internal ID Wewnętrzny identyfikator - - Debugger - Qt Creator - Debugger - Qt Creator - <empty> <pusty> @@ -4857,6 +25054,10 @@ receives a signal like SIGSEGV during debugging. Open Memory View at Pointer's Address Otwórz widok pamięci pod adresem wskaźnika + + Open Memory View Showing Stack Layout + + Open Memory Editor at Object's Address (0x%1) Otwórz edytor pamięci z adresem obiektu (0x%1) @@ -4889,6 +25090,14 @@ receives a signal like SIGSEGV during debugging. Treat All Characters as Printable Traktuj wszystkie znaki jako drukowalne + + Debugger - %1 + + + + Time + Czas + Show Unprintable Characters as Escape Sequences Pokazuj znaki niedrukowalne jako sekwencje specjalne @@ -4913,10 +25122,26 @@ receives a signal like SIGSEGV during debugging. Use Display Format Based on Type Używaj formatu wyświetlania bazując na typie + + Reset All Individual Formats + + Change Display for Type "%1": Zmień wyświetlanie dla typu "%1": + + Reset All Formats for Types + + + + Change Display Format for Selected Values + + + + Change Display for Objects + + Normal Normalny @@ -4969,6 +25194,10 @@ receives a signal like SIGSEGV during debugging. Octal Integer Liczba ósemkowa + + Char Code Integer + + Compact Float Liczba zmiennoprzecinkowa w postaci dziesiętnej @@ -4977,6 +25206,14 @@ receives a signal like SIGSEGV during debugging. Scientific Float Liczba zmiennoprzecinkowa w postaci wykładniczej + + Hexadecimal Float + + + + Normalized, with Power-of-Two Exponent + + %1 Object at %2 Obiekt %1 pod adresem %2 @@ -4985,6 +25222,10 @@ receives a signal like SIGSEGV during debugging. %1 Object at Unknown Address Obiekt %1 pod nieznanym adresem + + Size: %1x%2, %3 byte, format: %4, depth: %5 + Rozmiar: %1x%2, %3 bajtów, format: %4, głębokość: %5 + Are you sure you want to remove all expression evaluators? Czy usunąć wszystkie procedury przetwarzające? @@ -5023,9 +25264,2595 @@ sprawdź ustawienia w Więcej szczegółów w /etc/sysctl.d/10-ptrace.conf + + CDB + CDB + + + Python Error + Błąd Pythona + + + Pdb I/O Error + Błąd wejścia / wyjścia Pdb + + + The Pdb process failed to start. Either the invoked program "%1" is missing, or you may have insufficient permissions to invoke the program. + Nie można rozpocząć procesu Pdb. Brak programu "%1" albo brak wymaganych uprawnień aby go uruchomić. + + + The Pdb process crashed some time after starting successfully. + Proces Pdb przerwał pracę po poprawnym uruchomieniu. + + + An error occurred when attempting to write to the Pdb process. For example, the process may not be running, or it may have closed its input channel. + Wystąpił błąd podczas próby pisania do procesu Pdb. Być może proces nie jest uruchomiony lub zamknął on swój kanał wejściowy. + + + An error occurred when attempting to read from the Pdb process. For example, the process may not be running. + Wystąpił błąd podczas próby czytania z procesu Pdb. Być może proces nie jest uruchomiony. + + + An unknown error in the Pdb process occurred. + Wystąpił nieznany błąd w procesie Pdb. + + + Debugger Error + Błąd debuggera + + + Failed to Start the Debugger + Nie można uruchomić debuggera + + + There is no CDB executable specified. + Brak podanego pliku wykonywalnego CDB. + + + Internal error: The extension %1 cannot be found. +If you have updated %2 via Maintenance Tool, you may need to rerun the Tool and select "Add or remove components" and then select the Qt > Tools > Qt Creator CDB Debugger Support component. +If you build %2 from sources and want to use a CDB executable with another bitness than your %2 build, you will need to build a separate CDB extension with the same bitness as the CDB you want to use. + + + + Trace point %1 in thread %2 triggered. + + + + Conditional breakpoint %1 in thread %2 triggered, examining expression "%3". + + + + The installed %1 is missing debug information files. +Locals and Expression might not be able to display all Qt types in a human readable format. + +Install the "Qt Debug Information Files" Package from the Maintenance Tool for this Qt installation to get all relevant symbols for the debugger. + + + + Missing Qt Debug Information + + + + Debugger Start Failed + + + + The system prevents loading of "%1", which is required for debugging. Make sure that your antivirus solution is up to date and if that does not work consider adding an exception for "%1". + + + + Module loaded: %1 + + + + Cannot Find Debugger Initialization Script + + + + Cannot read "%1": %2 + + + + Debugger encountered an exception: %1 + Wystąpił wyjątek debuggera: %1 + + + Unsupported CDB host system. + System hosta nieobsługiwany przez CDB. + + + Malformed stop response received. + Niepoprawna odpowiedź na stop. + + + Switching to main thread... + Przełączanie do głównego wątku... + + + Value %1 obtained from evaluating the condition of breakpoint %2, stopping. + Wartość %1 otrzymana po spełnieniu warunku pułapki %2, zatrzymano. + + + Value 0 obtained from evaluating the condition of breakpoint %1, continuing. + Wartość 0 otrzymana po spełnieniu warunku pułapki %1, kontynuowanie. + + + Select Local Cache Folder + Wybierz katalog z lokalnym cache'em + + + Already Exists + Już istnieje + + + A file named "%1" already exists. + Plik o nazwie "%1" już istnieje. + + + The folder "%1" could not be created. + Nie można utworzyć katalogu "%1". + + + Cannot Create + Nie można utworzyć + + + Clear Contents + Wyczyść zawartość + + + Save Contents + Zachowaj zawartość + + + Reload Debugging Helpers + Przeładuj programy pomocnicze debuggera + + + Type Ctrl-<Return> to execute a line. + Naciśnij Ctrl-<Return> aby wykonać linię. + + + Debugger &Log + &Log debuggera + + + Repeat last command for debug reasons. + Powtórz ostatnią komendę z przyczyn debugowych. + + + Note: This log contains possibly confidential information about your machine, environment variables, in-memory data of the processes you are debugging, and more. It is never transferred over the internet by %1, and only stored to disk if you manually use the respective option from the context menu, or through mechanisms that are not under the control of %1's Debugger plugin, for instance in swap files, or other plugins you might use. +You may be asked to share the contents of this log when reporting bugs related to debugger operation. In this case, make sure your submission does not contain data you do not want to or you are not allowed to share. + + + + + + Global Debugger &Log + + + + User commands are not accepted in the current state. + Komendy użytkownika nie są akceptowalne w bieżącym stanie. + + + Log File + Plik logu + + + Internal Name + Wewnętrzna nazwa + + + Full Name + Pełna nazwa + + + Reload Data + Przeładuj dane + + + Open File + Otwórz plik + + + Open File "%1" + Otwórz plik "%1" + + + Analyzer + Analizator + + + Start a CDB Remote Session + Uruchom zdalną sesję CDB + + + &Connection: + &Połączenie: + + + No function selected. + Nie wybrano żadnej funkcji. + + + Running to function "%1". + Uruchomiono do osiągnięcia funkcji "%1". + + + Attaching to local process %1. + Dołączanie do procesu lokalnego %1. + + + Attaching to remote server %1. + Dołączanie do zdalnego serwera %1. + + + Executable file "%1" + Plik wykonywalny: %1 + + + Debugging file %1. + Debugowanie pliku %1. + + + Core file "%1" + Plik zrzutu "%1" + + + Attaching to core file %1. + Dołączanie do pliku zrzutu %1. + + + Crashed process %1 + Proces %1 przerwał pracę + + + Attaching to crashed process %1 + Dołączanie do przerwanego procesu %1 + + + Warning + Ostrzeżenie + + + 0x%1 hit + Message tracepoint: Address hit. + Osiągnięto 0x%1 + + + %1:%2 %3() hit + Message tracepoint: %1 file, %2 line %3 function hit. + Osiągnięto %1:%2 %3() + + + Add Message Tracepoint + Dodaj punkt śledzenia + + + Message: + Komunikat: + + + Debugger Runtime + Program debuggera + + + &Breakpoints + &Pułapki + + + &Modules + &Moduły + + + Reg&isters + &Rejestry + + + &Stack + &Stos + + + &Threads + &Wątki + + + Cannot attach to process with PID 0 + Nie można dołączyć do procesu z PID 0 + + + It is only possible to attach to a locally running process. + Możliwe jest dołączenie do lokalnie uruchomionego procesu. + + + Set Breakpoint at 0x%1 + Ustaw pułapkę w 0x%1 + + + Set Message Tracepoint at 0x%1... + Ustaw komunikat pod 0x%1... + + + Save Debugger Log + Zachowaj log debuggera + + + Debugger finished. + Debugger zakończył pracę. + + + Continue + Kontynuuj + + + Interrupt + Przerwij + + + Abort Debugging + Przerwij debugowanie + + + Aborts debugging and resets the debugger to the initial state. + Przerywa debugowanie i przywraca debugger do stanu początkowego. + + + Step Over + Przeskocz + + + Debugger Location + + + + Continue %1 + + + + Interrupt %1 + + + + Step Into + Wskocz do wnętrza + + + Step Out + Wyskocz na zewnątrz + + + Run to Line + Uruchom do linii + + + Run to Selected Function + Uruchom do zaznaczonej funkcji + + + Immediately Return From Inner Function + Powróć natychmiast z wewnętrznej funkcji + + + Jump to Line + Skocz do linii + + + Reverse Direction + Odwrotny kierunek + + + Move to Called Frame + Przenieś do wywołanej ramki + + + Move to Calling Frame + Przenieś do wołającej ramki + + + Error evaluating command line arguments: %1 + Błąd podczas obliczania argumentów komendy: %1 + + + Start Debugging + Rozpocznij debugowanie + + + Start and Debug External Application... + Uruchom i zdebuguj zewnętrzną aplikację... + + + Attach to QML Port... + Dołącz do portu QML... + + + Attach to Remote CDB Session... + Dołącz do zdalnej sesji CDB... + + + Start and Break on Main + + + + DAP + + + + Valgrind + Category under which Analyzer tasks are listed in Issues view + Valgrind + + + Issues that the Valgrind tools found when analyzing the code. + + + + Issues with starting the debugger. + + + + Breakpoint Preset + + + + Running Debuggers + + + + Debugger Perspectives + + + + Start Debugging or Continue + + + + Detach Debugger + Odłącz debugger + + + Interrupt Debugger + Przerwij debugger + + + Remove Breakpoint + + + + Edit Breakpoint... + + + + Start + + + + Stop + Zatrzymaj + + + Stop Debugger + Zatrzymaj debugger + + + Process Already Under Debugger Control + Proces jest już debugowany + + + Set Breakpoint at Line %1 + Ustaw pułapkę w linii %1 + + + Set Message Tracepoint at Line %1... + Ustaw komunikat w linii %1... + + + Disassemble Function "%1" + Zdezasembluj funkcję "%1" + + + Starting debugger "%1" for ABI "%2"... + Uruchamianie debuggera "%1" dla ABI "%2"... + + + Ctrl+Y + Ctrl+Y + + + F5 + F5 + + + Attach to Running Debug Server... + Dołącz do uruchomionego serwera debugowego... + + + Select + Wybierz + + + Start Debugging Without Deployment + Rozpocznij debugowanie z pominięciem instalowania + + + Start debugging of startup project + + + + Start Debugging of Startup Project + + + + Reload debugging helpers skipped as no engine is running. + + + + &Attach to Process + &Dołącz do procesu + + + The process %1 is already under the control of a debugger. +%2 cannot attach to it. + + + + Not a Desktop Device Type + Urządzenie nie jest desktopowe + + + Select a valid expression to evaluate. + do przetworzenia? + Wybierz poprawne wyrażenie do przetworzenia. + + + &Analyze + &Analiza + + + Memory... + Pamięć... + + + Source Files + Pliki źródłowe + + + Restart Debugging + Ponownie rozpocznij debugowanie + + + Restart the debugging session. + Ponownie rozpoczyna sesję debugową. + + + Load Core File... + Załaduj plik zrzutu... + + + Attach to Running Application... + Dołącz do uruchomionej aplikacji... + + + Attach to Unstarted Application... + Dołącz do nieuruchomionej aplikacji... + + + Attach to Running Application + Dołącz do uruchomionej aplikacji + + + Attach to Unstarted Application + Dołącz do nieuruchomionej aplikacji + + + Shift+Ctrl+Y + Shift+Ctrl+Y + + + Shift+F5 + Shift+F5 + + + Reset Debugger + Zresetuj debugger + + + Ctrl+Shift+O + Ctrl+Shift+O + + + F10 + F10 + + + Ctrl+Shift+I + Ctrl+Shift+I + + + F11 + F11 + + + Ctrl+Shift+T + Ctrl+Shift+T + + + Shift+F11 + Shift+F11 + + + Shift+F8 + Shift+F8 + + + Ctrl+F10 + Ctrl+F10 + + + Ctrl+F6 + Ctrl+F6 + + + F8 + F8 + + + F9 + F9 + + + Show Application on Top + Pokazuj aplikację na wierzchu + + + Threads: + Wątki: + + + <new source> + <nowe źródło> + + + <new target> + <nowe przeznaczenie> + + + Source path + Ścieżka do źródła + + + Target path + Ścieżka docelowa + + + Add + Dodaj + + + Add Qt sources... + Dodaj źródła Qt... + + + Source Paths Mapping + Mapowanie ścieżek źródłowych + + + <p>Add a mapping for Qt's source folders when using an unpatched version of Qt. + + + + <p>The source path contained in the debug information of the executable as reported by the debugger + <p>Ścieżka źródłowa, zawarta w informacji debugowej pliku wykonywalnego, uzyskana przed debuggera + + + <p>The actual location of the source tree on the local machine + <p>Faktyczne położenie drzewa źródeł w lokalnej maszynie + + + &Source path: + Ś&cieżka do źródła: + + + <p>Mappings of source file folders to be used in the debugger can be entered here.</p><p>This is useful when using a copy of the source tree at a location different from the one at which the modules where built, for example, while doing remote debugging.</p><p>If source is specified as a regular expression by starting it with an open parenthesis, the paths in the ELF are matched with the regular expression to automatically determine the source path.</p><p>Example: <b>(/home/.*/Project)/KnownSubDir -> D:\Project</b> will substitute ELF built by any user to your local project directory.</p> + + + + &Target path: + Ścieżka &docelowa: + + + Qt Sources + Źródła Qt + + + Memory at Register "%1" (0x%2) + Pamięć pod rejestrem "%1" (0x%2) + + + Register "%1" + Rejestr "%1" + + + Memory at 0x%1 + Pamięć w 0x%1 + + + No application output received in time + Nie otrzymano o czasie żadnego wyjściowego komunikatu aplikacji + + + Could not connect to the in-process QML debugger. +Do you want to retry? + Nie można podłączyć się do wewnątrzprocesowego debuggera QML. +Ponowić próbę? + + + JS Source for %1 + Źródło JS dla %1 + + + Could not connect to the in-process QML debugger. %1 + Nie można podłączyć się do wewnątrzprocesowego debuggera QML. %1 + + + Starting %1 + + + + Waiting for JavaScript engine to interrupt on next statement. + Oczekiwanie na przerwanie wykonywania następnej instrukcji przez silnik JavaScript. + + + Run to line %1 (%2) requested... + Zażądano uruchomienia do linii %1 (%2)... + + + Cannot evaluate %1 in current stack frame. + + + + QML Debugger disconnected. + Debugger QML rozłączony. + + + Context: + Kontekst: + + + Global QML Context + Globalny kontekst QML + + + QML Debugger: Connection failed. + Debugger QML: błąd połączenia. + + + C++ exception + Wyjątek C++ + + + Thread creation + Utworzenie wątku + + + Thread exit + Zakończenie wątku + + + Load module: + Załadowanie modułu: + + + Unload module: + Wyładowanie modułu: + + + Output: + Komunikaty: + + + Break On + + + + Add Exceptions to Issues View + + + + Use alternating row colors in debug views + Używaj naprzemiennych kolorów wierszy w widokach debugowych + + + Changes the font size in the debugger views when the font size in the main editor changes. + Zmienia rozmiar czcionki w widokach debuggera, gdy zostanie on zmieniony w głównym edytorze. + + + Debugger font size follows main editor + Rozmiar czcionki debuggera wzięty z głównego edytora + + + Stopping and stepping in the debugger will automatically open views associated with the current location. + Zatrzymanie i kroczenie w debuggerze automatycznie otworzy widoki związane z bieżącym położeniem. + + + Close temporary source views on debugger exit + Zamykaj tymczasowe widoki ze źródłami po zakończeniu debugowania + + + Close temporary memory views on debugger exit + Zamykaj tymczasowe widoki pamięci po zakończeniu debugowania + + + Closes automatically opened source views when the debugger exits. + Zamyka automatycznie otwarte widoki ze źródłami po zakończeniu debugowania. + + + Closes automatically opened memory views when the debugger exits. + Zamyka automatycznie otwarte widoki pamięci po zakończeniu debugowania. + + + Switch to previous mode on debugger exit + Przełączaj do poprzedniego trybu po zakończeniu debugowania + + + Shows QML object tree in Locals and Expressions when connected and not stepping. + Pokazuje drzewo obiektów QML w widoku "Zmienne lokalne i wyrażenia" gdy podłączono i nie kroczy. + + + Show QML object tree + Pokazuj drzewo obiektów QML + + + Enables a full file path in breakpoints by default also for GDB. + Domyślnie odblokowuje pełne ścieżki w pułapkach również dla GDB. + + + Set breakpoints using a full absolute path + Używaj pełnych, bezwzględnych ścieżek w pułapkach + + + Warn when debugging "Release" builds + Ostrzegaj przed debugowaniem wersji release'owej + + + Shows a warning when starting the debugger on a binary with insufficient debug information. + Pokazuje ostrzeżenie przy rozpoczęciu debugowania programu, w którym brak wystarczającej informacji debugowej. + + + Keep editor stationary when stepping + Wyłącz centrowanie bieżącej linii podczas kroczenia + + + Scrolls the editor only when it is necessary to keep the current line in view, instead of keeping the next statement centered at all times. + Przewija edytor jedynie, gdy jest to konieczne do pokazania bieżącej linii w widoku, zamiast centrowania bieżącej linii za każdym razem. + + + Maximum stack depth: + Maksymalna głębokość stosu: + + + <unlimited> + <nieograniczona> + + + Stop when %1() is called + Zatrzymuj przy wywołaniu %1() + + + Always adds a breakpoint on the <i>%1()</i> function. + Zawsze dodawaj pułapkę w funkcji <i>%1()</i>. + + + Attach to %1 + + + + &Port: + &Port: + + + <html><body><p>The remote CDB needs to load the matching %1 CDB extension (<code>%2</code> or <code>%3</code>, respectively).</p><p>Copy it onto the remote machine and set the environment variable <code>%4</code> to point to its folder.</p><p>Launch the remote CDB as <code>%5 &lt;executable&gt;</code> to use TCP/IP as communication protocol.</p><p>Enter the connection parameters as:</p><pre>%6</pre></body></html> + + + + Start Remote Engine + Uruchom zdalny silnik + + + &Host: + &Host: + + + &Username: + Nazwa &użytkownika: + + + &Password: + H&asło: + + + &Engine path: + Ścieżka do &silnika: + + + &Inferior path: + Ścieżka do &podprocesu: + + + Type Formats + Formaty typów + + + Qt Types + Typy Qt + + + Standard Types + Standardowe typy + + + Misc Types + Inne typy + + + Attaching to process %1. + Dołączanie do procesu %1. + + + Failed to attach to application: %1 + Nie można dołączyć do aplikacji: %1 + + + Error Loading Core File + Błąd podczas ładowania pliku zrzutu + + + Library %1 loaded. + + + + Library %1 unloaded. + + + + Thread group %1 created. + + + + Thread %1 created. + + + + Thread group %1 exited. + + + + Thread %1 in group %2 exited. + + + + Thread %1 selected. + + + + Stopping temporarily. + + + + The gdb process has not responded to a command within %n seconds. This could mean it is stuck in an endless loop or taking longer than expected to perform the operation. +You can choose between waiting longer or aborting debugging. + + + + + + + + GDB Not Responding + + + + Give GDB More Time + + + + Process failed to start. + + + + Setting Breakpoints Failed + + + + Cannot jump. Stopped. + + + + Jumped. Stopped. + + + + Target line hit, and therefore stopped. + + + + Application exited normally. + + + + The selected build of GDB supports Python scripting, but the used version %1.%2 is not sufficient for %3. Supported versions are Python 2.7 and 3.x. + + + + Failed to Shut Down Application + + + + There is no GDB binary available for binaries in format "%1". + + + + Retrieving data for stack view thread %1... + + + + The debugger settings point to a script file at "%1", which is not accessible. If a script file is not needed, consider clearing that entry to avoid this warning. + + + + Adapter Start Failed + + + + Failed to Start Application + + + + Application started. + + + + Application running. + + + + Attached to stopped application. + + + + The specified file does not appear to be a core file. + Podany plik nie wydaje się być plikiem zrzutu. + + + Error Loading Symbols + Błąd ładowania symboli + + + No executable to load symbols from specified core. + Brak pliku wykonywalnego, z którego należy załadować symbole dla podanego zrzutu. + + + Attached to running application. + + + + Symbols found. + Symbole odnalezione. + + + No symbols found in the core file "%1". + + + + Try to specify the binary in Debug > Start Debugging > Load Core File. + + + + This can be caused by a path length limitation in the core file. + To może być spowodowane ograniczeniem długości ścieżek w pliku zrzutu. + + + Attached to core. + Dołączono do zrzutu. + + + Attach to core "%1" failed: + Dołączenie do zrzutu "%1" niepoprawnie zakończone: + + + Continuing nevertheless. + Mimo to praca jest kontynuowana. + + + The last waitFor...() function timed out. The state of QProcess is unchanged, and you can try calling waitFor...() again. + Przekroczono czas oczekiwania na powrót z ostatniego wywołania funkcji waitFor...(). Stan QProcess się nie zmienił, możesz ponownie spróbować wywołać waitFor...(). + + + Error + Błąd + + + No symbol file given. + Brak pliku z symbolami. + + + No Remote Executable or Process ID Specified + Nie podano zdalnego pliku wykonywalnego lub identyfikatora procesu + + + No remote executable could be determined from your build system files.<p>In case you use qmake, consider adding<p>&nbsp;&nbsp;&nbsp;&nbsp;target.path = /tmp/your_executable # path on device<br>&nbsp;&nbsp;&nbsp;&nbsp;INSTALLS += target</p>to your .pro file. + Nie można określić zdalnego pliku wykonywalnego na podstawie zbudowanych plików.<p>W przypadku użycia qmake pomóc może dodanie<p>&nbsp;&nbsp;&nbsp;&nbsp;target.path = /tmp/twój plik wykonywalny # ścieżka na urządzeniu<br>&nbsp;&nbsp;&nbsp;&nbsp;INSTALLS += target</p>do pliku pro. + + + Continue Debugging + Kontynuuj debugowanie + + + Stop Debugging + Zatrzymaj debugowanie + + + Remote: "%1" + Zdalny: "%1" + + + Module Name + Nazwa modułu + + + Module Path + Ścieżka do modułu + + + Symbols Read + Symbole przeczytane + + + Symbols Type + Typ symboli + + + Start Address + Adres początkowy + + + End Address + Adres końcowy + + + Success: + Zakończono poprawnie: + + + <anonymous> + <anonimowy> + + + Properties + Właściwości + + + Perspective + + + + Debugged Application + + + + Create Snapshot + Utwórz zrzut + + + Abort Debugger + + + + Locals and Expressions + Zmienne lokalne i wyrażenia + + + Start Debugger + Uruchom debugger + + + Override server channel: + Nadpisz kanał serwera: + + + For example, %1 + "For example, /dev/ttyS0, COM1, 127.0.0.1:1234" + Na przykład: %1 + + + Select Executable + Wybierz plik wykonywalny + + + Server port: + Port serwera: + + + Select Working Directory + Wybierz katalog roboczy + + + Select Location of Debugging Information + Wybierz położenie informacji debugowej + + + Base path for external debug information and debug sources. If empty, $SYSROOT/usr/lib/debug will be chosen. + Bazowa ścieżka do zewnętrznej informacji debugowej i źródeł debugowych. Jeśli to pole pozostanie puste, użyta zostanie ścieżka:$SYSROOT/usr/lib/debug. + + + &Kit: + &Zestaw narzędzi: + + + Local &executable: + Lokalny plik &wykonywalny: + + + Command line &arguments: + &Argumenty linii komend: + + + &Working directory: + Katalog &roboczy: + + + Run in &terminal: + Uruchom w &terminalu: + + + Break at "&main": + Przerwij w "&main": + + + Use target extended-remote to connect: + + + + Debug &information: + &Informacja debugowa: + + + Normally, the running server is identified by the IP of the device in the kit and the server port selected above. +You can choose another communication channel here, such as a serial line or custom ip:port. + + + + Select SysRoot Directory + + + + This option can be used to override the kit's SysRoot setting. + + + + Override S&ysRoot: + + + + This option can be used to send the target init commands. + + + + &Init commands: + + + + This option can be used to send the target reset commands. + + + + &Reset commands: + + + + &Recent: + &Ostatni: + + + None + Brak + + + The debugger to use for this kit. + Debugger użyty w tym zestawie narzędzi. + + + No debugger set up. + Brak ustawionego debuggera. + + + Debugger "%1" not found. + Brak debuggera "%1". + + + Debugger "%1" not executable. + Debugger "%1" nie jest plikiem wykonywalnym. + + + The debugger location must be given as an absolute path (%1). + Należy podać absolutną ścieżkę do debuggera (%1). + + + Type of Debugger Backend + Typ back-endu debuggera + + + Unknown debugger version + Nieznana wersja debuggera + + + Unknown debugger ABI + Nieznane ABI debuggera + + + The ABI of the selected debugger does not match the toolchain ABI. + ABI wybranego debuggera nie pasuje do ABI zestawu narzędzi. + + + Name of Debugger + Nazwa debuggera + + + Unknown debugger + Nieznany debugger + + + Unknown debugger type + Nieznany typ debuggera + + + No Debugger + Brak debuggera + + + %1 Engine + Silnik %1 + + + %1 <None> + %1 <Brak> + + + %1 using "%2" + %1 używający "%2" + + + <html><head/><body><p>The debugger is not configured to use the public Microsoft Symbol Server.<br/>This is recommended for retrieval of the symbols of the operating system libraries.</p><p><span style=" font-style:italic;">Note:</span> It is recommended, that if you use the Microsoft Symbol Server, to also use a local symbol cache.<br/>A fast internet connection is required for this to work smoothly,<br/>and a delay might occur when connecting for the first time and caching the symbols.</p><p>What would you like to set up?</p></body></html> + <html><head/><body><p>Debugger nie jest skonfigurowany do użycia publicznego Microsoft Symbol Servera.<br/>Zalecane jest pobranie symboli dla bibliotek systemu operacyjnego. </p><p><span style=" font-style:italic;"><i>Uwaga:</i> Zalecane jest używanie lokalnego cache'a z symbolami wraz z Microsoft Symbol Serverem.<br/>Wymagane jest szybkie połączenie z internetem do płynnego działania.<br>Może wystąpić opóźnienie przy pierwszym połączeniu i cache'owaniu symboli.</p><p>Czy skonfigurować?</p></body></html> + + + Use Local Symbol Cache + Użyj lokalnego cache'a z symbolami + + + Use Microsoft Symbol Server + Użyj Microsoft Symbol Servera + + + Set up Symbol Paths + Ustaw ścieżki z symbolami + + + Symbol Paths + Ścieżki z symbolami + + + Source Paths + Ścieżki ze źródłami + + + CDB Paths + Ścieżki CDB + + + Debugger settings + Ustawienia debuggera + + + Unable to start LLDB "%1": %2 + Nie można uruchomić LLDB "%1": %2 + + + Interrupt requested... + Zażądano przerwy... + + + Adapter start failed. + + + + LLDB I/O Error + Błąd wejścia / wyjścia LLDB + + + The LLDB process failed to start. Either the invoked program "%1" is missing, or you may have insufficient permissions to invoke the program. + Nie można rozpocząć procesu LLDB. Brak programu "%1" albo brak wymaganych uprawnień aby go uruchomić. + + + The LLDB process crashed some time after starting successfully. + Proces LLDB przerwał pracę po poprawnym uruchomieniu. + + + An error occurred when attempting to write to the LLDB process. For example, the process may not be running, or it may have closed its input channel. + Wystąpił błąd podczas próby pisania do procesu LLDB. Być może proces nie jest uruchomiony lub zamknął on swój kanał wejściowy. + + + An unknown error in the LLDB process occurred. + Wystąpił nieznany błąd w procesie LLDB. + + + An error occurred when attempting to read from the Lldb process. For example, the process may not be running. + Wystąpił błąd podczas próby czytania z procesu Lldb. Być może proces nie jest uruchomiony. + + + Not recognized + Nierozpoznany + + + Could not determine debugger type + Nie można określić typu debuggera + + + Unknown + Nieznany + + + Path: + Ścieżka: + + + Type: + Typ: + + + ABIs: + ABI: + + + Version: + Wersja: + + + 64-bit version + w wersji 64 bitowej + + + 32-bit version + w wersji 32 bitowej + + + Starting executable failed: + Nie można uruchomić programu: + + + Cannot set up communication with child process: %1 + Nie można ustanowić połączenia z podprocesem: %1 + + + Attach to Process Not Yet Started + Dołącz do nieuruchomionego procesu + + + Reset + Reset + + + Reopen dialog when application finishes + Ponownie otwórz dialog po zakończeniu aplikacji + + + Reopens this dialog when application finishes. + Ponownie otwórz ten dialog po zakończeniu aplikacji. + + + Continue on attach + Kontynuuj po dołączeniu + + + Debugger does not stop the application after attach. + Debugger nie zatrzyma aplikacji po dołączeniu. + + + Start Watching + Rozpocznij obserwację + + + Kit: + Zestaw narzędzi: + + + Executable: + Plik wykonywalny: + + + Stop Watching + + + + Select valid executable. + Wybierz poprawny plik wykonywalny. + + + Not watching. + Brak obserwacji. + + + Waiting for process to start... + Oczekiwanie na uruchomienie procesu... + + + Attach + Dołącz + + + Debugging Helper Customization + Konfiguracja programów pomocniczych debuggera + + + Extra Debugging Helpers + Dodatkowe programy pomocnicze debuggera + + + Path to a Python file containing additional data dumpers. + Ścieżka do pliku Pythona zawierającego dodatkowe skrypty generujące zrzuty danych. + + + The maximum length of string entries in the Locals and Expressions views. Longer than that are cut off and displayed with an ellipsis attached. + + + + Maximum string length: + Maksymalna długość ciągu tekstowego: + + + Display string length: + Wyświetlaj długości ciągów tekstowych: + + + Debug + Debug + + + Ctrl+F8 + + + + Ctrl+F9 + + + + Debugger Preset + + + + CMake Preset + + + + GDB Preset + + + + Python Preset + + + + DAP Breakpoint Preset + + + + DAP Debugger Perspectives + + + + Start DAP Debugging + + + + Option "%1" is missing the parameter. + Brak parametru w opcji "%1". + + + Only one executable allowed. + Dozwolony jest tylko jeden plik wykonywalny. + + + The parameter "%1" of option "%2" does not match the pattern <handle>:<pid>. + Parametr "%1" opcji "%2" nie pasuje do wzoru <uchwyt>:<pid>. + + + Invalid debugger option: %1 + Niepoprawna opcja debuggera: %1 + + + Process %1 + %1: PID + Proces %1 + + + Symbol + Symbol + + + Code + Kod + + + Section + Sekcja + + + Symbols in "%1" + Symbole w "%1" + + + From + Od + + + To + Do + + + Flags + Flagi + + + Sections in "%1" + Sekcje w "%1" + + + Debugger + Debugger + + + Cannot start %1 without a project. Please open the project and try again. + Nie można uruchomić %1 bez projektu. Otwórz projekt i spróbuj ponownie. + + + Profile + Profilowanie + + + Release + Release + + + in Debug mode + w trybie Debug + + + in Profile mode + w trybie Profilowania + + + in Release mode + w trybie Release + + + with debug symbols (Debug or Profile mode) + z symbolami debugowymi (tryb Debug lub Profilowania) + + + on optimized code (Profile or Release mode) + z kodem zoptymalizowanym (tryb Profilowania lub Release) + + + Run %1 in %2 Mode? + Uruchomić %1 w trybie %2? + + + <html><head/><body><p>You are trying to run the tool "%1" on an application in %2 mode. The tool is designed to be used %3.</p><p>Run-time characteristics differ significantly between optimized and non-optimized binaries. Analytical findings for one mode may or may not be relevant for the other.</p><p>Running tools that need debug symbols on binaries that don't provide any may lead to missing function names or otherwise insufficient output.</p><p>Do you want to continue and run the tool in %2 mode?</p></body></html> + + + + Not enough free ports for QML debugging. + Niewystarczająca ilość wolnych portów do debugowania QML. + + + %1 (Previous) + %1 (poprzedni) + + + Value + Wartość + + + Expression %1 in function %2 from line %3 to %4 + Wyrażenie %1 w funkcji %2 od linii %3 do %4 + + + No valid expression + Brak poprawnego wyrażenia + + + %1 (Restored) + %1 (przywrócony) + + + Expression too complex + Wyrażenie zbyt skomplikowane + + + Attempting to interrupt. + Próba przerwania. + + + No Memory Viewer Available + Brak dostępnej przeglądarki pamięci + + + The memory contents cannot be shown as no viewer plugin for binary data has been loaded. + Zawartość pamięci nie może zostać pokazana, ponieważ nie załadowano żadnej wtyczki obsługującej dane binarne. + + + Launching Debugger + Uruchamianie debuggera + + + Loading finished. + Zakończono ładowanie. + + + Run failed. + Nieudane uruchomienie. + + + Running. + Uruchomiono. + + + Stopped. + Zatrzymano. + + + Run requested... + Zażądano uruchomienia... + + + The %1 process terminated. + Proces %1 zakończył pracę. + + + The %2 process terminated unexpectedly (exit code %1). + Proces %2 nieoczekiwanie zakończył pracę (kod %1). + + + Unexpected %1 Exit + Nieoczekiwane zakończenie %1 + + + Debugging complex command lines is currently not supported on Windows. + Debugowanie złożonych linii komend nie jest obecnie obsługiwane w systemie Windows. + + + Taking notice of pid %1 + Zwracanie uwagi na pid %1 + + + Could not find a widget. + Nie można odnaleźć widżetu. + + + This debugger cannot handle user input. + Ten debugger nie obsługuje poleceń wejściowych użytkownika. + + + Stopped: "%1". + Zatrzymano: "%1". + + + Stopped: %1 (Signal %2). + Zatrzymano: %1 (sygnał %2). + + + Stopped in thread %1 by: %2. + Zatrzymano w wątku %1 przez %2. + + + Interrupted. + Przerwano. + + + <Unknown> + name + <Nieznana> + + + <Unknown> + meaning + <Nieznane> + + + <p>The inferior stopped because it received a signal from the operating system.<p><table><tr><td>Signal name : </td><td>%1</td></tr><tr><td>Signal meaning : </td><td>%2</td></tr></table> + <p>Podproces zatrzymany, ponieważ otrzymał on sygnał z systemu operacyjnego.<p><table><tr><td>Nazwa sygnału: </td><td>%1</td></tr><tr><td>Znaczenie sygnału: </td><td>%2</td></tr></table> + + + Signal Received + Otrzymano sygnał + + + <p>The inferior stopped because it triggered an exception.<p>%1 + <p>Podproces zatrzymany z powodu rzuconego wyjątku.<p>%1 + + + Exception Triggered + Rzucono wyjątek + + + The inferior is in the Portable Executable format. +Selecting %1 as debugger would improve the debugging experience for this binary format. + + + + The selected debugger may be inappropriate for the inferior. +Examining symbols and setting breakpoints by file name and line number may fail. + + + + + The inferior is in the ELF format. +Selecting GDB or LLDB as debugger would improve the debugging experience for this binary format. + + + + Set or Remove Breakpoint + + + + Enable or Disable Breakpoint + + + + Record Information to Allow Reversal of Direction + + + + Take Snapshot of Process State + + + + Switches the debugger to instruction-wise operation mode. In this mode, stepping operates on single instructions and the source location view also shows the disassembled instructions. + + + + Peripheral Reg&isters + + + + &Expressions + + + + Restarts the debugging session. + + + + Current debugger location of %1 + + + + Debugging has failed. + + + + Record information to enable stepping backwards. + + + + Note: + + + + This feature is very slow and unstable on the GDB side. It exhibits unpredictable behavior when going backwards over system calls and is very likely to destroy your debugging session. + + + + Operate in Reverse Direction + + + + Reverse-execution history exhausted. Going forward again. + + + + Reverse-execution recording failed. + + + + %1 for "%2" + e.g. LLDB for "myproject", shows up i + + + + Finished retrieving data. + + + + Found. + Znaleziono. + + + Not found. + Nie znaleziono. + + + Section %1: %2 + Sekcja %1: %2 + + + This does not seem to be a "Debug" build. +Setting breakpoints by file name and line number may fail. + To nie jest wersja debugowa. +Ustawianie pułapek w liniach plików może się nie udać. + + + Run to Address 0x%1 + Uruchom do adresu 0x%1 + + + Run to Line %1 + Uruchom do linii %1 + + + Jump to Address 0x%1 + Skocz do adresu 0x%1 + + + Jump to Line %1 + Skocz do linii %1 + + + Clone + Sklonuj + + + Remove + Usuń + + + Clone of %1 + Klon %1 + + + Generic + + + + Path + Ścieżka + + + GDB from PATH on Build Device + + + + LLDB from PATH on Build Device + + + + Specify the path to the <a href="%1">Windows Console Debugger executable</a> (%2) here. + Label text for path configuration. %2 is "x-bit version". + + + + Searching debuggers... + + + + Detected %1 at %2 + + + + Found: "%1" + + + + Auto-detected uVision at %1 + + + + Removing debugger entries... + + + + Removed "%1" + + + + Debuggers: + + + + New Debugger + Nowy debugger + + + Restore + Przywróć + + + Debuggers + Debuggery + + + <a href="qthelp://org.qt-project.qtcreator/doc/creator-debugging-qml.html">What are the prerequisites?</a> + <a href="qthelp://org.qt-project.qtcreator/doc/creator-debugging-qml.html">Jakie są wymagania?</a> + + + Enable C++ debugger. + + + + Try to determine need for C++ debugger. + + + + Enable QML debugger. + + + + Try to determine need for QML debugger. + + + + Without additional startup commands. + + + + With additional startup commands. + + + + C++ debugger: + + + + QML debugger: + + + + Enable Debugging of Subprocesses + Odblokuj debugowanie podprocesów + + + Additional startup commands: + + + + Terminal: Cannot open /dev/ptmx: %1 + Terminal: Nie można otworzyć /dev/ptmx: %1 + + + Terminal: ptsname failed: %1 + Terminal: ptsname zakończył pracę błędem: %1 + + + Terminal: Error: %1 + Terminal: Błąd: %1 + + + Terminal: Slave is no character device. + + + + Terminal: grantpt failed: %1 + Terminal: grantpt zakończył pracę błędem: %1 + + + Terminal: unlock failed: %1 + Terminal: unlock zakończył pracę błędem: %1 + + + Terminal: Read failed: %1 + Terminal: błąd odczytu: %1 + + + Anonymous Function + Anonimowa funkcja + + + Global + Globalne + + + Custom + Własny + + + Restore Global + Przywróć globalne + + + Use Customized Settings + Użyj własnych ustawień + + + Use Global Settings + Użyj globalnych ustawień + + + Copy + Skopiuj + + + Start Remote Analysis + Rozpocznij zdalną analizę + + + Kit: + Zestaw narzędzi: + + + Executable: + Plik wykonywalny: + + + Arguments: + Argumenty: + + + Working directory: + Katalog roboczy: + + + QML Debugger Console + + + + Show debug, log, and info messages. + Pokazuj komunikaty debugowe, log i informacje. + + + Show warning messages. + Pokazuj komunikaty z ostrzeżeniami. + + + Show error messages. + Pokazuj komunikaty z błędami. + + + Can only evaluate during a debug session. + Wykonanie możliwe jedynie podczas debugowania. + + + &Copy + S&kopiuj + + + &Show in Editor + &Pokaż w edytorze + + + C&lear + Wy&czyść + + + %1 <shadowed %2> + Display of variables shadowed by variables of the same name in nested scopes: Variable %1 is the variable name, %2 is a simple count. + %1 <przykryło %2> + + + No + Nie + + + Yes + Tak + + + Plain + Zwykłe + + + Fast + Szybkie + + + debuglnk + debuglnk + + + buildid + buildid + + + It is unknown whether this module contains debug information. +Use "Examine Symbols" from the context menu to initiate a check. + Nie wiadomo, czy ten moduł zawiera informację debugową. +Użyj "Sprawdź symbole" z podręcznego menu, aby rozpocząć sprawdzanie. + + + This module neither contains nor references debug information. +Stepping into the module or setting breakpoints by file and line will not work. + Ten moduł nie zawiera ani nie odwołuje się do informacji debugowej. +Wskakiwanie do wnętrza modułu lub ustawianie pułapek w plikach nie zadziała. + + + This module contains debug information. +Stepping into the module or setting breakpoints by file and line is expected to work. + Ten moduł zawiera informację debugową. +Wskakiwanie do wnętrza modułu lub ustawianie pułapek w plikach powinno działać. + + + This module does not contain debug information itself, but contains a reference to external debug information. + Ten moduł nie zawiera samodzielnie informacji debugowej, ale zawiera odwołanie do zewnętrznej informacji debugowej. + + + <unknown> + address + End address of loaded module + <nieznany> + + + Update Module List + Uaktualnij listę modułów + + + Show Source Files for Module "%1" + Pokaż pliki źródłowe modułu "%1" + + + Show Source Files for Module + Pokaż źródłowe pliki modułu + + + Show Dependencies of "%1" + Pokaż zależności dla "%1" + + + Show Dependencies + Pokaż zależności + + + Load Symbols for All Modules + Załaduj symbole ze wszystkich modułów + + + Examine All Modules + Sprawdź wszystkie moduły + + + Load Symbols for Module "%1" + Załaduj symbole z modułu "%1" + + + Load Symbols for Module + Załaduj symbole z modułu + + + Edit File "%1" + Zmodyfikuj plik "%1" + + + Edit File + Zmodyfikuj plik + + + Show Symbols in File "%1" + Pokaż symbole z pliku "%1" + + + Show Symbols + Pokaż symbole + + + Show Sections in File "%1" + Pokaż sekcje z pliku "%1" + + + Show Sections + Pokaż sekcje + + + Name + Nazwa + + + Type + Typ + + + Auto-detected CDB at %1 + Automatycznie wykryty CDB w %1 + + + System %1 at %2 + %1: Debugger engine type (GDB, LLDB, CDB...), %2: Path + System %1 w %2 + + + Breakpoint + Pułapka + + + No executable specified. + Nie podano pliku wykonywalnego. + + + Unable to create a debugging engine. + + + + The kit does not have a debugger set. + + + + Unpacking core file to %1 + + + + Cannot debug: Local executable is not set. + Nie można debugować: brak ustawionego lokalnego pliku wykonywalnego. + + + %1 is a 64 bit executable which can not be debugged by a 32 bit Debugger. +Please select a 64 bit Debugger in the kit settings for this kit. + + + + Specify Debugger settings in Projects > Run. + + + + %1 - Snapshot %2 + + + + Some breakpoints cannot be handled by the debugger languages currently active, and will be ignored.<p>Affected are breakpoints %1 + + + + QML debugging needs to be enabled both in the Build and the Run settings. + + + + Debugging %1 ... + + + + Debugging of %1 has finished with exit code %2. + + + + Debugging of %1 has finished. + + + + Close Debugging Session + Zakończ sesję debugową + + + A debugging session is still in progress. Terminating the session in the current state can leave the target in an inconsistent state. Would you still like to terminate it? + Trwa sesja debugowa. Zakończenie jej w teraz może spowodować, że program znajdzie się w niespójnym stanie. Czy zakończyć ją? + + + Debugged executable + Debugowany program + + + Python debugging support is not available. Install the debugpy package. + + + + Install debugpy + + + + &Views + &Widoki + + + Leave Debug Mode + + + + Toolbar + Pasek narzędzi + + + Editor + Edytor + + + Next Item + Następny element + + + Previous Item + Poprzedni element + + + Color at %1,%2: red: %3 green: %4 blue: %5 alpha: %6 + Kolor na pozycji (%1,%2): czerwień: %3, zieleń: %4, błękit: %5, przeźroczystość: %6 + + + <Click to display color> + <Naciśnij aby wyświetlić kolor> + + + Copy Image + Skopiuj obraz + + + Open Image Viewer + Otwórz przeglądarkę plików graficznych + + + Debugger Value + + + + %1.%2 + + + + Unknown error. + Nieznany błąd. + + + Connection is not open. + + + + Internal error: Invalid TCP/IP port specified %1. + + + + Internal error: No uVision executable specified. + + + + Internal error: The specified uVision executable does not exist. + + + + Internal error: Cannot resolve the library: %1. + + + + UVSC Version: %1, UVSOCK Version: %2. + + + + Internal error: Cannot open the session: %1. + + + + Internal error: Failed to start the debugger: %1 + + + + UVSC: Starting execution failed. + + + + UVSC: Stopping execution failed. + + + + UVSC: Setting local value failed. + + + + UVSC: Setting watcher value failed. + + + + UVSC: Disassembling by address failed. + + + + UVSC: Changing memory at address 0x%1 failed. + + + + UVSC: Fetching memory at address 0x%1 failed. + + + + Internal error: The specified uVision project options file does not exist. + + + + Internal error: The specified uVision project file does not exist. + + + + Internal error: Unable to open the uVision project %1: %2. + + + + Internal error: Unable to set the uVision debug target: %1. + + + + Internal error: The specified output file does not exist. + + + + Internal error: Unable to set the uVision output file %1: %2. + + + + UVSC: Reading registers failed. + + + + UVSC: Fetching peripheral register failed. + + + + UVSC: Locals enumeration failed. + + + + UVSC: Watchers enumeration failed. + + + + UVSC: Inserting breakpoint failed. + + + + UVSC: Removing breakpoint failed. + + + + UVSC: Enabling breakpoint failed. + + + + UVSC: Disabling breakpoint failed. + + + + Failed to initialize the UVSC. + + + + Failed to de-initialize the UVSC. + + + + Failed to run the UVSC. + + + + Cannot continue debugged process: + + + + + Cannot stop debugged process: + + + QtC::Designer + + Class + Klasa + + + Class Details + Szczegóły klasy + + + %1 - Error + %1 - Błąd + + + Choose a Class Name + Podaj nazwę klasy + Qt Designer Form Class Klasa formularza Qt Designer @@ -5080,6 +27907,10 @@ Please verify the #include-directives. Nie można odnaleźć klasy zawierającej "%1" w %2. Sprawdź dyrektywy #include. + + Cannot rename UI symbol "%1" in C++ files: %2 + + Error finding/adding a slot. Błąd podczas znajdowania / dodawania slotu. @@ -5094,6 +27925,1123 @@ Przebudowanie projektu może pomóc w ich odnalezieniu. Unable to add the method definition. Nie można dodać definicji metody. + + File "%1" not found in project. + + + + No active target. + + + + No active build system. + + + + Failed to find the ui header. + + + + Renaming via the property editor cannot be synced with C++ code; see QTCREATORBUG-19141. This message will not be repeated. + + + + Failed to retrieve ui header contents. + + + + Failed to locate corresponding symbol in ui header. + + + + Widget box + Panel widżetów + + + Object Inspector + Hierarchia obiektów + + + Property Editor + Edytor właściwości + + + Signals && Slots Editor + Edytor sygnałów / slotów + + + Action Editor + Edytor akcji + + + Widget Box + Panel widżetów + + + Signals and Slots Editor + + + + Edit Widgets + Modyfikuj widżety + + + F3 + F3 + + + Edit Signals/Slots + Modyfikuj sygnały / sloty + + + F4 + F4 + + + Edit Buddies + Modyfikuj skojarzone etykiety + + + Edit Tab Order + Modyfikuj kolejność tabulacji + + + Meta+Shift+H + Meta+Shift+H + + + Ctrl+H + Ctrl+H + + + Meta+L + Meta+L + + + Ctrl+L + Ctrl+L + + + Meta+Shift+G + Meta+Shift+G + + + Ctrl+G + Ctrl+G + + + Meta+J + Meta+J + + + Ctrl+J + Ctrl+J + + + Alt+Shift+R + Alt+Shift+R + + + About Qt Designer Plugins... + Informacje o wtyczkach Qt Designera... + + + Preview in + Podgląd w stylu + + + This file can only be edited in <b>Design</b> mode. + Ten plik może być modyfikowany jedynie w trybie <b>Design</b>. + + + Switch Mode + Przełącz tryb + + + The image could not be created: %1 + Nie można utworzyć pliku graficznego: %1 + + + &Class name: + Nazwa &klasy: + + + &Header file: + Plik &nagłówkowy: + + + &Source file: + Plik ź&ródłowy: + + + &Form file: + Plik z &formularzem: + + + &Path: + Ś&cieżka: + + + Invalid header file name: "%1" + Niepoprawna nazwa pliku nagłówkowego: "%1" + + + Invalid source file name: "%1" + Niepoprawna nazwa piku źródłowego: "%1" + + + Invalid form file name: "%1" + Niepoprawna nazwa pliku z formularzem: "%1" + + + + QtC::DiffEditor + + Diff Editor + Edytor różnic + + + Diff + + + + &Diff + Po&równaj + + + Diff Current File + Pokaż różnice w bieżącym pliku + + + Meta+H + Meta+H + + + Ctrl+H + Ctrl+H + + + Diff Open Files + Pokaż różnice w otwartych plikach + + + Meta+Shift+H + Meta+Shift+H + + + Ctrl+Shift+H + Ctrl+Shift+H + + + Diff External Files... + Pokaż różnice pomiędzy zewnętrznymi plikami... + + + Diff "%1" + Porównaj "%1" + + + Select First File for Diff + Wybierz pierwszy plik do porównania + + + Select Second File for Diff + Wybierz drugi plik do porównania + + + Diff "%1", "%2" + Porównanie "%1" z "%2" + + + Context lines: + Linie z kontekstem: + + + Ignore Whitespace + Ignoruj białe znaki + + + Reload Diff + Przeładuj różnice + + + [%1] vs. [%2] %3 + [%1] vs [%2] %3 + + + %1 vs. %2 + %1 vs %2 + + + [%1] %2 vs. [%3] %4 + [%1] %2 vs [%3] %4 + + + Hide Change Description + Ukryj opis zmiany + + + Show Change Description + Pokaż opis zmiany + + + Could not parse patch file "%1". The content is not of unified diff format. + Nie można sparsować pliku z łatami "%1". Zawartość nie jest w formacie ujednoliconym (unified diff). + + + Switch to Unified Diff Editor + Przełącz do edytora różnic wyświetlającego zawartość w formacie ujednoliconym (unified diff) + + + Waiting for data... + Oczekiwanie na dane... + + + Retrieving data failed. + Błąd pobierania danych. + + + Switch to Side By Side Diff Editor + Przełącz do edytora różnic wyświetlającego zawartość sąsiadująco + + + Synchronize Horizontal Scroll Bars + Synchronizuj poziome paski przesuwania + + + Skipped %n lines... + + Opuszczono %n linię... + Opuszczono %n linie... + Opuszczono %n linii... + + + + Binary files differ + Pliki binarne różnią się + + + Skipped unknown number of lines... + Pominięto nieznaną ilość linii... + + + No difference. + Brak różnic. + + + Rendering diff + + + + [%1] %2 + [%1] %2 + + + No document + Brak dokumentu + + + Saved + Zachowany + + + Modified + Zmodyfikowany + + + Diff Files + Pokaż różnice w plikach + + + Diff Modified Files + Pokaż różnice w zmodyfikowanych plikach + + + Send Chunk to CodePaster... + Wyślij fragment do CodePaster... + + + Apply Chunk... + Zastosuj fragment... + + + Revert Chunk... + Zastosuj odwrotny fragment... + + + <b>Error:</b> Could not decode "%1" with "%2"-encoding. + + + + Select Encoding + Wybierz kodowanie + + + + QtC::Docker + + Checking docker daemon + + + + Docker executable not found + + + + Failed to retrieve docker networks. Exit code: %1. Error: %2 + + + + Docker Image "%1" (%2) + + + + Image ID: + + + + Repository: + Repozytorium: + + + Tag: + + + + Run as outside user: + + + + Do not modify entry point: + + + + Enable flags needed for LLDB: + + + + Paths to mount: + + + + Maps paths in this list one-to-one to the docker container. + + + + Host directories to mount into the container. + + + + Extra arguments: + Dodatkowe argumenty: + + + Extra arguments to pass to docker create. + + + + Clangd Executable: + + + + Network: + + + + Device is shut down + + + + stopped + + + + Path "%1" is not a directory or does not exist. + + + + Docker + + + + Error starting remote shell. No container. + + + + Open Shell in Container + + + + Error + Błąd + + + The path "%1" does not exist. + Ścieżka "%1" nie istnieje. + + + Image "%1" is not available. + + + + Failed creating Docker container. Exit code: %1, output: %2 + + + + Failed creating Docker container. No container ID received. + + + + Docker daemon appears to be not running. Verify daemon is up and running and reset the Docker daemon in Docker device preferences or restart %1. + %1 is the application name (Qt Creator) + + + + Failed to create container shell (Out of memory). + + + + Cannot start docker device from non-main thread + + + + Docker system is not reachable + + + + Running + Uruchomiona + + + Docker Image Selection + + + + Show Unnamed Images + + + + Loading ... + + + + Running "%1" + + + + Unexpected result: %1 + + + + Done. + Zakończone. + + + Error: %1 + Błąd: %1 + + + Docker Device + + + + localSource: No mount point found for %1 + + + + Daemon state: + + + + Clears detected daemon state. It will be automatically re-evaluated next time access is needed. + + + + Source directory list should not be empty. + + + + Auto-detect Kit Items + + + + Remove Auto-Detected Kit Items + + + + List Auto-Detected Kit Items + + + + Search in PATH + + + + Search in Selected Directories + + + + Search in PATH and Additional Directories + + + + Semicolon-separated list of directories + + + + Select the paths in the Docker image that should be scanned for kit entries. + + + + Failed to start container. + + + + Docker daemon appears to be stopped. + + + + Docker daemon appears to be running. + + + + Detection complete. + + + + Search Locations: + + + + Detection log: + + + + Container state: + + + + Command line: + Linia komend: + + + Daemon state not evaluated. + + + + Docker daemon running. + + + + Docker daemon not running. + + + + Configuration + Konfiguracja + + + Docker CLI + + + + Command: + Komenda: + + + + QtC::EmacsKeys + + Delete Character + Usuń znak + + + Kill Word + Skasuj słowo + + + Kill Line + Skasuj linię + + + Insert New Line and Indent + Wstaw nową linię i dopasuj wcięcie + + + Go to File Start + Przejdź do początku pliku + + + Go to File End + Przejdź do końca pliku + + + Go to Line Start + Przejdź do początku linii + + + Go to Line End + Przejdź do końca linii + + + Go to Next Line + Przejdź do następnej linii + + + Go to Previous Line + Przejdź do poprzedniej linii + + + Go to Next Character + Przejdź do następnego znaku + + + Go to Previous Character + Przejdź do poprzedniego znaku + + + Go to Next Word + Przejdź do następnego słowa + + + Go to Previous Word + Przejdź do poprzedniego słowa + + + Mark + Wstaw znacznik + + + Exchange Cursor and Mark + Wymień kursor i wstaw znacznik + + + Copy + Skopiuj + + + Cut + Wytnij + + + Yank + + + + Scroll Half Screen Down + Przewiń o pół ekranu w dół + + + Scroll Half Screen Up + Przewiń o pół ekranu w górę + + + + QtC::ExtensionSystem + + Name: + Nazwa: + + + Version: + Wersja: + + + Vendor: + Dostawca: + + + Location: + Położenie: + + + Description: + Opis: + + + Copyright: + Prawa autorskie: + + + License: + Licencja: + + + Dependencies: + Zależności: + + + Group: + Grupa: + + + Compatibility version: + Zgodność z wersją: + + + URL: + URL: + + + Platforms: + Platformy: + + + State: + Stan: + + + Error message: + Komunikat błędu: + + + The plugin "%1" is specified twice for testing. + Wtyczka "%1" występuje dwukrotnie w testach. + + + The plugin "%1" does not exist. + Wtyczka "%1" nie istnieje. + + + The plugin "%1" is not tested. + Wtyczka "%1" nie jest przetestowana. + + + Cannot request scenario "%1" as it was already requested. + + + + Unknown option %1 + Nieznana opcja %1 + + + The option %1 requires an argument. + Opcja %1 wymaga argumentu. + + + Circular dependency detected: + Wykryto cykliczną zależność: + + + %1 (%2) depends on + + + + %1 (%2) + %1 (%2) + + + Cannot load plugin because dependency failed to load: %1 (%2) +Reason: %3 + + + + %1 > About Plugins + + + + Help > About Plugins + + + + If you temporarily disable %1, the following plugins that depend on it are also disabled: %2. + + + + Disable plugins permanently in %1. + + + + The last time you started %1, it seems to have closed because of a problem with the "%2" plugin. Temporarily disable the plugin? + + + + Disable Plugin + + + + Cannot load plugin because dependency failed to load: %1(%2) +Reason: %3 + Nie można załadować wtyczki, ponieważ nie udało się załadować zależności: %1(%2) +Przyczyna: %3 + + + Invalid + Niepoprawna + + + Description file found, but error on read. + Plik z opisem został znaleziony, lecz wystąpił błąd podczas wczytywania. + + + Description successfully read. + Opis poprawnie wczytany. + + + Dependencies are successfully resolved. + Zależności zostały poprawnie rozwiązane. + + + Library is loaded. + Biblioteka załadowana. + + + Plugin's initialization function succeeded. + Inicjalizacja wtyczki poprawnie zakończona. + + + Plugin successfully loaded and running. + Wtyczka poprawnie załadowana i uruchomiona. + + + Plugin was shut down. + Wtyczka została zamknięta. + + + Plugin ended its life cycle and was deleted. + Wtyczka zakończyła działanie i została usunięta. + + + Read + Wczytana + + + Resolved + Rozwiązana + + + Loaded + Załadowana + + + Initialized + Zainicjalizowana + + + Running + Uruchomiona + + + Stopped + Zatrzymana + + + Deleted + Usunięta + + + Plugin meta data not found + Brak danych o wtyczce + + + Invalid platform specification "%1": %2 + Niepoprawna specyfikacja platformy "%1": %2 + + + Dependency: %1 + Zależność: %1 + + + Dependency: "%1" must be "%2" or "%3" (is "%4"). + Zależność: "%1" powinno mieć wartość "%2" lub "%3" (aktualnie ma wartość "%4"). + + + Argument: %1 + Argument: %1 + + + Argument: "%1" is empty + Argument: "%1" jest pusty + + + "%1" is missing + Brak "%1" + + + Value for key "%1" is not a string + Wartością klucza "%1" nie jest ciąg tekstowy + + + Value for key "%1" is not a bool + Wartością klucza "%1" nie jest wartość boolowska + + + Value for key "%1" is not an array of objects + Wartością klucza "%1" nie jest tablica obiektów + + + Value for key "%1" is not a string and not an array of strings + Wartością klucza "%1" nie jest ciąg testowy ani tablica obiektów + + + Value "%2" for key "%1" has invalid format + Wartość "%1" klucza "%2" posiada nieprawidłowy format + + + Resolving dependencies failed because state != Read + Nie udało się rozwiązać zależności, ponieważ stan wtyczki jest inny niż "wczytana" + + + Could not resolve dependency '%1(%2)' + Nie można rozwiązać zależności "%1(%2)" + + + Loading the library failed because state != Resolved + Błąd ładowania biblioteki, stan wtyczki jest inny niż "rozwiązana" + + + Plugin is not valid (does not derive from IPlugin) + Wtyczka jest niepoprawna (nie dziedziczy z IPlugin) + + + Initializing the plugin failed because state != Loaded + Błąd inicjalizacji wtyczki, jej stan jest inny niż "załadowana" + + + Internal error: have no plugin instance to initialize + Błąd wewnętrzny: brak wtyczki do zainicjalizowania + + + Plugin initialization failed: %1 + Błąd inicjalizacji wtyczki: %1 + + + Cannot perform extensionsInitialized because state != Initialized + Nie można wykonać "extensionsInitialized", ponieważ stan wtyczek jest inny niż "Initialized" + + + Internal error: have no plugin instance to perform extensionsInitialized + Błąd wewnętrzny: brak instancji wtyczki potrzebnej do wykonania extensionsInitialized + + + Internal error: have no plugin instance to perform delayedInitialize + Błąd wewnętrzny: brak instancji wtyczki potrzebnej do wykonania delayedInitialize + + + None + Brak + + + All + Wszystkie + + + %1 (current: "%2") + What current? platform? + %1 (bieżąca platforma: "%2") + + + Name + Nazwa + + + Load + Załadowana + + + Version + Wersja + + + Vendor + Dostawca + + + Load on Startup + Załadowany przy uruchomieniu + + + Utilities + Narzędzia + + + Plugin is not available on this platform. + Wtyczka nie jest dostępna na tej platformie. + + + %1 (experimental) + %1 (eksperymentalny) + + + Path: %1 +Plugin is not available on this platform. + Ścieżka: %1 +Wtyczka nie jest dostępna dla tej platformy. + + + Path: %1 +Plugin is enabled as dependency of an enabled plugin. + Ścieżka: %1 +Wtyczka jest odblokowana poprzez zależność od innej wtyczki. + + + Path: %1 +Plugin is enabled by command line argument. + Ścieżka: %1 +Wtyczka jest odblokowana przez argument linii komend. + + + Path: %1 +Plugin is disabled by command line argument. + Ścieżka: %1 +Wtyczka jest zablokowana przez argument linii komend. + + + Path: %1 + Ścieżka:: %1 + + + Plugin is required. + Wymagana wtyczka. + + + Load on startup + Załadowany przy uruchomieniu + + + Enabling Plugins + Odblokowanie wtyczek + + + Enabling +%1 +will also enable the following plugins: + +%2 + Odblokowanie +%1 +włączy również następujące wtyczki: + +%2 + + + Disabling Plugins + Blokowanie wtyczek + + + Disabling +%1 +will also disable the following plugins: + +%2 + Zablokowanie +%1 +wyłączy również następujące wtyczki: + +%2 + + + The following plugins have errors and cannot be loaded: + Następujące wtyczki są błędne i nie mogą zostać załadowane: + + + Details: + Szczegóły: + + + Continue + Kontynuuj + QtC::FakeVim @@ -5133,10 +29081,6 @@ Przebudowanie projektu może pomóc w ich odnalezieniu. Smart tabulators Inteligentne tabulatory - - Pass control key - Przekazuj klawisze kontrolne - Highlight search results Podświetlaj wyniki wyszukiwań @@ -5149,10 +29093,26 @@ Przebudowanie projektu może pomóc w ich odnalezieniu. Shift width: Szerokość przesunięcia: + + Pass control keys + + Tabulator size: Rozmiar tabulatorów: + + Use tildeop + + + + Blinking cursor + + + + Use system encoding for :source + + Backspace: Backspace: @@ -5161,6 +29121,18 @@ Przebudowanie projektu może pomóc w ich odnalezieniu. Keyword characters: Znaki słów kluczowych: + + Does not interpret key sequences like Ctrl-S in FakeVim but handles them as regular shortcuts. This gives easier access to core functionality at the price of losing some features of FakeVim. + + + + Does not interpret some key presses in insert mode so that code can be properly completed and expanded. + + + + Plugin Emulation + + Copy Text Editor Settings Skopiuj ustawienia edytora tekstu @@ -5201,14 +29173,6 @@ Przebudowanie projektu może pomóc w ich odnalezieniu. Read .vimrc from location: Wczytuj z położenia: - - Passes key sequences like Ctrl-S to Qt Creator core instead of interpreting them in FakeVim. This gives easier access to Qt Creator core functionality at the price of losing some features of FakeVim. - Wybranie tej opcji spowoduje przekazywanie do Creatora sekwencji klawiszy takich jak Ctrl-S zamiast interpretowania ich w FakeVimie. Daje to łatwiejszy dostęp do funkcjonalności Creatora w zamian za utratę pewnych cech FakeVima. - - - Lets Qt Creator handle some key presses in insert mode so that code can be properly completed and expanded. - Pozwala Qt Creatorowi obsługiwać pewne sekwencje naciśniętych klawiszy w trybie wstawiania, dzięki czemu możliwe staje się poprawne uzupełnianie kodu i składanie bloków. - Displays line numbers relative to the line containing text cursor. Pokazuje numery linii względem linii, w której znajduje się kursor. @@ -5221,31 +29185,769 @@ Przebudowanie projektu może pomóc w ich odnalezieniu. Vim tabstop option. Opcja "tabstop" vima. + + Unknown option: %1 + Nieznana opcja: %1 + + + Argument must be positive: %1=%2 + Argument musi być dodatni: %1=%2 + + + Use Vim-style Editing + Włącz edycję w stylu vim + + + Mark "%1" not set. + Nie ustawiono znacznika "%1". + + + Recursive mapping + Mapowanie rekurencyjne + + + %1%2% + %1%2% + + + %1All + %1Wszystkie + + + Not implemented in FakeVim. + Nieobsługiwane w FakeVim. + + + Type Control-Shift-Y, Control-Shift-Y to quit FakeVim mode. + + + + Type Alt-Y, Alt-Y to quit FakeVim mode. + + + + Unknown option: + Nieznana opcja: + + + Invalid argument: + Niepoprawny argument: + + + Trailing characters: + Białe znaki na końcu linii: + + + Move lines into themselves. + + + + %n lines moved. + + %n linia przesunięta. + %n linie przesunięte. + %n linii przesuniętych. + + + + File "%1" exists (add ! to override) + Plik "%1" istnieje (dodaj ! aby go nadpisać) + + + Cannot open file "%1" for writing + Nie można otworzyć pliku "%1" do zapisu + + + "%1" %2 %3L, %4C written. + "%1" %2 zapisano: %3 linii, %4 znaków. + + + [New] + [Nowy] + + + Cannot open file "%1" for reading + Nie można otworzyć pliku "%1" do odczytu + + + "%1" %2L, %3C + "%1" %2L, %3C + + + %n lines filtered. + + Przefiltrowano %n linię. + Przefiltrowano %n linie. + Przefiltrowano %n linii. + + + + Cannot open file %1 + Nie można otworzyć pliku %1 + + + Not an editor command: %1 + %1 nie jest komendą edytora + + + Invalid regular expression: %1 + Niepoprawne wyrażenie regularne: %1 + + + Pattern not found: %1 + Brak dopasowań do wzorca: %1 + + + Search hit BOTTOM, continuing at TOP. + Przeszukano do KOŃCA, wznowiono od POCZĄTKU. + + + Search hit TOP, continuing at BOTTOM. + Przeszukano do POCZĄTKU, wznowiono od KOŃCA. + + + Search hit BOTTOM without match for: %1 + Przeszukano do KOŃCA, brak wyników pasujących do: %1 + + + Search hit TOP without match for: %1 + Przeszukano do POCZĄTKU, brak wyników pasujących do: %1 + + + %n lines indented. + + Wyrównano %n linię. + Wyrównano %n linie. + Wyrównano %n linii. + + + + %n lines %1ed %2 time. + %1ed - crazy!!! + + + + + + + + %n lines yanked. + + + + + + + + Already at oldest change. + Osiągnięto najstarszą zmianę. + + + Already at newest change. + Osiągnięto najnowszą zmianę. + + + General + Ogólne + + + FakeVim + FakeVim + + + Keep empty to use the default path, i.e. %USERPROFILE%\_vimrc on Windows, ~/.vimrc otherwise. + Pozostaw pustym aby użyć domyślnej ścieżki, tzn.%USERPROFILE%\_vimrc na Windows i ~/.vimrc w pozostałych przypadkach. + + + Default: %1 + Domyślnie: %1 + + + Ex Command Mapping + Mapowanie komend Ex + + + Ex Trigger Expression + Wyzwalacz Ex + + + Reset + Reset + + + Reset to default. + Przywraca domyślne ustawienia. + + + Regular expression: + Wyrażenie regularne: + + + Ex Command + Komenda Ex + + + Invalid regular expression. + + + + Action + Akcja + + + Command + Komenda + + + User Command Mapping + Mapa komend użytkownika + + + User command #%1 + Komenda użytkownika #%1 + + + Meta+Shift+Y,Meta+Shift+Y + + + + Alt+Y,Alt+Y + + + + Meta+Shift+Y,%1 + + + + Alt+Y,%1 + + + + Execute User Action #%1 + Wykonaj akcję użytkownika #%1 + + + "%1" %2 %3L, %4C written + "%1" %2 zapisano: %3 linii, %4 znaków + + + File not saved + Plik nie został zachowany + + + Saving succeeded + Zachowywanie poprawnie zakończone + + + %n files not saved + + Nie zachowano %n pliku + Nie zachowano %n plików + Nie zachowano %n plików + + + + + QtC::Fossil + + Commit Editor + Edytor poprawek + + + Configure Repository + + + + Existing user to become an author of changes made to the repository. + + + + SSL/TLS Identity Key + + + + SSL/TLS client identity key to use if requested by the server. + + + + Disable auto-sync + + + + Disable automatic pull prior to commit or update and automatic push after commit or tag or branch creation. + + + + Repository User + + + + User: + Użytkownik: + + + Repository Settings + + + + SSL/TLS identity: + + + + Ignore All Whitespace + + + + Strip Trailing CR + + + + Show Committers + + + + List Versions + + + + Ancestors + + + + Descendants + + + + Unfiltered + Nieprzefiltrowane + + + Lineage + + + + Verbose + Gadatliwy + + + Show files changed in each revision + Pokazuj pliki zmienione w każdej wersji + + + All Items + + + + File Commits + + + + Technical Notes + + + + Tags + Tagi + + + Tickets + + + + Wiki Commits + + + + Item Types + + + + Private + + + + Create a private check-in that is never synced. Children of private check-ins are automatically private. Private check-ins are not pushed to the remote repository by default. + + + + Tag names to apply; comma-separated. + + + + Current Information + + + + Local root: + + + + Branch: + Gałąź: + + + Tags: + Tagi: + + + Commit Information + Informacje o poprawce + + + New branch: + + + + Author: + Autor: + + + Message check failed. + + + + &Annotate %1 + Dołącz &adnotację do %1 + + + Annotate &Parent Revision %1 + + + + Triggers a Fossil version control operation. + + + + &Fossil + + + + Annotate Current File + Dołącz adnotację do bieżącego pliku + + + Annotate "%1" + Dołącz adnotację do "%1" + + + Diff Current File + Pokaż różnice w bieżącym pliku + + + Diff "%1" + + + + Meta+I,Meta+D + + + + Alt+I,Alt+D + + + + Timeline Current File + + + + Timeline "%1" + + + + Meta+I,Meta+L + + + + Alt+I,Alt+L + + + + Status Current File + Stan bieżącego pliku + + + Status "%1" + Stan "%1" + + + Meta+I,Meta+S + + + + Alt+I,Alt+S + + + + Add Current File + + + + Add "%1" + Dodaj "%1" + + + Delete Current File... + + + + Delete "%1"... + Usuń "%1"... + + + Revert Current File... + Odwróć zmiany w bieżącym pliku... + + + Revert "%1"... + Odwróć zmiany w "%1"... + + + Revert + Odwróć zmiany + + + Diff + + + + Timeline + Oś czasu + + + Meta+I,Meta+T + + + + Alt+I,Alt+T + + + + Revert... + Odwróć zmiany... + + + Status + Stan + + + Pull... + Pull... + + + Push... + Push... + + + Update... + Update... + + + Meta+I,Meta+U + + + + Alt+I,Alt+U + + + + Commit... + Utwórz poprawkę... + + + Meta+I,Meta+C + + + + Alt+I,Alt+C + + + + Settings... + Ustawienia... + + + Create Repository... + Utwórz repozytorium... + + + Remote repository is not defined. + + + + Update + Uaktualnij + + + There are no changes to commit. + Brak zmian do utworzenia poprawki. + + + Unable to create an editor for the commit. + Nie można utworzyć edytora dla poprawki. + + + Unable to create a commit editor. + Nie można utworzyć edytora poprawek. + + + Commit changes for "%1". + Poprawka ze zmian w "%1". + + + Choose Checkout Directory + + + + The directory "%1" is already managed by a version control system (%2). Would you like to specify another directory? + Katalog "%1" jest już zarządzany przez system kontroli wersji (%2). Czy chcesz podać inny katalog? + + + Repository already under version control + Repozytorium znajduje się już w systemie kontroli wersji + + + Repository Created + Utworzono repozytorium + + + A version control repository has been created in %1. + Repozytorium systemu kontroli wersji została utworzona w %1. + + + Repository Creation Failed + Błąd podczas tworzenia repozytorium + + + A version control repository could not be created in %1. + Nie można utworzyć repozytorium systemu kontroli wersji w %1. + + + Fossil + + + + Specify a revision other than the default? + Podaj inną wersję niż domyślna + + + Checkout revision, can also be a branch or a tag name. + + + + Revision + + + + Fossil Command + + + + Command: + Komenda: + + + Fossil Repositories + + + + Default path: + + + + Directory to store local repositories by default. + + + + Default user: + + + + Log width: + + + + The width of log entry line (>20). Choose 0 to see a single line per entry. + + + + Timeout: + Limit czasu oczekiwania: + + + s + s + + + Log count: + Licznik logu: + + + The number of recent commit log entries to show. Choose 0 to see all entries. + + + + Configuration + Konfiguracja + + + Local Repositories + + + + User + Użytkownik + + + Miscellaneous + Różne + + + Pull Source + + + + Push Destination + + + + Default location + Domyślne położenie + + + Local filesystem: + Lokalny system plików: + + + Specify URL: + Podaj URL: + + + For example: "https://[user[:pass]@]host[:port]/[path]". + Na przykład: "https://[użytkownik[:hasło]@]host[:port]/[ścieżka]". + + + Remember specified location as default + Zapamiętaj podane położenie jako domyślne + + + Include private branches + + + + Allow transfer of private branches. + + + + Remote Location + + + + Options + Opcje + QtC::GenericProjectManager - - Make - GenericMakestep display name. - Make - - - Override %1: - Nadpisz %1: - - - Default - The name of the build configuration created by default for a generic project. - Domyślna - - - Build - Wersja - - - Build directory: - Katalog budowania wersji: - Generic Manager Ogólne zarządzanie @@ -5271,12 +29973,300 @@ Przebudowanie projektu może pomóc w ich odnalezieniu. Wybór pliku - Imports existing projects that do not use qmake, CMake or Autotools. This allows you to use Qt Creator as a code editor. - Importuje istniejące projekty, które nie używają qmake, CMake ani automatycznych narzędzi. Pozwala na korzystanie z Qt Creatora jako edytora kodu. + Imports existing projects that do not use qmake, CMake, Qbs, Meson, or Autotools. This allows you to use %1 as a code editor. + + + + Files + Pliki + + + Edit Files... + Zmodyfikuj pliki... + + + Remove Directory + + + + Project files list update failed. + + + + Build %1 + QtC::Git + + Include branches and tags that have not been active for %n days. + + Uwzględnij gałęzie i tagi, które nie były aktywne przez %n dzień. + Uwzględnij gałęzie i tagi, które nie były aktywne przez %n dni. + Uwzględnij gałęzie i tagi, które nie były aktywne przez %n dni. + + + + Include Old Entries + + + + Include Tags + + + + Refresh + Odśwież + + + Create Git Repository... + + + + Add Branch... + + + + Filter + Filtr + + + &Fetch + + + + Remove &Stale Branches + + + + Manage &Remotes... + + + + Rem&ove... + + + + Re&name... + + + + &Checkout + + + + Reflo&g + + + + &Merge "%1" into "%2" + + + + &Merge "%1" into "%2" (Fast-Forward) + + + + Merge "%1" into "%2" (No &Fast-Forward) + + + + &Rebase "%1" on "%2" + + + + Would you like to delete the tag "%1"? + Czy usunąć tag "%1"? + + + Would you like to delete the branch "%1"? + Czy usunąć gałąź "%1"? + + + Would you like to delete the <b>unmerged</b> branch "%1"? + Czy usunąć <b>niescaloną</b> gałąź "%1"? + + + Delete Branch + Usuń gałąź + + + Delete Tag + Usuń tag + + + Reset branch "%1" to "%2"? + + + + Git Branches + + + + Rename Tag + Zmień nazwę tagu + + + Git Reset + + + + Re&fresh + &Odśwież + + + &Add... + &Dodaj... + + + &Remove + &Usuń + + + &Diff + Po&równaj + + + &Log + &Log + + + &Track + Włącz śl&edzenie + + + C&heckout + + + + Re&set + + + + Cherry &Pick + + + + General Information + Ogólne informacje + + + Repository: + Repozytorium: + + + repository + repozytorium + + + Branch: + Gałąź: + + + branch + gałąź + + + Show HEAD + + + + Commit Information + Informacje o poprawce + + + Author: + Autor: + + + Email: + E-mail: + + + By&pass hooks + &Omiń hooki + + + Sign off + + + + Note that huge amount of commits might take some time. + Zwróć uwagę, że wyświetlanie dużej liczby poprawek może zajmować sporo czasu. + + + Add instant blame annotations to editor + + + + Annotate the current line in the editor with Git "blame" output. + + + + Finds the commit that introduced the last real code changes to the line. + + + + Finds the commit that introduced the line before it was moved. + + + + Instant Blame + + + + Ignore whitespace changes + + + + Ignore line moves + + + + Git + Git + + + Git Settings + Ustawienia Git + + + Miscellaneous + Różne + + + Pull with rebase + "Pull" z opcją "rebase" + + + Set "HOME" environment variable + Ustaw zmienną środowiskową "HOME" + + + Gitk + Gitk + + + Arguments: + Argumenty: + + + Configuration + Konfiguracja + + + Prepend to PATH: + Dodatkowy początek PATH: + + + Command: + Komenda: + + + Repository Browser + Przeglądarka repozytorium + Browse &History... Przeglądaj &historię... @@ -5301,6 +30291,10 @@ Przebudowanie projektu może pomóc w ich odnalezieniu. Select a Git Commit Wybierz poprawkę w Git + + &Archive... + + Select Commit Wybierz poprawkę @@ -5489,17 +30483,6 @@ Przebudowanie projektu może pomóc w ich odnalezieniu. Skorygowano "%1" (%n plików). - - Cannot commit %n files: %1 - - Nie można utworzyć poprawki ze zmian w %n pliku: %1 - - Nie można utworzyć poprawki ze zmian w %n plikach: %1 - - Nie można utworzyć poprawki ze zmian w %n plikach: %1 - - - Conflicts Detected Wykryto konflikty @@ -5512,10 +30495,6 @@ Przebudowanie projektu może pomóc w ich odnalezieniu. &Skip &Pomiń - - Cannot determine Git version: %1 - Nie można określić wersji Git: %1 - Uncommitted Changes Found Znaleziono zmiany nieujęte w poprawkach @@ -5524,10 +30503,6 @@ Przebudowanie projektu może pomóc w ich odnalezieniu. What would you like to do with local changes in: Co zrobić z lokalnymi zmianami w: - - Stash && Pop - - Stash local changes and pop when %1 finishes. @@ -5633,6 +30608,78 @@ Commit now? Chunk successfully staged + + Stage Selection (%n Lines) + + + + + + + + Unstage Selection (%n Lines) + + + + + + + + <resolving> + + + + Waiting for data... + Oczekiwanie na dane... + + + No Move Detection + + + + Detect Moves Within File + + + + Detect Moves Between Files + + + + Detect Moves and Copies Between Files + + + + Move detection + + + + Filter commits by message or content. + + + + Color + Kolor + + + Use colors in log. + + + + Follow + + + + Show log also for previous names of the file. + + + + Show Date + + + + Show date instead of sequence. + + Git Diff Files Różnice w plikach pod kontrolą Git @@ -5645,10 +30692,38 @@ Commit now? Git Diff Repository Różnice w repozytorium pod kontrolą Git + + Generate %1 archive + + + + Overwrite? + Nadpisać? + + + An item named "%1" already exists at this location. Do you want to overwrite it? + Element o nazwie "%1" istnieje już w tym miejscu. Czy nadpisać go? + + + Nothing to recover + + + + Files recovered + + Amended "%1". Skorygowano "%1". + + Cannot commit %n file(s). + + + + + + Revert Odwróć zmiany @@ -5675,10 +30750,32 @@ Commit now? Conflicts detected. Wykryto konflikty. + + Only graphical merge tools are supported. Please configure merge.tool. + + Git SVN Log Log git SVN + + Force Push + + + + Push failed. Would you like to force-push <span style="color:#%1">(rewrites remote history)</span>? + + + + No Upstream Branch + + + + Push failed because the local branch "%1" does not have an upstream branch on the remote. + +Would you like to create the branch "%1" on the remote and set it as upstream? + + Rebase, merge or am is in progress. Finish or abort it and then try again. @@ -5695,10 +30792,18 @@ Commit now? No local commits were found Brak lokalnych poprawek + + Stash && &Pop + + Stash local changes and execute %1. Odłóż lokalne zmiany i wykonaj %1. + + &Discard + + Discard (reset) local changes and execute %1. Porzuć lokalne zmiany i wykonaj %1. @@ -5712,29 +30817,61 @@ Commit now? Anuluj %1. - &Git - &Git + Cherr&y-Pick %1 + - Diff Current File - Pokaż różnice w bieżącym pliku + Re&vert %1 + + + + C&heckout %1 + + + + &Interactive Rebase from %1... + + + + &Log for %1 + + + + Sh&ow file "%1" on revision %2 + + + + Add &Tag for %1... + + + + Di&ff %1 + + + + Di&ff Against %1 + + + + Diff &Against Saved %1 + + + + &Save for Diff + + + + &Git + &Git Alt+G,Alt+D Alt+G,Alt+D - - Log of "%1" - Pokaż log "%1" - Alt+G,Alt+L Alt+G,Alt+L - - Blame for "%1" - Blame dla "%1" - Alt+G,Alt+B Alt+G,Alt+B @@ -5747,18 +30884,10 @@ Commit now? Stage File for Commit Dodaj plik do indeksu - - Blame Current File - Blame dla bieżącego pliku - Meta+G,Meta+B Meta+G,Meta+B - - Diff of "%1" - Pokaż różnice w "%1" - Current &File Bieżący &plik @@ -5767,10 +30896,6 @@ Commit now? Meta+G,Meta+D Meta+G,Meta+D - - Log Current File - Log dla bieżącego pliku - Meta+G,Meta+L Meta+G,Meta+L @@ -5803,14 +30928,6 @@ Commit now? Current &Project Bieżący p&rojekt - - Diff Current Project - Pokaż różnice w bieżącym projekcie - - - Diff Project "%1" - Pokaż różnice w projekcie "%1" - Meta+G,Meta+Shift+D Meta+G,Meta+Shift+D @@ -5819,14 +30936,6 @@ Commit now? Alt+G,Alt+Shift+D Alt+G,Alt+Shift+D - - Log Project - Pokaż log dla projektu - - - Log Project "%1" - Pokaż log dla projektu "%1" - Alt+G,Alt+K Alt+G,Alt+K @@ -5839,18 +30948,6 @@ Commit now? &Local Repository &Lokalne repozytorium - - Fixup Previous Commit... - Napraw poprzednią poprawkę... - - - Reset... - Reset... - - - Show... - Pokaż... - Stash Odłożone zmiany @@ -5863,6 +30960,75 @@ Commit now? Undo Unstaged Changes Cofnij niezaindeksowane zmiany + + Git Blame + + + + <b>Note:</b> "%1" or "%2" is enabled in the instant blame settings. + %1 and %2 are the "ignore whitespace changes" and "ignore line moves" options + + + + &Copy "%1" + + + + &Describe Change %1 + &Opisz zmianę %1 + + + Triggers a Git version control operation. + + + + Diff Current File + Avoid translating "Diff" + Pokaż różnice w bieżącym pliku + + + Diff of "%1" + Avoid translating "Diff" + Pokaż różnice w "%1" + + + Log Current File + Avoid translating "Log" + Log bieżącego pliku + + + Log of "%1" + Avoid translating "Log" + Pokaż log "%1" + + + Blame Current File + Avoid translating "Blame" + Blame dla bieżącego pliku + + + Blame for "%1" + Avoid translating "Blame" + Blame dla "%1" + + + Instant Blame Current Line + Avoid translating "Blame" + + + + Instant Blame for "%1" + Avoid translating "Blame" + + + + Meta+G,Meta+I + + + + Alt+G,Alt+I + + Undo Unstaged Changes for "%1" Cofnij niezaindeksowane zmiany dla "%1" @@ -5875,14 +31041,6 @@ Commit now? Undo Uncommitted Changes for "%1" Cofnij zmiany nieujęte w poprawkach dla "%1" - - Clean Project... - Wyczyść projekt... - - - Clean Project "%1"... - Wyczyść projekt "%1"... - Apply "%1" Zastosuj łatę "%1" @@ -5895,34 +31053,14 @@ Commit now? Saves the current state of your work and resets the repository. Zachowuje bieżący stan Twojej pracy i przywraca repozytorium do stanu sprzed zmian. - - Pull - Pull - - - Stash Pop - Przywróć ostatnio odłożoną zmianę - Restores changes saved to the stash list using "Stash". Przywraca zmiany zachowane na stosie odłożonych zmian przy użyciu "Stash". - - Commit... - Utwórz poprawkę... - Alt+G,Alt+C Alt+G,Alt+C - - Amend Last Commit... - Skoryguj ostatnią poprawkę... - - - Push - Push - Branches... Gałęzie... @@ -5935,34 +31073,10 @@ Commit now? Repository: %1 Repozytorium: %1 - - Reflog - Reflog - - - Interactive Rebase... - - Update Submodules Uaktualnij podmoduły - - Abort Merge - Przerwij scalanie - - - Abort Rebase - - - - Abort Cherry Pick - - - - Abort Revert - Przerwij odwracanie - Skip Rebase @@ -5979,14 +31093,6 @@ Commit now? &Stash O&dłożone zmiany - - Stashes... - Odłożone zmiany... - - - Stash Unstaged Files - - Saves the current state of your unstaged files and resets the repository to its staged state. @@ -6003,26 +31109,6 @@ Commit now? Manage Remotes... Zarządzanie zdalnymi... - - Revert... - Odwróć zmiany... - - - Cherry Pick... - - - - Checkout... - Kopia robocza... - - - Rebase... - - - - Merge... - Scal... - Git &Tools Narzędzia Gi&ta @@ -6055,10 +31141,6 @@ Commit now? Actions on Commits... Akcje dla poprawek... - - Diff &Selected Files - Pokaż różnice w &zaznaczonych plikach - Undo Changes to %1 Cofnij zmiany w %1 @@ -6083,18 +31165,6 @@ Commit now? Git Commit Git Commit - - Closing Git Editor - Zamykanie Git Editor - - - Git will not accept this commit. Do you want to continue to edit it? - Git nie zaakceptuje tej poprawki. Czy kontynuować edycję? - - - Unable to retrieve file list - Nie można uzyskać listy plików - Repository Clean Czyste repozytorium @@ -6107,6 +31177,105 @@ Commit now? The repository is clean. Repozytorium jest czyste. + + Diff Current Project + Avoid translating "Diff" + Pokaż różnice w bieżącym projekcie + + + Diff Project "%1" + Avoid translating "Diff" + Pokaż różnice w projekcie "%1" + + + Log Project + Avoid translating "Log" + + + + Log Project "%1" + Avoid translating "Log" + Pokaż log projektu "%1" + + + Clean Project... + Avoid translating "Clean" + Wyczyść projekt... + + + Clean Project "%1"... + Avoid translating "Clean" + Wyczyść projekt "%1"... + + + Amend Last Commit... + Avoid translating "Commit" + Skoryguj ostatnią poprawkę... + + + Fixup Previous Commit... + Avoid translating "Commit" + Napraw poprzednią poprawkę... + + + Recover Deleted Files + + + + Interactive Rebase... + Avoid translating "Rebase" + + + + Abort Merge + Avoid translating "Merge" + Przerwij scalanie + + + Abort Rebase + Avoid translating "Rebase" + + + + Abort Cherry Pick + Avoid translating "Cherry Pick" + + + + Abort Revert + Avoid translating "Revert" + Przerwij odwracanie + + + Stash Unstaged Files + Avoid translating "Stash" + + + + Stash Pop + Avoid translating "Stash" + Przywróć ostatnio odłożoną zmianę + + + DCommit + + + + Archive... + + + + Git Bash + + + + You + + + + Unable to Retrieve File List + + Patches (*.patch *.diff) Łaty (*.patch *.diff) @@ -6115,10 +31284,6 @@ Commit now? Patch %1 successfully applied to %2 Łata %1 została poprawnie zastosowana do %2 - - Log - Log - Diff Pokaż różnice @@ -6127,10 +31292,6 @@ Commit now? Status Stan - - Clean... - Wyczyść... - Apply from Editor Zastosuj z edytora @@ -6143,3431 +31304,18 @@ Commit now? Take Snapshot... Wykonaj zrzut... - - Fetch - Pobierz - Meta+G,Meta+C Meta+G,Meta+C - - &Undo - &Cofnij - - - &Redo - &Przywróć - Another submit is currently being executed. Trwa tworzenie innej poprawki. - - Do you want to commit the change? - Czy utworzyć poprawkę? - The binary "%1" could not be located in the path "%2" Nie można odnaleźć pliku binarnego "%1" w ścieżce "%2" - - - QtC::Help - - Documentation - Dokumentacja - - - Add Documentation - Dodaj dokumentację - - - Qt Help Files (*.qch) - Pliki pomocy Qt (*.qch) - - - Invalid documentation file: - Niepoprawny plik z dokumentacją: - - - Namespace already registered: - Przestrzeń nazw jest już zarejestrowana: - - - Registration failed - Błąd rejestracji - - - Unable to register documentation. - Nie można zarejestrować dokumentacji. - - - %1 (auto-detected) - %1 (automatycznie wykryte) - - - Add and remove compressed help files, .qch. - Dodaje i usuwa skompresowane pliki pomocy .qch. - - - Registered Documentation - Zarejestrowana dokumentacja - - - Add... - Dodaj... - - - Remove - Usuń - - - Filters - Filtry - - - Unfiltered - Nieprzefiltrowane - - - No user defined filters available or no filter selected. - Brak dostępnych filtrów użytkownika lub żaden filtr nie jest zaznaczony. - - - The filter "%1" will show every documentation file available, as no attributes are specified. - Filtr "%1" pokaże całą dostępną dokumentację, ponieważ nie podano żadnych atrybutów. - - - The filter "%1" will only show documentation files that have the attribute %2 specified. - Filtr "%1" pokaże tylko tę dokumentację, która posiada atrybut %2. - - - The filter "%1" will only show documentation files that have the attributes %2 specified. - Filtr "%1" pokaże tylko tę dokumentację, która posiada atrybuty: %2. - - - Attributes - Atrybuty - - - 1 - 1 - - - <html><body> -<p> -Add, modify, and remove document filters, which determine the documentation set displayed in the Help mode. The attributes are defined in the documents. Select them to display a set of relevant documentation. Note that some attributes are defined in several documents. -</p></body></html> - <html><body> -<p> -Dodaj, zmodyfikuj lub usuń filtry dokumentów, które determinują zestaw dokumentacji wyświetlanej w trybie "Pomocy". Atrybuty są zdefiniowane w dokumentach. Zaznaczenie ich spowoduje wyświetlenie zestawu odpowiedniej dokumentacji. Zwróć uwagę, że niektóre atrybuty mogą być zdefiniowane w kilku dokumentach. -</p></body></html> - - - General - Ogólne - - - Import Bookmarks - Zaimportuj zakładki - - - Files (*.xbel) - Pliki (*.xbel) - - - Cannot import bookmarks. - Nie można zaimportować zakładek. - - - Save File - Zachowaj plik - - - Form - Formularz - - - Font - Czcionka - - - Family: - Rodzina: - - - Style: - Styl: - - - Size: - Rozmiar: - - - Note: This setting takes effect only if the HTML file does not use a style sheet. - Uwaga: To ustawienie zadziała tylko gdy plik HTML nie używa arkusza stylu. - - - Startup - Uruchamianie - - - On context help: - Podręczna pomoc: - - - Show Side-by-Side if Possible - Pokazuj z boku jeśli jest miejsce - - - Always Show Side-by-Side - Zawsze pokazuj z boku - - - On help start: - Po uruchomieniu pomocy: - - - Show My Home Page - Pokazuj moją stronę startową - - - Show a Blank Page - Pokazuj pustą stronę - - - Show My Tabs from Last Session - Pokazuj moje karty z ostatniej sesji - - - Home page: - Strona startowa: - - - Use &Current Page - Użyj &bieżącej strony - - - Use &Blank Page - Użyj &pustej strony - - - Reset - Zresetuj - - - Behaviour - Zachowanie - - - Return to editor on closing the last page - Powracaj do edytora po zamknięciu ostatniej strony - - - Import Bookmarks... - Zaimportuj zakładki... - - - Export Bookmarks... - Wyeksportuj zakładki... - - - Reset to default. - Przywróć domyślną. - - - Switches to editor context after last help page is closed. - Przełącza do trybu edycji po zamknięciu ostatniej strony pomocy. - - - Always Show in Help Mode - Zawsze pokazuj w trybie pomocy - - - Always Show in External Window - Zawsze pokazuj w zewnętrznym oknie - - - Help Index - Indeks pomocy - - - Help - Pomoc - - - Contents - Zawartość - - - Index - Indeks - - - Search - Wyszukaj - - - Bookmarks - Zakładki - - - Context Help - Pomoc podręczna - - - Technical Support - Wsparcie techniczne - - - Report Bug... - Zgłoś błąd... - - - System Information... - Informacje o systemie... - - - No Documentation - Brak dokumentacji - - - No documentation available. - Brak dostępnej dokumentacji. - - - System Information - Informacje o systemie - - - Use the following to provide more detailed information about your system to bug reports: - Poniżej można uszczegółowić informacje o systemie, które będą użyte do tworzenia raportów o błędach: - - - Copy to Clipboard - Skopiuj do schowka - - - Open Pages - Otwarte strony - - - Indexing Documentation - Indeksowanie dokumentacji - - - Open Link - Otwórz odsyłacz - - - Open Link as New Page - Otwórz odsyłacz na nowej stronie - - - Copy Link - Skopiuj odsyłacz - - - Copy - Skopiuj - - - Reload - Przeładuj - - - The file is not an XBEL version 1.0 file. - Ten plik nie jest plikiem XBEL wersji 1.0. - - - Unknown title - Nieznany plik - - - - QtC::Perforce - - &Perforce - &Perforce - - - Edit - Edycja - - - Edit "%1" - Zmodyfikuj "%1" - - - Alt+P,Alt+E - Alt+P,Alt+E - - - Edit File - Zmodyfikuj plik - - - Add - Dodaj - - - Add "%1" - Dodaj "%1" - - - Alt+P,Alt+A - Alt+P,Alt+A - - - Add File - Dodaj plik - - - Delete File - Usuń plik - - - Revert - Odwróć zmiany - - - Revert "%1" - Odwróć zmiany w "%1" - - - Alt+P,Alt+R - Alt+P,Alt+R - - - Revert File - Odwróć zmiany w pliku - - - Diff Current File - Pokaż różnice w bieżącym pliku - - - Diff "%1" - Pokaż różnice w "%1" - - - Diff Current Project/Session - Pokaż różnice w bieżącym projekcie / sesji - - - Diff Project "%1" - Pokaż różnice w projekcie "%1" - - - Alt+P,Alt+D - Alt+P,Alt+D - - - Diff Opened Files - Pokaż różnice w otwartych plikach - - - Opened - Otwarto - - - Alt+P,Alt+O - Alt+P,Alt+O - - - Submit Project - Poprawka ze zmian w projekcie - - - Alt+P,Alt+S - Alt+P,Alt+S - - - Pending Changes... - Oczekujące zmiany... - - - Update Project "%1" - Uaktualnij projekt "%1" - - - Describe... - Opisz... - - - Annotate Current File - Dołącz adnotację do bieżącego pliku - - - Annotate "%1" - Dołącz adnotację do "%1" - - - Annotate... - Dołącz adnotację... - - - Filelog Current File - Log bieżącego pliku - - - Filelog "%1" - Log pliku "%1" - - - Alt+P,Alt+F - Alt+P,Alt+F - - - Filelog... - Log pliku... - - - Update All - Uaktualnij wszystko - - - Meta+P,Meta+F - Meta+P,Meta+F - - - Meta+P,Meta+E - Meta+P,Meta+E - - - Meta+P,Meta+A - Meta+P,Meta+A - - - Delete... - Usuń... - - - Delete "%1"... - Usuń "%1"... - - - Meta+P,Meta+R - Meta+P,Meta+R - - - Meta+P,Meta+D - Meta+P,Meta+D - - - Log Project - Pokaż log projektu - - - Log Project "%1" - Pokaż log projektu "%1" - - - Submit Project "%1" - Poprawka ze zmian w projekcie "%1" - - - Meta+P,Meta+S - Meta+P,Meta+S - - - Update Current Project - Uaktualnij bieżący projekt - - - Revert Unchanged - Odwróć niezmienione - - - Revert Unchanged Files of Project "%1" - Odwróć niezmienione pliki projektu "%1" - - - Revert Project - Odwróć zmiany w projekcie - - - Revert Project "%1" - Odwróć zmiany w projekcie "%1" - - - Meta+P,Meta+O - Meta+P,Meta+O - - - Repository Log - Log repozytorium - - - &Undo - &Cofnij - - - &Redo - &Przywróć - - - p4 revert - p4 revert - - - The file has been changed. Do you want to revert it? - Plik został zmieniony. Czy odwrócić w nim zmiany? - - - Do you want to revert all changes to the project "%1"? - Czy odwrócić wszystkie zmiany w projekcie "%1"? - - - Another submit is currently executed. - Trwa tworzenie innej poprawki. - - - Project has no files - Brak plików w projekcie - - - p4 annotate - p4 annotate - - - p4 annotate %1 - p4 annotate %1 - - - p4 filelog - p4 filelog - - - p4 filelog %1 - p4 filelog %1 - - - p4 changelists %1 - p4 changelists %1 - - - Could not start perforce "%1". Please check your settings in the preferences. - Nie można uruchomić perforce "%1". Sprawdź stosowne ustawienia. - - - Perforce did not respond within timeout limit (%1 s). - Perforce nie odpowiedział w określonym czasie (%1 s). - - - The process terminated with exit code %1. - Proces zakończył się kodem wyjściowym %1. - - - The commit message check failed. Do you want to submit this change list? - Błąd podczas sprawdzania opisu poprawki. Czy utworzyć poprawkę zawierającą tę listę zmian? - - - p4 submit failed: %1 - Błąd p4 submit: %1 - - - Error running "where" on %1: %2 - Failed to run p4 "where" to resolve a Perforce file name to a local file system name. - Błąd podczas uruchamiania "where" w %1: %2 - - - The file is not mapped - File is not managed by Perforce - Plik nie jest zmapowany - - - Perforce repository: %1 - Repozytorium Perforce: %1 - - - Perforce: Unable to determine the repository: %1 - Perforce: Nie można określić repozytorium: %1 - - - The process terminated abnormally. - Proces niepoprawnie zakończony. - - - Diff &Selected Files - Pokaż różnice w &zaznaczonych plikach - - - Unable to write input data to process %1: %2 - Nie można wpisać danych wejściowych do procesu %1: %2 - - - Perforce is not correctly configured. - Perforce nie jest poprawnie skonfigurowany. - - - [Only %n MB of output shown] - %n probably doesn't make sense here - - [Pokazano tylko %n MB danych wyjściowych] - [Pokazano tylko %n MB danych wyjściowych] - [Pokazano tylko %n MB danych wyjściowych] - - - - p4 diff %1 - p4 diff %1 - - - p4 describe %1 - p4 describe %1 - - - Closing p4 Editor - Zamykanie edytora p4 - - - Do you want to submit this change list? - Czy utworzyć poprawkę zawierającą tę listę zmian? - - - Pending change - Oczekująca zmiana - - - Could not submit the change, because your workspace was out of date. Created a pending submit instead. - Nie można utworzyć poprawki, ponieważ drzewo robocze nie jest aktualne. Zamiast tego utworzono poprawkę oczekującą na wysłanie. - - - Perforce Submit - Utwórz poprawkę w Perforce - - - Perforce Command - Komenda Perforce - - - Testing... - Testowanie... - - - Test succeeded (%1). - Test poprawnie zakończony (%1). - - - - QtC::ProjectExplorer - - Configuration is faulty. Check the Issues view for details. - Błędna konfiguracja. Sprawdź szczegóły w widoku "Problemy budowania". - - - Could not create directory "%1" - Nie można utworzyć katalogu "%1" - - - Starting: "%1" %2 - Uruchamianie "%1" %2 - - - The process "%1" exited normally. - Proces "%1" zakończył się normalnie. - - - The process "%1" exited with code %2. - Proces "%1" zakończył się kodem wyjściowym %2. - - - The process "%1" crashed. - Proces "%1" przerwał pracę. - - - Could not start process "%1" %2 - Nie można uruchomić procesu "%1" %2 - - - Files in Any Project - Pliki we wszystkich projektach - - - All Projects - Wszystkie projekty - - - All Projects: - Wszystkie projekty: - - - Filter: %1 -Excluding: %2 -%3 - Filtr: %1 -Wykluczenia: %2 -%3 - - - Cannot retrieve debugging output. - Nie można pobrać komunikatów debuggera. - - - Finished %1 of %n steps - - Zakończono krok %1 z %n - Zakończono krok %1 z %n - Zakończono krok %1 z %n - - - - Compile - Category for compiler issues listed under 'Issues' - Kompilacja - - - Build System - Category for build system issues listed under 'Issues' - System budowania - - - Deployment - Category for deployment issues listed under 'Issues' - Instalacja - - - Elapsed time: %1. - Czas trwania: %1. - - - Build/Deployment canceled - Anulowano budowanie / instalację - - - Error while building/deploying project %1 (kit: %2) - Błąd budowania / instalowania projektu %1 (zestaw narzędzi: %2) - - - The kit %1 has configuration issues which might be the root cause for this problem. - Przyczyną problemu może być niepoprawnie skonfigurowany zestaw narzędzi %1. - - - When executing step "%1" - Podczas wykonywania kroku "%1" - - - Canceled build/deployment. - Anulowano budowanie / instalację. - - - Running steps for project %1... - Uruchamianie kroków budowania dla projektu %1... - - - Skipping disabled step %1. - Pominięcie zablokowanego kroku %1. - - - No build settings available - Brak dostępnych ustawień budowania - - - Edit build configuration: - Edycja konfiguracji budowania: - - - Add - Dodaj - - - Remove - Usuń - - - New Configuration - Nowa konfiguracja - - - Cancel Build && Remove Build Configuration - Przerwij budowanie i usuń konfigurację budowania - - - Do Not Remove - Nie usuwaj - - - Remove Build Configuration %1? - Usunąć konfigurację budowania %1? - - - The build configuration <b>%1</b> is currently being built. - Konfiguracja budowania <b>%1</b> jest w tej chwili wykorzystywana. - - - Do you want to cancel the build process and remove the Build Configuration anyway? - Czy przerwać budowanie i usunąć tę konfigurację? - - - Remove Build Configuration? - Usunąć konfigurację budowania? - - - Do you really want to delete build configuration <b>%1</b>? - Czy na pewno usunąć konfigurację budowania <b>%1</b>? - - - &Clone Selected - S&klonuj wybraną - - - Rename... - Zmień nazwę... - - - New name for build configuration <b>%1</b>: - Nowa nazwa dla konfiguracji budowania <b>%1</b>: - - - New configuration name: - Nazwa nowej konfiguracji: - - - Clean Steps - Kroki procesu czyszczenia - - - Build Steps - Kroki procesu budowania - - - Compile Output - Komunikaty kompilatora - - - Increase Font Size - Zwiększ rozmiar czcionki - - - Decrease Font Size - Zmniejsz rozmiar czcionki - - - Files in Current Project - Pliki w bieżącym projekcie - - - Project "%1" - Projekt "%1" - - - Current Project - Bieżący projekt - - - Project "%1": - Projekt "%1": - - - The target directory %1 could not be created. - Nie można utworzyć docelowego katalogu %1. - - - The existing file %1 could not be removed. - Nie można usunąć pliku %1. - - - The file %1 could not be copied to %2. - Nie można skopiować pliku %1 do %2. - - - %1 not found in PATH - - Nie znaleziono %1 w zmiennej PATH - - - - Unable to Add Dependency - Nie można dodać zależności - - - This would create a circular dependency. - Utworzyłoby to cykliczną zależność. - - - Ed&it - Z&modyfikuj - - - &Add - &Dodaj - - - &Reset - &Przywróć - - - &Unset - &Usuń - - - &Batch Edit... - Modyfikuj &grupowo... - - - Unset <a href="%1"><b>%1</b></a> - Usuń <a href="%1"><b>%1</b></a> - - - Set <a href="%1"><b>%1</b></a> to <b>%2</b> - Ustaw <a href="%1"><b>%1</b></a> na <b>%2</b> - - - Use <b>%1</b> - %1 is "System Environment" or some such. - Użyj <b>%1</b> - - - Use <b>%1</b> and - Yup, word puzzle. The Set/Unset phrases above are appended to this. %1 is "System Environment" or some such. - Użyj <b>%1</b> i - - - - QtC::Core - - File System - System plików - - - Meta+Y - Meta+Y - - - Alt+Y - Alt+Y - - - Filter Files - Przefiltruj pliki - - - - QtC::ProjectExplorer - - Custom Process Step - item in combobox - Własny krok procesu - - - Custom Process Step - Własny krok procesu - - - &Build - &Budowanie - - - &Debug - &Debugowanie - - - &Start Debugging - &Rozpocznij debugowanie - - - Open With - Otwórz przy pomocy - - - New Project... - Nowy projekt... - - - Ctrl+Shift+N - Ctrl+Shift+N - - - Load Project... - Załaduj projekt... - - - Ctrl+Shift+O - Ctrl+Shift+O - - - Open File - Otwórz plik - - - Close Project - Zamknij projekt - - - Close Project "%1" - Zamknij projekt "%1" - - - Build All - Zbuduj wszystko - - - Ctrl+Shift+B - Ctrl+Shift+B - - - Rebuild All - Przebuduj wszystko - - - Deploy All - Zainstaluj wszystko - - - Clean All - Wyczyść wszystko - - - Build Project - Zbuduj projekt - - - Build Project "%1" - Zbuduj projekt "%1" - - - Ctrl+B - Ctrl+B - - - Rebuild Project - Przebuduj projekt - - - Rebuild Project "%1" - Przebuduj projekt "%1" - - - Deploy Project - Zainstaluj projekt - - - Deploy Project "%1" - Zainstaluj projekt "%1" - - - Clean Project - Wyczyść projekt - - - Clean Project "%1" - Wyczyść projekt "%1" - - - Build Without Dependencies - Zbuduj bez zależności - - - Rebuild Without Dependencies - Przebuduj bez zależności - - - Deploy Without Dependencies - Zainstaluj bez zależności - - - Clean Without Dependencies - Wyczyść bez zależności - - - C - C - - - C++ - C++ - - - Close All Projects and Editors - Zamknij wszystkie projekty i edytory - - - Alt+Backspace - Alt+Backspace - - - Ctrl+R - Ctrl+R - - - Run Without Deployment - Uruchom z pominięciem instalowania - - - Rebuild - Przebuduj - - - Add Existing Directory... - Dodaj istniejący katalog... - - - New Subproject... - Nowy podprojekt... - - - Duplicate File... - Powiel plik... - - - Remove Project... - Remove project from parent profile (Project explorer view); will not physically delete any files. - Usuń projekt... - - - Delete File... - Usuń plik... - - - Diff Against Current File - Pokaż różnice w stosunku do bieżącego pliku - - - Set "%1" as Active Project - Ustaw "%1" jako aktywny projekt - - - Collapse All - Zwiń wszystko - - - Open Build and Run Kit Selector... - Otwórz przełącznik zestawu budowania i uruchamiania... - - - Current project's main file. - Główny plik bieżącego projektu. - - - Full build path of the current project's active build configuration. - Pełna ścieżka do wersji z aktywną konfiguracją budowania bieżącego projektu. - - - The name of the currently active kit as a filesystem-friendly version. - Nazwa aktywnego zestawu narzędzi w wersji przyjaznej dla systemu plików. - - - The ID of the currently active kit. - Identyfikator aktywnego zestawu narzędzi. - - - The host address of the device in the currently active kit. - Adres urządzenia w aktywnym zestawie narzędzi. - - - The SSH port of the device in the currently active kit. - Port SSH urządzenia w aktywnym zestawie narzędzi. - - - The private key file with which to authenticate when logging into the device in the currently active kit. - Klucz prywatny użyty do autoryzacji podczas logowania na urządzeniu w aktywnym zestawie narzędzi. - - - The currently active build configuration's name. - Nazwa aktywnej konfiguracji budowania. - - - The currently active run configuration's name. - Nazwa aktywnej konfiguracji uruchamiania. - - - The currently active build configuration's type. - Typ aktywnej konfiguracji budowania. - - - File where current session is saved. - Plik, w którym zachowana jest bieżąca sesja. - - - Name of current session. - Nazwa bieżącej sesji. - - - Cancel Build && Unload - Przerwij budowanie i wyładuj - - - Do Not Unload - Nie wyładowuj - - - Unload Project %1? - Wyładować projekt %1? - - - The project %1 is currently being built. - Trwa budowanie projektu %1. - - - Do you want to cancel the build process and unload the project anyway? - Czy przerwać budowanie i wyładować projekt? - - - _copy - _kopia - - - _copy%1 - _kopia%1 - - - Duplicating File Failed - Błąd powielania pliku - - - Could not duplicate the file %1. - Nie można powielić pliku %1. - - - The file %1 could not be renamed %2. - Nie można zmienić nazwy pliku "%1" na "%2". - - - Cannot Rename File - Nie można zmienić nazwy pliku - - - Failed to Open Project - Nie można otworzyć projektu - - - S&essions - &Sesje - - - &Manage... - Za&rządzaj... - - - Close Pro&ject "%1" - Zamknij pro&jekt "%1" - - - Close Pro&ject - Zamknij pro&jekt - - - Meta+Backspace - Meta+Backspace - - - The currently active run configuration's executable (if applicable). - Plik wykonywalny aktywnej konfiguracji uruchamiania (jeśli istnieje). - - - Failed opening project "%1": Project is not a file. - Nie można otworzyć projektu "%1": Ścieżka projektu nie wskazuje na plik. - - - Failed opening project "%1": No plugin can open project type "%2". - Nie można otworzyć projektu "%1": brak wtyczki obsługującej projekty typu "%2". - - - Failed opening project "%1": Unknown project type. - Nie można otworzyć projektu "%1": nieznany typ projektu. - - - Unknown error - Nieznany błąd - - - Could Not Run - Nie można uruchomić - - - Found some build errors in current task. -Do you want to ignore them? - Znaleziono błędy podczas budowania. -Czy zignorować je? - - - Build - Build step - Budowanie - - - Stop Applications - Zatrzymanie aplikacji - - - Stop these applications before building? - Zatrzymać następujące aplikacje przed budowaniem? - - - No project loaded. - Nie załadowano projektu. - - - Currently building the active project. - Trwa budowanie aktywnego projektu. - - - The project %1 is not configured. - Projekt %1 nie jest skonfigurowany. - - - Project has no build settings. - Brak ustawień budowania w projekcie. - - - Cancel Build && Close - Przerwij budowanie i zamknij - - - Do Not Close - Nie zamykaj - - - Close Qt Creator? - Czy zamknąć Qt Creatora? - - - A project is currently being built. - Trwa budowanie projektu. - - - Do you want to cancel the build process and close Qt Creator anyway? - Czy przerwać budowanie i zamknąć Qt Creatora? - - - No active project. - Brak aktywnego projektu. - - - Run %1 - Uruchom %1 - - - New Subproject - Title of dialog - Nowy podprojekt - - - Could not add following files to project %1: - Nie można dodać następujących plików do projektu %1: - - - Adding Files to Project Failed - Nie można dodać plików do projektu - - - Project Editing Failed - Nie można zmodyfikować projektu - - - The project file %1 cannot be automatically changed. - -Rename %2 to %3 anyway? - Plik projektu "%1" nie może być automatycznie zmieniony. - -Czy, pomimo to, zmienić nazwę "%2" na "%3"? - - - The file %1 was renamed to %2, but the project file %3 could not be automatically changed. - Plik %1 został przemianowany na %2, ale nie można było automatycznie zmienić pliku projektu %3. - - - Building "%1" is disabled: %2<br> - Budowanie "%1" jest zablokowane: %2<br> - - - A build is in progress. - Trwa budowanie. - - - Building "%1" is disabled: %2 - Budowanie "%1" jest zablokowane: %2 - - - The project "%1" is not configured. - Projekt %1 nie jest skonfigurowany. - - - The project "%1" has no active kit. - Projekt "%1" nie posiada aktywnego zestawu narzędzi. - - - The kit "%1" for the project "%2" has no active run configuration. - Brak aktywnej konfiguracji uruchamiania w zestawie narzędzi "%1" w projekcie "%2". - - - Cannot run "%1". - Nie można uruchomić "%1". - - - Removing File Failed - Nie można usunąć pliku - - - Deleting File Failed - Nie można usunąć pliku - - - Delete File - Usuń plik - - - Delete %1 from file system? - Usunąć %1 z systemu plików? - - - Recent P&rojects - Ostatnie p&rojekty - - - Cancel Build - Przerwij budowanie - - - Add New... - Dodaj nowy... - - - Add Existing Files... - Dodaj istniejące pliki... - - - Remove File... - Usuń plik... - - - Set as Active Project - Ustaw jako aktywny projekt - - - Quick Switch Kit Selector - Szybki przełącznik zestawu narzędzi - - - Ctrl+T - Ctrl+T - - - The name of the current project. - Nazwa bieżącego projektu. - - - The name of the currently active kit. - Nazwa aktywnego zestawu narzędzi. - - - The username with which to log into the device in the currently active kit. - Nazwa użytkownika użytego do logowania na urządzeniu w aktywnym zestawie narzędzi. - - - Load Project - Załaduj projekt - - - New Project - Title of dialog - Nowy projekt - - - <h3>Project already open</h3> - <h3>Projekt już otwarty</h3> - - - Ignore All Errors? - Zignorować wszystkie błędy? - - - Run Configuration Removed - Usunięto konfigurację uruchamiania - - - The configuration that was supposed to run is no longer available. - Konfiguracja, która miała zostać użyta do uruchomienia, nie jest już dostępna. - - - Always save files before build - Zawsze zachowuj pliki przed budowaniem - - - The project %1 is not configured, skipping it. - Projekt %1 nie jest skonfigurowany, zostaje pominięty. - - - A build is still in progress. - Nadal trwa budowanie. - - - New File - Title of dialog - Nowy plik - - - Add Existing Files - Dodaj istniejące pliki - - - Could not remove file %1 from project %2. - Nie można usunąć pliku %1 z projektu %2. - - - Could not delete file %1. - Nie można usunąć pliku %1. - - - General - Ogólne - - - Open project anyway? - Czy otworzyć projekt mimo to? - - - Version Control Failure - Błąd kontroli wersji - - - Failed to add subproject "%1" -to project "%2". - Nie można dodać podprojektu "%1" -do projektu "%2". - - - Failed to add one or more files to project -"%1" (%2). - Nie można dodać jednego lub więcej plików do projektu -"%1" (%2). - - - Simplify Tree - Uprość drzewo - - - Hide Generated Files - Ukryj wygenerowane pliki - - - Hide Empty Directories - Ukryj puste katalogi - - - Synchronize with Editor - Synchronizuj z edytorem - - - Projects - Projekty - - - Meta+X - Meta+X - - - Alt+X - Alt+X - - - Filter Tree - Przefiltruj drzewo - - - Open Session #%1 - Otwórz sesję #%1 - - - Ctrl+Meta+%1 - Ctrl+Meta+%1 - - - Ctrl+Alt+%1 - Ctrl+Alt+%1 - - - Open Recent Project #%1 - Otwórz ostatni projekt #%1 - - - Ctrl+Shift+%1 - Ctrl+Shift+%1 - - - Open %1 "%2" - Otwórz %1 "%2" - - - Open %1 "%2" (%3) - Otwórz %1 "%2" (%3) - - - %1 (last session) - %1 (ostatnia sesja) - - - %1 (current session) - %1 (bieżąca sesja) - - - Clone - Sklonuj - - - Rename - Zmień nazwę - - - Delete - Usuń - - - New Project - Nowy projekt - - - Open Project - Otwórz projekt - - - Sessions - Sesje - - - Recent Projects - Ostatnie projekty - - - Summary - Podsumowanie - - - Add as a subproject to project: - Dodaj podprojekt do projektu: - - - <None> - <Brak> - - - A version control system repository could not be created in "%1". - Nie można utworzyć repozytorium systemu kontroli wersji w "%1". - - - Failed to add "%1" to the version control system. - Nie można dodać "%1" do systemu kontroli wersji. - - - Files to be added: - Pliki, które zostaną dodane: - - - Files to be added in - Pliki, które zostaną dodane w - - - Run Settings - Ustawienia uruchamiania - - - Deployment - Instalacja - - - Method: - Metoda: - - - Run - Uruchamianie - - - Run configuration: - Konfiguracja uruchamiania: - - - Remove Run Configuration? - Usunąć konfigurację uruchamiania? - - - Do you really want to delete the run configuration <b>%1</b>? - Czy na pewno usunąć konfigurację uruchamiania <b>%1</b>? - - - Clone Configuration - Title of a the cloned RunConfiguration window, text of the window - Sklonuj konfigurację - - - New name for run configuration <b>%1</b>: - Nowa nazwa dla konfiguracji uruchamiania <b>%1</b>: - - - Cancel Build && Remove Deploy Configuration - Przerwij budowanie i usuń konfigurację instalacji - - - Remove Deploy Configuration %1? - Usunąć konfigurację instalacji %1? - - - The deploy configuration <b>%1</b> is currently being built. - Konfiguracja instalacji <b>%1</b> jest w tej chwili wykorzystywana. - - - Do you want to cancel the build process and remove the Deploy Configuration anyway? - Czy przerwać budowanie i usunąć tę konfigurację? - - - Remove Deploy Configuration? - Usunąć konfigurację instalacji? - - - Do you really want to delete deploy configuration <b>%1</b>? - Czy na pewno usunąć konfigurację instalacji <b>%1</b>? - - - New name for deploy configuration <b>%1</b>: - Nowa nazwa dla konfiguracji instalacji <b>%1</b>: - - - Error while restoring session - Błąd podczas przywracania sesji - - - Could not restore session %1 - Nie można przywrócić sesji %1 - - - Failed to restore project files - Nie można przywrócić plików projektu - - - Delete Session - Usuń sesję - - - Delete session %1? - Usunąć sesję %1? - - - Could not restore the following project files:<br><b>%1</b> - Nie można przywrócić następujących plików projektu:<br><b>%1</b> - - - Keep projects in Session - Przechowaj projekty w sesji - - - Remove projects from Session - Usuń projekty z sesji - - - Loading Session - Ładowanie sesji - - - Error while saving session - Błąd podczas zachowywania sesji - - - Could not save session to file "%1" - Nie można zachować sesji w pliku "%1" - - - Untitled - Nienazwany - - - File not found: %1 - Brak pliku: %1 - - - - QtC::QmakeProjectManager - - <New class> - <Nowa klasa> - - - Confirm Delete - Potwierdź usunięcie - - - Delete class %1 from list? - Czy usunąć klasę %1 z listy? - - - Qt Custom Designer Widget - Własny widżet Qt Designera - - - Creates a Qt Custom Designer Widget or a Custom Widget Collection. - Tworzy własny widżet Qt Designera lub kolekcję własnych widżetów. - - - This wizard generates a Qt Designer Custom Widget or a Qt Designer Custom Widget Collection project. - Ten kreator generuje projekt własnego widżetu Qt Designera lub projekt kolekcji własnych widżetów Qt4 Designera. - - - Creating multiple widget libraries (%1, %2) in one project (%3) is not supported. - Tworzenie wielu bibliotek z widżetami (%1, %2) w jednym projekcie (%3) nie jest obsługiwane. - - - Unable to start "%1" - Nie można uruchomić "%1" - - - The application "%1" could not be found. - Nie można odnaleźć aplikacji "%1". - - - Qt Designer is not responding (%1). - Qt Designer nie odpowiada (%1). - - - Unable to create server socket: %1 - Nie można utworzyć gniazda serwera: %1 - - - Make - Qt MakeStep display name. - Make - - - Cannot find Makefile. Check your build settings. - Nie można odnaleźć pliku Makefile. Sprawdź swoje ustawienia budowania. - - - Override %1: - Nadpisz %1: - - - Make: - Make: - - - <b>Make:</b> %1 - <b>Make:</b> %1 - - - <b>Make:</b> No Qt build configuration. - <b>Make:</b> Brak konfiguracji budowania Qt. - - - <b>Make:</b> %1 not found in the environment. - <b>Make:</b> Nie odnaleziono %1 w środowisku. - - - Make - Make - - - qmake - QMakeStep default display name - qmake - - - No Qt version configured. - Brak skonfigurowanej wersji Qt. - - - Could not determine which "make" command to run. Check the "make" step in the build configuration. - Nie można określić, którą komendę "make" należy uruchomić. Można to sprawdzić w konfiguracji budowania, w ustawieniach kroku "make". - - - Configuration unchanged, skipping qmake step. - Konfiguracja niezmieniona, krok qmake pominięty. - - - <no Qt version> - <Brak wersji Qt> - - - <no Make step found> - <brak kroku Make> - - - QML Debugging - Debugowanie QML - - - The option will only take effect if the project is recompiled. Do you want to recompile now? - Opcja zostanie zastosowana po ponownej kompilacji projektu. Czy skompilować teraz? - - - <b>qmake:</b> No Qt version set. Cannot run qmake. - <b>qmake:</b> Brak ustawionej wersji Qt. Nie można uruchomić qmake. - - - <b>qmake:</b> %1 %2 - <b>qmake:</b> %1 %2 - - - Enable QML debugging and profiling: - Odblokuj debugowanie i profilowanie QML: - - - Might make your application vulnerable. Only use in a safe environment. - Może to sprawić, że aplikacja stanie się podatna na ataki. Używaj tylko w bezpiecznym środowisku. - - - Enable Qt Quick Compiler: - Odblokuj kompilator Qt Quick: - - - Disables QML debugging. QML profiling will still work. - Blokuje debugowanie QML, profilowanie QML pozostawia włączone. - - - QMake - QMake - - - Run qmake - Uruchom qmake - - - Build - Zbuduj - - - Build "%1" - Zbuduj "%1" - - - Rebuild - Przebuduj - - - Clean - Wyczyść - - - Build Subproject - Zbuduj podprojekt - - - Build Subproject "%1" - Zbuduj podprojekt "%1" - - - Rebuild Subproject - Przebuduj podprojekt - - - Rebuild Subproject "%1" - Przebuduj podprojekt "%1" - - - Clean Subproject - Wyczyść podprojekt - - - Clean Subproject "%1" - Wyczyść podprojekt "%1" - - - Build File - Zbuduj plik - - - Build File "%1" - Zbuduj plik "%1" - - - Ctrl+Alt+B - Ctrl+Alt+B - - - Add Library... - Dodaj bibliotekę... - - - - QtModulesInfo - - Core non-GUI classes used by other modules - Podstawowe klasy używane przez inne moduły - - - Base classes for graphical user interface (GUI) components. (Qt 4: Includes widgets. Qt 5: Includes OpenGL.) - Klasy bazowe dla komponentów GUI. (Qt 4: zawiera widżety. Qt 5: zawiera OpenGL.) - - - Classes to extend Qt GUI with C++ widgets (Qt 5) - Klasy do rozszerzania Qt GUI przy pomocy C++ widżetów (Qt 5) - - - Qt Quick 1 classes - Klasy Qt Quick - - - Classes for QML and JavaScript languages (Qt 5) - Klasy języków QML i JavaScript (Qt 5) - - - A declarative framework for building highly dynamic applications with custom user interfaces - Deklaratywny framework do budowania wysoce dynamicznych aplikacji z własnymi interfejsami użytkownika - - - Classes for network programming - Klasy służące do programowania sieciowego - - - OpenGL support classes - Klasy obsługujące OpenGL - - - Print support classes (Qt 5) - Klasy obsługujące drukowanie (Qt 5) - - - Classes for database integration using SQL - Klasy służące do integracji z bazami danych SQL - - - Classes for evaluating Qt Scripts - Klasy wykonujące skrypty Qt - - - Additional Qt Script components - Dodatkowe komponenty skryptów Qt - - - Classes for displaying the contents of SVG files - Klasy służące do wyświetlania zawartości plików SVG - - - Classes for displaying and editing Web content using Chromium backend - Klasy służące do wyświetlania i modyfikacji zawartości stron internetowych, używające back-endu Chromium - - - WebEngine and QWidget-based classes using Chromium backend - Klasy WebEngine i klasy bazujące na QWidget, używające back-endu Chromium - - - Classes for displaying and editing Web content - Klasy służące do wyświetlania i modyfikacji zawartości stron internetowych - - - WebKit1 and QWidget-based classes from Qt 4 (Qt 5) - Klasy WebKit1 i klasy bazujące na QWidget z Qt 4 (Qt 5) - - - Classes for handling XML - Klasy do obsługi XML - - - An XQuery/XPath engine for XML and custom data models - Silnik XQuery / XPath dla XML i własnych modeli danych - - - Multimedia framework classes (Qt 4 only) - Klasy do obsługi multimediów (tylko Qt 4) - - - Classes that ease porting from Qt 3 to Qt 4 (Qt 4 only) - Klasy, które ułatwiają przenoszenie kodu z Qt 3 do Qt 4 (tylko Qt 4) - - - Classes for low-level multimedia functionality - Klasy do niskopoziomowej obsługi multimediów - - - Tool classes for unit testing - Klasy służące do testowania kodu, wykrywania regresji - - - Classes for Inter-Process Communication using the D-Bus - Klasy do międzyprocesowej komunikacji z użyciem D-Bus - - - - QtC::QmakeProjectManager - - Class Information - Informacje o klasie - - - Specify basic information about the classes for which you want to generate skeleton source code files. - Podaj podstawowe informacje o klasach, dla których ma zostać wygenerowany szkielet plików z kodem źródłowym. - - - Details - Szczegóły - - - Qt Widgets Application - Aplikacja Qt Widgets - - - Creates a Qt application for the desktop. Includes a Qt Designer-based main window. - -Preselects a desktop Qt for building the application if available. - Tworzy aplikację Qt dla desktopu. Zawiera główne okno bazujące na Qt Designerze. - -Wstępnie wybiera wersję desktopową Qt do budowania aplikacji (jeśli jest dostępna). - - - This wizard generates a Qt Widgets Application project. The application derives by default from QApplication and includes an empty widget. - Ten kreator generuje projekt aplikacji Qt Widgets. Aplikacja domyślnie dziedziczy z QApplication i zawiera pusty widżet. - - - C++ Library - Biblioteka C++ - - - Creates a C++ library based on qmake. This can be used to create:<ul><li>a shared C++ library for use with <tt>QPluginLoader</tt> and runtime (Plugins)</li><li>a shared or static C++ library for use with another project at linktime</li></ul> - Tworzy bibliotekę C++ bazującą na qmake. Umożliwia utworzenie:<ul><li>dzielonej biblioteki C++, zdolnej do ładowania wtyczek za pomocą <tt>QPluginLoader</tt></li><li>dzielonej lub statycznej biblioteki C++, którą można dowiązać do innego projektu</li></ul> - - - Shared Library - Biblioteka współdzielona - - - Statically Linked Library - Biblioteka statycznie dowiązana - - - Qt Plugin - Wtyczka Qt - - - Type - Typ - - - This wizard generates a C++ Library project. - Ten kreator generuje projekt biblioteki C++. - - - Select Required Modules - Wybierz wymagane moduły - - - Select the modules you want to include in your project. The recommended modules for this project are selected by default. - Wybierz moduły, które włączyć do projektu. Rekomendowane moduły dla tego projektu są domyślnie zaznaczone. - - - Modules - Moduły - - - - QtC::Core - - Locator - Lokalizator - - - - QtC::ResourceEditor - - &Undo - &Cofnij - - - &Redo - &Przywróć - - - Recheck Existence of Referenced Files - Sprawdź ponownie istnienie wskazanych plików - - - Add Prefix... - Dodaj przedrostek... - - - Change Prefix... - Zmień przedrostek... - - - Remove Prefix... - Usuń przedrostek... - - - Rename... - Zmień nazwę... - - - Remove File... - Usuń plik... - - - Open in Editor - Otwórz w edytorze - - - Copy Path - Skopiuj ścieżkę - - - Copy Path "%1" - Skopiuj ścieżkę "%1" - - - Copy URL - Skopiuj URL - - - Copy URL "%1" - Skopiuj URL "%1" - - - Remove Prefix - Usuń przedrostek - - - Remove prefix %1 and all its files? - Czy usunąć przedrostek %1 wraz ze wszystkimi plikami? - - - File Removal Failed - Błąd usuwania pliku - - - Removing file %1 from the project failed. - Nie można usunąć pliku %1 z projektu. - - - Rename Prefix - Zmień nazwę przedrostka - - - Open With - Otwórz przy pomocy - - - Rename File... - Zmień nazwę pliku... - - - Copy Resource Path to Clipboard - Skopiuj ścieżkę z zasobami do schowka - - - - QtC::Subversion - - Subversion Command - Komenda Subversion - - - &Subversion - &Subversion - - - Add - Dodaj - - - Add "%1" - Dodaj "%1" - - - Alt+S,Alt+A - Alt+S,Alt+A - - - Diff Project - Pokaż różnice w projekcie - - - Diff Current File - Pokaż różnice w bieżącym pliku - - - Diff "%1" - Pokaż różnice w "%1" - - - Alt+S,Alt+D - Alt+S,Alt+D - - - Commit All Files - Poprawka ze zmian we wszystkich plikach - - - Commit Current File - Poprawka ze zmian w bieżącym pliku - - - Commit "%1" - Poprawka ze zmian w "%1" - - - Alt+S,Alt+C - Alt+S,Alt+C - - - Filelog Current File - Log bieżącego pliku - - - Filelog "%1" - Log pliku "%1" - - - Annotate Current File - Dołącz adnotację do bieżącego pliku - - - Annotate "%1" - Dołącz adnotację do "%1" - - - Commit Project - Poprawka ze zmian w projekcie - - - Commit Project "%1" - Poprawka ze zmian w projekcie "%1" - - - Diff Repository - Pokaż zmiany w repozytorium - - - Repository Status - Stan repozytorium - - - Log Repository - Log repozytorium - - - Update Repository - Uaktualnij repozytorium - - - Describe... - Opisz... - - - Project Status - Stan projektu - - - Meta+S,Meta+D - Meta+S,Meta+D - - - Meta+S,Meta+A - Meta+S,Meta+A - - - Meta+S,Meta+C - Meta+S,Meta+C - - - Delete... - Usuń... - - - Delete "%1"... - Usuń "%1"... - - - Revert... - Odwróć zmiany... - - - Revert "%1"... - Odwróć zmiany w "%1"... - - - Diff Project "%1" - Pokaż różnice w projekcie "%1" - - - Status of Project "%1" - Pokaż stan projektu "%1" - - - Log Project - Pokaż log projektu - - - Log Project "%1" - Pokaż log projektu "%1" - - - Update Project - Uaktualnij projekt - - - Update Project "%1" - Uaktualnij projekt "%1" - - - Revert Repository... - Odwróć zmiany w repozytorium... - - - Commit - Utwórz poprawkę - - - Diff &Selected Files - Pokaż różnice w &zaznaczonych plikach - - - &Undo - &Cofnij - - - &Redo - &Przywróć - - - Closing Subversion Editor - Zamykanie edytora Subversion - - - Do you want to commit the change? - Czy utworzyć poprawkę? - - - The commit message check failed. Do you want to commit the change? - Błąd podczas sprawdzania opisu poprawki. Czy utworzyć poprawkę? - - - Revert repository - Odwróć zmiany w repozytorium - - - Revert all pending changes to the repository? - Czy odwrócić wszystkie oczekujące zmiany w repozytorium? - - - Revert failed: %1 - Nie można odwrócić zmian: %1 - - - The file has been changed. Do you want to revert it? - Plik został zmieniony. Czy odwrócić w nim zmiany? - - - Another commit is currently being executed. - Trwa tworzenie innej poprawki. - - - There are no modified files. - Brak zmodyfikowanych plików. - - - Describe - Opisz - - - Revision number: - Numer wersji: - - - No subversion executable specified. - Nie podano komendy programu subversion. - - - Subversion Submit - Utwórz poprawkę w Subversion - - - - QtC::TextEditor - - Searching - Przeszukiwanie - - - %n occurrences replaced. - - Zastąpiono %n wystąpienie. - Zastąpiono %n wystąpienia. - Zastąpiono %n wystąpień. - - - - Aborting replace. - Przerwano zastępowanie. - - - %n found. - - %n znalezienie. - %n znalezienia. - %n znalezień. - - - - A highlight definition was not found for this file. Would you like to try to find one? - Definicja podświetleń dla tego pliku nie została znaleziona. Czy chcesz spróbować ją znaleźć? - - - Show Highlighter Options... - Pokaż opcje podświetlania... - - - Text Encoding - Kodowanie tekstu - - - The following encodings are likely to fit: - Następujące kodowania będą najprawdopodobniej pasowały: - - - Select encoding for "%1".%2 - Wybierz kodowanie dla "%1".%2 - - - Reload with Encoding - Przeładuj z kodowaniem - - - Save with Encoding - Zachowaj z kodowaniem - - - Not a color scheme file. - Nie jest to plik ze schematem kolorów. - - - Current File - Bieżący plik - - - File "%1": - Plik "%1": - - - File path: %1 -%2 - Ścieżka pliku: %1 -%2 - - - Font && Colors - Czcionki i kolory - - - Color Scheme for Qt Creator Theme "%1" - Schemat kolorów dla motywu Qt Creatora "%1" - - - Copy Color Scheme - Skopiuj schemat kolorów - - - Color scheme name: - Nazwa schematu kolorów: - - - %1 (copy) - %1 (kopia) - - - Delete Color Scheme - Usuń schemat kolorów - - - Are you sure you want to delete this color scheme permanently? - Czy usunąć ten schemat kolorów bezpowrotnie? - - - Color Scheme Changed - Schemat kolorów został zmieniony - - - The color scheme "%1" was modified, do you want to save the changes? - Schemat kolorów "%1" został zmodyfikowany, czy zachować zmiany? - - - Discard - Odrzuć - - - Line %1, Column %2 - Linia %1, kolumna %2 - - - Line %1 - Linia %1 - - - Column %1 - Kolumna %1 - - - Line in Current Document - Linia w bieżącym dokumencie - - - <line>:<column> - <linia>:<kolumna> - - - Ctrl+Space - Ctrl+Space - - - Meta+Space - Meta+Space - - - Trigger Completion - Rozpocznij uzupełnianie - - - Trigger Refactoring Action - Rozpocznij refaktoryzację - - - Alt+Return - Alt+Return - - - Show Context Menu - Pokaż menu podręczne - - - Text - SnippetProvider - Tekst - - - Selected text within the current document. - Zaznacz tekst w bieżącym dokumencie. - - - Line number of the text cursor position in current document (starts with 1). - Numer linii kursora tekstu w bieżącym dokumencie (poczynając od 1). - - - Column number of the text cursor position in current document (starts with 0). - Numer kolumny kursora tekstu w bieżącym dokumencie (poczynając od 0). - - - Number of lines visible in current document. - Liczba widocznych linii w bieżącym dokumencie. - - - Number of columns visible in current document. - Liczba widocznych kolumn w bieżącym dokumencie. - - - Current document's font size in points. - Rozmiar czcionki bieżącego dokumentu w punktach. - - - Text - Tekst - - - Link - Odsyłacz - - - Links that follow symbol under cursor. - Odsyłacze które podążają za symbolem pod kursorem. - - - Selection - Selekcja - - - Selected text. - Zaznaczony tekst. - - - Line Number - Numer linii - - - Line numbers located on the left side of the editor. - Numery linii z lewej strony edytora. - - - Search Result - Wyniki wyszukiwania - - - Highlighted search results inside the editor. - Podświetlone wyniki wyszukiwania w edytorze. - - - Search Scope - Zakres wyszukiwania - - - Section where the pattern is searched in. - Sekcja, w której następuje wyszukiwanie. - - - Parentheses - Nawiasy - - - Mismatched Parentheses - Niedopasowane nawiasy - - - Displayed when mismatched parentheses, square brackets, or curly brackets are found. - Wyświetlane, gdy znaleziono niedopasowane nawiasy okrągłe, kwadratowe lub klamrowe. - - - Auto Complete - Automatyczne uzupełnianie - - - Displayed when a character is automatically inserted like brackets or quotes. - Wyświetlane, gdy zostaną automatycznie wstawione znaki, takie jak nawiasy bądź cudzysłowy. - - - Current Line - Bieżąca linia - - - Line where the cursor is placed in. - Linia, w której umieszczony jest kursor. - - - Current Line Number - Numer bieżącej linii - - - Line number located on the left side of the editor where the cursor is placed in. - Numer linii po lewej stronie edytora, w której umieszczony jest kursor. - - - Occurrences - Wystąpienia - - - Unused Occurrence - Nieużywane wystąpienie - - - Renaming Occurrence - Wystąpienie przy zmianie nazwy - - - Number - Liczba - - - Number literal. - Literał liczbowy. - - - String - Ciąg znakowy - - - Character and string literals. - Literały znakowe i łańcuchowe. - - - Primitive Type - Typ prosty - - - Name of a primitive data type. - Nazwa prostego typu danych. - - - Type - Typ - - - Name of a type. - Nazwy typów. - - - Local - Zmienna lokalna - - - Local variables. - Zmienne lokalne. - - - Field - Pole - - - Class' data members. - Składniki klas. - - - Global - Globalne - - - Global variables. - Zmienne globalne. - - - Enumeration - Typ wyliczeniowy - - - Applied to enumeration items. - Zastosowane do elementów typów wyliczeniowych. - - - Virtual Function - Funkcja wirtualna - - - Name of function declared as virtual. - Nazwa funkcji zadeklarowanej jako wirtualna. - - - QML item id within a QML file. - Identyfikator elementu QML w pliku QML. - - - QML property of a parent item. - Właściwość QML rodzica elementu. - - - Property of the same QML item. - Właściwość tego samego elementu QML. - - - Function - Funkcja - - - Generic text. -Applied to text, if no other rules matching. - Ogólny tekst. -Użyte do tekstu, jeśli inne reguły nie mają zastosowania. - - - Displayed when matching parentheses, square brackets or curly brackets are found. - Wyświetlane, gdy pasujące nawiasy okrągłe, kwadratowe lub klamrowe zostaną odnalezione. - - - Occurrences of the symbol under the cursor. -(Only the background will be applied.) - Wystąpienia symbolu pod kursorem. -(Stosowane jest tylko tło.) - - - Occurrences of unused variables. - Wystąpienia nieużywanych zmiennych. - - - Occurrences of a symbol that will be renamed. - Wystąpienia symbolu, którego nazwa zostanie zmieniona. - - - Name of a function. - Nazwa funkcji. - - - QML Binding - Powiązanie QML - - - QML item property, that allows a binding to another property. - Właściwość elementu QML, która pozwala na powiązanie z inną właściwością. - - - QML Local Id - Lokalny identyfikator QML - - - QML Root Object Property - Właściwość obiektu "Root" QML - - - QML Scope Object Property - Właściwość obiektu "Scope" QML - - - QML State Name - Nazwa stanu QML - - - Name of a QML state. - Nazwa stanu QML. - - - QML Type Name - Nazwa typu QML - - - Name of a QML type. - Nazwa typu QML. - - - QML External Id - Zewnętrzny identyfikator QML - - - QML id defined in another QML file. - Identyfikator QML zdefiniowany w innym pliku QML. - - - QML External Object Property - Właściwość obiektu "External" QML - - - QML property defined in another QML file. - Właściwość QML zdefiniowana w innym pliku QML. - - - JavaScript Scope Var - Zmienne w zakresie JavaScript - - - Variables defined inside the JavaScript file. - Zmienne zdefiniowane wewnątrz pliku JavaScript. - - - JavaScript Import - Import JavaScript - - - Name of a JavaScript import inside a QML file. - Nazwa importu JavaScript wewnątrz pliku QML. - - - JavaScript Global Variable - Globalna zmienna JavaScript - - - Variables defined outside the script. - Zmienne zdefiniowane na zewnątrz skryptu. - - - Keyword - Słowo kluczowe - - - Operator - Operator - - - Operators (for example operator++ or operator-=). - Operatory (np. operator++, operator-=). - - - Preprocessor - Preprocesor - - - Preprocessor directives. - Dyrektywy preprocesora. - - - Label - Etykieta - - - Labels for goto statements. - Etykiety wyrażeń goto. - - - Comment - Komentarz - - - All style of comments except Doxygen comments. - Styl komentarzy z wyjątkiem komentarzy Doxygen. - - - Doxygen Comment - Komentarz Doxygena - - - Doxygen comments. - Komentarze Doxygena. - - - Doxygen Tag - Tag Doxygena - - - Visual Whitespace - Widoczny biały znak - - - Applied to added lines in differences (in diff editor). - Stosowane do dodanych linii w edytorze różnic. - - - Applied to removed lines in differences (in diff editor). - Stosowane do usuniętych linii w edytorze różnic. - - - Disabled Code - Zablokowany kod - - - Reserved keywords of the programming language except keywords denoting primitive types. - Zarezerwowane słowa kluczowe języka programowania, z wyjątkiem słów oznaczających typy proste. - - - Doxygen tags. - Tagi Doxygena. - - - Whitespace. -Will not be applied to whitespace in comments and strings. - Białe znaki. -Nie zostanie zastosowane do białych znaków w komentarzach i ciągach znakowych. - - - Code disabled by preprocessor directives. - Kod zablokowany przez dyrektywy preprocesora. - - - Added Line - Dodana linia - - - Removed Line - Usunięta linia - - - Diff File - Plik różnic - - - Compared files (in diff editor). - Porównane pliki w edytorze różnic. - - - Diff Location - Lokalizacja różnic - - - Location in the files where the difference is (in diff editor). - Lokalizacje różnic w plikach w edytorze różnic. - - - Diff File Line - Linia z plikiem w różnicach - - - Applied to lines with file information in differences (in side-by-side diff editor). - Stosowane do linii z informacją o plikach (w edytorze różnic wyświetlającym zawartość sąsiadująco). - - - Diff Context Line - Linia z kontekstem w różnicach - - - Applied to lines describing hidden context in differences (in side-by-side diff editor). - Stosowane do linii opisujących ukryty kontekst (w edytorze różnic wyświetlającym zawartość sąsiadująco). - - - Diff Source Line - Linia źródłowa w różnicach - - - Applied to source lines with changes in differences (in side-by-side diff editor). - Stosowane do źródłowych linii w których zaszły zmiany (w edytorze różnic wyświetlającym zawartość sąsiadująco). - - - Diff Source Character - Znak źródłowy w różnicach - - - Applied to removed characters in differences (in side-by-side diff editor). - Stosowane do usuniętych znaków (w edytorze różnic wyświetlającym zawartość sąsiadująco). - - - Diff Destination Line - Linia wynikowa w różnicach - - - Applied to destination lines with changes in differences (in side-by-side diff editor). - Stosowane do wynikowych linii w których zaszły zmiany (w edytorze różnic wyświetlającym zawartość sąsiadująco). - - - Diff Destination Character - Znak wynikowy w różnicach - - - Applied to added characters in differences (in side-by-side diff editor). - Stosowane do dodanych znaków (w edytorze różnic wyświetlającym zawartość sąsiadująco). - - - Log Change Line - Linia logu zmian - - - Applied to lines describing changes in VCS log. - Stosowane do linii opisujących zmiany w logu systemu kontroli wersji. - - - Underline color of error diagnostics. - Kolor podkreślenia błędów. - - - Error Context - Kontekst błędów - - - Underline color of the contexts of error diagnostics. - Kolor podkreślenia kontekstów błędów. - - - Warning - Ostrzeżenia - - - Underline color of warning diagnostics. - Kolor podkreślenia ostrzeżeń. - - - Warning Context - Kontekst ostrzeżeń - - - Underline color of the contexts of warning diagnostics. - Kolor podkreślenia kontekstów ostrzeżeń. - - - Declaration - Deklaracja - - - Declaration of a function, variable, and so on. - Deklaracja funkcji, zmiennej, itp. - - - Output Argument - Argument wyjściowy - - - Writable arguments of a function call. - Argumenty modyfikowalne w wywołaniu funkcji. - - - Behavior - Zachowanie - - - Display - Wyświetlanie - - - - QtC::VcsBase - - Email - E-mail - - - Alias email - Alias e-mail - - - Alias - Alias - - - Nicknames - Przydomki - - - State - Stan - - - File - Plik - - - Version Control - System kontroli wersji - - - General - Ogólne - - - Prompt to submit - Pytaj o potwierdzenie przed utworzeniem poprawki - - - Check Message - Sprawdź opis - - - Insert Name... - Wstaw nazwę... - - - Submit Message Check Failed - Błąd podczas sprawdzania opisu poprawki - - - Executing %1 - Wykonywanie %1 - - - Executing [%1] %2 - Wykonywanie [%1] %2 - - - The check script "%1" could not be started: %2 - Nie można uruchomić skryptu sprawdzającego "%1": %2 - - - The check script "%1" timed out. - Skrypt sprawdzający "%1" bez odpowiedzi. - - - The check script "%1" crashed. - Skrypt sprawdzający "%1" przerwał pracę. - - - The check script returned exit code %1. - Skrypt sprawdzający zwrócił kod wyjściowy %1. - - - - QtC::TextEditor - - Show Bookmark - Pokaż zakładkę - - - Show Bookmark as New Page - Pokaż zakładkę w nowej karcie - - - Delete Bookmark - Usuń zakładkę - - - Rename Bookmark - Zmień nazwę zakładki - - - Remove - Usuń - - - Deleting a folder also removes its content.<br>Do you want to continue? - Usunięcie katalogu usuwa również jego zawartość.<br>Czy kontynuować? - - - Bookmark - Zakładka - - - - QtC::Help - - Open Link in Window - Otwórz odsyłacz w oknie - - - - MimeType - - ClearCase submit template - Szablon opisu poprawek w ClearCase - - - - QtC::CppEditor - - C++ Classes, Enums and Functions - Klasy, typy wyliczeniowe i funkcje C++ - - - - QmlParser - - Illegal syntax for exponential number. - Niepoprawna składnia liczby o postaci wykładniczej. - - - Stray newline in string literal. - Nieoczekiwany znak końca linii w literale łańcuchowym. - - - Illegal unicode escape sequence. - Niepoprawna unikodowa sekwencja specjalna. - - - Illegal hexadecimal escape sequence. - Niepoprawna szesnastkowa sekwencja specjalna. - - - Octal escape sequences are not allowed. - Ósemkowe sekwencje specjalne są niedozwolone. - - - Unclosed string at end of line. - Niedomknięty ciąg na końcu linii. - - - Decimal numbers cannot start with "0". - Liczby dziesiętne nie mogą rozpoczynać się od "0". - - - At least one hexadecimal digit is required after "0%1". - Wymagana jest przynajmniej jedna cyfra szesnastkowa po "0%1". - - - Invalid regular expression flag "%0". - Niepoprawna flaga "%0" wyrażenia regularnego. - - - Unterminated regular expression backslash sequence. - Niedokończone wyrażenie regularne w sekwencji z backslashem. - - - Unterminated regular expression class. - Niedokończona klasa wyrażenia regularnego. - - - Unterminated regular expression literal. - Niezakończony literał wyrażenia regularnego. - - - Syntax error. - Błąd składni. - - - Imported file must be a script. - Zaimportowany plik musi być skryptem. - - - Invalid module URI. - Niepoprawny adres URI modułu. - - - Module import requires a version. - Brak numeru wersji przy imporcie modułu. - - - File import requires a qualifier. - Brak kwalifikatora przy imporcie pliku. - - - Module import requires a qualifier. - Brak kwalifikatora przy imporcie modułu. - - - Invalid import qualifier. - Niepoprawny kwalifikator importu. - - - Unexpected token "%1". - Nieoczekiwany znak "%1". - - - Expected token "%1". - Oczekiwany znak "%1". - - - - QtC::Git Stashes Odłożone zmiany @@ -9647,3010 +31395,6 @@ Możesz odłożyć zmiany lub je porzucić. Error restoring %1 Błąd podczas przywracania %1 - - - QtC::Mercurial - - General Information - Ogólne informacje - - - Repository: - Repozytorium: - - - repository - repozytorium - - - Branch: - Gałąź: - - - branch - gałąź - - - Commit Information - Informacje o poprawce - - - Author: - Autor: - - - Email: - E-mail: - - - Form - Formularz - - - Configuration - Konfiguracja - - - Command: - Komenda: - - - User - Użytkownik - - - Username to use by default on commit. - Nazwa użytkownika domyślnie używana przy tworzeniu poprawek. - - - Default username: - Domyślna nazwa użytkownika: - - - Email to use by default on commit. - E-mail domyślnie używany przy tworzeniu poprawek. - - - Miscellaneous - Różne - - - Log count: - Licznik logu: - - - Timeout: - Limit czasu oczekiwania: - - - s - s - - - Mercurial - Mercurial - - - Default email: - Domyślny adres e-mail: - - - The number of recent commit logs to show, choose 0 to see all entries. - Liczba ostatnich poprawek, wyświetlanych w logu. Wybierz 0 aby ujrzeć wszystkie zmiany. - - - Revert - Odwróć zmiany - - - Specify a revision other than the default? - Podaj inną wersję niż domyślna - - - Revision: - Wersja: - - - Dialog - Dialog - - - Default Location - Domyślne położenie - - - Local filesystem: - Lokalny system plików: - - - Specify URL: - Podaj URL: - - - Prompt for credentials - Pytaj o listy uwierzytelniające - - - For example: "https://[user[:pass]@]host[:port]/[path]". - Na przykład: "https://[użytkownik[:hasło]@]host[:port]/[ścieżka]". - - - - QmlDesigner::Internal::SettingsPage - - Form - Formularz - - - Snapping - Przyciąganie - - - Qt Quick Designer - Qt Quick Designer - - - Restart Required - Wymagane ponowne uruchomienie - - - The made changes will take effect after a restart of the QML Emulation layer or Qt Creator. - Zmiany zostaną zastosowane po restarcie warstwy QML Emulation lub restarcie Qt Creatora. - - - Canvas - Płótno - - - Debugging - Debugowanie - - - Show the debugging view - Pokazuj okno debugowe - - - Enable the debugging view - Odblokuj okno debugowe - - - Warnings - Ostrzeżenia - - - Warn about unsupported features in the Qt Quick Designer - Ostrzegaj przed nieobsługiwanymi funkcjonalnościami w Qt Quick Designerze - - - Warn about unsupported features of Qt Quick Designer in the code editor - Ostrzegaj przed nieobsługiwanymi funkcjonalnościami Qt Quick Designera w edytorze kodu - - - Parent item padding: - Margines rodzica elementu: - - - Sibling item spacing: - Odstępy między sąsiadującymi elementami: - - - Subcomponents - Podkomponenty - - - Always save when leaving subcomponent in bread crumb - Zawsze zachowuj przy opuszczaniu podkomponentu - - - QML Emulation Layer - Emulator QML - - - Styling - Style - - - Controls style: - Styl kontrolek: - - - Default style - Domyślny styl - - - Reset Style - Zresetuj styl - - - If you select this radio button, Qt Quick Designer always uses the QML emulation layer (QML Puppet) located at the following path. - Wybranie tej opcji spowoduje używanie alternatywnego emulatora QML (QML Puppet) przez Qt Quick Designera, zlokalizowanego w poniższej ścieżce. - - - Use fallback QML emulation layer - Używaj własnego emulatora QML - - - Path: - Ścieżka: - - - Path where Qt Creator can find the QML emulation layer executable (qmlpuppet). - Ścieżka do pliku wykonywalnego emulatora QML (qmlpuppet). - - - Resets the path to the QML emulation layer that comes with Qt Creator. - Resetuje ścieżkę do pliku wykonywalnego emulatora QML do tego dostarczonego z Qt Creatorem. - - - Reset Path - Zresetuj ścieżkę - - - Top level build path: - Ścieżka do wybranej wersji Qt: - - - Warns about QML features that are not properly supported by the Qt Quick Designer. - Ostrzega przed funkcjonalnościami QML, które nie są poprawnie obsługiwane przez Qt Quick Designera. - - - Also warns in the code editor about QML features that are not properly supported by the Qt Quick Designer. - Ostrzega również w edytorze kodu przed funkcjonalnościami QML które nie są poprawnie obsługiwane przez Qt Quick Designera. - - - Internationalization - Umiędzynarodowienie - - - qsTr() - qsTr() - - - qsTrId() - qsTrId() - - - Show property editor warnings - Pokazuj ostrzeżenia edytora właściwości - - - Forward QML emulation layer output: - Przesyłanie komunikatów emulatora QML: - - - Show warn exceptions - - - - Debug QML emulation layer: - Debugowanie emulatora QML: - - - Default - Domyślny - - - Material - style name, so don't translate - Material - - - Universal - style name, so don't translate - Universal - - - Qt Quick Designer will propose to open .ui.qml files instead of opening a .qml file. - Qt Quick Designer będzie proponował otwieranie plików .ui.qml zamiast plików .qml. - - - Warn about using .qml files instead of .ui.qml files - Ostrzegaj przed używaniem plików .qml zamiast plików .ui.qml - - - Width: - Szerokość: - - - Height: - Wysokość: - - - Controls 2 style: - Styl kontrolek 2: - - - Use QML emulation layer that is built with the selected Qt - Używaj emulatora QML zbudowanego przez wybraną wersję Qt - - - qsTranslate() - qsTranslate() - - - Root Item Init Size - - - - - QtC::QmakeProjectManager - - Specify basic information about the test class for which you want to generate skeleton source code file. - Podaj podstawowe informacje o klasie testowej, dla której ma zostać wygenerowany szkielet pliku z kodem źródłowym. - - - Class name: - Nazwa klasy: - - - Type: - Typ: - - - Test - Test jednostkowy - - - Benchmark - Test wydajności - - - File: - Plik: - - - Generate initialization and cleanup code - Wygeneruj inicjalizację i kod sprzątający - - - Test slot: - Slot z testem: - - - Requires QApplication - Wymaga QApplication - - - Use a test data set - Użyj zestawów danych testowych - - - Test Class Information - Informacje o klasie testowej - - - - QtC::VcsBase - - The directory %1 could not be deleted. - Nie można usunąć katalogu "%1". - - - The file %1 could not be deleted. - Nie można usunąć pliku "%1". - - - There were errors when cleaning the repository %1: - Wystąpiły błędy podczas czyszczenia repozytorium %1: - - - Delete... - Usuń... - - - Name - Nazwa - - - Repository: %1 - Repozytorium: %1 - - - %n bytes, last modified %1. - - %n bajt, ostatnio zmodyfikowano %1. - %n bajty, ostatnio zmodyfikowano %1. - %n bajtów, ostatnio zmodyfikowano %1. - - - - Delete - Usuń - - - Do you want to delete %n files? - - Czy usunąć %n plik? - Czy usunąć %n pliki? - Czy usunąć %n plików? - - - - Cleaning "%1" - Czyszczenie %1 - - - - QtC::ExtensionSystem - - None - Brak - - - All - Wszystkie - - - %1 (current: "%2") - What current? platform? - %1 (bieżąca platforma: "%2") - - - Name - Nazwa - - - Load - Załadowana - - - Version - Wersja - - - Vendor - Dostawca - - - Load on Startup - Załadowany przy uruchomieniu - - - Utilities - Narzędzia - - - Plugin is not available on this platform. - Wtyczka nie jest dostępna na tej platformie. - - - %1 (experimental) - %1 (eksperymentalny) - - - Path: %1 -Plugin is not available on this platform. - Ścieżka: %1 -Wtyczka nie jest dostępna dla tej platformy. - - - Path: %1 -Plugin is enabled as dependency of an enabled plugin. - Ścieżka: %1 -Wtyczka jest odblokowana poprzez zależność od innej wtyczki. - - - Path: %1 -Plugin is enabled by command line argument. - Ścieżka: %1 -Wtyczka jest odblokowana przez argument linii komend. - - - Path: %1 -Plugin is disabled by command line argument. - Ścieżka: %1 -Wtyczka jest zablokowana przez argument linii komend. - - - Path: %1 - Ścieżka:: %1 - - - Plugin is required. - Wymagana wtyczka. - - - Load on startup - Załadowany przy uruchomieniu - - - Enabling Plugins - Odblokowanie wtyczek - - - Enabling -%1 -will also enable the following plugins: - -%2 - Odblokowanie -%1 -włączy również następujące wtyczki: - -%2 - - - Disabling Plugins - Blokowanie wtyczek - - - Disabling -%1 -will also disable the following plugins: - -%2 - Zablokowanie -%1 -wyłączy również następujące wtyczki: - -%2 - - - - QtC::QmlJS - - 'int' or 'real' - "int" lub "real" - - - File or directory not found. - Nie można odnaleźć pliku lub katalogu. - - - QML module not found (%1). - -Import paths: -%2 - -For qmake projects, use the QML_IMPORT_PATH variable to add import paths. -For Qbs projects, declare and set a qmlImportPaths property in your product to add import paths. -For qmlproject projects, use the importPaths property to add import paths. -For CMake projects, make sure QML_IMPORT_PATH variable is in CMakeCache.txt. - - Nie znaleziono modułu QML (%1). - -Ścieżki importów: -%2 - -Dla projektów qmake, użyj zmiennej QML_IMPORT_PATH aby dodać ścieżki importów. -Dla projektów Qbs, zadeklaruj i ustaw właściwość qmlImportPaths w produkcie aby dodać ścieżki do importów. -Dla projektów qmlproject, użyj właściwości importPaths aby dodać ścieżki do importów. -Dla projektów CMake, upewnij się, że zmienna QML_IMPORT_PATH jest obecna w CMakeCache.txt. - - - - QML module contains C++ plugins, currently reading type information... - Moduł QML zawiera wtyczki C++, trwa odczyt informacji o typach... - - - - QtC::Utils - - File has been removed - Plik został usunięty - - - The file %1 has been removed outside Qt Creator. Do you want to save it under a different name, or close the editor? - Plik %1 został usunięty na zewnątrz Qt Creatora. Zachować go pod inną nazwą czy zamknąć edytor? - - - The file %1 was removed. Do you want to save it under a different name, or close the editor? - Plik %1 został usunięty. Zachować go pod inną nazwą, czy zamknąć edytor? - - - C&lose All - Zamknij &wszystko - - - Save &as... - Zachowaj j&ako... - - - &Save - &Zachowaj - - - <table border=1 cellspacing=0 cellpadding=3><tr><th>Variable</th><th>Expands to</th></tr><tr><td>%d</td><td>directory of current file</td></tr><tr><td>%f</td><td>file name (with full path)</td></tr><tr><td>%n</td><td>file name (without path)</td></tr><tr><td>%%</td><td>%</td></tr></table> - <table border=1 cellspacing=0 cellpadding=3><tr><th>Zmienna</th><th>Rozwinięcie</th></tr><tr><td>%d</td><td>katalog bieżącego pliku</td></tr><tr><td>%f</td><td>nazwa pliku (z pełną ścieżką)</td></tr><tr><td>%n</td><td>nazwa pliku (bez ścieżki)</td></tr><tr><td>%%</td><td>%</td></tr></table> - - - ... - ... - - - - QtC::CMakeProjectManager - - Run CMake kit - Uruchom zestaw CMake - - - (disabled) - (zablokowany) - - - The executable is not built by the current build configuration - Plik wykonywalny nie został zbudowany przez bieżącą konfigurację budowania - - - Desktop - CMake Default target display name - Desktop - - - - QtC::Core - - Command Mappings - Mapy komend - - - Target - Cel - - - Command - Komenda - - - Reset All - Przywróć wszystkie - - - Reset all to default. - Przywraca wszystkie domyślne. - - - Import... - Importuj... - - - Export... - Eksportuj... - - - Label - Etykieta - - - Show Left Sidebar - Pokaż lewy boczny pasek - - - Hide Left Sidebar - Ukryj lewy boczny pasek - - - Show Right Sidebar - Pokaż prawy boczny pasek - - - Hide Right Sidebar - Ukryj prawy boczny pasek - - - Qt - Qt - - - Environment - Środowisko - - - Clear Menu - Wyczyść menu - - - Configure... - msgShowOptionsDialog - Konfiguruj... - - - Open Preferences dialog. - msgShowOptionsDialogToolTip (mac version) - Otwórz dialog z preferencjami. - - - Open Options dialog. - msgShowOptionsDialogToolTip (non-mac version) - Otwórz dialog z opcjami. - - - All Files (*.*) - On Windows - Wszystkie pliki (*.*) - - - All Files (*) - On Linux/macOS - Wszystkie pliki (*) - - - Design - Design - - - System Editor - Edytor systemowy - - - Could not open URL %1. - Nie można otworzyć URL %1. - - - Drag to drag documents between splits - "drag to drag" doesn't really explain anything- maybe "drag to move" - Przeciągnij aby przenieść dokumenty pomiędzy podziałami - - - Remove Split - Usuń podział - - - Make Writable - Przydziel prawa do zapisu - - - File is writable - Plik posiada prawa do zapisu - - - - QtC::CodePaster - - Code Pasting - Wklejanie kodu - - - <Comment> - <Komentarz> - - - Paste - Wklej - - - - QtC::VcsBase - - CVS Commit Editor - Edytor poprawek CVS - - - CVS Command Log Editor - Edytor logu komend CVS - - - CVS File Log Editor - Edytor logu plików CVS - - - CVS Annotation Editor - Edytor adnotacji CVS - - - CVS Diff Editor - Edytor różnic CVS - - - Git Command Log Editor - Edytor logu komend Git - - - Git File Log Editor - Edytor logu plików Git - - - Git Annotation Editor - Edytor adnotacji Git - - - Git Commit Editor - Edytor poprawek Git - - - Git Rebase Editor - - - - Git Submit Editor - Edytor opisu poprawek w Git - - - Mercurial File Log Editor - Edytor logu plików Mercurial - - - Mercurial Annotation Editor - Edytor adnotacji Mercurial - - - Mercurial Diff Editor - Edytor różnic Mercurial - - - Mercurial Commit Log Editor - Edytor poprawek Mercurial - - - Perforce.SubmitEditor - Edytor opisu poprawek w Perforce - - - Perforce Log Editor - Edytor logu plików Perforce - - - Perforce Diff Editor - Edytor różnic Perforce - - - Perforce Annotation Editor - Edytor adnotacji Perforce - - - Subversion Commit Editor - Edytor poprawek Subversion - - - Subversion File Log Editor - Edytor logu plików Subversion - - - Subversion Annotation Editor - Edytor adnotacji Subversion - - - Bazaar File Log Editor - Edytor logu plików Bazaar - - - Bazaar Annotation Editor - Edytor adnotacji Bazaar - - - Bazaar Diff Editor - Edytor różnic Bazaar - - - Bazaar Commit Log Editor - Edytor poprawek Bazaar - - - ClearCase Check In Editor - Edytor wrzucanych zmian ClearCase - - - ClearCase File Log Editor - Edytor logu plików ClearCase - - - ClearCase Annotation Editor - Edytor adnotacji ClearCase - - - ClearCase Diff Editor - Edytor różnic ClearCase - - - - QtC::Debugger - - CDB - CDB - - - - QtC::GenericProjectManager - - Make - Make - - - Make arguments: - Argumenty make'a: - - - Targets: - Produkty docelowe: - - - - QtC::Help - - Error loading page - Błąd ładowania strony - - - <p>Check that you have the corresponding documentation set installed.</p> - <p>Sprawdź, czy zainstalowałeś odpowiedni zestaw dokumentacji.</p> - - - Error loading: %1 - Błąd ładowania: %1 - - - The page could not be found - Nie można odnaleźć strony - - - (Untitled) - (Nienazwany) - - - Close %1 - Zamknij %1 - - - Close All Except %1 - Zamknij wszystko z wyjątkiem %1 - - - - QtC::Mercurial - - Commit Editor - Edytor poprawek - - - Unable to find parent revisions of %1 in %2: %3 - Nie można odnaleźć macierzystej wersji dla %1 w %2: %3 - - - Cannot parse output: %1 - Nie można przetworzyć komunikatu: %1 - - - Hg incoming %1 - Hg incoming %1 - - - Hg outgoing %1 - Hg outgoing %1 - - - Me&rcurial - Me&rcurial - - - Annotate Current File - Dołącz adnotację do bieżącego pliku - - - Annotate "%1" - Dołącz adnotację do "%1" - - - Diff Current File - Pokaż różnice w bieżącym pliku - - - Diff "%1" - Pokaż różnice w "%1" - - - Meta+H,Meta+D - Meta+H,Meta+D - - - Log Current File - Log bieżącego pliku - - - Log "%1" - Log "%1" - - - Meta+H,Meta+L - Meta+H,Meta+L - - - Status Current File - Stan bieżącego pliku - - - Status "%1" - Stan "%1" - - - Alt+G,Alt+D - Alt+G,Alt+D - - - Alt+G,Alt+L - Alt+G,Alt+L - - - Meta+H,Meta+S - Meta+H,Meta+S - - - Alt+G,Alt+S - Alt+G,Alt+S - - - Add - Dodaj - - - Add "%1" - Dodaj "%1" - - - Delete... - Usuń... - - - Delete "%1"... - Usuń "%1"... - - - Revert Current File... - Odwróć zmiany w bieżącym pliku... - - - Revert "%1"... - Odwróć zmiany w "%1"... - - - Diff - Pokaż różnice - - - Log - Log - - - Revert... - Odwróć zmiany... - - - Status - Stan - - - Pull... - Pull... - - - Push... - Push... - - - Update... - Update... - - - Import... - Import... - - - Incoming... - Incoming... - - - Outgoing... - Outgoing... - - - Commit... - Utwórz poprawkę... - - - Meta+H,Meta+C - Meta+H,Meta+C - - - Alt+G,Alt+C - Alt+G,Alt+C - - - Create Repository... - Utwórz repozytorium... - - - Pull Source - - - - Push Destination - - - - Update - Uaktualnij - - - Incoming Source - Nadchodzące źródło - - - Commit - Utwórz poprawkę - - - Diff &Selected Files - Pokaż różnice w &zaznaczonych plikach - - - &Undo - &Cofnij - - - &Redo - &Przywróć - - - There are no changes to commit. - Brak zmian do utworzenia poprawki. - - - Unable to create an editor for the commit. - Nie można utworzyć edytora dla poprawki. - - - Commit changes for "%1". - Poprawka ze zmian w "%1". - - - Do you want to commit the changes? - Czy utworzyć poprawkę? - - - Close Commit Editor - Zamknij edytor poprawek - - - Message check failed. Do you want to proceed? - Błąd sprawdzania opisu. Czy kontynuować? - - - Mercurial Command - Komenda Mercurial - - - - QtC::Perforce - - No executable specified - Nie podano programu do uruchomienia - - - "%1" timed out after %2 ms. - "%1" bez odpowiedzi po %2 ms. - - - Unable to launch "%1": %2 - Nie można uruchomić "%1": %2 - - - "%1" crashed. - "%1" przerwał pracę. - - - "%1" terminated with exit code %2: %3 - "%1" zakończone kodem wyjściowym %2: %3 - - - The client does not seem to contain any mapped files. - Wygląda na to, że klient nie ma żadnych zmapowanych plików. - - - Unable to determine the client root. - Unable to determine root of the p4 client installation - Nie można określić korzenia klienta. - - - The repository "%1" does not exist. - Repozytorium "%1" nie istnieje. - - - - QtC::ProjectExplorer - - untitled - File path suggestion for a new project. If you choose to translate it, make sure it is a valid path name without blanks and using only ascii chars. - nienazwany - - - Clean - Display name of the clean build step list. Used as part of the labels in the project window. - czyszczenia - - - Build Settings - Ustawienia budowania - - - Build directory - Katalog budowania wersji - - - Name of current build - Nazwa bieżącej wersji - - - Variables in the current build environment - Zmienne w bieżącym środowisku budowania - - - System Environment - Środowisko systemowe - - - Clean Environment - Czyste środowisko - - - Clear system environment - Wyczyść środowisko systemowe - - - Build Environment - Środowisko budowania - - - - BuildSettingsPanel - - Build Settings - Ustawienia budowania - - - - QtC::ProjectExplorer - - URI: - URI: - - - The project name and the object class-name cannot be the same. - Nazwa klasy oraz projektu nie mogą być identyczne. - - - Creates a custom Qt Creator plugin. - Tworzy własną wtyczkę dla Qt Creatora. - - - URL: - URL: - - - Other Project - Inne projekty - - - Qt Creator Plugin - Wtyczka Qt Creatora - - - Creates a qmake-based test project for which a code snippet can be entered. - Tworzy testowy projekt, bazujący na qmake, w który można wstawić urywek kodu. - - - Code Snippet - Urywek kodu - - - Snippet Parameters - Parametry urywka - - - Code: - Kod: - - - Type: - Typ: - - - Console application - Aplikacja konsolowa - - - Application bundle (Mac) - - - - Headless (QtCore) - - - - Gui application (QtCore, QtGui, QtWidgets) - Aplikacja Gui (QtCore, QtGui, QtWidgets) - - - Library - Biblioteka - - - Plugin Information - Informacje o wtyczce - - - Plugin name: - Nazwa wtyczki: - - - Vendor name: - Nazwa dostawcy: - - - Copyright: - Prawa autorskie: - - - License: - Licencja: - - - Description: - Opis: - - - Qt Creator sources: - Źródła Qt Creatora: - - - Qt Creator build: - Wersja Qt Creatora: - - - Deploy into: - Instalacja: - - - Qt Creator build - Wersja Qt Creatora - - - Local user settings - Ustawienia lokalne użytkownika - - - Custom QML Extension Plugin Parameters - Parametry własnej wtyczki z rozszerzeniami QML - - - Creates a C++ plugin to load extensions dynamically into applications using the QQmlEngine class. Requires Qt 5.0 or newer. - Tworzy wtyczkę C++ umożliwiającą dynamiczne ładowanie rozszerzeń przez aplikacje przy pomocy klasy QQmlEngine. Wymaga Qt 5.0 lub nowszej wersji. - - - Object class-name: - Nazwa klasy obiektu: - - - Qt Quick 2 Extension Plugin - Wtyczka z rozszerzeniem Qt Quick 2 - - - Path: - Ścieżka: - - - <No other projects in this session> - <Brak innych projektów w tej sesji> - - - Dependencies - Zależności - - - Editor - Edytor - - - - QtC::Core - - Open - Otwórz - - - Open "%1" - Otwórz "%1" - - - Open Parent Folder - Otwórz katalog wyżej - - - Show Hidden Files - Pokaż ukryte pliki - - - Synchronize with Editor - Synchronizuj z edytorem - - - Open Project in "%1" - Otwórz projekt w "%1" - - - Choose Folder... - Wybierz katalog... - - - Choose Folder - Wybierz katalog - - - - QtC::ProjectExplorer - - Project - Projekt - - - Build - Wersja - - - Kit - Zestaw narzędzi - - - Unconfigured - Nieskonfigurowane - - - <b>Project:</b> %1 - <b>Projekt:</b> %1 - - - <b>Path:</b> %1 - <b>Ścieżka:</b> %1 - - - <b>Kit:</b> %1 - <b>Zestaw narzędzi:</b> %1 - - - <b>Build:</b> %1 - <b>Wersja:</b> %1 - - - <b>Deploy:</b> %1 - <b>Instalacja:</b> %1 - - - <b>Run:</b> %1 - <b>Do uruchomienia:</b> %1 - - - %1 - %1 - - - <html><nobr>%1</html> - <html><nobr>%1</html> - - - Project: <b>%1</b><br/> - Projekt: <b>%1</b><br/> - - - Kit: <b>%1</b><br/> - Zestaw narzędzi: <b>%1</b><br/> - - - Build: <b>%1</b><br/> - Wersja: <b>%1</b><br/> - - - Deploy: <b>%1</b><br/> - Instalacja: <b>%1</b><br/> - - - Run: <b>%1</b><br/> - Do uruchomienia: <b>%1</b><br/> - - - <style type=text/css>a:link {color: rgb(128, 128, 255, 240);}</style>The project <b>%1</b> is not yet configured<br/><br/>You can configure it in the <a href="projectmode">Projects mode</a><br/> - <style type=text/css>a:link {color: rgb(128, 128, 255, 240);}</style>Projekt <b>%1</b> nie został skonfigurowany<br/><br/>Można go skonfigurować w <a href="projectmode">trybie "Projekty"</a><br/> - - - Clone of %1 - Klon %1 - - - Build & Run - Budowanie i uruchamianie - - - Application - Aplikacja - - - Devices - Urządzenia - - - Main file of current project - Plik główny bieżącego projektu - - - Name of current project - Nazwa bieżącego projektu - - - Type of current build - Rodzaj bieżącej wersji - - - - QtC::GenericProjectManager - - Desktop - Generic desktop target display name - Desktop - - - - QmlDesigner::NavigatorWidget - - Navigator - Title of navigator view - Nawigator - - - Become last sibling of parent (CTRL + Left). - Przenieś jako rodzeństwo rodzica i umieść przed nim (CTRL + Left). - - - Become child of last sibling (CTRL + Right). - Przenieś jako dziecko poprzedniego z rodzeństwa (CTRL + Right). - - - Move down (CTRL + Down). - Przenieś w dół (CTRL + Down). - - - Move up (CTRL + Up). - Przenieś w górę (CTRL + Up). - - - - WidgetPluginManager - - Failed to create instance of file "%1": %2 - Nie można utworzyć instancji pliku "%1": %2 - - - Failed to create instance of file "%1". - Nie można utworzyć instancji pliku "%1". - - - File "%1" is not a Qt Quick Designer plugin. - Plik "%1" nie jest wtyczką Qt Quick Designera. - - - - QmlDesigner::StatesEditorWidget - - States - Title of Editor widget - Stany - - - Cannot create QtQuick View - Nie można utworzyć widoku QtQuick - - - StatesEditorWidget: %1 cannot be created. Most likely QtQuick.Controls 1 are not installed. - StatesEditorWidget: nie można utworzyć %1. Najprawdopodobniej QtQuick.Controls 1 nie jest zainstalowany. - - - - QmlDesigner::Internal::DesignModeWidget - - Projects - Projekty - - - File System - System plików - - - Open Documents - Otwarte dokumenty - - - - QtC::QmlJSEditor - - Rename Symbol Under Cursor - Zmień nazwę symbolu pod kursorem - - - Ctrl+Shift+R - Ctrl+Shift+R - - - Run Checks - Rozpocznij sprawdzanie - - - Ctrl+Shift+C - Ctrl+Shift+C - - - Reformat File - Przeformatuj plik - - - Inspect API for Element Under Cursor - Odszukaj w API elementu pod kursorem - - - QML - QML - - - QML Analysis - Analiza QML - - - Find Usages - Znajdź użycia - - - QML - SnippetProvider - QML - - - Ctrl+Shift+U - Ctrl+Shift+U - - - Show Qt Quick Toolbar - Pokaż pasek narzędzi Qt Quick - - - - QtC::QmlProjectManager - - Error while loading project file %1. - Błąd ładowania pliku projektu %1. - - - Warning while loading project file %1. - Ostrzeżenie podczas ładowania pliku projektu %1. - - - Qt version is too old. - Wersja Qt jest zbyt stara. - - - Device type is not desktop. - Typ urządzenia jest inny niż desktop. - - - No Qt version set in kit. - Brak wersji Qt w zestawie narzędzi. - - - No qmlviewer or qmlscene found. - Nie odnaleziono qmlviewer ani qmlscene. - - - QML Scene - QMLRunConfiguration display name. - QML Scene - - - QML Viewer - QMLRunConfiguration display name. - QML Viewer - - - <Current File> - <Bieżący plik> - - - QML Viewer - QML Viewer - - - QML Scene - QML Scene - - - - QtC::QtSupport - - No qmake path set - Nie ustawiono ścieżki do qmake - - - qmake does not exist or is not executable - Brak qmake lub nie jest on plikiem wykonywalnym - - - Qt version has no name - Brak nazwy wersji Qt - - - <unknown> - <nieznany> - - - System - System - - - Qt %{Qt:Version} in PATH (%2) - Qt %{Qt:Wersja} w PATH (%2) - - - Qt %{Qt:Version} (%2) - Qt %{Qt:Version} dla %2 - - - Qt version is not properly installed, please run make install - Wersja Qt zainstalowana niepoprawnie, uruchom komendę: make install - - - Could not determine the path to the binaries of the Qt installation, maybe the qmake path is wrong? - Nie można określić ścieżki do plików binarnych instalacji Qt. Sprawdź ścieżkę do qmake. - - - The default mkspec symlink is broken. - Domyślne dowiązanie symboliczne mkspec jest zepsute. - - - ABI detection failed: Make sure to use a matching compiler when building. - Detekcja ABI nie powiodła się: upewnij się, że używasz odpowiedniego kompilatora do budowania. - - - Non-installed -prefix build - for internal development only. - Niezainstalowana wersja z prefiksem - jedynie do wewnętrznego użytku. - - - Cannot start "%1": %2 - Nie można uruchomić "%1": %2 - - - Timeout running "%1" (%2 ms). - Przekroczono limit czasu oczekiwania na zakończenie "%1" (%2 ms). - - - "%1" crashed. - "%1" przerwał pracę. - - - qmake "%1" is not an executable. - qmake "%1" nie jest plikiem wykonywalnym. - - - No qmlviewer installed. - Brak zainstalowanego "qmlviewer". - - - Desktop - Qt Version is meant for the desktop - Desktop - - - No qmlscene installed. - Brak zainstalowanego "qmlscene". - - - Embedded Linux - Qt Version is used for embedded Linux development - Wbudowany linux - - - - QtC::QmakeProjectManager - - Qt Unit Test - Test jednostkowy Qt - - - Creates a QTestLib-based unit test for a feature or a class. Unit tests allow you to verify that the code is fit for use and that there are no regressions. - Tworzy test jednostkowy funkcjonalności lub klasy, dziedzicząc z QTestLib. Testy jednostkowe pozwalają na weryfikowanie działania kodu i wykrywanie regresji. - - - This wizard generates a Qt Unit Test consisting of a single source file with a test class. - Ten kreator generuje test jednostkowy Qt składający się z pojedynczego pliku źródłowego z klasą testową. - - - - QtC::TextEditor - - Text Editor - Edytor tekstu - - - - QtC::VcsBase - - Choose Repository Directory - Wybierz katalog repozytorium - - - The file "%1" could not be deleted. - Nie można usunąć pliku "%1". - - - The directory "%1" is already managed by a version control system (%2). Would you like to specify another directory? - Katalog "%1" jest już zarządzany przez system kontroli wersji (%2). Czy chcesz podać inny katalog? - - - Repository already under version control - Repozytorium znajduje się już w systemie kontroli wersji - - - Repository Created - Utworzono repozytorium - - - Repository Creation Failed - Błąd podczas tworzenia repozytorium - - - A version control repository has been created in %1. - Repozytorium systemu kontroli wersji została utworzona w %1. - - - A version control repository could not be created in %1. - Nie można utworzyć repozytorium systemu kontroli wersji w %1. - - - - BorderImageSpecifics - - Source - Źródło - - - Border Image - Obraz brzegowy - - - Border Left - Lewy brzeg - - - Border Right - Prawy brzeg - - - Border Top - Górny brzeg - - - Border Bottom - Dolny brzeg - - - Horizontal Fill mode - Tryb wypełniania poziomego - - - Vertical Fill mode - Tryb wypełniania pionowego - - - Source size - Rozmiar źródła - - - - ImageSpecifics - - Image - Obrazek - - - Source - Źródło - - - Fill mode - Tryb wypełniania - - - Source size - Rozmiar źródła - - - - RectangleSpecifics - - Border - Brzeg - - - Radius - Promień - - - Color - Kolor - - - Border Color - Kolor ramki - - - - StandardTextGroupBox - - - - - - - TextEditSpecifics - - Text Color - Kolor tekstu - - - Selection Color - Kolor selekcji - - - - QtC::Utils - - Central Widget - Centralny Widżet - - - Reset to Default Layout - Przywróć domyślne rozmieszczenie - - - Automatically Hide View Title Bars - Automatycznie ukrywaj paski tytułowe widoków - - - - SshKeyGenerator - - Error generating key: %1 - Błąd podczas generowania klucz: %1 - - - Password for Private Key - Hasło klucza prywatnego - - - It is recommended that you secure your private key -with a password, which you can enter below. - Zaleca się chronienie prywatnego klucza hasłem, -które można ustawić poniżej. - - - Encrypt Key File - Zaszyfruj plik z kluczem - - - Do Not Encrypt Key File - Nie szyfruj pliku z kluczem - - - - QtC::CodePaster - - Cannot open %1: %2 - Nie można otworzyć %1: %2 - - - %1 does not appear to be a paster file. - %1 nie wygląda na plik wklejacza. - - - Error in %1 at %2: %3 - Błąd w %1 w linii %2: %3 - - - Please configure a path. - Skonfiguruj ścieżkę. - - - Pasted: %1 - Wklejono: %1 - - - Fileshare - Fileshare - - - %1 - Configuration Error - %1 - Błąd konfiguracji - - - - QtC::Debugger - - Python Error - Błąd Pythona - - - Pdb I/O Error - Błąd wejścia / wyjścia Pdb - - - Unable to start pdb "%1": %2 - Nie można rozpocząć pdb "%1": %2 - - - The Pdb process failed to start. Either the invoked program "%1" is missing, or you may have insufficient permissions to invoke the program. - Nie można rozpocząć procesu Pdb. Brak programu "%1" albo brak wymaganych uprawnień aby go uruchomić. - - - The Pdb process crashed some time after starting successfully. - Proces Pdb przerwał pracę po poprawnym uruchomieniu. - - - An error occurred when attempting to write to the Pdb process. For example, the process may not be running, or it may have closed its input channel. - Wystąpił błąd podczas próby pisania do procesu Pdb. Być może proces nie jest uruchomiony lub zamknął on swój kanał wejściowy. - - - An error occurred when attempting to read from the Pdb process. For example, the process may not be running. - Wystąpił błąd podczas próby czytania z procesu Pdb. Być może proces nie jest uruchomiony. - - - An unknown error in the Pdb process occurred. - Wystąpił nieznany błąd w procesie Pdb. - - - - QtC::ProjectExplorer - - Enter the name of the session: - Podaj nazwę sesji: - - - - QmlDesigner::Internal::ModelPrivate - - invalid type - niepoprawny typ - - - - QtC::QmlJSEditor - - No file specified. - Nie podano pliku. - - - Failed to preview Qt Quick file - Nie można utworzyć podglądu pliku Qt Quick - - - Could not preview Qt Quick (QML) file. Reason: -%1 - Nie można utworzyć podglądu pliku Qt Quick (QML). Przyczyna: -%1 - - - - QtC::QmakeProjectManager - - Reading Project "%1" - Odczyt projektu "%1" - - - No Qt version set in kit. - Brak wersji Qt w zestawie narzędzi. - - - The .pro file "%1" does not exist. - Plik .pro "%1" nie istnieje. - - - The .pro file "%1" is not part of the project. - Plik .pro "%1" nie jest częścią projektu. - - - The .pro file "%1" could not be parsed. - Plik .pro "%1" nie może zostać sparsowany. - - - - QtC::QtSupport - - The Qt version is invalid: %1 - %1: Reason for being invalid - Wersja Qt nie jest poprawna: %1 - - - The qmake command "%1" was not found or is not executable. - %1: Path to qmake executable - Komenda qmake "%1" nie została odnaleziona lub nie jest plikiem wykonywalnym. - - - - QtC::QmakeProjectManager - - The build directory needs to be at the same level as the source directory. - Katalog przeznaczony do budowania musi być na tym samym poziomie co katalog ze źródłami. - - - - emptyPane - - None or multiple items selected. - Nie zaznaczono wcale lub zaznaczono wiele elementów. - - - - QmlDesigner::FormEditorWidget - - No snapping (T). - Brak przyciągania (T). - - - Snap to parent or sibling items and generate anchors (W). - Przyciągaj do rodzica elementu lub do sąsiednich elementów i generuj kotwice (W). - - - Snap to parent or sibling items but do not generate anchors (E). - Przyciągaj do rodzica elementu lub do sąsiednich elementów ale nie generuj kotwic (E). - - - Show bounding rectangles and stripes for empty items (A). - Pokazuj otaczające prostokąty i paski dla pustych elementów (A). - - - Override Width - Nadpisz szerokość - - - Override width of root item. - Nadpisuje szerokość elementu głównego. - - - Override Height - Nadpisz wysokość - - - Override height of root item. - Nadpisuje wysokość elementu głównego. - - - Reset view (R). - Zresetuj widok (R). - - - Export Current QML File as Image - Wyeksportuj bieżący plik QML jako plik graficzny - - - PNG (*.png);;JPG (*.jpg) - PNG (*.png);;JPG (*.jpg) - - - - QmlDesigner::NavigatorTreeModel - - Unknown item: %1 - Nieznany element: %1 - - - Toggles whether this item is exported as an alias property of the root item. - Przełącza eksportowanie tego elementu jako alias właściwości elementu głównego. - - - Toggles the visibility of this item in the form editor. -This is independent of the visibility property in QML. - Przełącza widoczność tego elementu w edytorze formularzy. -Jest to niezależne od właściwości dotyczącej widoczności w QML. - - - Changing the setting "%1" might solve the issue. - Zmiana ustawienia "%1" może rozwiązać problem. - - - Use QML emulation layer that is built with the selected Qt - Użyj emulatora QML zbudowanego przez wybraną wersję Qt - - - - QmlDesigner::InvalidArgumentException - - Failed to create item of type %1 - Nie można utworzyć elementu typu %1 - - - - InvalidIdException - - Only alphanumeric characters and underscore allowed. -Ids must begin with a lowercase letter. - Dozwolone są tylko znaki alfanumeryczne i podkreślenia. -Identyfikatory muszą rozpoczynać się małą literą. - - - Ids have to be unique. - Identyfikatory muszą być unikatowe. - - - Invalid Id: %1 -%2 - Niepoprawny identyfikator: %1 -%2 - - - - QtC::CppEditor - - Rewrite Using %1 - Przepisz używając %1 - - - Swap Operands - Zamień argumenty - - - Rewrite Condition Using || - Przepisz warunek używając || - - - Split Declaration - Rozdziel deklarację - - - Add Curly Braces - Dodaj nawiasy klamrowe - - - Move Declaration out of Condition - Wyłącz deklarację z warunku - - - Split if Statement - Rozdziel instrukcję if - - - Convert to String Literal - Skonwertuj do literału łańcuchowego - - - Convert to Character Literal and Enclose in QLatin1Char(...) - Skonwertuj do literału znakowego i zamknij w QLatin1Char(...) - - - Convert to Character Literal - Skonwertuj do literału znakowego - - - Mark as Translatable - Zaznacz jako przetłumaczalne - - - Escape String Literal as UTF-8 - Zamień na ciąg specjalny UTF-8 - - - Unescape String Literal as UTF-8 - Zamień ciąg specjalny UTF-8 na zwykły - - - Convert connect() to Qt 5 Style - Skonwertuj "connect()" do stylu Qt 5 - - - Add Local Declaration - Dodaj lokalną deklarację - - - Convert to Camel Case - Skonwertuj do zbitki Camel Case - - - Add #include %1 - Dodaj #include %1 - - - Switch with Previous Parameter - Zamień z poprzednim parametrem - - - Switch with Next Parameter - Zamień z następnym parametrem - - - Extract Constant as Function Parameter - Uczyń stałą parametrem funkcji - - - Assign to Local Variable - Przypisz do zmiennej lokalnej - - - Optimize for-Loop - Zoptymalizuj pętlę "for" - - - Convert to Objective-C String Literal - Skonwertuj do literału łańcuchowego Objective-C - - - Enclose in %1(...) (Qt %2) - Otocz za pomocą %1(...) (Qt %2) - - - Enclose in %1(...) - Otocz za pomocą %1(...) - - - Convert to Hexadecimal - Skonwertuj do wartości szesnastkowej - - - Convert to Octal - Skonwertuj do wartości ósemkowej - - - Convert to Decimal - Skonwertuj do wartości dziesiętnej - - - Reformat to "%1" - Przeformatuj do "%1" - - - Reformat Pointers or References - Przeformatuj wskaźniki i referencje - - - Complete Switch Statement - Dokończ instrukcję "switch" - - - - QtC::QmlProjectManager - - QML Viewer - QML Viewer target display name - QML Viewer - - - - QtC::QmlEditorWidgets - - Text - Tekst - - - Style - Styl - - - ... - ... - - - Form - Formularz - - - Stretch vertically. Scales the image to fit to the available area. - Rozciągnięcie w pionie. Dopasowuje rozmiar obrazu do dostępnej powierzchni. - - - Repeat vertically. Tiles the image until there is no more space. May crop the last image. - Powtarzanie w pionie. Ostatni obraz może zostać przycięty. - - - Round. Like Repeat, but scales the images down to ensure that the last image is not cropped. - Zaokrąglenie. Działa jak powtarzanie, ale dodatkowo skaluje w taki sposób, że ostatni obraz nie jest przycięty. - - - Repeat horizontally. Tiles the image until there is no more space. May crop the last image. - Powtarzanie w poziomie. Ostatni obraz może zostać przycięty. - - - 10 x 10 - 10 x 10 - - - Stretch horizontally. Scales the image to fit to the available area. - Rozciągnięcie w poziomie. Dopasowuje rozmiar obrazu do dostępnej powierzchni. - - - The image is scaled to fit. - Dopasowuje obraz do dostępnej powierzchni. - - - The image is stretched horizontally and tiled vertically. - Obraz jest rozciągany w poziomie i powtarzany w pionie. - - - The image is stretched vertically and tiled horizontally. - Obraz jest rozciągany w pionie i powtarzany w poziomie. - - - The image is duplicated horizontally and vertically. - Obraz jest powielany w poziomie i w pionie. - - - The image is scaled uniformly to fit without cropping. - Obraz jest skalowany jednolicie bez przycinania. - - - The image is scaled uniformly to fill, cropping if necessary. - Obraz jest skalowany jednolicie, może zostać przycięty. - - - Gradient - Gradient - - - Color - Kolor - - - Border - Brzeg - - - Dialog - Dialog - - - Easing - Easing - - - Subtype - Podtyp - - - Duration - Czas trwania - - - INVALID - NIEPOPRAWNA WARTOŚĆ - - - ms - ms - - - Amplitude - Amplituda - - - Period - Okres - - - Overshoot - Przestrzał - - - Play simulation. - Odtwórz symulację. - - - Type of easing curve. - Typ easing curve. - - - Acceleration or deceleration of easing curve. - Przyspieszenie lub opóźnienie easing curve. - - - Duration of animation. - Czas trwania animacji. - - - Amplitude of elastic and bounce easing curves. - Amplituda easing curve typu elastic lub bounce. - - - Easing period of an elastic curve. - Okres easing curve typu elastic. - - - Easing overshoot for a back curve. - Przestrzał easing curve typu back. - - - - QtC::ClassView - - Show Subprojects - Pokaż podprojekty - - - - QtC::Help - - Add - Dodaj - - - Double-click to edit item. - Kliknij dwukrotnie aby zmodyfikować element. - - - Move Up - Przenieś do góry - - - Move Down - Przenieś na dół - - - - QtC::ImageViewer - - Image Viewer - Przeglądarka plików graficznych - - - Zoom In - Powiększ - - - Zoom Out - Pomniejsz - - - Show Background - Pokaż tło - - - Show Outline - Pokaż konspekt - - - Fit to Screen - Dopasuj do ekranu - - - Original Size - Oryginalny rozmiar - - - Export as Image - Wyeksportuj jako plik graficzny - - - - QtC::QmakeProjectManager - - Library: - Biblioteka: - - - Library file: - Plik z biblioteką: - - - Include path: - Ścieżka do nagłówków: - - - Platform - Platforma - - - Linux - Linux - - - Mac - Mac - - - Windows - Windows - - - Linkage: - Dowiązanie: - - - Dynamic - Dynamiczne - - - Static - Statyczne - - - Mac: - Mac: - - - Library - Biblioteka - - - Framework - Framework - - - Windows: - Windows: - - - Library inside "debug" or "release" subfolder - Biblioteka wewnątrz podkatalogu "debug" lub "release" - - - Add "d" suffix for debug version - Dodaj przyrostek "d" do wersji debugowej - - - Remove "d" suffix for release version - Usuń przyrostek "d" z wersji release'owej - - - Package: - Pakiet: - - - - QtC::QmlEditorWidgets - - Hides this toolbar. - Ukrywa ten pasek narzędzi. - - - Pin Toolbar - Przypnij pasek narzędzi - - - Show Always - Zawsze pokazuj - - - Unpins the toolbar and moves it to the default position. - Odpina pasek narzędzi i przenosi go do domyślnego położenia. - - - Hides this toolbar. This toolbar can be permanently disabled in the options page or in the context menu. - Ukrywa ten pasek narzędzi. Można go zablokować na stałe, na stronie z opcjami lub z podręcznego menu. - - - Double click for preview. - Kliknij dwukrotnie aby wyświetlić podgląd. - - - Open File - Otwórz plik - - - - QtC::QmlJS - - expected two numbers separated by a dot - oczekiwano dwóch liczb oddzielonych kropką - - - package import requires a version number - import pakietu wymaga podania numeru wersji - - - - QtC::Utils - - The command "%1" finished successfully. - Komenda "%1" poprawnie zakończona. - - - The command "%1" terminated with exit code %2. - Komenda "%1" zakończona kodem wyjściowym %2. - - - The command "%1" terminated abnormally. - Komenda "%1" niepoprawnie zakończona. - - - The command "%1" could not be started. - Komenda "%1" nie może zostać uruchomiona. - - - The command "%1" did not respond within the timeout limit (%2 s). - Komenda "%1" nie odpowiedziała w określonym czasie (%2 s). - - - Process not Responding - Brak odpowiedzi - - - The process is not responding. - Proces nie odpowiada. - - - The process "%1" is not responding. - Proces "%1" nie odpowiada. - - - Would you like to terminate it? - Czy zakończyć go? - - - - QtC::ClassView - - Class View - Widok klas - - - - QtC::Core - - Activate %1 View - Uaktywnij widok %1 - - - - SshConnection - - Server and client capabilities don't match. Client list was: %1. -Server list was %2. - Niezgodność zdolności serwera i klienta. -Lista klienta: %1. -Lista serwera: %2. - - - - QtC::CodePaster - - Checking connection - Sprawdzanie połączenia - - - Connecting to %1... - Łączenie z %1... - - - - QtC::CppEditor - - No type hierarchy available - Brak dostępnej hierarchii typów - - - Bases - Klasy bazowe - - - Derived - Klasy pochodne - - - Type Hierarchy - Hierarchia typów - - - C++ Symbols - Symbole C++ - - - Searching for Symbol - Wyszukiwanie symbolu - - - C++ Symbols: - Symbole C++: - - - Classes - Klasy - - - Functions - Funkcje - - - Enums - Typy wyliczeniowe - - - Declarations - Deklaracje - - - Scope: %1 -Types: %2 -Flags: %3 - Zakres: %1 -Typy: %2 -Flagi: %3 - - - All - Wszystko - - - Projects - Projekty - - - , - , - - - Types: - Typy: - - - Projects only - Tylko projekty - - - All files - Wszystkie pliki - - - - QtC::Debugger - - The console process "%1" could not be started. - Nie można uruchomić procesu konsolowego "%1". - - - Debugger Error - Błąd debuggera - - - Failed to Start the Debugger - Nie można uruchomić debuggera - - - There is no CDB executable specified. - Brak podanego pliku wykonywalnego CDB. - - - Interrupting is not possible in remote sessions. - Przerywanie nie jest możliwe w zdalnych sesjach. - - - Trace point %1 (%2) in thread %3 triggered. - Osiągnięto komunikat %1 (%2) w wątku %3. - - - Conditional breakpoint %1 (%2) in thread %3 triggered, examining expression "%4". - Osiągnięto pułapkę warunkową %1 (%2) w wątku %3, sprawdzanie wyrażenia "%4". - - - Debugger encountered an exception: %1 - Wystąpił wyjątek debuggera: %1 - - - "Select Widget to Watch": Not supported in state "%1". - "Wybierz widżet do obserwowania": nie obsługiwane w stanie "%1". - - - Internal error: Invalid start parameters passed for the CDB engine. - Błąd wewnętrzny: niepoprawny parametr startowy przekazany do silnika CDB. - - - Unsupported CDB host system. - System hosta nieobsługiwany przez CDB. - - - Internal error: The extension %1 cannot be found. -If you have updated Qt Creator via Maintenance Tool, you may need to rerun the Tool and select "Add or remove components" and then select the -Qt > Tools > Qt Creator > Qt Creator CDB Debugger Support component. -If you build Qt Creator from sources and want to use a CDB executable with another bitness than your Qt Creator build, -you will need to build a separate CDB extension with the same bitness as the CDB you want to use. - - - - Malformed stop response received. - Niepoprawna odpowiedź na stop. - - - Switching to main thread... - Przełączanie do głównego wątku... - - - Module loaded: - Załadowany moduł: - - - Value %1 obtained from evaluating the condition of breakpoint %2, stopping. - Wartość %1 otrzymana po spełnieniu warunku pułapki %2, zatrzymano. - - - Value 0 obtained from evaluating the condition of breakpoint %1, continuing. - Wartość 0 otrzymana po spełnieniu warunku pułapki %1, kontynuowanie. - - - "Select Widget to Watch": Please stop the application first. - "Wybierz widżet do obserwowania": Najpierw zatrzymaj aplikację. - - - Select Local Cache Folder - Wybierz katalog z lokalnym cache'em - - - Already Exists - Już istnieje - - - A file named "%1" already exists. - Plik o nazwie "%1" już istnieje. - - - The folder "%1" could not be created. - Nie można utworzyć katalogu "%1". - - - Cannot Create - Nie można utworzyć - - - Clear Contents - Wyczyść zawartość - - - Save Contents - Zachowaj zawartość - - - Reload Debugging Helpers - Przeładuj programy pomocnicze debuggera - - - Type Ctrl-<Return> to execute a line. - Naciśnij Ctrl-<Return> aby wykonać linię. - - - Debugger &Log - &Log debuggera - - - Repeat last command for debug reasons. - Powtórz ostatnią komendę z przyczyn debugowych. - - - Note: This log contains possibly confidential information about your machine, environment variables, in-memory data of the processes you are debugging, and more. It is never transferred over the internet by Qt Creator, and only stored to disk if you manually use the respective option from the context menu, or through mechanisms that are not under Qt Creator's control, for instance in swap files. -You may be asked to share the contents of this log when reporting bugs related to debugger operation. In this case, make sure your submission does not contain data you do not want to or you are not allowed to share. - - - Uwaga: Poniższy log może zawierać poufne informacje o Twojej maszynie, o zmiennych środowiskowych, o danych w pamięci debugowanych procesów lub o jeszcze innych danych. Qt Creator nigdy nie przesyła loga przez internet, jest on jedynie zachowywany na dysku, jeśli włączona jest odpowiednia opcja podręcznego menu lub jeśli spowodowały to inne mechanizmy, które są poza kontrolą Qt Creatora, jak na przykład tworzenie plików swap. -Możesz zostać poproszony o podzielenie się zawartością tego loga podczas tworzenia raportu o błędzie w debuggerze. W tym przypadku upewnij się, że raport nie zawiera informacji którymi nie chcesz lub nie możesz się dzielić. - - - - - User commands are not accepted in the current state. - Komendy użytkownika nie są akceptowalne w bieżącym stanie. - - - Log File - Plik logu - - - Internal Name - Wewnętrzna nazwa - - - Full Name - Pełna nazwa - - - Reload Data - Przeładuj dane - - - Open File - Otwórz plik - - - Open File "%1" - Otwórz plik "%1" - - - - QtC::Git Set the environment variable HOME to "%1" (%2). @@ -12674,2180 +31418,6 @@ zamiast w jego katalogu instalacyjnym. Git Repository Browser Command Komenda przeglądarki repozytorium Git - - - QtC::Help - - Copy Full Path to Clipboard - Skopiuj pełną ścieżkę do schowka - - - Web Search - Szukanie w sieci - - - - QtC::ProjectExplorer - - %1 Steps - %1 is the name returned by BuildStepList::displayName - Kroki %1 - - - No %1 Steps - Brak kroków %1 - - - Add %1 Step - Dodaj krok %1 - - - Move Up - Przenieś do góry - - - Disable - Zablokuj - - - Move Down - Przenieś na dół - - - Remove Item - Usuń element - - - Removing Step failed - Nie można usunąć kroku - - - Cannot remove build step while building - Nie można usunąć kroku podczas budowania - - - No Build Steps - Brak kroków procesu budowania - - - error: - Task is of type: error - błąd: - - - warning: - Task is of type: warning - ostrzeżenie: - - - Deploy - Display name of the deploy build step list. Used as part of the labels in the project window. - instalacji - - - Deploy locally - Default DeployConfiguration display name - Zainstaluj lokalnie - - - Deploy Settings - Ustawienia instalowania - - - Deploy Configuration - Konfiguracja instalacji - - - Application Still Running - Program wciąż uruchomiony - - - Force &Quit - Wymuś &zakończenie - - - &Keep Running - &Pozostaw uruchomionym - - - No executable specified. - Nie podano pliku wykonywalnego. - - - Executable %1 does not exist. - Brak pliku wykonywalnego %1. - - - Starting %1... - Uruchamianie %1... - - - <html><head/><body><center><i>%1</i> is still running.<center/><center>Force it to quit?</center></body></html> - <html><head/><body><center><i>%1</i> jest wciąż uruchomiony.<center/><center>Wymusić zakończenie?</center></body></html> - - - PID %1 - PID %1 - - - Invalid - Niepoprawny - - - Show in Editor - Pokaż w edytorze - - - Show task location in an editor. - Pokaż położenie zadania w edytorze. - - - Show &Output - Pokaż &wyjście - - - Show output generating this issue. - Pokaż wyjście generujące ten problem. - - - O - O - - - Issues - Problemy - - - Show Warnings - Pokazuj ostrzeżenia - - - Filter by categories - Przefiltruj według kategorii - - - No deployment - Brak instalacji - - - Deploy to Maemo device - Zainstaluj na urządzeniu Maemo - - - &Annotate - Dołącz &adnotację - - - Annotate using version control system. - Dołącza adnotację przy użyciu systemu kontroli wersji. - - - - QtC::QmlJSEditor - - Move Component into Separate File - Przenieś komponent do oddzielnego pliku - - - Property assignments for %1: - Przypisanie właściwości dla %1: - - - Invalid component name - Niepoprawna nazwa komponentu - - - Invalid path - Niepoprawna ścieżka - - - Path: - Ścieżka: - - - Component name: - Nazwa komponentu: - - - Property assignments for - Przypisanie właściwości dla - - - Component Name - Nazwa komponentu - - - ui.qml file - plik ui.qml - - - QML/JS Usages: - Użycia QML/JS: - - - Searching for Usages - Wyszukiwanie użyć - - - Split Initializer - Podziel inicjalizator - - - - QtC::QmakeProjectManager - - Add Library - Dodaj bibliotekę - - - Library Type - Typ biblioteki - - - Choose the type of the library to link to - Wybierz typ biblioteki, która ma zostać dowiązana - - - System library - Biblioteka systemowa - - - Links to a system library. -Neither the path to the library nor the path to its includes is added to the .pro file. - Dowiązuje bibliotekę systemową. -Ścieżki do biblioteki i jej nagłówków nie zostaną dodane do pliku .pro. - - - System package - Pakiet systemowy - - - Links to a system library using pkg-config. - Dowiązuje bibliotekę systemową używając pkg-config. - - - External library - Zewnętrzna biblioteka - - - Links to a library that is not located in your build tree. -Adds the library and include paths to the .pro file. - Dowiązuje bibliotekę, która jest poza drzewem budowy projektu. -Ścieżki do biblioteki i jej nagłówków zostaną dodane do pliku .pro. - - - Internal library - Wewnętrzna biblioteka - - - Links to a library that is located in your build tree. -Adds the library and include paths to the .pro file. - Dowiązuje bibliotekę, która jest wewnątrz drzewa budowy projektu. -Ścieżki do biblioteki i jej nagłówków zostaną dodane do pliku .pro. - - - System Library - Biblioteka systemowa - - - Specify the library to link to - Wskaż bibliotekę, która ma zostać dowiązana - - - System Package - Pakiet systemowy - - - Specify the package to link to - Podaj pakiet do dowiązania - - - External Library - Zewnętrzna biblioteka - - - Specify the library to link to and the includes path - Wskaż bibliotekę, która ma zostać dowiązana i podaj ścieżkę do jej nagłówków - - - Internal Library - Wewnętrzna biblioteka - - - Choose the project file of the library to link to - Wybierz plik projektu biblioteki, która ma zostać dowiązana - - - Summary - Podsumowanie - - - The following snippet will be added to the<br><b>%1</b> file: - Do pliku <b>%1</b><br>zostanie dodany następujący fragment: - - - %1 Dynamic - %1 Dynamiczne - - - %1 Static - %1 Statyczne - - - %1 Framework - %1 Framework - - - %1 Library - %1 Biblioteka - - - - QtC::ProjectExplorer - - Stop Monitoring - Zatrzymaj monitorowanie - - - Stop monitoring task files. - Zatrzymaj monitorowanie plików zadania. - - - - QtC::TextEditor - - Generic Highlighter - Ogólne podświetlanie - - - Download Definitions... - Pobierz definicje... - - - Autodetect - Wykryj automatycznie - - - Autodetect Definitions - Wykryj automatycznie definicje - - - No pre-installed definitions could be found. - Brak preinstalowanych definicji. - - - Error connecting to server. - Błąd łączenia z serwerem. - - - Not possible to retrieve data. - Nie można odebrać danych. - - - Name - Nazwa - - - Installed - Zainstalowane - - - Available - Dostępne - - - Download Definitions - Pobierz definicje - - - Download Information - Pobierz informacje - - - There is already one download in progress. Please wait until it is finished. - Trwa inne pobieranie, poczekaj na jego zakończenie. - - - Dialog - Dialog - - - Definitions - Definicje - - - Select All - Zaznacz wszystko - - - Clear Selection - Usuń selekcję - - - Invert Selection - Odwróć selekcję - - - Download Selected Definitions - Pobierz zaznaczone definicje - - - No outline available - Konspekt nie jest dostępny - - - Synchronize with Editor - Synchronizuj z edytorem - - - Filter tree - Przefiltruj drzewo - - - Outline - Konspekt - - - - QtC::ProjectExplorer - - Cannot start process: %1 - Nie można uruchomić procesu: %1 - - - Timeout after %1 s. - Przekroczono limit czasu oczekiwania na zakończenie, wynoszący %1 s. - - - The process crashed. - Proces przerwał pracę. - - - The process returned exit code %1: -%2 - Proces zwrócił kod wyjściowy %1: -%2 - - - Error running "%1" in %2: %3 - Błąd uruchamiania "%1" w %2: %3 - - - Building helper "%1" in %2 - - Budowanie programów pomocniczych "%1" w %2 - - - - Running %1 %2... - - Uruchamianie %1 %2... - - - - Running %1 %2 ... - - Uruchamianie %1 %2 ... - - - - - QtC::QmlJSEditor - - Show All Bindings - Pokaż wszystkie powiązania - - - - QtC::CppEditor - - Add %1 Declaration - Dodaj deklarację %1 - - - Add Definition in %1 - Dodaj definicję w %1 - - - Add Definition Here - Dodaj definicję tutaj - - - Add Definition Inside Class - Dodaj definicję wewnątrz klasy - - - Add Definition Outside Class - Dodaj definicję na zewnątrz klasy - - - - QtC::Bazaar - - General Information - Ogólne informacje - - - Branch: - Gałąź: - - - Local commit - Lokalna poprawka - - - Commit Information - Informacje o poprawce - - - Author: - Autor: - - - Email: - E-mail: - - - Fixed bugs: - Poprawione błędy: - - - Performs a local commit in a bound branch. -Local commits are not pushed to the master branch until a normal commit is performed. - Tworzy lokalną poprawkę w bieżącej gałęzi. -Poprawki utworzone lokalnie nie są wrzucane do głównej gałęzi, dopóki nie utworzono normalnej poprawki. - - - - QtC::Bazaar - - Form - Formularz - - - Configuration - Konfiguracja - - - Command: - Komenda: - - - User - Użytkownik - - - Username to use by default on commit. - Nazwa użytkownika domyślnie używana przy tworzeniu poprawek. - - - Default username: - Domyślna nazwa użytkownika: - - - Email to use by default on commit. - E-mail domyślnie używany przy tworzeniu poprawek. - - - Default email: - Domyślny adres e-mail: - - - Miscellaneous - Różne - - - Log count: - Licznik logu: - - - Timeout: - Limit czasu oczekiwania: - - - s - s - - - The number of recent commit logs to show. Choose 0 to see all entries. - Liczba ostatnich poprawek, wyświetlanych w logu. Wybierz 0 aby ujrzeć wszystkie zmiany. - - - Dialog - Dialog - - - Branch Location - Położenie gałęzi - - - Default location - Domyślne położenie - - - Local filesystem: - Lokalny system plików: - - - Specify URL: - Podaj URL: - - - Options - Opcje - - - Remember specified location as default - Zapamiętaj podane położenie jako domyślne - - - Overwrite - Nadpisz - - - Use existing directory - Użyj istniejącego katalogu - - - Create prefix - Utwórz przedrostek - - - Local - Lokalnie - - - Pull Source - - - - Push Destination - - - - By default, push will fail if the target directory exists, but does not already have a control directory. -This flag will allow push to proceed. - - - - For example: "https://[user[:pass]@]host[:port]/[path]". - Na przykład: "https://[użytkownik[:hasło]@]host[:port]/[ścieżka]". - - - Ignores differences between branches and overwrites -unconditionally. - Ignoruje różnice pomiędzy gałęziami i nadpisuje bezwarunkowo. - - - Creates the path leading up to the branch if it does not already exist. - Tworzy ścieżkę prowadzącą do gałęzi jeśli jeszcze nie istnieje. - - - Performs a local pull in a bound branch. -Local pulls are not applied to the master branch. - - - - - QtC::Bazaar - - Revert - Odwróć zmiany - - - Specify a revision other than the default? - Podaj inną wersję niż domyślna - - - - QtC::Core - - Form - Formularz - - - Add - Dodaj - - - Remove - Usuń - - - Description: - Opis: - - - Executable: - Plik wykonywalny: - - - Arguments: - Argumenty: - - - Working directory: - Katalog roboczy: - - - Output: - Komunikaty: - - - Ignore - Zignoruj - - - Show in Pane - Pokazuj w panelu - - - Replace Selection - Zastąp selekcję - - - Error output: - Komunikaty o błędach: - - - Text to pass to the executable via standard input. Leave empty if the executable should not receive any input. - Tekst przekazywany do pliku wykonywalnego poprzez standardowe wejście. Może zostać pusty dla pliku wykonywalnego nie otrzymującego niczego na wejściu. - - - Input: - Wejście: - - - If the tool modifies the current document, set this flag to ensure that the document is saved before running the tool and is reloaded after the tool finished. - Jeśli narzędzie modyfikuje bieżący dokument, ustaw tę flagę aby mieć pewność, iż zostanie on zachowany przed uruchomieniem narzędzia i przeładowany po jego zakończeniu. - - - Modifies current document - Modyfikuje bieżący dokument - - - Add Tool - Dodaj narzędzie - - - Add Category - Dodaj kategorię - - - PATH=C:\dev\bin;${PATH} - PATH=C:\dev\bin;${PATH} - - - PATH=/opt/bin:${PATH} - PATH=/opt/bin:${PATH} - - - Add tool. - Dodaj narzędzie. - - - Remove tool. - Usuń narzędzie. - - - Revert tool to default. - Przywróć domyślne narzędzia. - - - <html><head/><body> -<p>What to do with the executable's standard output. -<ul><li>Ignore: Do nothing with it.</li><li>Show in pane: Show it in the general output pane.</li><li>Replace selection: Replace the current selection in the current document with it.</li></ul></p></body></html> - - <html><head/><body> -<p>Co zrobić z komunikatami pliku wykonywalnego. -<ul><li>Ignoruj: nic nie robi.</li><li>Pokaż w panelu: pokazuje w ogólnym panelu z komunikatami.</li><li>Zastąp selekcję: zastępuje nimi selekcję w bieżącym dokumencie.</li></ul></p></body></html> - - - - <html><head><body> -<p >What to do with the executable's standard error output.</p> -<ul><li>Ignore: Do nothing with it.</li> -<li>Show in pane: Show it in the general output pane.</li> -<li>Replace selection: Replace the current selection in the current document with it.</li> -</ul></body></html> - <html><head><body> -<p >Co zrobić z komunikatami błędów pliku wykonywalnego.</p> -<ul><li>Ignoruj: nic nie robi.</li> -<li>Pokaż w panelu: pokazuje w ogólnym panelu z komunikatami.</li> -<li>Zastąp selekcję: zastępuje nimi selekcję w bieżącym dokumencie.</li> -</ul></body></html> - - - Environment: - Środowisko: - - - No changes to apply. - Brak zmian do zastosowania. - - - Change... - Zmień... - - - Insert Variable - Wstaw zmienną - - - Current Value: %1 - Bieżąca wartość: %1 - - - Insert Unexpanded Value - Wstaw zwiniętą wartość - - - Insert "%1" - Wstaw "%1" - - - Insert Expanded Value - Wstaw rozwiniętą wartość - - - Select a variable to insert. - Wybierz zmienną do wstawienia. - - - Variables - Zmienne - - - - QtC::Macros - - Form - Formularz - - - Preferences - Ustawienia - - - Name - Nazwa - - - Description - Opis - - - Shortcut - Skrót - - - Remove - Usuń - - - Macro - Makro - - - Description: - Opis: - - - Save Macro - Zachowaj makro - - - Name: - Nazwa: - - - - QtC::QmlJS - - Errors while loading qmltypes from %1: -%2 - Błędy podczas ładowania qmltypes z %1: -%2 - - - Warnings while loading qmltypes from %1: -%2 - Ostrzeżenia podczas ładowania qmltypes z %1: -%2 - - - Could not parse document. - Błąd parsowania dokumentu. - - - Expected a single import. - Oczekiwano pojedynczego importu. - - - Expected import of QtQuick.tooling. - Oczekiwano importu QtQuick.tooling. - - - Expected document to contain a single object definition. - Oczekiwano dokumentu zawierającego pojedynczą definicję obiektu. - - - Expected document to contain a Module {} member. - Oczekiwano dokumentu zawierającego składnik "Module {}". - - - Major version different from 1 not supported. - Wersja główna inna niż 1 nie jest obsługiwana. - - - Expected dependency definitions - Oczekiwano definicji zależności - - - Expected only Property, Method, Signal and Enum object definitions, not "%1". - Oczekiwano jedynie definicji obiektu Property, Method, Signal lub Enum, a nie "%1". - - - Expected only name, prototype, defaultProperty, attachedType, exports, isSingleton, isCreatable, isComposite and exportMetaObjectRevisions script bindings, not "%1". - Oczekiwano jedynie powiązań skryptowych: "prototype", "defaultProperty", "attachedType", "exports", "isSingleton", "isCreatable", "isComposite" lub "exportMetaObjectRevisions", a nie "%1". - - - Expected only script bindings and object definitions. - Oczekiwano jedynie powiązań skryptowych i definicji obiektów. - - - Component definition is missing a name binding. - Brak nazwy powiązania w definicji komponentu. - - - Expected only uri, version and name script bindings. - Oczekiwano jedynie następujących powiązań skryptowych: uri, version i name. - - - Expected only script bindings. - Oczekiwano jedynie powiązań skryptowych. - - - ModuleApi definition has no or invalid version binding. - Brak lub niepoprawne powiązanie wersji w definicji ModuleApi. - - - Expected only Parameter object definitions. - Oczekiwano jedynie definicji obiektów "Parameter". - - - Expected only name and type script bindings. - Oczekiwano jedynie następujących powiązań skryptowych: name i type. - - - Method or signal is missing a name script binding. - Brak powiązania skryptowego name w metodzie lub sygnale. - - - Expected script binding. - Oczekiwano powiązań skryptowych. - - - Expected only type, name, revision, isPointer, isReadonly and isList script bindings. - Oczekiwano jedynie następujących powiązań skryptowych: type, name, revision, isPointer, isReadonly i isList. - - - Property object is missing a name or type script binding. - Brak powiązania skryptowego name w obiekcie właściwości. - - - Expected only name and values script bindings. - Oczekiwano jedynie następujących powiązań skryptowych: name i values. - - - Expected string after colon. - Oczekiwano ciągu znakowego po dwukropku. - - - Expected boolean after colon. - Oczekiwano wartości boolowskiej po dwukropku. - - - Expected true or false after colon. - Oczekiwano "true" lub "false" po dwukropku. - - - Expected numeric literal after colon. - Oczekiwano literału liczbowego po dwukropku. - - - Expected integer after colon. - Oczekiwano liczby całkowitej po dwukropku. - - - Expected array of strings after colon. - Oczekiwano tablicy ciągów znakowych po dwukropku. - - - Expected array literal with only string literal members. - Oczekiwano literału tablicowego, zawierającego jedynie literały łańcuchowe. - - - Expected string literal to contain 'Package/Name major.minor' or 'Name major.minor'. - Oczekiwano literału łańcuchowego, zawierającego "Pakiet / Nazwa główna.poboczna" lub "Nazwa główna.poboczna". - - - Expected array of numbers after colon. - Oczekiwano tablicy liczbowej po dwukropku. - - - Expected array literal with only number literal members. - Oczekiwano literału tablicowego, zawierającego jedynie literały liczbowe. - - - Meta object revision without matching export. - - - - Expected integer. - Oczekiwano liczby całkowitej. - - - Expected object literal after colon. - Oczekiwano literału obiektowego po dwukropku. - - - Expected object literal to contain only 'string: number' elements. - Oczekiwano literału obiektowego, zawierającego jedynie elementy "ciąg_znakowy: liczba". - - - Enum should not contain getter and setters, but only 'string: number' elements. - Typ wyliczeniowy nie może zawierać metody zwracającej (getter) ani ustawiającej (setter). Powinien zawierać jedynie elementy "nazwa: wartość". - - - - QtC::Utils - - <UNSET> - <USUNIĘTO> - - - Variable - Zmienna - - - Value - Wartość - - - <VARIABLE> - Name when inserting a new variable - <ZMIENNA> - - - <VALUE> - Value when inserting a new variable - <WARTOŚĆ> - - - Error in command line. - Błąd w linii komend. - - - - QtC::Valgrind - - Location - Położenie - - - Issue - Problem - - - %1 in function %2 - %1 w funkcji %2 - - - Location: - Położenie: - - - Instruction pointer: - Wskaźnik do instrukcji: - - - Could not parse hex number from "%1" (%2) - Błąd parsowania liczby szesnastkowej z "%1" (%2) - - - trying to read element text although current position is not start of element - próba odczytu elementu tekstowego pomimo iż bieżąca pozycja nie jest na początku elementu - - - Unexpected child element while reading element text - Nieoczekiwany podelement podczas odczytu elementu tekstowego - - - Unexpected token type %1 - Nieoczekiwany typ znaku %1 - - - Could not parse protocol version from "%1" - Błąd parsowania wersji protokołu z "%1" - - - XmlProtocol version %1 not supported (supported version: 4) - Nieobsługiwana wersja XmlProtocol %1 (obsługiwana wersja: 4) - - - Valgrind tool "%1" not supported - Narzędzie Valgrind "%1" nie jest obsługiwane - - - Unknown memcheck error kind "%1" - Nieznany rodzaj błędu memcheck "%1" - - - Unknown helgrind error kind "%1" - Nieznany rodzaj błędu helgrind "%1" - - - Unknown ptrcheck error kind "%1" - Nieznany rodzaj błędu ptrcheck "%1" - - - Could not parse error kind, tool not yet set. - Nie można sparsować rodzaju błędu, narzędzie nie zostało jeszcze ustawione. - - - Unknown state "%1" - Nieznany stan "%1" - - - Unexpected exception caught during parsing. - Złapano nieoczekiwany wyjątek podczas parsowania. - - - Description - Opis - - - Instruction Pointer - Wskaźnik do instrukcji - - - Object - Obiekt - - - Directory - Katalog - - - File - Plik - - - Line - Linia - - - - QtC::Debugger - - Analyzer - Analizator - - - - QtC::Bazaar - - Bazaar - Bazaar - - - Annotate Current File - Dołącz adnotację do bieżącego pliku - - - Annotate "%1" - Dołącz adnotację do "%1" - - - Diff Current File - Pokaż różnice w bieżącym pliku - - - Diff "%1" - Pokaż różnice w "%1" - - - Alt+Z,Alt+D - Alt+Z,Alt+D - - - Meta+Z,Meta+D - Meta+Z,Meta+D - - - Log Current File - Log bieżącego pliku - - - Log "%1" - Log "%1" - - - Alt+Z,Alt+L - Alt+Z,Alt+L - - - Meta+Z,Meta+L - Meta+Z,Meta+L - - - Status Current File - Stan bieżącego pliku - - - Status "%1" - Stan "%1" - - - Alt+Z,Alt+S - Alt+Z,Alt+S - - - Meta+Z,Meta+S - Meta+Z,Meta+S - - - Add - Dodaj - - - Add "%1" - Dodaj "%1" - - - Delete... - Usuń... - - - Delete "%1"... - Usuń "%1"... - - - Revert Current File... - Odwróć zmiany w bieżącym pliku... - - - Revert "%1"... - Odwróć zmiany w "%1"... - - - Diff - Pokaż różnice - - - Log - Log - - - Revert... - Odwróć zmiany... - - - Status - Stan - - - Pull... - Pull... - - - Push... - Push... - - - Update... - Update... - - - Commit... - Utwórz poprawkę... - - - Alt+Z,Alt+C - Alt+Z,Alt+C - - - Meta+Z,Meta+C - Meta+Z,Meta+C - - - Uncommit... - Wycofaj poprawkę... - - - Create Repository... - Utwórz repozytorium... - - - Update - Uaktualnij - - - Commit - Utwórz poprawkę - - - Diff &Selected Files - Pokaż różnice w &zaznaczonych plikach - - - &Undo - &Cofnij - - - &Redo - &Przywróć - - - There are no changes to commit. - Brak zmian do utworzenia poprawki. - - - Unable to create an editor for the commit. - Nie można utworzyć edytora dla poprawki. - - - Unable to create a commit editor. - Nie można utworzyć edytora poprawek. - - - Commit changes for "%1". - Poprawka ze zmian w "%1". - - - Close Commit Editor - Zamknij edytor poprawek - - - Do you want to commit the changes? - Czy utworzyć poprawkę? - - - Message check failed. Do you want to proceed? - Błąd sprawdzania opisu. Czy kontynuować? - - - - QtC::Bazaar - - Commit Editor - Edytor poprawek - - - - QtC::Bazaar - - Bazaar Command - Komenda Bazaar - - - - QtC::CMakeProjectManager - - Run CMake - Uruchom CMake - - - Clear CMake Configuration - Wyczyść konfigurację CMake - - - Rescan Project - Przeskanuj ponownie projekt - - - - QtC::Core - - Uncategorized - Nieskategoryzowane - - - Tools that will appear directly under the External Tools menu. - Narzędzie, które pojawi się bezpośrednio w menu Narzędzia Zewnętrzne. - - - New Category - Nowa kategoria - - - New Tool - Nowe narzędzie - - - This tool prints a line of useful text - To narzędzie wyświetla linię z przydatnym tekstem - - - Useful text - Sample external tool text - Przydatny tekst - - - Could not find executable for "%1" (expanded "%2") - Nie można znaleźć pliku wykonywalnego dla "%1" (w rozwinięciu "%2") - - - Starting external tool "%1" %2 - Uruchamianie narzędzia zewnętrznego "%1" %2 - - - "%1" finished - Zakończono "%1" - - - &External - Z&ewnętrzne - - - Error: External tool in %1 has duplicate id - Błąd: narzędzie zewnętrzne w %1 ma powielony identyfikator - - - Add Magic Header - Dodaj magiczny nagłówek - - - Error - Błąd - - - Internal error: Type is invalid - Błąd wewnętrzny: niepoprawny typ - - - Dialog - Dialog - - - Value: - Wartość: - - - String - Ciąg znakowy - - - Byte - Bajt - - - Use Recommended - Używaj rekomendowanych - - - Priority: - Priorytet: - - - <i>Note: Wide range values might impact Qt Creator's performance when opening files.</i> - <i>Uwaga: Szeroki zakres może wpłynąć na wydajność Qt Creatora podczas otwierania plików.</i> - - - <html><head/><body><p>MIME magic data is interpreted as defined by the Shared MIME-info Database specification from <a href="http://standards.freedesktop.org/shared-mime-info-spec/shared-mime-info-spec-latest.html">freedesktop.org</a>.<hr/></p></body></html> - <html><head/><body><p>Magiczne dane MIME są interpretowane zgodnie ze specyfikacją "Shared MIME-info Database" zdefiniowaną pod adresem <a href="http://standards.freedesktop.org/shared-mime-info-spec/shared-mime-info-spec-latest.html">freedesktop.org</a>.<hr/></p></body></html> - - - Type: - Typ: - - - RegExp - RegExp - - - Host16 - Host16 - - - Host32 - Host32 - - - Big16 - Big16 - - - Big32 - Big32 - - - Little16 - Little16 - - - Little32 - Little32 - - - Mask: - Maska: - - - Range start: - Początek zakresu: - - - Range end: - Koniec zakresu: - - - MIME Type - Typ MIME - - - Handler - Jednostka obsługująca - - - Undefined - Niezdefiniowana - - - Reset MIME Types - Zresetuj typy MIME - - - Changes will take effect after Qt Creator restart. - Zmiany zostaną zastosowane przy ponownym uruchomieniu Qt Creatora. - - - MIME Types - Typy MIME - - - External Tools - Narzędzia zewnętrzne - - - %1 repository was detected but %1 is not configured. - Wykryto repozytorium %1, ale %1 nie jest skonfigurowane. - - - Version Control - System kontroli wersji - - - Would you like to remove this file from the version control system (%1)? -Note: This might remove the local file. - Czy usunąć ten plik z systemu kontroli wersji (%1)? -Uwaga: może to spowodować usunięcie lokalnego pliku. - - - Add to Version Control - Dodaj do systemu kontroli wersji - - - Add the file -%1 -to version control (%2)? - Czy dodać plik -%1 -do systemu kontroli wersji (%2)? - - - Add the files -%1 -to version control (%2)? - Czy dodać pliki -%1 -do systemu kontroli wersji (%2)? - - - Adding to Version Control Failed - Nie można dodać do systemu kontroli wersji - - - Could not add the file -%1 -to version control (%2) - - Nie można dodać pliku -%1 -do systemu kontroli wersji (%2) - - - - Could not add the following files to version control (%1) -%2 - Nie można dodać następujących plików do systemu kontroli wersji (%1) -%2 - - - - QtC::CppEditor - - Expand All - Rozwiń wszystko - - - Collapse All - Zwiń wszystko - - - - QtC::Debugger - - <html><body><p>The remote CDB needs to load the matching Qt Creator CDB extension (<code>%1</code> or <code>%2</code>, respectively).</p><p>Copy it onto the remote machine and set the environment variable <code>%3</code> to point to its folder.</p><p>Launch the remote CDB as <code>%4 &lt;executable&gt;</code> to use TCP/IP as communication protocol.</p><p>Enter the connection parameters as:</p><pre>%5</pre></body></html> - <html><body><p>Zdalny CDB musi załadować odpowiednie rozszerzenie Qt Creator (<code>%1</code> albo odpowiednio <code>%2</code>).</p><p>Skopiuj to na zdalną maszynę i ustaw zmienną środowiskową <code>%3</code> wskazując na jego katalog.</p><p>Uruchom zdalny CDB jako <code>%4 &lt;plik wykonywalny&gt;</code> aby użyć protokołu TCP/IP.</p><p>Podaj parametry połączenia jako:</p><pre>%5</pre></body></html> - - - Start a CDB Remote Session - Uruchom zdalną sesję CDB - - - &Connection: - &Połączenie: - - - No function selected. - Nie wybrano żadnej funkcji. - - - Running to function "%1". - Uruchomiono do osiągnięcia funkcji "%1". - - - Attaching to local process %1. - Dołączanie do procesu lokalnego %1. - - - Attaching to remote server %1. - Dołączanie do zdalnego serwera %1. - - - Executable file "%1" - Plik wykonywalny: %1 - - - Debugging file %1. - Debugowanie pliku %1. - - - Core file "%1" - Plik zrzutu "%1" - - - Attaching to core file %1. - Dołączanie do pliku zrzutu %1. - - - Crashed process %1 - Proces %1 przerwał pracę - - - Attaching to crashed process %1 - Dołączanie do przerwanego procesu %1 - - - Warning - Ostrzeżenie - - - 0x%1 hit - Message tracepoint: Address hit. - Osiągnięto 0x%1 - - - %1:%2 %3() hit - Message tracepoint: %1 file, %2 line %3 function hit. - Osiągnięto %1:%2 %3() - - - Add Message Tracepoint - Dodaj punkt śledzenia - - - Message: - Komunikat: - - - Debug Information - Informacja debugowa - - - Debugger Runtime - Program debuggera - - - &Breakpoints - &Pułapki - - - &Modules - &Moduły - - - Reg&isters - &Rejestry - - - &Stack - &Stos - - - &Threads - &Wątki - - - Locals and &Expressions - Zmienne &lokalne i wyrażenia - - - Cannot attach to process with PID 0 - Nie można dołączyć do procesu z PID 0 - - - It is only possible to attach to a locally running process. - Możliwe jest dołączenie do lokalnie uruchomionego procesu. - - - Remove Breakpoint %1 - Usuń pułapkę %1 - - - Disable Breakpoint %1 - Zablokuj pułapkę %1 - - - Enable Breakpoint %1 - Odblokuj pułapkę %1 - - - Edit Breakpoint %1... - Zmodyfikuj pułapkę %1... - - - Set Breakpoint at 0x%1 - Ustaw pułapkę w 0x%1 - - - Set Message Tracepoint at 0x%1... - Ustaw komunikat pod 0x%1... - - - Save Debugger Log - Zachowaj log debuggera - - - Debugger finished. - Debugger zakończył pracę. - - - Continue - Kontynuuj - - - Interrupt - Przerwij - - - Debugger is Busy - Debugger jest zajęty - - - Abort Debugging - Przerwij debugowanie - - - Aborts debugging and resets the debugger to the initial state. - Przerywa debugowanie i przywraca debugger do stanu początkowego. - - - Step Over - Przeskocz - - - Step Into - Wskocz do wnętrza - - - Step Out - Wyskocz na zewnątrz - - - Run to Line - Uruchom do linii - - - Run to Selected Function - Uruchom do zaznaczonej funkcji - - - Immediately Return From Inner Function - Powróć natychmiast z wewnętrznej funkcji - - - Jump to Line - Skocz do linii - - - Toggle Breakpoint - Przełącz ustawienie pułapki - - - Reverse Direction - Odwrotny kierunek - - - Move to Called Frame - Przenieś do wywołanej ramki - - - Move to Calling Frame - Przenieś do wołającej ramki - - - Error evaluating command line arguments: %1 - Błąd podczas obliczania argumentów komendy: %1 - - - Start Debugging - Rozpocznij debugowanie - - - Start and Debug External Application... - Uruchom i zdebuguj zewnętrzną aplikację... - - - Attach to QML Port... - Dołącz do portu QML... - - - Attach to Remote CDB Session... - Dołącz do zdalnej sesji CDB... - - - Detach Debugger - Odłącz debugger - - - Interrupt Debugger - Przerwij debugger - - - Stop Debugger - Zatrzymaj debugger - - - Process Already Under Debugger Control - Proces jest już debugowany - - - The process %1 is already under the control of a debugger. -Qt Creator cannot attach to it. - Proces %1 jest już debugowany. -Qt Creator nie może się do niego podłączyć. - - - Set Breakpoint at Line %1 - Ustaw pułapkę w linii %1 - - - Set Message Tracepoint at Line %1... - Ustaw komunikat w linii %1... - - - Disassemble Function "%1" - Zdezasembluj funkcję "%1" - - - Starting debugger "%1" for ABI "%2"... - Uruchamianie debuggera "%1" dla ABI "%2"... - - - Ctrl+Y - Ctrl+Y - - - F5 - F5 - - - Attach to Running Debug Server... - Dołącz do uruchomionego serwera debugowego... - - - Start Debug Server Attached to Process... - Uruchom serwer debugowy dołączony do procesu... - - - Select - Wybierz - - - Start Debugging Without Deployment - Rozpocznij debugowanie z pominięciem instalowania - - - Not a Desktop Device Type - Urządzenie nie jest desktopowe - - - Start "%1" and break at function "main()" - Rozpocznij "%1" i zatrzymaj w funkcji "main()" - - - Select a valid expression to evaluate. - do przetworzenia? - Wybierz poprawne wyrażenie do przetworzenia. - - - &Analyze - &Analiza - - - Memory... - Pamięć... - - - Source Files - Pliki źródłowe - - - Snapshots - Zrzuty - - - Restart Debugging - Ponownie rozpocznij debugowanie - - - Restart the debugging session. - Ponownie rozpoczyna sesję debugową. - - - Load Core File... - Załaduj plik zrzutu... - - - Attach to Running Application... - Dołącz do uruchomionej aplikacji... - - - Attach to Unstarted Application... - Dołącz do nieuruchomionej aplikacji... - - - Attach to Running Application - Dołącz do uruchomionej aplikacji - - - Attach to Unstarted Application - Dołącz do nieuruchomionej aplikacji - - - Start Gdbserver - Uruchom Gdbserver - - - Shift+Ctrl+Y - Shift+Ctrl+Y - - - Shift+F5 - Shift+F5 - - - Reset Debugger - Zresetuj debugger - - - Ctrl+Shift+O - Ctrl+Shift+O - - - F10 - F10 - - - Ctrl+Shift+I - Ctrl+Shift+I - - - F11 - F11 - - - Ctrl+Shift+T - Ctrl+Shift+T - - - Shift+F11 - Shift+F11 - - - Shift+F8 - Shift+F8 - - - Ctrl+F10 - Ctrl+F10 - - - Ctrl+F6 - Ctrl+F6 - - - F12 - F12 - - - F8 - F8 - - - F9 - F9 - - - Show Application on Top - Pokazuj aplikację na wierzchu - - - Threads: - Wątki: - - - <new source> - <nowe źródło> - - - <new target> - <nowe przeznaczenie> - - - Source path - Ścieżka do źródła - - - Target path - Ścieżka docelowa - - - Add - Dodaj - - - Add Qt sources... - Dodaj źródła Qt... - - - Source Paths Mapping - Mapowanie ścieżek źródłowych - - - <p>Mappings of source file folders to be used in the debugger can be entered here.</p><p>This is useful when using a copy of the source tree at a location different from the one at which the modules where built, for example, while doing remote debugging.</p><p>If source is specified as a regular expression by starting it with an open parenthesis, Qt Creator matches the paths in the ELF with the regular expression to automatically determine the source path.</p><p>Example: <b>(/home/.*/Project)/KnownSubDir -> D:\Project</b> will substitute ELF built by any user to your local project directory.</p> - <p>Tu można podać mapowanie katalogów plików źródłowych użytych w debuggerze.</p><p>Jest to przydatne podczas używania kopii drzewa źródeł z innego położenia niż to, w którym moduły były zbudowane, np. podczas zdalnego debugowania.</p> - - - <p>Add a mapping for Qt's source folders when using an unpatched version of Qt. - - - - <p>The source path contained in the debug information of the executable as reported by the debugger - <p>Ścieżka źródłowa, zawarta w informacji debugowej pliku wykonywalnego, uzyskana przed debuggera - - - <p>The actual location of the source tree on the local machine - <p>Faktyczne położenie drzewa źródeł w lokalnej maszynie - - - &Source path: - Ś&cieżka do źródła: - - - &Target path: - Ścieżka &docelowa: - - - Qt Sources - Źródła Qt - - - Memory at Register "%1" (0x%2) - Pamięć pod rejestrem "%1" (0x%2) - - - Register "%1" - Rejestr "%1" - - - Memory at 0x%1 - Pamięć w 0x%1 - - - C++ debugger activated - Uaktywniono debugger C++ - - - QML debugger activated - Uaktywniono debugger QML - - - No application output received in time - Nie otrzymano o czasie żadnego wyjściowego komunikatu aplikacji - - - Qt Creator - Qt Creator - - - Could not connect to the in-process QML debugger. -Do you want to retry? - Nie można podłączyć się do wewnątrzprocesowego debuggera QML. -Ponowić próbę? - - - JS Source for %1 - Źródło JS dla %1 - - - Could not connect to the in-process QML debugger. %1 - Nie można podłączyć się do wewnątrzprocesowego debuggera QML. %1 - - - Starting %1 %2 - Uruchamianie %1 %2 - - - Waiting for JavaScript engine to interrupt on next statement. - Oczekiwanie na przerwanie wykonywania następnej instrukcji przez silnik JavaScript. - - - Run to line %1 (%2) requested... - Zażądano uruchomienia do linii %1 (%2)... - - - QML Debugger disconnected. - Debugger QML rozłączony. - - - Context: - Kontekst: - - - Global QML Context - Globalny kontekst QML - - - QML Debugger: Connection failed. - Debugger QML: błąd połączenia. - - - - QtC::Git Use the patience algorithm for calculating the differences. Użyj algorytmu "patience" przy pokazywaniu różnic. @@ -14872,586 +31442,6 @@ Ponowić próbę? Omit Date Pomiń datę - - - QtC::Macros - - Text Editing Macros - Makra do edycji tekstu - - - Text Editing &Macros - &Makra do edycji tekstu - - - Record Macro - Nagraj makro - - - Ctrl+( - Ctrl+( - - - Alt+( - Alt+( - - - Stop Recording Macro - Zatrzymaj nagrywanie makra - - - Ctrl+) - Ctrl+) - - - Alt+) - Alt+) - - - Play Last Macro - Odtwórz ostatnie makro - - - Alt+R - Alt+R - - - Meta+R - Meta+R - - - Save Last Macro - Zachowaj ostatnie makro - - - - QtC::ProjectExplorer - - GCC - GCC - - - &Compiler path: - Ścieżka do &kompilatora: - - - Platform codegen flags: - - - - Platform linker flags: - - - - &ABI: - &ABI: - - - MinGW - MinGW - - - Linux ICC - Linux ICC - - - MSVC - MSVC - - - Compilers - Kompilatory - - - <nobr><b>ABI:</b> %1 - <nobr><b>ABI:</b> %1 - - - not up-to-date - nieaktualne - - - Name - Nazwa - - - Type - Typ - - - Auto-detected - Automatycznie wykryte - - - Manual - Ustawione ręcznie - - - Duplicate Compilers Detected - Wykryto powielone kompilatory - - - The following compiler was already configured:<br>&nbsp;%1<br>It was not configured again. - Następujący kompilator został już skonfigurowany:<br>&nbsp;%1<br>Nie został on ponownie skonfigurowany. - - - The following compilers were already configured:<br>&nbsp;%1<br>They were not configured again. - Następujące kompilatory zostały już skonfigurowane:<br>&nbsp;%1<br>Nie zostały one ponownie skonfigurowane. - - - - QmlDesigner::ItemLibraryWidget - - Library - Title of library view - Biblioteka - - - QML Types - Title of library QML types view - Typy QML - - - Resources - Title of library resources view - Zasoby - - - Imports - Title of library imports view - Importy - - - <Filter> - Library search input hint text - <Filtr> - - - - QmlDesigner::StatesEditorModel - - base state - Implicit default state - Stan bazowy - - - Invalid state name. - Niepoprawna nazwa stanu. - - - The empty string as a name is reserved for the base state. - Pusta nazwa jest zarezerwowana dla stanu bazowego. - - - Name already used in another state. - Nazwa jest już użyta w innym stanie. - - - - QmlDesigner::StatesEditorView - - States Editor - Edytor stanów - - - base state - Stan bazowy - - - - QtC::QmlJSEditor - - Expand All - Rozwiń wszystko - - - Collapse All - Zwiń wszystko - - - - QtC::QmlJSTools - - QML Functions - Funkcje QML - - - - QtC::QmlProjectManager - - Arguments: - Argumenty: - - - Main QML file: - Główny plik QML: - - - - QtC::QmakeProjectManager - - Subdirs Project - Projekt z podkatalogami - - - Creates a qmake-based subdirs project. This allows you to group your projects in a tree structure. - Tworzy projekt z podkatalogami bazując na qmake. Pozwala grupować projekty w strukturę drzewiastą. - - - Done && Add Subproject - Zrobione i dodaj podprojekt - - - Finish && Add Subproject - Zakończ i dodaj podprojekt - - - New Subproject - Title of dialog - Nowy podprojekt - - - This wizard generates a Qt Subdirs project. Add subprojects to it later on by using the other wizards. - Ten kreator generuje projekt z podkatalogami Qt. Podprojekty mogą być dodane później przy użyciu innych kreatorów. - - - - QtC::TextEditor - - Error - Błąd - - - Not a valid trigger. - Niepoprawny wyzwalacz. - - - Trigger - Wyzwalacz - - - Trigger Variant - Wariant wyzwalacza - - - Error reverting snippet. - Nie można odwrócić urywku. - - - Snippets - Urywki - - - Error While Saving Snippet Collection - Błąd zapisu kolekcji urywków - - - No snippet selected. - Nie wybrano urywku. - - - - QtC::VcsBase - - Annotate "%1" - Dołącz adnotację do "%1" - - - Copy "%1" - Skopiuj "%1" - - - &Describe Change %1 - &Opisz zmianę %1 - - - Send to CodePaster... - Wyślij do Codepaster... - - - Apply Chunk... - Zastosuj fragment... - - - Revert Chunk... - Zastosuj odwrotny fragment... - - - Failed to retrieve data. - Nie można odebrać danych. - - - Revert Chunk - Odwróć zmiany we fragmencie - - - Apply Chunk - Zastosuj fragment - - - Would you like to revert the chunk? - Czy zastosować odwrotny fragment? - - - Would you like to apply the chunk? - Czy zastosować fragment? - - - - QtC::Macros - - Macros - Makra - - - - QtC::CppEditor - - Form - Formularz - - - General - Ogólne - - - Content - Zawartość - - - Indent - Wcięcia - - - "public", "protected" and -"private" within class body - "public", "protected" i -"private" w ciele klasy - - - Declarations relative to "public", -"protected" and "private" - Deklaracje względem "public", -"protected" i "private" - - - Statements within blocks - Wyrażenia w blokach - - - Declarations within -"namespace" definition - Deklaracje w definicjach -"namespace" - - - Braces - Nawiasy - - - Indent Braces - Wcięcia nawiasów - - - Class declarations - Deklaracje klas - - - Namespace declarations - Deklaracje przestrzeni nazw - - - Enum declarations - Deklaracje typów -wyliczeniowych - - - Blocks - Bloki - - - "switch" - "switch" - - - Indent within "switch" - Wcięcia wewnątrz "switch" - - - "case" or "default" - "case" lub "default" - - - Statements relative to -"case" or "default" - Wyrażenia względem -"case" lub "default" - - - Blocks relative to -"case" or "default" - Bloki względem -"case" lub "default" - - - "break" statement relative to -"case" or "default" - Wyrażenie "break" względem -"case" lub "default" - - - Alignment - Wyrównanie - - - Align - Wyrównanie przeniesionych linii - - - <html><head/><body> -Enables alignment to tokens after =, += etc. When the option is disabled, regular continuation line indentation will be used.<br> -<br> -With alignment: -<pre> -a = a + - b -</pre> -Without alignment: -<pre> -a = a + - b -</pre> -</body></html> - <html><head/><body> -Odblokowuje wyrównywanie do znaków po =, +=, itd. Kiedy ta opcja jest zablokowana, użyte zostanie zwykłe wyrównanie przeniesionych linii.<br> -<br> -Z wyrównaniem: -<pre> -a = a + - b -</pre> -Bez wyrównania: -<pre> -a = a + - b -</pre> -</body></html> - - - Align after assignments - Wyrównuj przeniesione linie -do znaków przypisania - - - Add extra padding to conditions -if they would align to the next line - Dodatkowe wcięcia przeniesionych -linii w instrukcjach "if", "foreach", -"switch" i "while", jeśli wymagane - - - <html><head/><body> -Adds an extra level of indentation to multiline conditions in the switch, if, while and foreach statements if they would otherwise have the same or less indentation than a nested statement. - -For four-spaces indentation only if statement conditions are affected. Without extra padding: -<pre> -if (a && - b) - c; -</pre> -With extra padding: -<pre> -if (a && - b) - c; -</pre> -</body></html> - <html><head/><body> -Dodaje kolejny poziom wcięć do przeniesionych linii w instrukcjach "if", "foreach", "switch" i "while" w przypadku, gdy rozmiar wcięć zagnieżdżonego wyrażenia byłby taki sam lub większy od rozmiaru wcięć przeniesionych linii. - -Gdy rozmiar wcięć wynosi 4 znaki, opcja ta ma zastosowanie jedynie dla instrukcji "if". Bez dodatkowych wcięć: -<pre> -if (a && - b) - c; -</pre> -Z dodatkowymi wcięciami: -<pre> -if (a && - b) - c; -</pre> -</body></html> - - - Pointers and References - Wskaźniki i referencje - - - Bind '*' and '&&' in types/declarations to - Sklejaj "*" i "&&" w typach i deklaracjach z - - - <html><head/><body>This does not apply to the star and reference symbol in pointer/reference to functions and arrays, e.g.: -<pre> int (&rf)() = ...; - int (*pf)() = ...; - - int (&ra)[2] = ...; - int (*pa)[2] = ...; - -</pre></body></html> - <html><head/><body>To nie dotyczy symboli we wskaźnikach lub referencjach do funkcji i tablic, np.: -<pre> int (&rf)() = ...; - int (*pf)() = ...; - - int (&ra)[2] = ...; - int (*pa)[2] = ...; - -</pre></body></html> - - - Identifier - Identyfikatorem - - - Type name - Nazwą typu - - - Left const/volatile - Lewym const / volatile - - - This does not apply to references. - Nie dotyczy referencji. - - - Right const/volatile - Prawym const / volatile - - - Statements within function body - Wyrażenia w ciele funkcji - - - Function declarations - Deklaracje funkcji - - - Getter and Setter - Metody zwracające i ustawiające - - - Prefer getter names without "get" - Preferuj nazwy metod zwracających, nieposiadających przedrostka "get" - - - - QtC::Git - - Add Remote - Dodaj zdalne repozytorium - Name: Nazwa: @@ -15488,1495 +31478,13 @@ if (a && &Push - - - QtC::QmlProfiler - - QML Profiler - Profiler QML - - - &Host: - &Host: - - - localhost - localhost - - - &Port: - &Port: - - - Sys&root: - Sys&root: - - - Start QML Profiler - Uruchom profiler QML - - - Select an externally started QML-debug enabled application.<p>Commonly used command-line arguments are: - - - - Kit: - Zestaw narzędzi: - - - - QtC::QtSupport - - Version name: - Nazwa wersji: - - - qmake location: - Położenie qmake: - - - Edit - Modyfikuj - - - Remove - Usuń - - - Add... - Dodaj... - - - Clean Up - Wyczyść - - - - QtC::Valgrind - - Suppression File: - Plik tłumienia: - - - Suppression: - Tłumienie: - - - Select Suppression File - Wybierz plik tłumienia - - - Save Suppression - Zachowaj tłumienie - - - Generic Settings - Ustawienia ogólne - - - Valgrind executable: - Plik wykonywalny valgrind: - - - Valgrind Command - Komenda valgrind - - - Valgrind Suppression Files - Pliki tłumienia valgrinda - - - Valgrind Suppression File (*.supp);;All Files (*) - Plik tłumienia valgrind'a (*.supp);;Wszystkie pliki (*) - - - Memory Analysis Options - Opcje analizatora pamięci - - - Backtrace frame count: - Głębokość stosu: - - - Suppression files: - Plik tłumienia: - - - Add... - Dodaj... - - - Remove - Usuń - - - Track origins of uninitialized memory - Śledź źródła niezainicjalizowanej pamięci - - - Profiling Options - Opcje profilowania - - - Limits the amount of results the profiler gives you. A lower limit will likely increase performance. - Ogranicza liczbę rezultatów dostarczanych przez profilera. Niższy limit zwiększa wydajność. - - - Result view: Minimum event cost: - Widok z wynikami: Minimalny koszt zdarzeń: - - - % - % - - - Show additional information for events in tooltips - Pokazuj dodatkowe informacje o zdarzeniach w podpowiedziach - - - Enable cache simulation - Odblokuj symulację cache'a - - - Enable branch prediction simulation - Odblokuj symulację "branch prediction" - - - Collect system call time - Pokazuj czas systemowy - - - Collect the number of global bus events that are executed. The event type "Ge" is used for these events. - - - - Collect global bus events - - - - Visualization: Minimum event cost: - Wizualizacja: Minimalny koszt zdarzeń: - - - Detect self-modifying code: - Wykrywanie samomodyfikującego się kodu: - - - No - Nie - - - Only on Stack - Jedynie na stosie - - - Everywhere - Wszędzie - - - Everywhere Except in File-backend Mappings - - - - Show reachable and indirectly lost blocks - Pokazuj osiągalne i pośrednio utracone bloki - - - Check for leaks on finish: - Sprawdzanie wycieków przy wyjściu: - - - Summary Only - Skrótowe - - - Full - Pełne - - - <html><head/><body> -<p>Does full cache simulation.</p> -<p>By default, only instruction read accesses will be counted ("Ir").</p> -<p> -With cache simulation, further event counters are enabled: -<ul><li>Cache misses on instruction reads ("I1mr"/"I2mr").</li> -<li>Data read accesses ("Dr") and related cache misses ("D1mr"/"D2mr").</li> -<li>Data write accesses ("Dw") and related cache misses ("D1mw"/"D2mw").</li></ul> -</p> - -</body></html> - - - - <html><head/><body> -<p>Does branch prediction simulation.</p> -<p>Further event counters are enabled: </p> -<ul><li>Number of executed conditional branches and related predictor misses ( -"Bc"/"Bcm").</li> -<li>Executed indirect jumps and related misses of the jump address predictor ( -"Bi"/"Bim").</li></ul></body></html> - - - - Collects information for system call times. - Zbieraj informacje o czasie wywołań funkcji systemowych. - - - - QtC::VcsBase - - Configuration - Konfiguracja - - - No version control set on "VcsConfiguration" page. - Do not translate "VcsConfiguration", because it is the id of a page. - Then "VcsConfiguration" shouldn't be included in the source message - Nie ustawiono systemu kontroli wersji na stronie "VcsConfiguration". - - - "vcsId" ("%1") is invalid for "VcsConfiguration" page. Possible values are: %2. - Do not translate "VcsConfiguration", because it is the id of a page. - "vcsid" ("%1") nie jest poprawną wartością dla strony "VcsConfiguration"). Możliwe wartości: %2. - - - Please configure <b>%1</b> now. - Skonfiguruj teraz <b>%1</b>. - - - No known version control selected. - Nie wybrano poprawnego systemu kontroli wersji. - - - - FlowSpecifics - - Flow - - - - Spacing - Odstępy - - - Layout Direction - Kierunek rozmieszczania - - - - GridSpecifics - - Grid - Siatka - - - Columns - Kolumny - - - Rows - Wiersze - - - Flow - - - - Spacing - Odstępy - - - Layout Direction - Kierunek rozmieszczania - - - - GridViewSpecifics - - Grid View - - - - Cache - Cache - - - Cache buffer - Bufor cache'a - - - Flow - - - - Navigation wraps - - - - Determines whether the grid wraps key navigation. - - - - Snap mode - Tryb przyciągania - - - Determines how the view scrolling will settle following a drag or flick. - - - - Grid View Highlight - - - - Range - Zakres - - - Highlight range - Zakres podświetlenia - - - Move duration - Długość trwania ruchu - - - Move animation duration of the highlight delegate. - Długość trwania ruchu animacji podświetlenia. - - - Move speed - Prędkość ruchu - - - Move animation speed of the highlight delegate. - Prędkość ruchu animacji podświetlenia. - - - Preferred begin - Oczekiwany początek - - - Preferred highlight begin - must be smaller than Preferred end. - Oczekiwany początek podświetlenia - musi być mniejszy od oczekiwanego końca. - - - Preferred end - Oczekiwany koniec - - - Preferred highlight end - must be larger than Preferred begin. - Oczekiwany koniec podświetlenia - musi być większy od oczekiwanego początku. - - - Follows current - - - - Determines whether the highlight is managed by the view. - Określa, czy podświetlenie jest zarządzane przed widok. - - - Cell Size - Rozmiar komórki - - - Layout Direction - Kierunek rozmieszczania - - - - ListViewSpecifics - - List View - Widok listy - - - Cache - Cache - - - Cache buffer - Bufor cache'a - - - Navigation wraps - - - - Determines whether the grid wraps key navigation. - - - - Orientation - Orientacja - - - Orientation of the list. - Orientacja listy. - - - Snap mode - Tryb przyciągania - - - Determines how the view scrolling will settle following a drag or flick. - - - - Spacing - Odstępy - - - Spacing between items. - Odstępy pomiędzy elementami. - - - List View Highlight - Podświetlenie widoku listy - - - Range - Zakres - - - Highlight range - Zakres podświetlenia - - - Move duration - Długość trwania ruchu - - - Move animation duration of the highlight delegate. - Długość trwania ruchu animacji podświetlenia. - - - Move speed - Prędkość ruchu - - - Move animation speed of the highlight delegate. - Prędkość ruchu animacji podświetlenia. - - - Resize duration - Długość trwania zmiany rozmiaru - - - Resize animation duration of the highlight delegate. - Długość trwania animacji zmiany rozmiaru podświetlenia. - - - Preferred begin - Oczekiwany początek - - - Preferred highlight begin - must be smaller than Preferred end. - Oczekiwany początek podświetlenia - musi być mniejszy od oczekiwanego końca. - - - Preferred end - Oczekiwany koniec - - - Preferred highlight end - must be larger than Preferred begin. - Oczekiwany koniec podświetlenia - musi być większy od oczekiwanego początku. - - - Follows current - - - - Determines whether the highlight is managed by the view. - Określa, czy podświetlenie jest zarządzane przed widok. - - - Layout Direction - Kierunek rozmieszczania - - - - PathViewSpecifics - - Path View - Widok ścieżki - - - Drag margin - Margines przeciągania - - - Flick deceleration - Opóźnienie przerzucania - - - A user cannot drag or flick a PathView that is not interactive. - - - - Offset - Przesunięcie - - - Specifies how far along the path the items are from their initial positions. This is a real number that ranges from 0.0 to the count of items in the model. - - - - Item count - Liczba elementów - - - pathItemCount: number of items visible on the path at any one time. - - - - Path View Highlight - - - - Highlight range - Zakres podświetlenia - - - Move duration - Długość trwania ruchu - - - Move animation duration of the highlight delegate. - Długość trwania ruchu animacji podświetlenia. - - - Preferred begin - Oczekiwany początek - - - Preferred highlight begin - must be smaller than Preferred end. Note that the user has to add a highlight component. - - - - Preferred highlight end - must be larger than Preferred begin. Note that the user has to add a highlight component. - - - - Preferred end - Oczekiwany koniec - - - Interactive - Interaktywny - - - Range - Zakres - - - - RowSpecifics - - Row - Wiersz - - - Spacing - Odstępy - - - Layout Direction - Kierunek rozmieszczania - - - - QtC::Utils - - Refusing to remove root directory. - Odmowa usunięcia katalogu głównego. - - - Refusing to remove your home directory. - Odmowa usunięcia katalogu domowego. - - - Failed to remove directory "%1". - Nie można usunąć katalogu "%1". - - - Failed to remove file "%1". - Nie można usunąć pliku "%1". - - - Failed to create directory "%1". - Nie można utworzyć katalogu "%1". - - - Could not copy file "%1" to "%2". - Nie można skopiować pliku "%1" do "%2". - - - Cannot open %1 for reading: %2 - Nie można otworzyć %1 do odczytu: %2 - - - Cannot read %1: %2 - Nie można odczytać %1: %2 - - - File Error - Błąd pliku - - - Cannot write file %1: %2 - Nie można zapisać pliku %1: %2 - - - Cannot write file %1. Disk full? - Nie można zapisać pliku %1. Pełny dysk? - - - %1: Is a reserved filename on Windows. Cannot save. - Nie można zachować pliku %1, jego nazwa jest zarezerwowaną nazwą pliku w systemie Windows. - - - Cannot overwrite file %1: %2 - Nie można nadpisać pliku %1: %2 - - - Cannot create file %1: %2 - Nie można utworzyć pliku "%1": %2 - - - Cannot create temporary file in %1: %2 - Nie można utworzyć tymczasowego pliku w %1: %2 - - - - QtC::Valgrind - - Callee - Zawołana - - - Caller - Wołająca - - - Cost - Koszt - - - Calls - Wywołania - - - Previous command has not yet finished. - Poprzednia komenda jeszcze się nie zakończyła. - - - Dumping profile data... - Zrzucanie danych profilera... - - - Resetting event counters... - Resetowanie liczników zdarzeń... - - - Pausing instrumentation... - Zatrzymywanie instrumentalizacji... - - - Unpausing instrumentation... - Kontynuowanie instrumentalizacji... - - - An error occurred while trying to run %1: %2 - Wystąpił błąd podczas uruchamiania %1: %2 - - - Callgrind dumped profiling info - Callgrind zrzucił informacje profilera - - - Callgrind unpaused. - Callgrind wznowił pracę. - - - Function: - Funkcja: - - - File: - Plik: - - - Object: - Obiekt: - - - Called: - Zawołano: - - - %n time(s) - - %n raz - %n razy - %n razy - - - - Events - Zdarzenia - - - Self costs - Własny koszt - - - (%) - (%) - - - Incl. costs - Łączny koszt - - - (%1%) - (%1%) - - - %1 cost spent in a given function excluding costs from called functions. - %1 koszt spędzony w danej funkcji nie wliczając kosztów funkcji zawołanych. - - - %1 cost spent in a given function including costs from called functions. - %1 koszt spędzony w danej funkcji wliczając koszty funkcji zawołanych. - - - Function - Funkcja - - - Called - Zawołano - - - Self Cost: %1 - Własny koszt: %1 - - - Incl. Cost: %1 - Łączny koszt: %1 - - - %1 in %2 - %1 w %2 - - - %1:%2 in %3 - %1: %2 w %3 - - - Last-level - Ostatni poziom - - - Instruction - Instrukcja - - - Cache - Cache - - - Conditional branches - Gałęzie warunkowe - - - Indirect branches - Gałęzie pośrednie - - - level %1 - poziom %1 - - - read - odczyt - - - write - zapis - - - mispredicted - nieprzewidziany - - - executed - wykonany - - - miss - opuszczony - - - access - dostęp - - - Line: - Linia: - - - Position: - Pozycja: - - - - QtC::Core - - &Show Details - &Pokaż szczegóły - - - Do Not Show Again - Nie pokazuj ponownie - - - Additional output omitted - Pominięto dalsze komunikaty - - - - QtC::CppEditor - - Global - Settings - Globalne - - - Qt - Qt - - - GNU - GNU - - - Old Creator - Z dawnego Creatora - - - - QtC::ImageViewer - - Play Animation - Odtwórz animację - - - Pause Animation - Wstrzymaj animację - - - - QtC::ProjectExplorer - - <custom> - <własny> - - - Stop - Zatrzymaj - - - Re-run this run-configuration - Uruchom ponownie tę konfigurację - - - Attach debugger to this process - Dołącz debugger do tego procesu - - - Attach debugger to %1 - Dołącz debugger do %1 - - - Close Tab - Zamknij kartę - - - Close All Tabs - Zamknij wszystkie karty - - - Close Other Tabs - Zamknij inne karty - - - Stop Running Program - Zatrzymaj uruchomiony program - - - Application Output - Komunikaty aplikacji - - - Application Output Window - Okno z komunikatami aplikacji - - - Code Style - Styl kodu - - - Project - Settings - Projektu - - - Project %1 - Settings, %1 is a language (C++ or QML) - Projektu %1 - - - Clang - Clang - - - - QmlDesigner::ComponentAction - - Edit sub components defined in this file. - Modyfikuje podkomponenty zdefiniowane w tym pliku. - - - - QmlDesigner::NodeInstanceServerProxy - - Cannot Connect to QML Emulation Layer (QML Puppet) - Nie można podłączyć emulatora QML (QML Puppet) - - - The executable of the QML emulation layer (QML Puppet) may not be responding. Switching to another kit might help. - Emulator QML (QML Puppet) pozostaje bez odpowiedzi. Pomocne może być przełączenie się na inny zestaw narzędzi. - - - QML Emulation Layer (QML Puppet) Crashed - Warstwa emulatora QML (QML Puppet) przerwała pracę - - - You are recording a puppet stream and the emulations layer crashed. It is recommended to reopen the Qt Quick Designer and start again. - - - - - QtC::QmlJSTools - - Code Style - Styl kodu - - - Qt Quick - Qt Quick - - - Global - Settings - Globalne - - - Qt - Qt - - - Old Creator - Z dawnego Creatora - - - - QtC::QmlProfiler - - The QML Profiler can be used to find performance bottlenecks in applications using QML. - Profiler QML może być używany do znajdowania wąskich gardeł w wydajności aplikacji QML. - - - Load QML Trace - Załaduj stos QML - - - QML Profiler Options - Opcje profilera QML - - - Save QML Trace - Zachowaj stos QML - - - Search timeline event notes. - - - - Hide or show event categories. - Pokazuje lub ukrywa kategorie zdarzeń. - - - A QML Profiler analysis is still in progress. - Nadal trwa analiza profilera QML. - - - Start QML Profiler analysis. - Uruchom analizę profilera QML. - - - Qt Creator - Qt Creator - - - Could not connect to the in-process QML profiler. -Do you want to retry? - Nie można połączyć się z wewnątrzprocesowym profilerem QML. -Spróbować ponownie? - - - Failed to connect. - Nie można uzyskać połączenia. - - - QML Profiler (Attach to Waiting Application) - Profilowanie QML (Dołącz do oczekującej aplikacji) - - - Disable Profiling - Zablokuj profilowanie - - - Enable Profiling - Odblokuj profilowanie - - - %1 s - %1 s - - - Elapsed: %1 - Upłynęło: %1 - - - QML traces (*%1 *%2) - Stosy QML (*%1 *%2) - - - You are about to discard the profiling data, including unsaved notes. Do you want to continue? - Za chwilę zostaną utracone dane profilera, włącznie z niezachowanymi notatkami. Czy kontynuować? - - - Application finished before loading profiled data. -Please use the stop button instead. - Aplikacja zakończona przed załadowaniem danych profilera. -Zamiast tego użyj przycisku stop. - - - Starting a new profiling session will discard the previous data, including unsaved notes. -Do you want to save the data first? - Uruchomienie nowej sesji profilera spowoduje utratę poprzednich danych, włącznie z niezachowanymi notatkami. Czy zapisać najpierw dotychczasowe dane? - - - Discard data - Odrzuć dane - - - - QtC::QmakeProjectManager - - Could not parse Makefile. - Błąd parsowania pliku Makefile. - - - The Makefile is for a different project. - Plik Makefile odpowiada innemu projektowi. - - - The build type has changed. - Rodzaj wersji został zmieniony. - - - The qmake arguments have changed. - Argumenty qmake zostały zmienione. - - - The mkspec has changed. - mkspec został zmieniony. - - - Parsing the .pro file - Parsowanie pliku .pro - - - Release - Shadow build directory suffix - Non-ASCII characters in directory suffix may cause build issues. - Release - - - Debug - The name of the debug build configuration created by default for a qmake project. - Debug - - - Debug - Shadow build directory suffix - Non-ASCII characters in directory suffix may cause build issues. - Debug - - - Profile - The name of the profile build configuration created by default for a qmake project. - Profilowanie - - - Profile - Shadow build directory suffix - Non-ASCII characters in directory suffix may cause build issues. - Profile - - - Release - The name of the release build configuration created by default for a qmake project. - Release - - - - QtC::QtSupport - - Device type is not supported by Qt version. - Typ urządzenia nie jest obsługiwany przez wersję Qt. - - - The compiler "%1" (%2) cannot produce code for the Qt version "%3" (%4). - Kompilator "%1" (%2) nie może utworzyć kodu dla wersji Qt "%3" (%4). - - - The compiler "%1" (%2) may not produce code compatible with the Qt version "%3" (%4). - Kompilator "%1" (%2) nie może utworzyć kodu kompatybilnego z wersją Qt "%3" (%4). - - - Name: - Nazwa: - - - Invalid Qt version - Niepoprawna wersja Qt - - - ABI: - ABI: - - - Source: - Źródło: - - - mkspec: - mkspec: - - - qmake: - qmake: - - - Default: - Domyślna: - - - Version: - Wersja: - - - No Qt version. - Brak wersji Qt. - - - Invalid Qt version. - Niepoprawna wersja Qt. - - - Requires Qt 5.0.0 or newer. - Wymaga Qt 5.0.0 lub nowszej wersji. - - - Requires Qt 5.3.0 or newer. - Wymaga Qt 5.3.0 lub nowszej wersji. - - - This Qt Version does not contain Qt Quick Compiler. - Ta wersja Qt nie zawiera kompilatora Qt Quick. - - - <specify a name> - <Podaj nazwę> - - - Auto-detected - Automatycznie wykryte - - - Manual - Ustawione ręcznie - - - Do you want to remove all invalid Qt Versions?<br><ul><li>%1</li></ul><br>will be removed. - Czy usunąć wszystkie niepoprawne wersje Qt?<br>Usunięte zostaną:<br><ul><li>%1</li></ul>. - - - No compiler can produce code for this Qt version. Please define one or more compilers for: %1 - Żaden kompilator nie może wygenerować kodu dla tej wersji Qt. Należy zdefiniować jeden lub więcej kompilatorów dla: %1 - - - The following ABIs are currently not supported: %1 - Następujące ABI nie są obecnie obsługiwane: %1 - - - Select a qmake Executable - Wskaż plik wykonywalny qmake - - - Qt Version Already Known - Wersja Qt już znana - - - Qmake Not Executable - Nie można uruchomić qmake - - - The qmake executable %1 could not be added: %2 - Nie można dodać pliku wykonywalnego qmake %1: %2 - - - This Qt version was already registered as "%1". - Ta wersja Qt została już zarejestrowana jako "%1". - - - The Qt version selected must match the device type. - Wybrana wersja Qt musi pasować do typu urządzenia. - - - Qt version %1 for %2 - Wersja Qt %1 dla %2 - - - Name - Nazwa - - - qmake Location - Położenie qmake - - - Remove Invalid Qt Versions - Usuń niepoprawne wersje Qt - - - Display Name is not unique. - Widoczna nazwa nie jest unikatowa. - - - Not all possible target environments can be supported due to missing compilers. - Nie wszystkie możliwe docelowe środowiska mogą być obsłużone z powodu brakujących kompilatorów. - - - Debugging Helper Build Log for "%1" - Log budowania programów pomocniczych debuggera dla "%1" - - - Incompatible Qt Versions - Niekompatybilne wersje Qt - - - - QtC::RemoteLinux - - %1 (on Remote Device) - %1 (na zdalnym urządzeniu) - - - Run on Remote Device - Remote Linux run configuration default display name - Uruchom na zdalnym urządzeniu - - - - QtC::TextEditor - - Global - Settings - Globalne - - - %1 of %2 - %1 z %2 - - - Cannot create user snippet directory %1 - Nie można utworzyć katalogu z urywkami użytkownika %1 - - - - QtC::Valgrind - - All functions with an inclusive cost ratio higher than %1 (%2 are hidden) - Wszystkie funkcje ze współczynnikiem łącznego kosztu wyższym niż %1 (ilość ukrytych: %2) - - - %1%2 - %1%2 - - - in %1 - w %1 - - - Suppress Error - Wytłum błąd - - - External Errors - Błędy zewnętrzne - - - Suppressions - Stłumienia - - - Definite Memory Leaks - Wyraźne wycieki pamięci - - - Possible Memory Leaks - Prawdopodobne wycieki pamięci - - - Use of Uninitialized Memory - Użycie niezainicjalizowanej pamięci - - - Invalid Calls to "free()" - Niepoprawne wywołania "free()" - - - Memcheck - Memcheck - - - Valgrind Analyze Memory uses the Memcheck tool to find memory leaks. - Analizator pamięci Valgrind używa narzędzia Memcheck do wykrywania przecieków pamięci. - - - Valgrind Memory Analyzer - Analizator pamięci Valgrind - - - Valgrind Memory Analyzer with GDB - Analizator pamięci Valgrind z GDB - - - Valgrind Analyze Memory with GDB uses the Memcheck tool to find memory leaks. -When a problem is detected, the application is interrupted and can be debugged. - Analizator pamięci Valgrind z GDB używa narzędzia Memcheck do wykrywania przecieków pamięci. -Kiedy zostaje wykryty problem, aplikacja jest zatrzymywana i może zostać zdebugowana. - - - Valgrind Memory Analyzer (External Application) - Analizator pamięci Valgrind (zewnętrza aplikacja) - - - A Valgrind Memcheck analysis is still in progress. - Trwa analiza Memcheck Valgrinda. - - - Start a Valgrind Memcheck analysis. - Uruchom analizę Memcheck Valgrinda. - - - Start a Valgrind Memcheck with GDB analysis. - Uruchom analizę Memcheck Valgrinda wraz z GDB. - - - Memcheck: Failed to open file for reading: %1 - Memcheck: Nie można otworzyć pliku do odczytu: %1 - - - Memcheck: Error occurred parsing Valgrind output: %1 - Memcheck: Błąd podczas parsowania komunikatów Valgrind'a: %1 - - - Memory Analyzer Tool finished, %n issues were found. - - Zakończono analizę pamięci, znaleziono %n problem. - Zakończono analizę pamięci, znaleziono %n problemy. - Zakończono analizę pamięci, znaleziono %n problemów. - - - - Log file processed, %n issues were found. - - Przetworzono plik logu, znaleziono %n problem. - Przetworzono plik logu, znaleziono %n problemy. - Przetworzono plik logu, znaleziono %n problemów. - - - - Memory Issues - Problemy pamięci - - - Load External XML Log File - Załaduj zewnętrzny plik logu XML - - - Go to previous leak. - Przejdź do poprzedniego wycieku. - - - Go to next leak. - Przejdź do następnego wycieku. - - - Show issues originating outside currently opened projects. - Pokaż problemy mające źródło na zewnątrz otwartych projektów. - - - These suppression files were used in the last memory analyzer run. - Te pliki tłumienia były użyte podczas ostatniego uruchomienia analizatora pamięci. - - - Error Filter - Filtr błędów - - - Open Memcheck XML Log File - Otwórz plik XML logu Memchecka - - - XML Files (*.xml);;All Files (*) - Pliki XML (*.xml);;Wszystkie pliki (*) - - - - QtC::Welcome - - Welcome - Powitanie - - - - QtC::Git Branch Name: Nazwa gałęzi: - CheckBox - Przycisk wyboru + Checkout new branch + Add Branch @@ -16987,71 +31495,21 @@ Kiedy zostaje wykryty problem, aplikacja jest zatrzymywana i może zostać zdebu Zmień nazwę gałęzi - Track remote branch '%1' - Śledź zdalną gałąź "%1" + Add Tag + Dodaj tag - Track local branch '%1' - Śledź lokalną gałąź "%1" - - - - text - - Text - Tekst - - - - textedit - - Text Edit - Edytor tekstu - - - - textinput - - Text - Tekst - - - - MouseAreaSpecifics - - Enabled - Odblokowany - - - This property holds whether the item accepts mouse events. - Ta właściwość odpowiada za to czy element akceptuje zdarzenia myszy. - - - Hover Enabled + Tag name: - This property holds whether hover events are handled. + Track remote branch "%1" - Mouse Area - Obszar Myszy + Track local branch "%1" + - - - QtC::GenericProjectManager - - Files - Pliki - - - Edit Files... - Zmodyfikuj pliki... - - - - QtC::Git Local Branches Lokalne gałęzie @@ -17064,3331 +31522,6 @@ Kiedy zostaje wykryty problem, aplikacja jest zatrzymywana i może zostać zdebu Tags Tagi - - - QtC::QmlJSTools - - &QML/JS - &QML/JS - - - Reset Code Model - Zresetuj model kodu - - - - QtC::RemoteLinux - - New Generic Linux Device Configuration Setup - Nowa konfiguracja ogólnego urządzenia linuksowego - - - Connection - Połączenie - - - Choose a Private Key File - Wybierz plik z kluczem prywatnym - - - Summary - Podsumowanie - - - The new device configuration will now be created. -In addition, device connectivity will be tested. - Zostanie teraz utworzona nowa konfiguracja urządzenia. -Dodatkowo, przetestowane zostanie połączenie z urządzeniem. - - - Choose Public Key File - Wybierz plik z kluczem publicznym - - - Public Key Files (*.pub);;All Files (*) - Pliki z kluczami publicznymi (*.pub);;Wszystkie pliki (*) - - - Deploying... - Instalowanie... - - - Deployment finished successfully. - Instalacja poprawnie zakończona. - - - Close - Zamknij - - - Executable on host: - Plik wykonywalny na hoście: - - - Executable on device: - Plik wykonywalny na urządzeniu: - - - Use this command instead - W zamian użyj tej komendy - - - Alternate executable on device: - Alternatywny plik wykonywalny na urządzeniu: - - - Arguments: - Argumenty: - - - <default> - <domyślny> - - - Working directory: - Katalog roboczy: - - - Unknown - Nieznany - - - Remote path not set - Nie ustawiono zdalnej ścieżki - - - Package modified files only - Upakuj tylko zmodyfikowane pliki - - - Tarball creation not possible. - Tworzenie tarballi nie jest możliwe. - - - Create tarball: - Utwórz tarball: - - - (on Remote Generic Linux Host) - (na zdalnym hoście linuksowym) - - - - QtC::ExtensionSystem - - Qt Creator - Plugin loader messages - Qt Creator - komunikaty ładowania wtyczek - - - The following plugins have errors and cannot be loaded: - Następujące wtyczki są błędne i nie mogą zostać załadowane: - - - Details: - Szczegóły: - - - - QtC::QmlProfiler - - Memory Usage - Zajętość pamięci - - - Pixmap Cache - Cache z pixmapami - - - Scene Graph - - - - Animations - Animacje - - - Painting - Rysowanie - - - Compiling - Kompilacja - - - Creating - Tworzenie - - - Binding - Wiązanie - - - Handling Signal - Obsługa sygnałów - - - Input Events - Zdarzenia wejściowe - - - Debug Messages - Komunikaty debugowe - - - JavaScript - JavaScript - - - GUI Thread - Wątek GUI - - - Render Thread - Wątek renderingu - - - Render Thread Details - Szczegóły wątku renderingu - - - Polish - - - - Wait - - - - GUI Thread Sync - Synchronizacja wątku GUI - - - Render Thread Sync - Synchronizacja wątku renderingu - - - Render - Rendering - - - Swap - - - - Render Preprocess - - - - Render Update - - - - Render Bind - - - - Render Render - - - - Material Compile - Kompilowanie materiałów - - - Glyph Render - Rendering glifów - - - Glyph Upload - Przesyłanie glifów - - - Texture Bind - Wiązanie tekstur - - - Texture Convert - Konwertowanie tekstur - - - Texture Swizzle - - - - Texture Upload - Przesyłanie tekstur - - - Texture Mipmap - - - - Texture Delete - Usuwanie tekstur - - - - QtC::Utils - - Out of memory. - Brak pamięci. - - - An encoding error was encountered. - Napotkano błąd kodowania. - - - - QtC::Core - - Launching a file browser failed - Nie można uruchomić przeglądarki plików - - - Unable to start the file manager: - -%1 - - - Nie można uruchomić menedżera plików: - -%1 - - - - - "%1" returned the following error: - -%2 - "%1" zwrócił następujący błąd: - -%2 - - - Launching Windows Explorer Failed - Nie można uruchomić "Windows Explorer" - - - Could not find explorer.exe in path to launch Windows Explorer. - Nie można odnaleźć explorer.exe w ścieżce w celu uruchomienia "Windows Explorer". - - - Find in This Directory... - Znajdź w tym katalogu... - - - Show in Explorer - Pokaż w "Explorer" - - - Show in Finder - Pokaż w "Finder" - - - Show Containing Folder - Pokaż katalog pliku - - - Open Command Prompt Here - Otwórz tutaj linię poleceń - - - Open Terminal Here - Otwórz tutaj terminal - - - Deleting File Failed - Nie można usunąć pliku - - - Could not delete file %1. - Nie można usunąć pliku %1. - - - Unable to create the directory %1. - Nie można utworzyć katalogu %1. - - - - QtC::Debugger - - C++ exception - Wyjątek C++ - - - Thread creation - Utworzenie wątku - - - Thread exit - Zakończenie wątku - - - Load module: - Załadowanie modułu: - - - Unload module: - Wyładowanie modułu: - - - Output: - Komunikaty: - - - - QtC::ProjectExplorer - - Unsupported Shared Settings File - Nieobsługiwany plik z dzielonymi ustawieniami - - - The version of your .shared file is not supported by Qt Creator. Do you want to try loading it anyway? - Wersja pliku .shared nie jest obsługiwana przez tego Qt Creatora. Czy mimo to spróbować go załadować? - - - - QtC::QmlJSEditor - - Qt Quick - Qt Quick - - - - QtC::RemoteLinux - - No deployment action necessary. Skipping. - Instalacja nie jest wymagana. Zostanie pominięta. - - - No device configuration set. - Nie ustawiono konfiguracji urządzenia. - - - Connecting to device... - Nawiązywanie połączenia z urządzeniem... - - - Could not connect to host: %1 - Nie można połączyć się z hostem: %1 - - - Did the emulator fail to start? - Czy emulator nie został uruchomiony? - - - Is the device connected and set up for network access? - Czy urządzenie jest podłączone i czy zostało skonfigurowane połączenie sieciowe? - - - Connection error: %1 - Błąd połączenia: %1 - - - Cannot deploy: %1 - Nie można zainstalować: %1 - - - User requests deployment to stop; cleaning up. - Użytkownik zażądał zatrzymania instalacji. Trwa czyszczenie. - - - Deploy step failed. - Krok instalacji zakończony błędem. - - - Deploy step finished. - Zakończono krok instalacji. - - - Successfully uploaded package file. - Przesłano poprawnie plik pakietu. - - - Installing package to device... - Instalowanie pakietu na urządzeniu... - - - Package installed. - Zainstalowano pakiet. - - - SFTP initialization failed: %1 - Błąd inicjalizacji SFTP: %1 - - - Upload of file "%1" failed. The server said: "%2". - Nie można przesłać pliku "%1". Odpowiedź serwera: "%2". - - - If "%1" is currently running on the remote host, you might need to stop it first. - Jeżeli "%1" jest aktualnie uruchomiony na zdalnym hoście, należy go najpierw zatrzymać. - - - Failed to upload file "%1". - Nie można przesłać pliku "%1". - - - Failed to upload file "%1": Could not open for reading. - Nie można przesłać pliku "%1". Nie można otworzyć go do odczytu. - - - Warning: No remote path set for local file "%1". Skipping upload. - Ostrzeżenie: Brak ustawionej zdalnej ścieżki dla lokalnego pliku "%1". Nie zostanie on przesłany. - - - Uploading file "%1"... - Przesyłanie pliku "%1"... - - - Failed to set executable flag. - Nie można uczynić pliku wykonywalnym. - - - All files successfully deployed. - Wszystkie pliki poprawnie zainstalowane. - - - Incremental deployment - Instalacja przyrostowa - - - Ignore missing files - Ignoruj brakujące pliki - - - Command line: - Linia komend: - - - Upload files via SFTP - Prześlij pliki przez SFTP - - - Generic Linux Device - Ogólne urządzenie linuksowe - - - Connecting to host... - Łączenie z hostem... - - - Checking kernel version... - Sprawdzanie wersji jądra... - - - SSH connection failure: %1 - Błąd połączenia SSH: %1 - - - uname failed: %1 - Błąd uname: %1 - - - uname failed. - Błąd uname. - - - Error gathering ports: %1 - Błąd gromadzenia portów: %1 - - - All specified ports are available. - Wszystkie podane porty są dostępne. - - - The following specified ports are currently in use: %1 - Następujące porty są zajęte: %1 - - - Checking if specified ports are available... - Sprawdzanie czy podane porty są dostępne... - - - Preparing SFTP connection... - Przygotowywanie połączenia SFTP... - - - SFTP error: %1 - Błąd SFTP: %1 - - - Package upload failed: Could not open file. - Błąd przesyłania pakietu: nie można otworzyć pliku. - - - Starting upload... - Uruchamianie przesyłu... - - - Failed to upload package: %2 - Nie można przesłać pakietu: %2 - - - Run custom remote command - Uruchom własną zdalną komendę - - - No command line given. - Nie podano linii komendy. - - - Starting remote command "%1"... - Uruchamianie zdalnej komendy "%1"... - - - Remote process failed to start. - Błąd uruchamiania zdalnego procesu. - - - Remote process was killed by a signal. - Zdalny proces został zakończony przez sygnał. - - - Remote process finished with exit code %1. - Zdalny proces zakończył się kodem wyjściowym %1. - - - Remote command finished successfully. - Zdalna komenda poprawnie zakończona. - - - Deploy to Remote Linux Host - Zainstaluj na zdalnym hoście linuksowym - - - Error: No device - Błąd: brak urządzenia - - - Error: %1 - Błąd: %1 - - - Process exited with code %1. - Proces zakończył się kodem wyjściowym %1. - - - Error running 'env': %1 - Błąd podczas uruchamiania "env": %1 - - - Remote stderr was: "%1" - Zawartość zdalnego stderr: "%1" - - - Connection failure: %1 - Błąd połączenia: %1 - - - Installing package failed. - Błąd instalowania pakietu. - - - Public key error: %1 - Błąd klucza publicznego: %1 - - - Connection failed: %1 - Błąd połączenia: %1 - - - Key deployment failed: %1. - Błąd instalacji klucza: %1. - - - Packaging finished successfully. - Pakowanie poprawnie zakończone. - - - Packaging failed. - Błąd pakowania. - - - Creating tarball... - Tworzenie tarballa... - - - Tarball up to date, skipping packaging. - Tarball uaktualniony, pakowanie pominięte. - - - Error: tar file %1 cannot be opened (%2). - Błąd: nie można otworzyć pliku tar %1 (%2). - - - No remote path specified for file "%1", skipping. - Brak ustawionej zdalnej ścieżki dla pliku "%1", zostanie on pominięty. - - - Error writing tar file "%1": %2. - Błąd zapisu pliku tar "%1": %2. - - - Error reading file "%1": %2. - Błąd odczytu pliku "%1": %2. - - - Adding file "%1" to tarball... - Dodawanie pliku "%1" do tarballa... - - - Cannot add file "%1" to tar-archive: path too long. - Nie można dodać pliku "%1" do archiwum tar: zbyt długa ścieżka. - - - Error writing tar file "%1": %2 - Błąd zapisu pliku tar "%1": %2. - - - Create tarball - Utwórz tarball - - - %1 (default) - %1 (domyślnie) - - - No tarball creation step found. - Brak kroku tworzenia tarballa. - - - Deploy tarball via SFTP upload - Zainstaluj tarball poprzez SFTP - - - - QtC::TextEditor - - Edit preview contents to see how the current settings are applied to custom code snippets. Changes in the preview do not affect the current settings. - Zmodyfikuj zawartość podglądu, aby zobaczyć, jak bieżące ustawienia zostaną zastosowane do własnych fragmentów kodu. Zmiany w podglądzie nie wpływają na bieżące ustawienia. - - - Edit Code Style - Zmodyfikuj styl kodu - - - Code style name: - Nazwa stylu kodu: - - - You cannot save changes to a built-in code style. Copy it first to create your own version. - Nie można zachować zmian we wbudowanym stylu kodu. W celu utworzenia własnej wersji skopiuj go najpierw. - - - Copy Built-in Code Style - Skopiuj wbudowany styl kodu - - - %1 (Copy) - %1 (Kopia) - - - Copy Code Style - Skopiuj styl kodu - - - Delete Code Style - Usuń styl kodu - - - Are you sure you want to delete this code style permanently? - Czy usunąć ten styl kodu bezpowrotnie? - - - Import Code Style - Zaimportuj styl kodu - - - Code styles (*.xml);;All files (*) - Style kodu (*.xml);;Wszystkie pliki (*) - - - Cannot import code style from "%1". - Nie można zaimportować stylu kodu z "%1". - - - Export Code Style - Wyeksportuj styl kodu - - - %1 [proxy: %2] - %1 [pośredniczące: %2] - - - %1 [built-in] - %1 [wbudowane] - - - Files in File System - Pliki w systemie plików - - - %1 "%2": - %1 "%2": - - - Path: %1 -Filter: %2 -Excluding: %3 -%4 - the last arg is filled by BaseFileFind::runNewSearch - Ścieżka: %1 -Filtr: %2 -Wykluczenia: %3 -%4 - - - Search engine: - Wyszukiwarka: - - - Director&y: - &Katalog: - - - Directory to Search - Is it directory to search "in" or search "for"? - Katalog do przeszukania - - - - QtC::UpdateInfo - - Updater - Aktualizator - - - New updates are available. Do you want to start update? - Dostępne są nowe uaktualnienia. Czy chcesz rozpocząć aktualizację? - - - Could not determine location of maintenance tool. Please check your installation if you did not enable this plugin manually. - Nie można określić położenia aktualizatora. Sprawdź w instalacji, czy ta wtyczka nie została odblokowana ręcznie. - - - The maintenance tool at "%1" is not an executable. Check your installation. - Aktualizator "%1" nie jest plikiem wykonywalnym. Sprawdź instalację. - - - Check for Updates - Sprawdź dostępność aktualizacji - - - - QtC::Core - - Creates qm translation files that can be used by an application from the translator's ts files - Tworzy pliki qm z tłumaczeniami, na podstawie plików ts tłumacza, które mogą być użyte w aplikacji - - - Release Translations (lrelease) - Skompiluj tłumaczenia (lrelease) - - - Linguist - Linguist - - - Synchronizes translator's ts files with the program code - Synchronizuje pliki ts tłumacza z kodem programu - - - Update Translations (lupdate) - Uaktualnij tłumaczenia (lupdate) - - - Opens the current file in Notepad - Otwórz bieżący plik w "Notatniku" - - - Edit with Notepad - Zmodyfikuj w "Notatniku" - - - Text - Tekst - - - Runs the current QML file with qmlscene. This requires Qt 5. - Uruchamia bieżący plik QML przy pomocy qmlscene. Wymaga to Qt 5. - - - Qt Quick 2 Preview (qmlscene) - Podgląd Qt Quick 2 (qmlscene) - - - Runs the current QML file with qmlviewer - Uruchamia bieżący plik QML w qmlviewer - - - Qt Quick - Qt Quick - - - Qt Quick 1 Preview (qmlviewer) - Podgląd Qt Quick 1 (qmlviewer) - - - Sorts the selected text - Sortuje zaznaczony tekst - - - Sort Selection - Posortuj selekcję - - - Opens the current file in vi - Otwiera bieżący plik w vi - - - Edit with vi - Zmodyfikuj w "vi" - - - Error while parsing external tool %1: %2 - Błąd parsowania narzędzia zewnętrznego %1: %2 - - - - QSsh::SshKeyCreationDialog - - SSH Key Configuration - Konfiguracja klucza SSH - - - Options - Opcje - - - Key algorithm: - Algorytm klucza: - - - &RSA - &RSA - - - &DSA - &DSA - - - Key &size: - Rozmiar &klucza: - - - Private key file: - Plik z kluczem prywatnym: - - - Browse... - Przeglądaj... - - - Public key file: - Plik z kluczem publicznym: - - - &Generate And Save Key Pair - Wy&generuj i zachowaj klucze - - - &Cancel - &Anuluj - - - Key Generation Failed - Błąd w trakcie generowania kluczy - - - Choose Private Key File Name - Wybierz nazwę pliku z kluczem prywatnym - - - Cannot Save Key File - Nie można zachować pliku z kluczem - - - Failed to create directory: "%1". - Nie można utworzyć katalogu "%1". - - - Cannot Save Private Key File - Nie można zachować pliku z kluczem prywatnym - - - Cannot Save Public Key File - Nie można zachować pliku z kluczem publicznym - - - File Exists - Plik istnieje - - - There already is a file of that name. Do you want to overwrite it? - Plik o tej nazwie już istnieje. Czy nadpisać go? - - - Choose... - Wybierz... - - - The private key file could not be saved: %1 - Nie można zachować pliku z kluczem prywatnym: %1 - - - The public key file could not be saved: %1 - Nie można zachować pliku z kluczem publicznym: %1 - - - ECDSA - ECDSA - - - - QtC::Android - - Create a keystore and a certificate - - - - Password: - Hasło: - - - Retype password: - Wprowadź ponownie hasło: - - - Show password - Pokaż hasło - - - Certificate - Certyfikat - - - Alias name: - Alias: - - - Keysize: - Rozmiar klucza: - - - Validity (days): - Okres ważności (w dniach): - - - Certificate Distinguished Names - - - - First and last name: - Imię i nazwisko: - - - Organizational unit (e.g. Necessitas): - Jednostka organizacyjna (np. Necessitas): - - - Organization (e.g. KDE): - Organizacja (np. KDE): - - - Two-letter country code for this unit (e.g. RO): - Dwuliterowy kod kraju dla tej jednostki (np. PL): - - - City or locality: - Miasto lub miejscowość: - - - State or province: - Stan lub prowincja: - - - Use Keystore password - - - - Android Configuration - Konfiguracja Androida - - - Android SDK location: - Położenie Android SDK: - - - Android NDK location: - Położenie Android NDK: - - - AVD Manager - Menedżer AVD - - - System/data partition size: - Rozmiar partycji systemowej / z danymi: - - - Mb - Mb - - - Remove - Usuń - - - Automatically create kits for Android tool chains - Automatyczne tworzenie zestawów narzędzi Androida - - - JDK location: - Położenie JDK: - - - Download JDK - Pobierz JDK - - - Download Android SDK - Pobierz Android SDK - - - Download Android NDK - Pobierz Android NDK - - - Ant executable: - Plik wykonywalny Ant: - - - Download Ant - Pobierz Ant - - - Start... - Uruchom... - - - Start AVD Manager... - Uruchom AVD Managera... - - - Add... - Dodaj... - - - <a href="xx">The GDB in the NDK appears to have broken python support.</a> - <a href="xx">Niesprawna obsługa pythona przez GDB w NDK.</a> - - - Use Gradle instead of Ant (Ant builds are deprecated) - Używaj Gradle zamiast Ant (Ant jest przestarzały) - - - Gradle builds are forced from Android SDK tools version 25.3.0 onwards as Ant scripts are no longer available. - Narzędzia Android SDK, począwszy od wersji 25.3.0, wymagają użycia Gradle, ponieważ skrypty Ant są już niedostępne. - - - - QtC::Core - - Registered MIME Types - Zarejestrowane typy MIME - - - Patterns: - Wzory: - - - Type - Typ - - - Range - Zakres - - - Priority - Priorytet - - - Add... - Dodaj... - - - Edit... - Modyfikuj... - - - Filter - Filtr - - - Remove File - Usuń plik - - - File to remove: - Plik do usunięcia: - - - &Delete file permanently - &Skasuj plik bezpowrotnie - - - &Remove from Version Control - &Usuń z systemu kontroli wersji - - - - QtC::CodePaster - - Form - Formularz - - - The fileshare-based paster protocol allows for sharing code snippets using simple files on a shared network drive. Files are never deleted. - Protokół wklejania bazujący na współdzielonych plikach pozwala na wymianę fragmentów kodu przy użyciu prostych plików umieszczonych na współdzielonym dysku sieciowym. Pliki nigdy nie są usuwane. - - - &Path: - Ś&cieżka: - - - &Display: - &Wyświetlaj: - - - entries - wpisów - - - <a href="http://pastebin.com">pastebin.com</a> allows for sending posts to custom subdomains (eg. creator.pastebin.com). Fill in the desired prefix. - <a href="http://pastebin.com">pastebin.com</a> pozwala wysyłać fragmenty kodu do własnych poddomen (np. creator.pastebin.com). Podaj przedrostek serwera. - - - Server prefix: - Przedrostek serwera: - - - <i>Note: The plugin will use this for posting as well as fetching.</i> - <i>Uwaga: wtyczka użyje go zarówno do wysyłania jak i pobierania fragmentów kodu.</i> - - - Protocol: - Protokół: - - - Paste: - Wklej: - - - Send to Codepaster - Wyślij do Codepaster - - - &Username: - Nazwa &użytkownika: - - - <Username> - <Nazwa użytkownika> - - - &Description: - &Opis: - - - <Description> - <Opis> - - - <!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:'Sans Serif'; 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;">&lt;Comment&gt;</p></body></html> - <!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:'Sans Serif'; 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;">&lt;Komentarz&gt;</p></body></html> - - - Parts to Send to Server - Zawartość wysyłki do serwera - - - Patch 1 - Łata 1 - - - Patch 2 - Łata 2 - - - &Expires after: - Okr&es ważności: - - - Days - Dni - - - Display Output pane after sending a post - Pokazuj panel z komunikatami po wysłaniu kodu - - - Copy-paste URL to clipboard - Kopiuj i wklejaj URL do schowka - - - Username: - Nazwa użytkownika: - - - Default protocol: - Domyślny protokół: - - - - QtC::CppEditor - - Headers - Nagłówki - - - &Suffix: - &Rozszerzenie: - - - S&earch paths: - Ś&cieżki: - - - Comma-separated list of header paths. - -Paths can be absolute or relative to the directory of the current open document. - -These paths are used in addition to current directory on Switch Header/Source. - Lista ścieżek do nagłówków, oddzielona przecinkami. - -Mogą to być ścieżki bezwzględne lub względne do katalogu bieżąco otwartego dokumentu. - -Ścieżki te, w dodatku do ścieżki bieżącego katalogu, używane są do przełączania pomiędzy nagłówkiem a źródłem. - - - Sources - Źródła - - - S&uffix: - R&ozszerzenie: - - - Se&arch paths: - Śc&ieżki: - - - Comma-separated list of source paths. - -Paths can be absolute or relative to the directory of the current open document. - -These paths are used in addition to current directory on Switch Header/Source. - Lista ścieżek do źródeł, oddzielona przecinkami. - -Mogą to być ścieżki bezwzględne lub względne do katalogu bieżąco otwartego dokumentu. - -Ścieżki te, w dodatku do ścieżki bieżącego katalogu, używane są do przełączania pomiędzy nagłówkiem a źródłem. - - - &Lower case file names - Tylko &małe litery w nazwach plików - - - License &template: - Szablon z &licencją: - - - &Prefixes: - &Przedrostki: - - - Comma-separated list of header prefixes. - -These prefixes are used in addition to current file name on Switch Header/Source. - Lista przedrostków nagłówków, oddzielona przecinkami. - -Przedrostki te, w dodatku do nazwy bieżącego pliku, używane są do przełączania pomiędzy nagłówkiem a źródłem. - - - P&refixes: - P&rzedrostki: - - - Comma-separated list of source prefixes. - -These prefixes are used in addition to current file name on Switch Header/Source. - Lista przedrostków źródeł, oddzielona przecinkami. - -Przedrostki te, w dodatku do nazwy bieżącego pliku, używane są do przełączania pomiędzy nagłówkiem a źródłem. - - - - QtC::Debugger - - Behavior - Zachowanie - - - Use alternating row colors in debug views - Używaj naprzemiennych kolorów wierszy w widokach debugowych - - - Changes the font size in the debugger views when the font size in the main editor changes. - Zmienia rozmiar czcionki w widokach debuggera, gdy zostanie on zmieniony w głównym edytorze. - - - Debugger font size follows main editor - Rozmiar czcionki debuggera wzięty z głównego edytora - - - Use tooltips in main editor while debugging - Używaj podpowiedzi w głównym edytorze podczas debugowania - - - Stopping and stepping in the debugger will automatically open views associated with the current location. - Zatrzymanie i kroczenie w debuggerze automatycznie otworzy widoki związane z bieżącym położeniem. - - - Close temporary source views on debugger exit - Zamykaj tymczasowe widoki ze źródłami po zakończeniu debugowania - - - Close temporary memory views on debugger exit - Zamykaj tymczasowe widoki pamięci po zakończeniu debugowania - - - Closes automatically opened source views when the debugger exits. - Zamyka automatycznie otwarte widoki ze źródłami po zakończeniu debugowania. - - - Closes automatically opened memory views when the debugger exits. - Zamyka automatycznie otwarte widoki pamięci po zakończeniu debugowania. - - - Switch to previous mode on debugger exit - Przełączaj do poprzedniego trybu po zakończeniu debugowania - - - Bring Qt Creator to foreground when application interrupts - Przywołuj Qt Creatora w przypadku zatrzymania aplikacji - - - Shows QML object tree in Locals and Expressions when connected and not stepping. - Pokazuje drzewo obiektów QML w widoku "Zmienne lokalne i wyrażenia" gdy podłączono i nie kroczy. - - - Show QML object tree - Pokazuj drzewo obiektów QML - - - Enables a full file path in breakpoints by default also for GDB. - Domyślnie odblokowuje pełne ścieżki w pułapkach również dla GDB. - - - Set breakpoints using a full absolute path - Używaj pełnych, bezwzględnych ścieżek w pułapkach - - - Registers Qt Creator for debugging crashed applications. - Rejestruje Qt Creatora do debugowania aplikacji, które przerwały pracę. - - - Use Qt Creator for post-mortem debugging - Używaj Creatora do pośmiertnego debugowania - - - Warn when debugging "Release" builds - Ostrzegaj przed debugowaniem wersji release'owej - - - Shows a warning when starting the debugger on a binary with insufficient debug information. - Pokazuje ostrzeżenie przy rozpoczęciu debugowania programu, w którym brak wystarczającej informacji debugowej. - - - Keep editor stationary when stepping - Wyłącz centrowanie bieżącej linii podczas kroczenia - - - Scrolls the editor only when it is necessary to keep the current line in view, instead of keeping the next statement centered at all times. - Przewija edytor jedynie, gdy jest to konieczne do pokazania bieżącej linii w widoku, zamiast centrowania bieżącej linii za każdym razem. - - - Maximum stack depth: - Maksymalna głębokość stosu: - - - <unlimited> - <nieograniczona> - - - Stop when %1() is called - Zatrzymuj przy wywołaniu %1() - - - Always adds a breakpoint on the <i>%1()</i> function. - Zawsze dodawaj pułapkę w funkcji <i>%1()</i>. - - - - QtC::ProjectExplorer - - Form - Formularz - - - Language: - Język: - - - Device Configuration Wizard Selection - Wybór kreatora konfiguracji urządzenia - - - Available device types: - Dostępne typy urządzeń: - - - Start Wizard - Uruchom kreatora - - - Linux Device Configurations - Konfiguracje urządzenia linuksowego - - - &Device: - Urzą&dzenie: - - - &Name: - &Nazwa: - - - Auto-detected: - Automatycznie wykryte: - - - Current state: - Bieżący stan: - - - Type Specific - Zależne od typu - - - &Add... - &Dodaj... - - - &Remove - &Usuń - - - Set As Default - Ustaw jako domyślne - - - Yes (id is "%1") - Tak (identyfikatorem jest "%1") - - - No - Nie - - - Show Running Processes... - Pokazuj uruchomione procesy... - - - - QtC::Tracing - - Selection - Selekcja - - - Start - Początek - - - End - Koniec - - - Duration - Czas trwania - - - - QtC::QmakeProjectManager - - Make arguments: - Argumenty make'a: - - - qmake build configuration: - Konfiguracja qmake: - - - Additional arguments: - Dodatkowe argumenty: - - - Link QML debugging library: - Dowiązuj bibliotekę debugującą QML: - - - Effective qmake call: - Ostateczna komenda qmake: - - - Generate separate debug info: - Generuj oddzielnie informacje debugowe: - - - Use QML compiler: - Używaj kompilatora QML: - - - - QtC::QtSupport - - Debugging Helper Build Log - Log kompilacji programów pomocniczych debuggera - - - - QtC::RemoteLinux - - Form - Formularz - - - Authentication type: - Typ autoryzacji: - - - &Key - &Klucz - - - &Host name: - Nazwa &hosta: - - - IP or host name of the device - IP lub nazwa hosta urządzenia - - - &SSH port: - Port &SSH: - - - Free ports: - Wolne porty: - - - Timeout: - Limit czasu oczekiwania: - - - s - s - - - &Username: - Nazwa &użytkownika: - - - &Password: - H&asło: - - - Show password - Pokaż hasło - - - Private key file: - Plik z kluczem prywatnym: - - - Create New... - Twórz nowy... - - - Machine type: - Typ maszyny: - - - Physical Device - Urządzenie fizyczne - - - Emulator - Emulator - - - You will need at least one port. - Wymagany jest przynajmniej jeden port. - - - GDB server executable: - Plik wykonywalny serwera GDB: - - - Leave empty to look up executable in $PATH - Pozostaw puste aby znaleźć plik w $PATH - - - You can enter lists and ranges like this: '1024,1026-1028,1030'. - Można wprowadzać listy i zakresy, np.: "1024,1026-1028,1030". - - - &Check host key - &Sprawdź klucz hosta - - - Key via ssh-agent - Poprzez ssh-agenta - - - WizardPage - StronaKreatora - - - The name to identify this configuration: - Nazwa identyfikująca tę konfigurację: - - - The device's host name or IP address: - Nazwa hosta lub adres IP urządzenia: - - - The authentication type: - Typ autoryzacji: - - - Password - Hasło - - - Key - Klucz - - - The user's password: - Hasło użytkownika: - - - The file containing the user's private key: - Plik zawierający prywatny klucz użytkownika: - - - The username to log into the device: - Nazwa użytkownika na urządzeniu: - - - Agent - Agent - - - - RemoteLinuxCheckForFreeDiskSpaceStepWidget - - Form - Formularz - - - Remote path to check for free space: - Zdalna ścieżka do sprawdzenia wolnego miejsca: - - - Required disk space: - Wymagane miejsce na dysku: - - - - QtC::TextEditor - - Form - Formularz - - - Typing - Pisanie - - - Enable automatic &indentation - Odblokuj automatyczne wc&ięcia - - - Backspace indentation: - Reakcja klawisza "Backspace" na wcięcia: - - - <html><head/><body> -Specifies how backspace interacts with indentation. - -<ul> -<li>None: No interaction at all. Regular plain backspace behavior. -</li> - -<li>Follows Previous Indents: In leading white space it will take the cursor back to the nearest indentation level used in previous lines. -</li> - -<li>Unindents: If the character behind the cursor is a space it behaves as a backtab. -</li> -</ul></body></html> - - <html><head/><body> -Ustala, jak klawisz "Backspace" reaguje na wcięcia. - -<ul> -<li>Brak: brak interakcji, jest to zwykłe zachowanie klawisza "Backspace". -</li> - -<li>Podążaj za poprzednimi wcięciami: jeśli kursor jest poprzedzony spacjami, przeniesie go z powrotem do najbliższego poziomu wcięć, użytego w poprzednich liniach. -</li> - -<li>Usuwaj wcięcia: jeśli kursor jest poprzedzony spacjami, zachowa się jak "Backtab". -</li> -</ul></body></html> - - - - None - Brak - - - Follows Previous Indents - Podążaj za poprzednimi wcięciami - - - Unindents - Usuwaj wcięcia - - - Tab key performs auto-indent: - Klawisz "Tab" wykonuje automatyczne wcięcia: - - - Never - Nigdy - - - Always - Zawsze - - - In Leading White Space - Jeśli poprzedzony jest spacjami - - - Cleanup actions which are automatically performed right before the file is saved to disk. - Akcje sprzątające, wykonywane automatycznie, zanim plik zostanie zachowany na dysku. - - - Cleanups Upon Saving - Sprzątanie przed zapisem - - - Removes trailing whitespace upon saving. - Usuwa białe znaki na końcu linii przed zapisem. - - - &Clean whitespace - &Usuwaj białe znaki - - - In entire &document - W całym &dokumencie - - - Clean indentation - Poprawiaj wcięcia - - - &Ensure newline at end of file - Wstawiaj znak now&ej linii na końcu pliku - - - File Encodings - Kodowania plików - - - Default encoding: - Domyślne kodowanie: - - - <html><head/><body> -<p>How text editors should deal with UTF-8 Byte Order Marks. The options are:</p> -<ul ><li><i>Add If Encoding Is UTF-8:</i> always add a BOM when saving a file in UTF-8 encoding. Note that this will not work if the encoding is <i>System</i>, as Qt Creator does not know what it actually is.</li> -<li><i>Keep If Already Present: </i>save the file with a BOM if it already had one when it was loaded.</li> -<li><i>Always Delete:</i> never write an UTF-8 BOM, possibly deleting a pre-existing one.</li></ul> -<p>Note that UTF-8 BOMs are uncommon and treated incorrectly by some editors, so it usually makes little sense to add any.</p> -<p>This setting does <b>not</b> influence the use of UTF-16 and UTF-32 BOMs.</p></body></html> - <html><head/><body> -<p>Sposób traktowania znacznika kolejności bajtów (BOM) UTF-8 przez edytory tekstowe. Opcje:</p> -<ul ><li><i>Dodawaj, w przypadku kodowania UTF-8:</i> zawsze dodaje BOM w trakcie zachowywania pliku kodowanego UTF-8. Uwaga: to nie zadziała jeżeli kodowanie jest <i>systemowe</i>, ponieważ Qt Creator nie posiada informacji o nim.</li> -<li><i>Zachowuj, jeśli już istnieje: </i></li>zachowuje plik z BOM jeśli go posiadał podczas ładowania</li> -<li><i>Zawsze usuwaj:</i> nigdy nie zapisuje UTF-8 BOM kasując poprzednie wystąpienia.</li></ul> -<p>Uwaga: UTF-8 BOMy występują rzadko i niektóre edytory traktują je za błędne, więc zwykle nie ma sensu ich dodawać.</p> -<p>To ustawienie <b>nie</b> wpływa na używanie BOMów UTF-16 i UTF-32.</p></body></html> - - - Add If Encoding Is UTF-8 - Dodawaj, w przypadku kodowania UTF-8 - - - Keep If Already Present - Zachowuj, jeśli już istnieje - - - Always Delete - Zawsze usuwaj - - - UTF-8 BOM: - UTF-8 BOM: - - - Mouse and Keyboard - Mysz i klawiatura - - - Enable &mouse navigation - Odblokuj nawigację &myszy - - - Enable scroll &wheel zooming - Odblokuj powiększanie poprzez obracanie &kółkiem myszy -(wraz z przyciśniętym CTRL) - - - Enable built-in camel case &navigation - - - - On Mouseover - Po najechaniu myszą - - - On Shift+Mouseover - Po najechaniu myszą wraz z przytrzymanym klawiszem shift - - - Show help tooltips using keyboard shortcut (Alt) - Pokazuj podpowiedzi przy pomocy skrótów klawiszowych (Alt) - - - Show help tooltips using the mouse: - Pokazuj podpowiedzi przy pomocy myszy: - - - Cleans whitespace in entire document instead of only for changed parts. - Usuwa białe znaki w całym dokumencie, zamiast tylko w zmienionych częściach. - - - Corrects leading whitespace according to tab settings. - Poprawia białe znaki stosownie do ustawień tabulatorów. - - - Always writes a newline character at the end of the file. - Zawsze wstawia znak nowej linii na końcu pliku. - - - Hide mouse cursor while typing - Ukrywaj wskaźnik myszy podczas pisania - - - Pressing Alt displays context-sensitive help or type information as tooltips. - Naciśnięcie Alt spowoduje wyświetlenie pomocy kontekstowej lub informacji o typie w podpowiedzi. - - - Using Select Block Up / Down actions will now provide smarter selections. - - - - Enable smart selection changing - - - - Current settings: - Bieżące ustawienia: - - - Edit... - Modyfikuj... - - - Export... - Eksportuj... - - - Import... - Importuj... - - - Display line &numbers - Wyświetlaj &numery linii - - - Highlight current &line - Podświetlaj bieżącą &linię - - - Display &folding markers - Wyświetlaj znaczniki &składania bloków - - - Highlight &blocks - Podświetlaj &bloki - - - Mark &text changes - Zaznaczaj zmiany w &tekście - - - &Visualize whitespace - Pokazuj białe &znaki - - - &Animate matching parentheses - Pokazuj &animację pasujących nawiasów - - - Auto-fold first &comment - Zwijaj automatycznie początkowy &komentarz - - - Center &cursor on scroll - Wyśrodkowuj przy &przewijaniu - - - Text Wrapping - Zawijanie tekstu - - - Enable text &wrapping - Odblokuj za&wijanie tekstu - - - Display right &margin at column: - Wyświetlaj prawy &margines w kolumnie: - - - &Highlight matching parentheses - Podświetlaj pasujące n&awiasy - - - Always open links in another split - Zawsze otwieraj linki w sąsiadującym oknie - - - Display file encoding - Pokazuj kodowanie plików - - - Shows tabs and spaces. - Pokazuje tabulatory i spacje. - - - Highlight search results on the scrollbar - Podświetlaj rezultaty wyszukiwań na pasku przewijania - - - Animate navigation within file - - - - Annotations next to lines - Adnotacje do linii - - - Next to editor content - Obok zawartości edytora - - - Next to right margin - Obok prawego marginesu - - - Aligned at right side - Wyrównane do prawej strony - - - <html><head/><body> -<p>Highlight definitions are provided by the <a href="http://kate-editor.org/">Kate Text Editor</a>.</p></body></html> - <html><head/><body> -<p>Definicje podświetleń są dostarczone przez <a href="http://kate-editor.org/">edytor tekstu Kate</a>.</p></body></html> - - - Syntax Highlight Definition Files - Pliki z definicjami podświetleń składni - - - Location: - Położenie: - - - Use fallback location - Użyj położenia zastępczego - - - Ignored file patterns: - Ignorowane wzorce plików: - - - Group: - Grupa: - - - Add - Dodaj - - - Revert Built-in - Odwróć zmiany we wbudowanych - - - Restore Removed Built-ins - Przywróć usunięte wbudowane - - - Reset All - Przywróć wszystko - - - Tabs And Indentation - Tabulatory i wcięcia - - - Tab policy: - Stosowanie tabulatorów: - - - Spaces Only - Tylko spacje - - - Tabs Only - Tylko tabulatory - - - Mixed - Mieszane - - - Ta&b size: - Rozmiar -ta&bulatorów: - - - &Indent size: - Rozmiar -wc&ięć: - - - Align continuation lines: - Wyrównanie przeniesionych linii: - - - <html><head/><body> -Influences the indentation of continuation lines. - -<ul> -<li>Not At All: Do not align at all. Lines will only be indented to the current logical indentation depth. -<pre> -(tab)int i = foo(a, b -(tab)c, d); -</pre> -</li> - -<li>With Spaces: Always use spaces for alignment, regardless of the other indentation settings. -<pre> -(tab)int i = foo(a, b -(tab) c, d); -</pre> -</li> - -<li>With Regular Indent: Use tabs and/or spaces for alignment, as configured above. -<pre> -(tab)int i = foo(a, b -(tab)(tab)(tab) c, d); -</pre> -</li> -</ul></body></html> - <html><head/><body> -Wpływa na wcięcia przeniesionych linii. - -<ul> -<li>Brak: Nie wyrównuje. Linie będą wyrównane tylko do bieżącej logicznej głębokości wcięcia. -<pre> -(tab)int i = foo(a, b -(tab)c, d); -</pre> -</li> - -<li>Ze spacjami: Zawsze używa spacji do wyrównywania, bez względu na inne ustawienia wcięć. -<pre> -(tab)int i = foo(a, b -(tab) c, d); -</pre> -</li> - -<li>Z regularnymi wcięciami: Używa tabulatorów albo spacji do wyrównywania, zależnie od konfiguracji powyżej. -<pre> -(tab)int i = foo(a, b -(tab)(tab)(tab) c, d); -</pre> -</li> -</ul></body></html> - - - Not At All - Brak - - - With Spaces - Ze spacjami - - - With Regular Indent - Z regularnymi wcięciami - - - The text editor indentation setting is used for non-code files only. See the C++ and Qt Quick coding style settings to configure indentation for code files. - Ustawienia wcięć edytora tekstu są używane do plików niezawierających kodu źródłowego. Wcięcia dla plików z kodem źródłowym można skonfigurować w ustawieniach stylu kodu C++ i Qt Quick. - - - <i>Code indentation is configured in <a href="C++">C++</a> and <a href="QtQuick">Qt Quick</a> settings.</i> - <i>Wcięcia w kodzie można skonfigurować w ustawieniach <a href="C++">C++</a> i <a href="QtQuick">Qt Quick</a>.</i> - - - - QtC::Todo - - Keyword - Słowo kluczowe - - - Icon - Ikona - - - Color - Kolor - - - errorLabel - errorLabel - - - Keyword cannot be empty, contain spaces, colons, slashes or asterisks. - Słowo kluczowe nie może być puste i nie może zawierać spacji, dwukropków, ukośnych kresek ani gwiazdek. - - - There is already a keyword with this name. - Istnieje już słowo kluczowe o tej nazwie. - - - - QtC::Todo - - Form - Formularz - - - Keywords - Słowa kluczowe - - - Edit - Zmodyfikuj - - - Reset - Zresetuj - - - Scanning scope - Zakres skanowania - - - Scan the whole active project - Skanuj cały aktywny projekt - - - Scan only the currently edited document - Skanuj tylko bieżąco edytowany dokument - - - Scan the current subproject - Skanuj bieżący podprojekt - - - - QtC::VcsBase - - Clean Repository - Wyczyść repozytorium - - - Wrap submit message at: - Zawijaj opisy poprawek po: - - - characters - znakach - - - An executable which is called with the submit message in a temporary file as first argument. It should return with an exit != 0 and a message on standard error to indicate failure. - Plik wykonywalny, który jest uruchamiany z nazwą pliku tymczasowego, przechowującego opis zmiany, jako pierwszy argument. Powinien on zwrócić wartość różną od 0 i standardowy komunikat o błędzie w razie niepowodzenia. - - - Submit message &check script: - Skrypt sprawdzający &opisy poprawek: - - - User/&alias configuration file: - Plik z konfiguracją użytkownika / &aliasu: - - - A simple file containing lines with field names like "Reviewed-By:" which will be added below the submit editor. - Plik z liniami zawierającymi pola takie jak: "Reviewed-By:", który zostanie dodany w edytorze opisów poprawek. - - - User &fields configuration file: - Plik z konfiguracją &pól użytkownika: - - - &SSH prompt command: - Komenda monitu &SSH: - - - Specifies a command that is executed to graphically prompt for a password, -should a repository require SSH-authentication (see documentation on SSH and the environment variable SSH_ASKPASS). - W przypadku, gdy repozytorium wymaga autoryzacji SSH, pole to definiuje komendę, która będzie pytała o hasło. -Sprawdź dokumentację SSH i zmienną środowiskową SSH_ASKPASS. - - - A file listing nicknames in a 4-column mailmap format: -'name <email> alias <email>'. - Plik z listą przydomków użytkowników w 4 kolumnach (format mailmap): -"nazwa <e-mail> alias <e-mail>". - - - Reset information about which version control system handles which directory. - Usuń informację o tym, który system kontroli wersji zarządza poszczególnymi katalogami. - - - Reset VCS Cache - Zresetuj cache'a VCS - - - - QtC::QmlDebug - - The port seems to be in use. - Error message shown after 'Could not connect ... debugger:" - Port prawdopodobnie zajęty. - - - The application is not set up for QML/JS debugging. - Error message shown after 'Could not connect ... debugger:" - Aplikacja nie jest gotowa na debugowanie QML/JS. - - - - QSsh::Internal::SftpChannelPrivate - - Server could not start SFTP subsystem. - Serwer nie może uruchomić podsystemu SFTP. - - - The SFTP server finished unexpectedly with exit code %1. - Serwer SFTP nieoczekiwanie zakończył pracę kodem wyjściowym %1. - - - The SFTP server crashed: %1. - Serwer SFTP przerwał pracę: %1. - - - Unexpected packet of type %1. - Nieoczekiwany pakiet typu %1. - - - Protocol version mismatch: Expected %1, got %2 - Niezgodność wersji protokołu: Oczekiwano %1 zamiast %2 - - - Unknown error. - Nieznany błąd. - - - Created remote directory "%1". - Utworzono zdalny katalog "%1". - - - Remote directory "%1" already exists. - Zdalny katalog "%1" już istnieje. - - - Error creating directory "%1": %2 - Błąd tworzenia katalogu "%1": %2 - - - Could not open local file "%1": %2 - Nie można otworzyć lokalnego pliku "%1": %2 - - - Remote directory could not be opened for reading. - Nie można otworzyć zdalnego katalogu do odczytu. - - - Failed to list remote directory contents. - Nie można uzyskać zawartości zdalnego katalogu. - - - Failed to close remote directory. - Nie można zamknąć zdalnego katalogu. - - - Failed to open remote file for reading. - Nie można otworzyć zdalnego pliku do odczytu. - - - Failed to retrieve information on the remote file ('stat' failed). - Nie można uzyskać informacji o zdalnym pliku ("stat" niepoprawnie zakończony). - - - Failed to read remote file. - Nie można odczytać zdalnego pliku. - - - Failed to close remote file. - Nie można zamknąć zdalnego pliku. - - - Failed to open remote file for writing. - Nie można otworzyć zdalnego pliku do zapisu. - - - Failed to write remote file. - Nie można zapisać zdalnego pliku. - - - Cannot append to remote file: Server does not support the file size attribute. - Nie można dodać zawartości do zdalnego pliku: Serwer nie obsługuje atrybutu "rozmiar pliku". - - - SFTP channel closed unexpectedly. - Kanał SFTP nieoczekiwanie zamknięty. - - - Server could not start session: %1 - Serwer nie może rozpocząć sesji: %1 - - - Error reading local file: %1 - Błąd odczytu lokalnego pliku: %1 - - - - QSsh::SftpFileSystemModel - - File Type - Typ pliku - - - File Name - Nazwa pliku - - - Error getting "stat" info about "%1": %2 - Błąd podczas pobierania informacji "stat" o "%1": %2 - - - Error listing contents of directory "%1": %2 - Błąd podczas listowania zawartości katalogu "%1": %2 - - - - QSsh::Internal::SshChannelManager - - Unexpected request success packet. - - - - Unexpected request failure packet. - - - - Invalid channel id %1 - Niepoprawny identyfikator kanału %1 - - - - QSsh::Internal::SshConnectionPrivate - - SSH Protocol error: %1 - Błąd protokołu SSH: %1 - - - Botan library exception: %1 - Wyjątek biblioteki Botan: %1 - - - Server identification string is %n characters long, but the maximum allowed length is 255. - - Ciąg identyfikujący serwer ma %n znak, zaś maksymalnie może on posiadać 255 znaków. - Ciąg identyfikujący serwer ma %n znaki, zaś maksymalnie może on posiadać 255 znaków. - Ciąg identyfikujący serwer ma %n znaków, zaś maksymalnie może on posiadać 255 znaków. - - - - Server identification string contains illegal NUL character. - Ciąg identyfikujący serwer zawiera niedozwolony znak NUL. - - - Server Identification string "%1" is invalid. - Ciąg identyfikujący serwer "%1" jest niepoprawny. - - - Server protocol version is "%1", but needs to be 2.0 or 1.99. - Wersja protokołu serwera to "%1", wymagana to 2.0 lub 1.99. - - - Server identification string is invalid (missing carriage return). - Ciąg identyfikujący serwer jest niepoprawny (brak powrotu karetki). - - - Server reports protocol version 1.99, but sends data before the identification string, which is not allowed. - Serwer raportuje wersję protokołu 1.99, ale wysyła dane przed ciągiem identyfikującym, co jest niedozwolone. - - - Unexpected packet of type %1. - Nieoczekiwany pakiet typu %1. - - - ssh-agent has no keys. - ssh-agent nie zawiera kluczy. - - - Password expired. - Hasło straciło ważność. - - - The server rejected all keys known to the ssh-agent. - Serwer odrzucił wszystkie klucze zawarte w ssh-agencie. - - - Server rejected password. - Serwer odrzucił hasło. - - - Server rejected key. - Serwer odrzucił klucz. - - - Server sent unexpected SSH_MSG_USERAUTH_PK_OK packet. - Serwer wysłał nieoczekiwany pakiet SSH_MSG_USERAUTH_PK_OK. - - - Server sent unexpected key in SSH_MSG_USERAUTH_PK_OK packet. - Serwer wysłał nieoczekiwany klucz w pakiecie SSH_MSG_USERAUTH_PK_OK. - - - The server sent an unexpected SSH packet of type SSH_MSG_UNIMPLEMENTED. - Serwer wysłał nieoczekiwany pakiet SSH typu SSH_MSG_UNIMPLEMENTED. - - - Server closed connection: %1 - Serwer zamknął połączenie: %1 - - - Connection closed unexpectedly. - Nieoczekiwane zamknięcie połączenia. - - - Timeout waiting for keys from ssh-agent. - Przekroczono limit czasu oczekiwania na klucze od ssh-agenta. - - - Timeout waiting for reply from server. - Przekroczono limit czasu oczekiwania na odpowiedź od serwera. - - - No private key file given. - Nie podano pliku z kluczem prywatnym. - - - Private key file error: %1 - Błąd pliku z prywatnym kluczem: %1 - - - - QSsh::Ssh - - Password Required - Wymagane hasło - - - Please enter the password for your private key. - Podaj hasło do prywatnego klucza. - - - Failed to open key file "%1" for reading: %2 - Nie można otworzyć pliku z kluczem "%1" do odczytu: %2 - - - Failed to open key file "%1" for writing: %2 - Nie można otworzyć pliku z kluczem "%1" do zapisu: %2 - - - - QSsh::Internal::SshRemoteProcessPrivate - - Process killed by signal - Sygnał zakończył proces - - - Server sent invalid signal "%1" - Serwer wysłał niepoprawny sygnał "%1" - - - - QtC::Utils - - "%1" is an invalid ELF object (%2) - "%1" nie jest poprawnym obiektem ELF (%2) - - - "%1" is not an ELF object (file too small) - "%1" nie jest obiektem ELF (za mały plik) - - - "%1" is not an ELF object - "%1" nie jest obiektem ELF - - - odd cpu architecture - nietypowa architektura cpu - - - odd endianness - nietypowa kolejność bajtów - - - unexpected e_shsize - nieoczekiwany e_shsize - - - unexpected e_shentsize - nieoczekiwany e_shentsize - - - announced %n sections, each %1 bytes, exceed file size - - zapowiedziana %n sekcja, %1 bajtowa, przekracza rozmiar pliku - zapowiedziane %n sekcje, każda %1 bajtowa, przekraczają rozmiar pliku - zapowiedzianych %n sekcji, każda %1 bajtowa, przekracza rozmiar pliku - - - - string table seems to be at 0x%1 - wygląda na to, że tablica ciągów znakowych leży pod adresem: 0x%1 - - - section name %1 of %2 behind end of file - nazwa sekcji %1 z %2 poza EOF - - - Add - Dodaj - - - Remove - Usuń - - - Rename - Zmień nazwę - - - Do you really want to delete the configuration <b>%1</b>? - Czy na pewno usunąć konfigurację <b>%1</b>? - - - New name for configuration <b>%1</b>: - Nowa nazwa dla konfiguracji <b>%1</b>: - - - Rename... - Zmień nazwę... - - - - QtC::Android - - Keystore password is too short. - - - - Keystore passwords do not match. - - - - Certificate password is too short. - Hasło certyfikatu jest zbyt krótkie. - - - Certificate passwords do not match. - Hasła certyfikatu nie zgadzają się. - - - Certificate alias is missing. - Brak aliasu certyfikatu. - - - Invalid country code. - Niepoprawny kod kraju. - - - Keystore Filename - Nazwa pliku z magazynem kluczy - - - Keystore files (*.keystore *.jks) - Pliki z magazynami kluczy (*.keystore *.jks) - - - Error - Błąd - - - Deploy on Android - Zainstaluj na urządzeniu Android - - - Run on Android - Uruchom na androidzie - - - Android Device - Urządzenie Android - - - Failed to detect the ABIs used by the Qt version. - Nie można wykryć ABI użytych przez wersję Qt. - - - Android - Qt Version is meant for Android - Android - - - "%1" terminated. - Zakończono "%1". - - - AVD Name - AVD - Android Virtual Device - Nazwa AVD - - - AVD Target - Docelowy AVD - - - CPU/ABI - CPU/ABI - - - "%1" does not seem to be an Android SDK top folder. - "%1" nie wygląda na katalog główny SDK Androida. - - - "%1" does not seem to be an Android NDK top folder. - "%1" nie wygląda na katalog główny NDK Androida. - - - The Android NDK cannot be installed into a path with spaces. - Nie można zainstalować Android NDK w ścieżce zawierającej spacje. - - - Found %n toolchains for this NDK. - - Znaleziono %n zestaw narzędzi dla tego NDK. - Znaleziono %n zestawy narzędzi dla tego NDK. - Znaleziono %n zestawów narzędzi dla tego NDK. - - - - Qt version for architecture %1 is missing. -To add the Qt version, select Options > Build & Run > Qt Versions. - Brak ustawionej wersji Qt dla architektury %1. -Aby dodać wersję Qt wybierz Opcje | Budowanie i uruchamianie | Wersje Qt. - - - Select JDK Path - Wybierz ścieżkę do JDK - - - Qt versions for %n architectures are missing. -To add the Qt versions, select Options > Build & Run > Qt Versions. - - Brak wersji Qt dla %n architektury. -Wersje Qt można dodać w: Opcje > Budowanie i uruchamianie > Wersje Qt. - Brak wersji Qt dla %n architektur. -Wersje Qt można dodać w: Opcje > Budowanie i uruchamianie > Wersje Qt. - Brak wersji Qt dla %n architektur. -Wersje Qt można dodać w: Opcje > Budowanie i uruchamianie > Wersje Qt. - - - - The Platform tools are missing. Please use the Android SDK Manager to install them. - Brak narzędzi platformowych. Zainstalować je można używając Android SDK Managera. - - - "%1" does not seem to be a JDK folder. - "%1" nie wygląda na katalog JDK. - - - Remove Android Virtual Device - Usuń wirtualne urządzenie Android - - - Remove device "%1"? This cannot be undone. - Usunąć urządzenie "%1"? Zmiana ta będzie nieodwracalna. - - - Unsupported GDB - Nieobsługiwany GDB - - - The GDB inside this NDK seems to not support Python. The Qt Project offers fixed GDB builds at: <a href="http://download.qt.io/official_releases/gdb/">http://download.qt.io/official_releases/gdb/</a> - GDB wewnątrz tego NDK nie obsługuje Pythona. Qt Project oferuje poprawione wersje GDB tutaj: <a href="http://download.qt.io/official_releases/gdb/">http://download.qt.io/official_releases/gdb/</a> - - - AVD Manager Not Available - - - - AVD manager UI tool is not available in the installed SDK tools(version %1). Use the command line tool "avdmanager" for advanced AVD management. - - - - Select Android SDK folder - Wybierz katalog z SDK Androida - - - Select Android NDK folder - Wybierz katalog z NDK Androida - - - Select ant Script - Wybierz skrypt "ant" - - - Android GCC - Android GCC - - - Autogen - Display name for AutotoolsProjectManager::AutogenStep id. - Autogen - - - Autogen - Autogen - - - Configuration unchanged, skipping autogen step. - Konfiguracja niezmieniona, krok autogen pominięty. - - - Arguments: - Argumenty: - - - Autogen - AutotoolsProjectManager::AutogenStepConfigWidget display name. - Autogen - - - Autoreconf - Display name for AutotoolsProjectManager::AutoreconfStep id. - Autoreconf - - - Autoreconf - Autoreconf - - - Configuration unchanged, skipping autoreconf step. - Konfiguracja niezmieniona, krok autoreconf pominięty. - - - Autoreconf - AutotoolsProjectManager::AutoreconfStepConfigWidget display name. - Autoreconf - - - Default - The name of the build configuration created by default for a autotools project. - Domyślna - - - Build - Wersja - - - Build directory: - Katalog wersji: - - - Autotools Manager - Menedżer Autotools - - - Autotools Wizard - Kreator Autotools - - - Please enter the directory in which you want to build your project. Qt Creator recommends to not use the source directory for building. This ensures that the source directory remains clean and enables multiple builds with different settings. - Podaj katalog, w którym zbudować projekt. Zaleca się nie budować projektu w katalogu ze źródłami. Dzięki temu katalog ze źródłami pozostaje czysty i możliwe jest zbudowanie wielu wersji z różnymi ustawieniami, na podstawie tych samych źródeł. - - - Build Location - Położenie wersji - - - Configure - Display name for AutotoolsProjectManager::ConfigureStep id. - Konfiguracja - - - Configure - Konfiguracja - - - Configuration unchanged, skipping configure step. - Konfiguracja niezmieniona, krok konfiguracji pominięty. - - - Configure - AutotoolsProjectManager::ConfigureStepConfigWidget display name. - Konfiguracja - - - Parsing %1 in directory %2 - Parsowanie %1 w katalogu %2 - - - Parsing directory %1 - Parsowanie katalogu %1 - - - Make - Display name for AutotoolsProjectManager::MakeStep id. - Make - - - Make - Make - - - Make - AutotoolsProjectManager::MakeStepConfigWidget display name. - Make - - - - QtC::TextEditor - - Alt+Meta+M - Alt+Meta+M - - - Alt+M - Alt+M - - - - QtC::CMakeProjectManager - - Build CMake target - Zbudowanie programu CMake'owego - - - - QtC::Core - - Could not save the files. - error message - Nie można zachować plików. - - - Error while saving file: %1 - Błąd zachowywania pliku: %1 - - - Overwrite? - Nadpisać? - - - An item named "%1" already exists at this location. Do you want to overwrite it? - Element o nazwie "%1" istnieje już w tym miejscu. Czy nadpisać go? - - - Save File As - Zapisz plik jako - - - Open File - Otwórz plik - - - Cannot reload %1 - Nie można przeładować %1 - - - Meta+O - Meta+O - - - Alt+O - Alt+O - - - File was restored from auto-saved copy. Select Save to confirm or Revert to Saved to discard changes. - Plik został przywrócony z automatycznie zachowanej kopii. Naciśnij "Zachowaj" aby potwierdzić, lub "Przywróć do zachowanego" aby odrzucić zmiany. - - - - QtC::CppEditor - - Target file was changed, could not apply changes - Plik docelowy uległ zmianie, nie można zastosować zmian - - - Apply changes to definition - Zastosuj zmiany do definicji - - - Apply changes to declaration - Zastosuj zmiany do deklaracji - - - Apply Function Signature Changes - Zastosuj zmiany w sygnaturze funkcji - - - Extract Function - - - - Extract Function Refactoring - - - - Function name - Nazwa funkcji - - - Access - Dostęp - - - C++ Classes - Klasy C++ - - - - QtC::Debugger - - &Port: - &Port: - - - Start Remote Engine - Uruchom zdalny silnik - - - &Host: - &Host: - - - &Username: - Nazwa &użytkownika: - - - &Password: - H&asło: - - - &Engine path: - Ścieżka do &silnika: - - - &Inferior path: - Ścieżka do &podprocesu: - - - Type Formats - Formaty typów - - - Qt Types - Typy Qt - - - Standard Types - Standardowe typy - - - Misc Types - Inne typy - - - Attaching to process %1. - Dołączanie do procesu %1. - - - Attached to running application - Dołączono do uruchomionej aplikacji - - - Failed to attach to application: %1 - Nie można dołączyć do aplikacji: %1 - - - Error Loading Core File - Błąd podczas ładowania pliku zrzutu - - - The specified file does not appear to be a core file. - Podany plik nie wydaje się być plikiem zrzutu. - - - Error Loading Symbols - Błąd ładowania symboli - - - No executable to load symbols from specified core. - Brak pliku wykonywalnego, z którego należy załadować symbole dla podanego zrzutu. - - - Symbols found. - Symbole odnalezione. - - - No symbols found in core file <i>%1</i>. - Brak symboli w pliku zrzutu <i>%1</i>. - - - This can be caused by a path length limitation in the core file. - To może być spowodowane ograniczeniem długości ścieżek w pliku zrzutu. - - - Try to specify the binary using the <i>Debug->Start Debugging->Attach to Core</i> dialog. - Podaj plik binarny używając dialogu <i>Debugowanie->Rozpocznij debugowanie->Dołącz do zrzutu</i>. - - - Attached to core. - Dołączono do zrzutu. - - - Attach to core "%1" failed: - Dołączenie do zrzutu "%1" niepoprawnie zakończone: - - - Continuing nevertheless. - Mimo to praca jest kontynuowana. - - - The upload process failed to start. Shell missing? - Nie można rozpocząć procesu przesyłania. Brak powłoki? - - - The upload process crashed some time after starting successfully. - Proces przesyłania przerwał pracę po poprawnym uruchomieniu. - - - The last waitFor...() function timed out. The state of QProcess is unchanged, and you can try calling waitFor...() again. - Przekroczono czas oczekiwania na powrót z ostatniego wywołania funkcji waitFor...(). Stan QProcess się nie zmienił, możesz ponownie spróbować wywołać waitFor...(). - - - An error occurred when attempting to write to the upload process. For example, the process may not be running, or it may have closed its input channel. - Wystąpił błąd podczas próby pisania do procesu przesyłania. Proces może nie być uruchomiony lub zamknął on swój kanał wejściowy. - - - An error occurred when attempting to read from the upload process. For example, the process may not be running. - Wystąpił błąd podczas próby czytania z procesu przesyłania. Proces może nie być uruchomiony. - - - An unknown error in the upload process occurred. This is the default return value of error(). - Wystąpił nieznany błąd podczas procesu przesyłania. Jest to domyślna wartość zwrócona przez error(). - - - Error - Błąd - - - Upload failed: %1 - Błąd wysyłania: %1 - - - No symbol file given. - Brak pliku z symbolami. - - - Reading debug information failed: - Błąd odczytu informacji debugowej: - - - No Remote Executable or Process ID Specified - Nie podano zdalnego pliku wykonywalnego lub identyfikatora procesu - - - No remote executable could be determined from your build system files.<p>In case you use qmake, consider adding<p>&nbsp;&nbsp;&nbsp;&nbsp;target.path = /tmp/your_executable # path on device<br>&nbsp;&nbsp;&nbsp;&nbsp;INSTALLS += target</p>to your .pro file. - Nie można określić zdalnego pliku wykonywalnego na podstawie zbudowanych plików.<p>W przypadku użycia qmake pomóc może dodanie<p>&nbsp;&nbsp;&nbsp;&nbsp;target.path = /tmp/twój plik wykonywalny # ścieżka na urządzeniu<br>&nbsp;&nbsp;&nbsp;&nbsp;INSTALLS += target</p>do pliku pro. - - - Continue Debugging - Kontynuuj debugowanie - - - Stop Debugging - Zatrzymaj debugowanie - - - Interrupting not possible - Przerwanie nie jest możliwe - - - Remote Error - Zdalny błąd - - - Could not retrieve list of free ports: - Nie można uzyskać listy wolnych portów: - - - Process aborted - Proces zatrzymany - - - Running command: %1 - Uruchamianie komendy: %1 - - - Connection error: %1 - Błąd połączenia: %1 - - - Starting gdbserver... - Uruchamianie gdbserver... - - - Port %1 is now accessible. - Port %1 jest teraz dostępny. - - - Server started on %1:%2 - Uruchomiono serwer na %1:%2 - - - Cannot find local executable for remote process "%1". - Nie można odnaleźć lokalnego pliku wykonywalnego dla zdalnego procesu "%1". - - - Cannot find ABI for remote process "%1". - Nie można odnaleźć ABI dla zdalnego procesu "%1". - - - Remote: "%1" - Zdalny: "%1" - - - Process gdbserver finished. Status: %1 - Zakończono proces gdbserver. Stan: %1 - - - Download of remote file succeeded. - Pobieranie zdalnego pliku poprawnie zakończone. - - - Module Name - Nazwa modułu - - - Module Path - Ścieżka do modułu - - - Symbols Read - Symbole przeczytane - - - Symbols Type - Typ symboli - - - Start Address - Adres początkowy - - - End Address - Adres końcowy - - - Success: - Zakończono poprawnie: - - - <anonymous> - <anonimowy> - - - Properties - Właściwości - - - Create Snapshot - Utwórz zrzut - - - Remove Snapshot - Usuń zrzut - - - Stack - Stos - - - Locals and Expressions - Zmienne lokalne i wyrażenia - - - - QtC::Git untracked nieśledzony @@ -20597,10 +31730,6 @@ Czy zakończyć proces? "gerrit.config". Określa protokół użyty do formowania URL w przypadku braku konfiguracji "canonicalWebUrl" w pliku "gerrit.config". - - Fetching from Gerrit - Pobieranie danych z Gerrita - Gerrit... Gerrit... @@ -20613,10 +31742,6 @@ Czy zakończyć proces? Initialization Failed Błąd inicjalizacji - - Failed to initialize dialog. Aborting. - Nie można zainicjalizować dialogu. Przerwano. - Error Błąd @@ -20644,10 +31769,6 @@ were not verified among remotes in %3. Select different folder? Enter Local Repository for "%1" (%2) Podaj lokalne repozytorium dla "%1" (%2) - - Show Diff - Pokaż różnice - Show difference. Pokaż różnice. @@ -20692,6 +31813,18 @@ were not verified among remotes in %3. Select different folder? Commit and Push to &Gerrit Utwórz poprawkę i wyślij do &Gerrita + + Invalid author + + + + Invalid email + + + + Unresolved merge conflicts + + &Commit and Push &Utwórz poprawkę i wyślij @@ -20704,9 +31837,7722 @@ were not verified among remotes in %3. Select different folder? &Commit &Utwórz poprawkę + + Local Changes Found. Choose Action: + Wykryto lokalne zmiany. Wybierz akcję: + + + Discard Local Changes + Porzuć lokalne zmiany + + + Checkout branch "%1" + Kopia robocza gałęzi "%1" + + + Move Local Changes to "%1" + Przenieś lokalne zmiany do "%1" + + + Pop Stash of "%1" + Przywróć ostatnio odłożoną zmianę w gałęzi "%1" + + + Create Branch Stash for "%1" + Utwórz gałąź z odłożoną zmianą dla gałęzi "%1" + + + Create Branch Stash for Current Branch + Utwórz gałąź z odłożoną zmianą dla bieżącej gałęzi + + + &Topic: + &Temat: + + + Number of commits + Liczba poprawek + + + &Reviewers: + &Recenzenci: + + + Cannot find a Gerrit remote. Add one and try again. + + + + Number of commits between %1 and %2: %3 + Liczba poprawek pomiędzy %1 a %2: %3 + + + Are you sure you selected the right target branch? + + + + Checked - Mark change as WIP. +Unchecked - Mark change as ready for review. +Partially checked - Do not change current state. + + + + Supported on Gerrit 2.15 and later. + + + + Checked - The change is a draft. +Unchecked - The change is not a draft. + + + + No remote branches found. This is probably the initial commit. + Brak zdalnych gałęzi, Jest to prawdopodobnie wstępna poprawka. + + + Branch name + Nazwa gałęzi + + + ... Include older branches ... + ... Dołącz inne gałęzie ... + + + Comma-separated list of reviewers. + +Reviewers can be specified by nickname or email address. Spaces not allowed. + +Partial names can be used if they are unambiguous. + Lista recenzentów, oddzielona przecinkami. + +Recenzenci mogą być podani przy użyciu przydomków lub adresów e-mail. Odstępy między nimi są niedozwolone. + +Można używać nazw częściowych, jeśli są one unikalne. + + + &Draft/private + + + + &Work-in-progress + + + + Checked - Mark change as private. +Unchecked - Remove mark. +Partially checked - Do not change current state. + + + + Pushes the selected commit and all commits it depends on. + + + + Push: + Wyślij: + + + Commits: + Poprawki: + + + To: + Do: + + + Sha1 + Sha1 + + + Reset to: + Zresetuj do: + + + Select change: + Wybierz zmianę: + + + Reset type: + Typ resetu: + + + Mixed + Mixed + + + Hard + Hard + + + Soft + Soft + + + Normal + Normalny + + + Submodule + Podmoduł + + + Deleted + Usunięty + + + Symbolic link + Dowiązanie symboliczne + + + Modified + Zmodyfikowany + + + Created + Utworzony + + + Submodule commit %1 + Poprawka w podmodule %1 + + + Symbolic link -> %1 + Link symboliczny -> %1 + + + Merge Conflict + Konflikty podczas scalania + + + %1 merge conflict for "%2" +Local: %3 +Remote: %4 + Konflikt typu %1 scalania dla "%2" +Lokalny: %3 +Zdalny: %4 + + + &Local + &Lokalny + + + &Remote + &Zdalny + + + &Created + U&tworzony + + + &Modified + Z&modyfikowany + + + &Deleted + &Usunięty + + + Unchanged File + Plik nie został zmieniony + + + Was the merge successful? + Czy scalenie zakończone jest poprawnie? + + + Continue Merging + Kontynuuj scalanie + + + Continue merging other unresolved paths? + Kontynuować scalanie innych nierozwiązanych ścieżek? + + + Merge tool is not configured. + + + + Run git config --global merge.tool &lt;tool&gt; to configure it, then try again. + + + + Filter by message + + + + Filter log entries by text in the commit message. + + + + Filter by content + + + + Filter log entries by added or removed string. + + + + Filter by author + + + + Filter log entries by author. + + + + Filter: + Filtr: + + + Case Sensitive + Uwzględniaj wielkość liter + + + &Blame %1 + + + + Blame &Parent Revision %1 + + + + Stage Chunk... + + + + Unstage Chunk... + + + + &Reset to Change %1 + + + + &Hard + + + + &Mixed + + + + &Soft + + + + Refreshing Commit Data + Odświeżanie danych poprawki + + + Tree (optional) + Drzewo (opcjonalnie) + + + Can be HEAD, tag, local or remote branch, or a commit hash. +Leave empty to search through the file system. + Może to być HEAD, tag, lokalna bądź zdalna gałąź lub hasz poprawki. +Może pozostać puste w celu wyszukania w systemie plików. + + + Recurse submodules + + + + Git Grep + Git Grep + + + Ref: %1 +%2 + Ref: %1 +%2 + + + Git Show %1:%2 + Git Show %1:%2 + + + Authentication + Autoryzacja + + + <html><head/><body><p>Gerrit server with HTTP was detected, but you need to set up credentials for it.</p><p>To get your password, <a href="LINK_PLACEHOLDER"><span style=" text-decoration: underline; color:#007af4;">click here</span></a> (sign in if needed). Click Generate Password if the password is blank, and copy the user name and password to this form.</p><p>Choose Anonymous if you do not want authentication for this server. In this case, changes that require authentication (like draft changes or private projects) will not be displayed.</p></body></html> + + + + &Password: + H&asło: + + + Server: + Serwer: + + + Anonymous + Anonimowo + + + Refresh Remote Servers + Odśwież zdalne serwery + + + Fallback + Zastępczy + + + + QtC::GitLab + + Clone Repository + + + + Specify repository URL, checkout path and directory. + + + + Repository + + + + Path + Ścieżka + + + Path "%1" already exists. + + + + Directory + Katalog + + + Recursive + Rekurencyjnie + + + Clone + Sklonuj + + + User canceled process. + + + + Cloning succeeded. + + + + Warning + + + + Cloned project does not have a project file that can be opened. Try importing the project as a generic project. + + + + Open Project + Otwórz projekt + + + Choose the project file to be opened. + + + + Cloning failed. + + + + GitLab + + + + Search + Wyszukaj + + + ... + ... + + + 0 + 0 + + + Clone... + + + + Remote: + Zdalny: + + + Not logged in. + + + + Insufficient access token. + + + + Permission scope read_api or api needed. + + + + Check settings for misconfiguration. + + + + Projects (%1) + + + + Using project access token. + + + + Logged in as %1 + + + + Id: %1 (%2) + + + + Host: + Host: + + + Description: + Opis: + + + Access token: + + + + Port: + + + + HTTPS: + + + + Default: + Domyślna: + + + curl: + + + + Edit... + Modyfikuj... + + + Edit current selected GitLab server configuration. + + + + Remove + Usuń + + + Remove current selected GitLab server configuration. + + + + Add... + Dodaj... + + + Add new GitLab server configuration. + + + + Edit Server... + + + + Modify + + + + Add Server... + + + + Add + Dodaj + + + GitLab... + + + + Error + Błąd + + + Invalid GitLab configuration. For a fully functional configuration, you need to set up host name or address and an access token. Providing the path to curl is mandatory. + + + + Certificate Error + Błąd certyfikatu + + + Server certificate for %1 cannot be authenticated. +Do you want to disable SSL verification for this server? +Note: This can expose you to man-in-the-middle attack. + + + + Guest + + + + Reporter + + + + Developer + + + + Maintainer + + + + Owner + Właściciel + + + Linked GitLab Configuration: + + + + Link with GitLab + + + + Unlink from GitLab + + + + Test Connection + + + + Projects linked with GitLab receive event notifications in the Version Control output pane. + + + + Remote host does not match chosen GitLab configuration. + + + + Accessible (%1). + + + + Read only access. + + + + Not a git repository. + + + + Local git repository without remotes. + + + + + QtC::GlslEditor + + GLSL + GLSL sub-menu in the Tools menu + GLSL + + + + QtC::Haskell + + Release + Release + + + General + Ogólne + + + Build directory: + + + + GHCi + + + + Run GHCi + + + + Haskell + SnippetProvider + + + + Executable + + + + Choose Stack Executable + + + + Stack executable: + + + + Haskell + + + + Stack Build + + + + + QtC::Help + + Choose Topic + Wybierz temat + + + Choose a topic for <b>%1</b>: + Wybierz temat dla <b>%1</b>: + + + Documentation + Dokumentacja + + + Add Documentation + Dodaj dokumentację + + + Qt Help Files (*.qch) + Pliki pomocy Qt (*.qch) + + + Invalid documentation file: + Niepoprawny plik z dokumentacją: + + + Namespace already registered: + Przestrzeń nazw jest już zarejestrowana: + + + Unable to register documentation. + Nie można zarejestrować dokumentacji. + + + %1 (auto-detected) + %1 (automatycznie wykryte) + + + Add and remove compressed help files, .qch. + Dodaje i usuwa skompresowane pliki pomocy .qch. + + + Registered Documentation + Zarejestrowana dokumentacja + + + Add... + Dodaj... + + + Remove + Usuń + + + Registration Failed + + + + Filters + Filtry + + + Unfiltered + Nieprzefiltrowane + + + General + Ogólne + + + Import Bookmarks + Zaimportuj zakładki + + + Default (%1) + Default viewer backend + + + + Files (*.xbel) + Pliki (*.xbel) + + + Cannot import bookmarks. + Nie można zaimportować zakładek. + + + Save File + Zachowaj plik + + + Font + Czcionka + + + Family: + Rodzina: + + + Style: + Styl: + + + Size: + Rozmiar: + + + Startup + Uruchamianie + + + On context help: + Podręczna pomoc: + + + Show Side-by-Side if Possible + Pokazuj z boku jeśli jest miejsce + + + Always Show Side-by-Side + Zawsze pokazuj z boku + + + On help start: + Po uruchomieniu pomocy: + + + Show My Home Page + Pokazuj moją stronę startową + + + Show a Blank Page + Pokazuj pustą stronę + + + Show My Tabs from Last Session + Pokazuj moje karty z ostatniej sesji + + + Home page: + Strona startowa: + + + Use &Current Page + Użyj &bieżącej strony + + + % + % + + + Antialias + Antyaliasing + + + Note: The above setting takes effect only if the HTML file does not use a style sheet. + + + + Zoom: + Powiększenie: + + + Use &Blank Page + Użyj &pustej strony + + + Reset + Zresetuj + + + Behaviour + Zachowanie + + + Enable scroll wheel zooming + + + + Return to editor on closing the last page + Powracaj do edytora po zamknięciu ostatniej strony + + + Viewer backend: + + + + Change takes effect after reloading help pages. + + + + Import Bookmarks... + Zaimportuj zakładki... + + + Export Bookmarks... + Wyeksportuj zakładki... + + + Reset to default. + Przywróć domyślną. + + + Switches to editor context after last help page is closed. + Przełącza do trybu edycji po zamknięciu ostatniej strony pomocy. + + + Always Show in Help Mode + Zawsze pokazuj w trybie pomocy + + + Always Show in External Window + Zawsze pokazuj w zewnętrznym oknie + + + Help Index + Indeks pomocy + + + Locates help topics, for example in the Qt documentation. + + + + Help + Pomoc + + + Contents + Zawartość + + + Index + Indeks + + + Search + Wyszukaj + + + Bookmarks + Zakładki + + + Context Help + Pomoc podręczna + + + Technical Support... + + + + Report Bug... + Zgłoś błąd... + + + System Information... + Informacje o systemie... + + + No Documentation + Brak dokumentacji + + + No documentation available. + Brak dostępnej dokumentacji. + + + System Information + Informacje o systemie + + + Use the following to provide more detailed information about your system to bug reports: + Poniżej można uszczegółowić informacje o systemie, które będą użyte do tworzenia raportów o błędach: + + + Copy to Clipboard + Skopiuj do schowka + + + Open Pages + Otwarte strony + + + Indexing Documentation + Indeksowanie dokumentacji + + + Open Link + Otwórz odsyłacz + + + Open Link as New Page + Otwórz odsyłacz na nowej stronie + + + Copy Link + Skopiuj odsyłacz + + + Copy + Skopiuj + + + Reload + Przeładuj + + + The file is not an XBEL version 1.0 file. + Ten plik nie jest plikiem XBEL wersji 1.0. + + + Unknown title + Nieznany plik + + + Open Link in Window + Otwórz odsyłacz w oknie + + + litehtml + + + + QtWebEngine + + + + QTextBrowser + + + + WebKit + + + + Error loading page + Błąd ładowania strony + + + <p>Check that you have the corresponding documentation set installed.</p> + <p>Sprawdź, czy zainstalowałeś odpowiedni zestaw dokumentacji.</p> + + + Error loading: %1 + Błąd ładowania: %1 + + + The page could not be found + Nie można odnaleźć strony + + + (Untitled) + (Nienazwany) + + + Close %1 + Zamknij %1 + + + Close All Except %1 + Zamknij wszystko z wyjątkiem %1 + + + Copy Full Path to Clipboard + Skopiuj pełną ścieżkę do schowka + + + Show Context Help Side-by-Side if Possible + + + + Always Show Context Help Side-by-Side + + + + Always Show Context Help in Help Mode + + + + Always Show Context Help in External Window + + + + Open in Help Mode + Otwórz w trybie pomocy + + + Home + Strona startowa + + + Back + Wstecz + + + Forward + Do przodu + + + Add Bookmark + Dodaj zakładkę + + + Meta+M + Meta+M + + + Ctrl+M + Ctrl+M + + + Open Online Documentation... + + + + Increase Font Size + Zwiększ rozmiar czcionki + + + Decrease Font Size + Zmniejsz rozmiar czcionki + + + Reset Font Size + Zresetuj rozmiar czcionki + + + Open in Edit Mode + + + + Open in New Page + Otwórz na nowej stronie + + + Open in Window + Otwórz w oknie + + + Meta+Shift+C + Meta+Shift+C + + + Ctrl+Shift+C + Ctrl+Shift+C + + + Meta+I + Meta+I + + + Ctrl+Shift+I + Ctrl+Shift+I + + + Activate Help Bookmarks View + Uaktywnij widok z zakładkami pomocy + + + Alt+Meta+M + Alt+Meta+M + + + Ctrl+Shift+B + Ctrl+Shift+B + + + Activate Help Search View + Uaktywnij widok z przeszukiwaniem pomocy + + + Meta+/ + Meta+/ + + + Ctrl+Shift+/ + Ctrl+Shift+/ + + + Activate Open Help Pages View + Uaktywnij widok ze stronami otwartej pomocy + + + Meta+O + Meta+O + + + Ctrl+Shift+O + Ctrl+Shift+O + + + Help - %1 + Pomoc - %1 + + + Print Documentation + Wydruk dokumentacji + + + Get Help Online + Sięgnij po pomoc online + + + Regenerate Index + Ponownie wygeneruj indeks + + + &Look for: + Wy&szukaj: + + + Update Documentation + + + + Purge Outdated Documentation + + + + Zoom: %1% + Powiększenie:%1% + + + New Folder + Nowy katalog + + + Bookmark: + Zakładka: + + + Add in folder: + Dodaj w katalogu: + + + Delete Folder + Usuń katalog + + + Rename Folder + Zmień nazwę katalogu + + + Show Bookmark + Pokaż zakładkę + + + Show Bookmark as New Page + Pokaż zakładkę w nowej karcie + + + Delete Bookmark + Usuń zakładkę + + + Rename Bookmark + Zmień nazwę zakładki + + + Deleting a folder also removes its content.<br>Do you want to continue? + Usunięcie katalogu usuwa również jego zawartość.<br>Czy kontynuować? + + + + QtC::ImageViewer + + Image Viewer + Przeglądarka plików graficznych + + + Fit to Screen + Dopasuj do ekranu + + + Export + + + + Set as Default + + + + on + + + + off + + + + Use the current settings for background, outline, and fitting to screen as the default for new image viewers. Current default: + + + + Background: %1 + + + + Outline: %1 + + + + Fit to Screen: %1 + + + + Play Animation + Odtwórz animację + + + Resume Paused Animation + + + + Pause Animation + Wstrzymaj animację + + + Image format not supported. + Nieobsługiwany format pliku graficznego. + + + Failed to read SVG image. + Błąd odczytu pliku graficznego SVG. + + + Failed to read image. + Błąd odczytu pliku graficznego. + + + File: + Plik: + + + x + Multiplication, as in 32x32 + x + + + Size: + Rozmiar: + + + %1 already exists. +Would you like to overwrite it? + %1 już istnieje. +Czy nadpisać go? + + + Export %1 + Wyeksportuj %1 + + + Exported "%1", %2x%3, %4 bytes + Wyeksportowano "%1", %2x%3, %4 bajtów + + + Export Image + Wyeksportuj plik graficzny + + + Export a Series of Images from %1 (%2x%3) + + + + Could not write file "%1". + Nie można zapisać pliku "%1". + + + Ctrl+= + Ctrl+= + + + Switch Background + Przełącz tło + + + Ctrl+[ + Ctrl+[ + + + Switch Outline + Przełącz konspekt + + + Ctrl+] + Ctrl+] + + + Toggle Animation + Przełącz animację + + + Export Multiple Images + + + + Copy as Data URL + + + + Enter a file name containing place holders %1 which will be replaced by the width and height of the image, respectively. + + + + Clear + Wyczyść + + + Set Standard Icon Sizes + + + + Generate Sizes + + + + A comma-separated list of size specifications of the form "<width>x<height>". + + + + Sizes: + + + + Please specify some sizes. + + + + Invalid size specification: %1 + + + + The file name must contain one of the placeholders %1, %2. + + + + The file %1 already exists. +Would you like to overwrite it? + + + + The files %1 already exist. +Would you like to overwrite them? + + + + + QtC::IncrediBuild + + Target and Configuration + + + + Enter the appropriate arguments to your build command. + + + + Make sure the build command's multi-job parameter value is large enough (such as -j200 for the JOM or Make build tools) + + + + IncrediBuild Distribution Control + + + + Output and Logging + + + + Miscellaneous + Różne + + + IncrediBuild for Windows + + + + Keep original jobs number: + + + + Forces IncrediBuild to not override the -j command line switch, that controls the number of parallel spawned tasks. The default IncrediBuild behavior is to set it to 200. + + + + Profile.xml: + + + + Defines how Automatic Interception Interface should handle the various processes involved in a distributed job. It is not necessary for "Visual Studio" or "Make and Build tools" builds, but can be used to provide configuration options if those builds use additional processes that are not included in those packages. It is required to configure distributable processes in "Dev Tools" builds. + + + + Avoid local task execution: + + + + Overrides the Agent Settings dialog Avoid task execution on local machine when possible option. This allows to free more resources on the initiator machine and could be beneficial to distribution in scenarios where the initiating machine is bottlenecking the build with High CPU usage. + + + + Determines the maximum number of CPU cores that can be used in a build, regardless of the number of available Agents. It takes into account both local and remote cores, even if the Avoid Task Execution on Local Machine option is selected. + + + + Maximum CPUs to utilize in the build: + + + + Newest allowed helper machine OS: + + + + Specifies the newest operating system installed on a helper machine to be allowed to participate as helper in the build. + + + + Oldest allowed helper machine OS: + + + + Specifies the oldest operating system installed on a helper machine to be allowed to participate as helper in the build. + + + + Build title: + + + + Specifies a custom header line which will be displayed in the beginning of the build output text. This title will also be used for the Build History and Build Monitor displays. + + + + Save IncrediBuild monitor file: + + + + Writes a copy of the build progress file (.ib_mon) to the specified location. If only a folder name is given, a generated GUID will serve as the file name. The full path of the saved Build Monitor will be written to the end of the build output. + + + + Suppress STDOUT: + + + + Does not write anything to the standard output. + + + + Output Log file: + + + + Writes build output to a file. + + + + Show Commands in output: + + + + Shows, for each file built, the command-line used by IncrediBuild to build the file. + + + + Show Agents in output: + + + + Shows the Agent used to build each file. + + + + Show Time in output: + + + + Shows the Start and Finish time for each file built. + + + + Hide IncrediBuild Header in output: + + + + Suppresses IncrediBuild's header in the build output + + + + Internal IncrediBuild logging level: + + + + Overrides the internal Incredibuild logging level for this build. Does not affect output or any user accessible logging. Used mainly to troubleshoot issues with the help of IncrediBuild support + + + + Set an Environment Variable: + + + + Sets or overrides environment variables for the context of the build. + + + + Stop on errors: + + + + When specified, the execution will stop as soon as an error is encountered. This is the default behavior in "Visual Studio" builds, but not the default for "Make and Build tools" or "Dev Tools" builds + + + + Additional Arguments: + + + + Add additional buildconsole arguments manually. The value of this field will be concatenated to the final buildconsole command line + + + + Open Build Monitor: + + + + Opens Build Monitor once the build starts. + + + + CMake + CMake + + + Custom Command + + + + Command Helper: + + + + Select a helper to establish the build command. + + + + Make command: + + + + Make arguments: + Argumenty make'a: + + + IncrediBuild for Linux + + + + Specify nice value. Nice Value should be numeric and between -20 and 19 + + + + Nice value: + + + + Force remote: + + + + Alternate tasks preference: + + + + Make + Make + + + + QtC::Ios + + Base arguments: + Podstawowe argumenty: + + + Reset Defaults + Przywróć domyślne + + + Extra arguments: + Dodatkowe argumenty: + + + xcodebuild + xcodebuild + + + iOS build + iOS BuildStep display name. + Wersja iOS + + + %1 Simulator + Symulator %1 + + + Application not running. + Aplikacja nie jest uruchomiona. + + + Could not find device specific debug symbols at %1. Debugging initialization will be slow until you open the Organizer window of Xcode with the device connected to have the symbols generated. + + + + The dSYM %1 seems to be outdated, it might confuse the debugger. + dSYM %1 może być nieaktualny i może spowodować nieprawidłową pracę debuggera. + + + Deploy on iOS + Zainstaluj na iOS + + + Deploy to %1 + Zainstaluj na %1 + + + Error: no device available, deploy failed. + Błąd: urządzenie nie jest dostępne, instalacja nieudana. + + + Deployment failed. No iOS device found. + Nieudana instalacja. Brak urządzenia iOS. + + + Deploy to iOS device + + + + Deployment failed. The settings in the Devices window of Xcode might be incorrect. + Nieudana instalacja. Ustawienia w oknie "Urządzenia" w Xcode mogą być niepoprawne. + + + Deployment failed. + Nieudana instalacja. + + + The Info.plist might be incorrect. + Info.plist może być niepoprawne. + + + Transferring application + + + + The provisioning profile "%1" (%2) used to sign the application does not cover the device %3 (%4). Deployment to it will fail. + + + + iOS Device + Urządzenie iOS + + + Device name + Nazwa urządzenia + + + Developer status + Whether the device is in developer mode. + Stan trybu deweloperskiego + + + Connected + Połączony + + + yes + tak + + + no + nie + + + unknown + nieznany + + + OS version + Wersja OS + + + An iOS device in user mode has been detected. + Wykryto urządzenie iOS w trybie użytkownika. + + + Do you want to see how to set it up for development? + Czy chcesz zobaczyć jak przełączyć je do trybu deweloperskiego? + + + Device name: + + + + Identifier: + + + + OS Version: + + + + CPU Architecture: + + + + Failed to detect the ABIs used by the Qt version. + Nie można wykryć ABI użytych przez wersję Qt. + + + iOS + Qt Version is meant for Ios + iOS + + + Run on %1 + Uruchom na %1 + + + Run %1 on %2 + Uruchom %1 na %2 + + + Kit has incorrect device type for running on iOS devices. + Niewłaściwy typ urządzenia, ustawiony w zestawie narzędzi, do uruchamiania na urządzeniach iOS. + + + No device chosen. Select %1. + Brak wybranego urządzenia. Wybierz %1. + + + No device chosen. Enable developer mode on a device. + Brak wybranego urządzenia. Odblokuj tryb deweloperski na urządzeniu. + + + No device available. + Brak dostępnych urządzeń. + + + To use this device you need to enable developer mode on it. + Odblokuj tryb deweloperski na tym urządzeniu. + + + %1 is not connected. Select %2? + %1 nie jest podłączony. Wybrać %2? + + + %1 is not connected. Enable developer mode on a device? + %1 nie jest podłączony. Odblokować tryb deweloperski na urządzeniu? + + + %1 is not connected. + %1 nie jest podłączony. + + + Device type: + Typ urządzenia: + + + Could not find %1. + Nie można odnaleźć %1. + + + Could not get necessary ports for the debugger connection. + + + + Could not get inferior PID. + + + + Run failed. The settings in the Organizer window of Xcode might be incorrect. + Nieudane uruchomienie. Ustawienia w oknie "Organizer" w Xcode mogą być niepoprawne. + + + The device is locked, please unlock. + Urządzenie jest zablokowane, odblokuj je. + + + Run ended. + Praca zakończona. + + + Run ended with error. + Praca zakończona błędem. + + + iOS Simulator + Symulator iOS + + + iOS tool error %1 + Błąd narzędzia iOS %1 + + + Application install on simulator failed. Simulator not running. + Instalacja aplikacji na symulatorze zakończona błędem. Symulator nie jest uruchomiony. + + + Application launch on simulator failed. Invalid bundle path %1 + Uruchomienie aplikacji na symulatorze zakończone błędem. Niepoprawna ścieżka %1 dla bundle + + + Application launch on simulator failed. Simulator not running. %1 + + + + Application install on simulator failed. %1 + Instalacja aplikacji na symulatorze zakończona błędem. %1 + + + Cannot capture console output from %1. Error redirecting output to %2.* + Nie można przechwycić komunikatów z konsoli %1. Błąd przekierowania wyjścia na %2.* + + + Cannot capture console output from %1. Install Xcode 8 or later. + Nie można przechwycić komunikatów z konsoli %1. Zainstaluj Xcode 8 lub nowszą wersję. + + + Application launch on simulator failed. %1 + Uruchomienie aplikacji na symulatorze zakończone błędem. %1 + + + Invalid simulator response. Device Id mismatch. Device Id = %1 Response Id = %2 + Niepoprawna odpowiedź symulatora. Niedopasowane identyfikatory. Identyfikator urządzenia: "%1", identyfikator odpowiedzi: "%2" + + + Reset to Default + Przywróć domyślny + + + Command: + Komenda: + + + Arguments: + Argumenty: + + + Reset + Reset + + + Automatically manage signing + Automatycznie zarządzaj podpisami + + + Development team: + Zespół deweloperski: + + + iOS Settings + Ustawienia iOS + + + Provisioning profile: + + + + Default + Domyślny + + + None + Brak + + + Development team is not selected. + Nie wybrano zespołu deweloperskiego. + + + Provisioning profile is not selected. + + + + Using default development team and provisioning profile. + + + + Development team: %1 (%2) + Zespół deweloperski: %1 (%2) + + + Settings defined here override the QMake environment. + Ustawienia zdefiniowane tutaj nadpisują środowisko QMake. + + + %1 not configured. Use Xcode and Apple developer account to configure the provisioning profiles and teams. + + + + Development teams + Zespoły deweloperskie + + + Provisioning profiles + + + + No provisioning profile found for the selected team. + + + + Provisioning profile expired. Expiration date: %1 + + + + iOS Configuration + Konfiguracja iOS + + + Ask about devices not in developer mode + Pytaj o urządzenia nie będące w trybie deweloperskim + + + Devices + Urządzenia + + + Simulator + Symulator + + + Rename a simulator device. + Zmienia nazwę symulatora. + + + Rename + Zmień nazwę + + + Delete simulator devices. + Usuwa symulatory. + + + Delete + Usuń + + + Reset contents and settings of simulator devices. + Resetuje zawartości i ustawienia symulatorów. + + + Screenshot directory: + Katalog ze zrzutami ekranu: + + + Create a new simulator device. + Tworzy nowy symulator. + + + Create + Utwórz + + + Start simulator devices. + Uruchamia symulator. + + + Start + Uruchom + + + Screenshot + Zrzut ekranu + + + You are trying to launch %n simulators simultaneously. This will take significant system resources. Do you really want to continue? + + Próba uruchomienia %n symulatora. To w znacznym stopniu wyczerpie zasoby systemu. Czy kontynuować? + Próba uruchomienia %n symulatorów jednocześnie. To w znacznym stopniu wyczerpie zasoby systemu. Czy kontynuować? + Próba uruchomienia %n symulatorów jednocześnie. To w znacznym stopniu wyczerpie zasoby systemu. Czy kontynuować? + + + + Simulator Start + Uruchomienie symulatora + + + Cannot start simulator (%1, %2) in current state: %3 + Nie można uruchomić symulatora (%1, %2) w bieżącym stanie: %3 + + + simulator start + uruchomienie symulatora + + + Creating simulator device... + Tworzenie symulatora... + + + Simulator device (%1) created. +UDID: %2 + Utworzono symulator (%1). +UDID: %2 + + + Simulator device (%1) creation failed. +Error: %2 + Błąd tworzenia symulatora (%1). +Błąd: %2 + + + Starting %n simulator device(s)... + + + + + + + + Do you really want to reset the contents and settings of the %n selected device(s)? + + + + + + + + Resetting contents and settings... + Resetowanie zawartości i ustawień... + + + simulator reset + reset symulatora + + + Rename %1 + Zmień nazwę %1 + + + Enter new name: + Wprowadź nową nazwę: + + + Renaming simulator device... + Zmienianie nazwy symulatora... + + + simulator rename + zmiana nazwy symulatora + + + Delete Device + Usuń urządzenie + + + Do you really want to delete the %n selected device(s)? + + + + + + + + Deleting %n simulator device(s)... + + + + + + + + Capturing screenshots from %n device(s)... + + + + + + + + simulator delete + usuwanie urządzenia + + + simulator screenshot + pobieranie zrzutów ekranu + + + %1 - Free Provisioning Team : %2 + + + + Yes + Tak + + + No + Nie + + + Team: %1 +App ID: %2 +Expiration date: %3 + Zespół: %1 +Identyfikator aplikacji: %2 +Termin wygaśnięcia: %3 + + + Create Simulator + Utwórz symulator + + + Simulator name: + Nazwa symulatora: + + + OS version: + Wersja OS: + + + Simulator Operation Status + Stan operacji symulatora + + + %1, %2 +Operation %3 completed successfully. + %1, %2 +Operacja %3 poprawnie zakończona. + + + %1, %2 +Operation %3 failed. +UDID: %4 +Error: %5 + %1, %2 +Operacja %3 niepoprawnie zakończona. +UDID: %4 +Błąd: %5 + + + Unknown + Nieznany + + + Done. + Zakończone. + + + Starting remote process. + Uruchamianie zdalnego procesu. + + + Could not get necessary ports for the profiler connection. + + + + UDID: %1 + UDID: %1 + + + Simulator Name + Nazwa symulatora + + + Runtime + + + + Current State + Bieżący stan + + + Failed to start process. + + + + Process was canceled. + + + + Process was forced to exit. + + + + Cannot find xcrun. + + + + xcrun is not executable. + + + + Invalid Empty UDID. + + + + Failed to start simulator app. + + + + Simulator device is not available. (%1) + + + + Simulator start was canceled. + + + + Cannot start Simulator device. Previous instance taking too long to shut down. (%1) + + + + Cannot start Simulator device. Simulator not in shutdown state. (%1) + + + + Cannot start Simulator device. Simulator not in booted state. (%1) + + + + Bundle path does not exist. + + + + Invalid (empty) bundle identifier. + + + + Failed to convert inferior pid. (%1) + + + + + QtC::LanguageClient + + Error %1 + + + + Incoming + + + + Outgoing + + + + Call Hierarchy + + + + Reloads the call hierarchy for the symbol under cursor position. + + + + %1 for %2 + <language client> for <project> + + + + uninitialized + language client state + + + + initialize requested + language client state + + + + failed to initialize + language client state + + + + initialized + language client state + + + + shutdown requested + language client state + + + + shut down + language client state + + + + error + language client state + + + + Invalid parameter in "%1": +%2 + + + + Language Server "%1" Initialization Error + + + + Initialization error: %1. + + + + Initialize result is invalid. + + + + Server Info is invalid. + + + + No initialize result. + + + + Copy to Clipboard + Skopiuj do schowka + + + Language Client + + + + Symbols in Current Document + + + + Locates symbols in the current document, based on a language server. + + + + Symbols in Workspace + + + + Locates symbols in the language server workspace. + + + + Classes and Structs in Workspace + + + + Locates classes and structs in the language server workspace. + + + + Functions and Methods in Workspace + + + + Locates functions and methods in the language server workspace. + + + + Cannot handle MIME type "%1" of message. + + + + Cannot send data to unstarted server %1 + + + + Unexpectedly finished. Restarting in %1 seconds. + + + + Unexpectedly finished. + + + + Language Server + + + + Generic StdIO Language Server + + + + Inspect Language Clients... + + + + &Add + &Dodaj + + + &Delete + &Usuń + + + General + Ogólne + + + Always On + + + + Requires an Open File + + + + Start Server per Project + + + + Name: + Nazwa: + + + Language: + Język: + + + Set MIME Types... + + + + File pattern + + + + List of file patterns. +Example: *.cpp%1*.h + + + + Startup behavior: + + + + Initialization options: + + + + Failed to parse JSON at %1: %2 + + + + Language server-specific JSON to pass via "initializationOptions" field of "initialize" request. + + + + Select MIME Types + + + + Filter + Filtr + + + Executable: + Plik wykonywalny: + + + Arguments: + Argumenty: + + + JSON Error + + + + Workspace Configuration + + + + Additional JSON configuration sent to all running language servers for this project. +See the documentation of the specific language server for valid settings. + + + + Search Again to update results and re-enable Replace + + + + Re&name %n files + + + + + + + + Files: +%1 + Pliki: +%1 + + + Find References with %1 for: + + + + Renaming is not supported with %1 + + + + %1 is not reachable anymore. + + + + Start typing to see replacements. + + + + Show available quick fixes + + + + Restart %1 + + + + Inspect Language Clients + + + + Manage... + Zarządzaj... + + + Expand All + Rozwiń wszystko + + + Capabilities: + + + + Dynamic Capabilities: + + + + Method: + Metoda: + + + Options: + + + + Server Capabilities + + + + Client Message + + + + Messages + + + + Server Message + + + + Log File + Plik logu + + + Language Client Inspector + + + + <Select> + + + + Language Server: + + + + Log + Log + + + Capabilities + + + + Clear + Wyczyść + + + + QtC::LanguageServerProtocol + + Cannot decode content with "%1". Falling back to "%2". + + + + Expected an integer in "%1", but got "%2". + + + + Could not parse JSON message: "%1". + + + + Expected a JSON object, but got a JSON "%1" value. + + + + No parameters in "%1". + + + + No ID set in "%1". + + + + Create %1 + + + + Rename %1 to %2 + + + + Delete %1 + + + + + QtC::Macros + + Preferences + Ustawienia + + + Name + Nazwa + + + Description + Opis + + + Shortcut + Skrót + + + Remove + Usuń + + + Macro + Makro + + + Description: + Opis: + + + Save Macro + Zachowaj makro + + + Name: + Nazwa: + + + Text Editing Macros + Makra do edycji tekstu + + + Runs a text editing macro that was recorded with Tools > Text Editing Macros > Record Macro. + + + + Text Editing &Macros + &Makra do edycji tekstu + + + Record Macro + Nagraj makro + + + Stop Recording Macro + Zatrzymaj nagrywanie makra + + + Ctrl+[ + Ctrl+[ + + + Alt+[ + + + + Ctrl+] + Ctrl+] + + + Alt+] + + + + Play Last Macro + Odtwórz ostatnie makro + + + Alt+R + Alt+R + + + Meta+R + Meta+R + + + Save Last Macro + Zachowaj ostatnie makro + + + Macros + Makra + + + Playing Macro + Odtwarzanie makra + + + An error occurred while replaying the macro, execution stopped. + Wystąpił błąd podczas ponownego odtwarzania makra, zatrzymano wykonywanie. + + + Macro mode. Type "%1" to stop recording and "%2" to play the macro. + Tryb makro. Wpisz "%1" aby zatrzymać nagrywanie albo "%2" aby je odtworzyć. + + + + QtC::Marketplace + + Marketplace + + + + Search in Marketplace... + + + + <p>Could not fetch data from Qt Marketplace.</p><p>Try with your browser instead: <a href='https://marketplace.qt.io'>https://marketplace.qt.io</a></p><br/><p><small><i>Error: %1</i></small></p> + + + + + QtC::McuSupport + + Qt for MCUs Kit Creation + + + + Fix + + + + Help + Pomoc + + + Qt for MCUs path %1 + + + + Target + Cel + + + Warning + + + + Error + Błąd + + + Package + Pakiet + + + Status + Stan + + + MCU Dependencies + + + + Paths to 3rd party dependencies + + + + The MCU dependencies setting value is invalid. + + + + CMake variable %1 not defined. + + + + CMake variable %1: path %2 does not exist. + + + + Warning for target %1: invalid toolchain path (%2). Update the toolchain in Edit > Preferences > Kits. + + + + Warning for target %1: missing CMake toolchain file expected at %2. + + + + Warning for target %1: missing QulGenerators expected at %2. + + + + Kit for %1 created. + + + + Error registering Kit for %1. + + + + Path %1 exists, but does not contain %2. + + + + Path %1 does not exist. Add the path in Edit > Preferences > Devices > MCU. + + + + Missing %1. Add the path in Edit > Preferences > Devices > MCU. + + + + No CMake tool was detected. Add a CMake tool in Edit > Preferences > Kits > CMake. + + + + or + + + + Path %1 exists. + + + + Path %1 exists. Version %2 was found. + + + + Path %1 is valid, %2 was found. + + + + but only version %1 is supported + + + + but only versions %1 are supported + + + + Path %1 is valid, %2 was found, %3. + + + + Path %1 does not exist. + + + + Path is empty. + + + + Path is empty, %1 not found. + + + + Path %1 exists, but version %2 could not be detected. + + + + Download from "%1" + + + + Board SDK for MIMXRT1050-EVK + + + + Board SDK MIMXRT1060-EVK + + + + Board SDK for MIMXRT1060-EVK + + + + Board SDK for MIMXRT1064-EVK + + + + Board SDK for MIMXRT1170-EVK + + + + Board SDK for STM32F469I-Discovery + + + + Board SDK for STM32F769I-Discovery + + + + Board SDK for STM32H750B-Discovery + + + + Board SDK + + + + Flexible Software Package for Renesas RA MCU Family + + + + Graphics Driver for Traveo II Cluster Series + + + + Renesas Graphics Library + + + + Cypress Auto Flash Utility + + + + MCUXpresso IDE + + + + Path to SEGGER J-Link + + + + Path to Renesas Flash Programmer + + + + STM32CubeProgrammer + + + + Green Hills Compiler for ARM + + + + IAR ARM Compiler + + + + Green Hills Compiler + + + + GNU Arm Embedded Toolchain + + + + GNU Toolchain + + + + MSVC Toolchain + + + + FreeRTOS SDK for MIMXRT1050-EVK + + + + FreeRTOS SDK for MIMXRT1064-EVK + + + + FreeRTOS SDK for MIMXRT1170-EVK + + + + FreeRTOS SDK for EK-RA6M3G + + + + FreeRTOS SDK for STM32F769I-Discovery + + + + Path to project for Renesas e2 Studio + + + + Arm GDB at %1 + + + + MCU Device + + + + Qt for MCUs Demos + + + + Qt for MCUs Examples + + + + Replace Existing Kits + + + + Create New Kits + + + + Qt for MCUs + + + + New version of Qt for MCUs detected. Upgrade existing kits? + + + + Errors while creating Qt for MCUs kits + + + + Details + Szczegóły + + + Qt for MCUs SDK + + + + Targets supported by the %1 + + + + Requirements + + + + Automatically create kits for all available targets on start + + + + Create a Kit + + + + Create Kit + + + + Update Kit + + + + No valid kit descriptions found at %1. + + + + A kit for the selected target and SDK version already exists. + + + + Kits for a different SDK version exist. + + + + A kit for the selected target can be created. + + + + Provide the package paths to create a kit for your target. + + + + No CMake tool was detected. Add a CMake tool in the <a href="cmake">CMake options</a> and select Apply. + + + + Unable to apply changes in Devices > MCU. + + + + No target selected. + + + + Invalid paths present for target +%1 + + + + MCU + + + + Qt for MCUs: %1 + + + + Create Kits for Qt for MCUs? To do it later, select Edit > Preferences > Devices > MCU. + + + + Create Kits for Qt for MCUs + + + + Create new kits + + + + Replace existing kits + + + + Proceed + Wykonaj + + + Detected %n uninstalled MCU target(s). Remove corresponding kits? + + + + + + + + Keep + + + + Remove + Usuń + + + Flash and run CMake parameters: + + + + MSVC Binary directory + + + + GCC Toolchain + + + + Parsing error: the type entry in JSON kit files must be a string, defaulting to "path" + + + + Parsing error: the type entry "%2" in JSON kit files is not supported, defaulting to "path" + + + + Qt for MCUs SDK version %1 detected, only supported by Qt Creator version %2. This version of Qt Creator requires Qt for MCUs %3 or greater. + + + + Skipped %1. Unsupported version "%2". + + + + Detected version "%1", only supported by Qt Creator %2. + + + + Unsupported version "%1". + + + + Skipped %1. %2 Qt for MCUs version >= %3 required. + + + + Error creating kit for target %1, package %2: %3 + + + + Warning creating kit for target %1, package %2: %3 + + + + the toolchain.id JSON entry is empty + + + + the given toolchain "%1" is not supported + + + + the toolchain.compiler.cmakeVar JSON entry is empty + + + + the toolchain.file.cmakeVar JSON entry is empty + + + + Toolchain is invalid because %2 in file "%3". + + + + Toolchain description for "%1" is invalid because %2 in file "%3". + + + + + QtC::Mercurial + + General Information + Ogólne informacje + + + Repository: + Repozytorium: + + + Branch: + Gałąź: + + + Commit Information + Informacje o poprawce + + + Author: + Autor: + + + Email: + E-mail: + + + Configuration + Konfiguracja + + + Command: + Komenda: + + + User + Użytkownik + + + Username to use by default on commit. + Nazwa użytkownika domyślnie używana przy tworzeniu poprawek. + + + Default username: + Domyślna nazwa użytkownika: + + + Email to use by default on commit. + E-mail domyślnie używany przy tworzeniu poprawek. + + + Miscellaneous + Różne + + + Mercurial + Mercurial + + + Default email: + Domyślny adres e-mail: + + + Revert + Odwróć zmiany + + + Specify a revision other than the default? + Podaj inną wersję niż domyślna + + + Revision: + Wersja: + + + Default Location + Domyślne położenie + + + Local filesystem: + Lokalny system plików: + + + Specify URL: + Podaj URL: + + + Prompt for credentials + Pytaj o listy uwierzytelniające + + + For example: "https://[user[:pass]@]host[:port]/[path]". + Na przykład: "https://[użytkownik[:hasło]@]host[:port]/[ścieżka]". + + + Commit Editor + Edytor poprawek + + + Unable to find parent revisions of %1 in %2: %3 + Nie można odnaleźć macierzystej wersji dla %1 w %2: %3 + + + Cannot parse output: %1 + Nie można przetworzyć komunikatu: %1 + + + Hg incoming %1 + Hg incoming %1 + + + Hg outgoing %1 + Hg outgoing %1 + + + Mercurial Diff + + + + Mercurial Diff "%1" + + + + Me&rcurial + Me&rcurial + + + Annotate Current File + Dołącz adnotację do bieżącego pliku + + + Annotate "%1" + Dołącz adnotację do "%1" + + + Diff Current File + Pokaż różnice w bieżącym pliku + + + Diff "%1" + Pokaż różnice w "%1" + + + Meta+H,Meta+D + Meta+H,Meta+D + + + Log Current File + Log bieżącego pliku + + + Log "%1" + Log "%1" + + + Meta+H,Meta+L + Meta+H,Meta+L + + + Status Current File + Stan bieżącego pliku + + + Status "%1" + Stan "%1" + + + Alt+G,Alt+D + Alt+G,Alt+D + + + Triggers a Mercurial version control operation. + + + + Alt+G,Alt+L + Alt+G,Alt+L + + + Meta+H,Meta+S + Meta+H,Meta+S + + + Alt+G,Alt+S + Alt+G,Alt+S + + + Add + Dodaj + + + Add "%1" + Dodaj "%1" + + + Delete... + Usuń... + + + Delete "%1"... + Usuń "%1"... + + + Revert Current File... + Odwróć zmiany w bieżącym pliku... + + + Revert "%1"... + Odwróć zmiany w "%1"... + + + Diff + Pokaż różnice + + + Log + Log + + + Revert... + Odwróć zmiany... + + + Status + Stan + + + Pull... + Pull... + + + Push... + Push... + + + Update... + Update... + + + Import... + Import... + + + Incoming... + Incoming... + + + Outgoing... + Outgoing... + + + Commit... + Utwórz poprawkę... + + + Meta+H,Meta+C + Meta+H,Meta+C + + + Alt+G,Alt+C + Alt+G,Alt+C + + + Create Repository... + Utwórz repozytorium... + + + Pull Source + + + + Push Destination + + + + Update + Uaktualnij + + + Incoming Source + Nadchodzące źródło + + + There are no changes to commit. + Brak zmian do utworzenia poprawki. + + + Unable to create an editor for the commit. + Nie można utworzyć edytora dla poprawki. + + + Commit changes for "%1". + Poprawka ze zmian w "%1". + + + Mercurial Command + Komenda Mercurial + + + Password: + Hasło: + + + Username: + Nazwa użytkownika: + + + &Annotate %1 + Dołącz &adnotację do %1 + + + Annotate &parent revision %1 + Dołącz adnotację do &wersji macierzystej "%1" + + + + QtC::MesonProjectManager + + Key + Klucz + + + Value + Wartość + + + Configure + Konfiguracja + + + Build + + + + Build "%1" + Zbuduj "%1" + + + Meson + + + + Apply Configuration Changes + Zastosuj zmiany w konfiguracji + + + Wipe Project + + + + Wipes build directory and reconfigures using previous command line options. +Useful if build directory is corrupted or when rebuilding with a newer version of Meson. + + + + Parameters: + + + + Meson build: Parsing failed + + + + No Meson tool set. + + + + No Ninja tool set. + + + + No compilers set in kit. + + + + Running %1 in %2. + + + + Configuring "%1". + + + + Executable does not exist: %1 + + + + Command is not executable: %1 + + + + Meson Tool + + + + The Meson tool to use when building a project with Meson.<br>This setting is ignored when using other build systems. + + + + Cannot validate this meson executable. + + + + Unconfigured + Nieskonfigurowane + + + Build + MesonProjectManager::MesonBuildStepConfigWidget display name. + + + + Tool arguments: + Argumenty narzędzia: + + + Targets: + Produkty docelowe: + + + Meson Build + + + + Ninja Tool + + + + The Ninja tool to use when building a project with Meson.<br>This setting is ignored when using other build systems. + + + + Cannot validate this Ninja executable. + + + + Ninja + + + + Autorun Meson + + + + Automatically run Meson when needed. + + + + Ninja verbose mode + + + + Enables verbose mode by default when invoking Ninja. + + + + General + Ogólne + + + Name: + Nazwa: + + + Path: + Ścieżka: + + + Name + Nazwa + + + Location + Położenie + + + New Meson or Ninja tool + + + + Add + Dodaj + + + Clone + Sklonuj + + + Remove + Usuń + + + Make Default + Ustaw jako domyślny + + + Set as the default Meson executable to use when creating a new kit or when no value is set. + + + + Tools + + + + Version: %1 + + + + Clone of %1 + Klon %1 + + + Meson executable path does not exist. + + + + Meson executable path is not a file. + + + + Meson executable path is not executable. + + + + Cannot get tool version. + + + + + QtC::ModelEditor + + &Remove + &Usuń + + + &Delete + &Usuń + + + Export Diagram... + Wyeksportuj diagram... + + + Export Selected Elements... + + + + Open Parent Diagram + Otwórz diagram rodzica + + + Add Package + Dodaj pakiet + + + Add Component + Dodaj komponent + + + Add Class + Dodaj klasę + + + Add Canvas Diagram + Dodaj diagram płótna + + + Synchronize Browser and Diagram + + + + Press && Hold for Options + + + + Edit Element Properties + Modyfikuj właściwości elementu + + + Shift+Return + Shift+Return + + + Edit Item on Diagram + Zmodyfikuj element w diagramie + + + Return + Powróć + + + No model loaded. Cannot save. + Brak załadowanego projektu. Nie można zachować. + + + Could not open "%1" for reading: %2. + Nie można otworzyć "%1" do odczytu: %2. + + + <html><body style="color:#909090; font-size:14px"><div align='center'><div style="font-size:20px">Open a diagram</div><table><tr><td><hr/><div style="margin-top: 5px">&bull; Double-click on diagram in model tree</div><div style="margin-top: 5px">&bull; Select "Open Diagram" from package's context menu in model tree</div></td></tr></table></div></body></html> + + + + Synchronize Structure with Diagram + + + + Synchronize Diagram with Structure + + + + Keep Synchronized + + + + Images (*.png *.jpeg *.jpg *.tif *.tiff);;PDF (*.pdf) + Pliki graficzne (*.png *.jpeg *.jpg *.tif *.tiff);;PDF (*.pdf) + + + ;;SVG (*.svg) + ;;SVG (*.svg) + + + Export Diagram + Wyeksportuj diagram + + + Export Selected Elements + + + + Exporting Selected Elements Failed + + + + Exporting the selected elements of the current diagram into file<br>"%1"<br>failed. + + + + Exporting Diagram Failed + Błąd eksportowania diagramu + + + Exporting the diagram into file<br>"%1"<br>failed. + Błąd eksportowania diagramu "%1" do pliku. + + + New %1 + Nowy %1 + + + Package + Pakiet + + + New Package + Nowy pakiet + + + Component + Komponent + + + New Component + Nowy komponent + + + Class + Klasa + + + New Class + Nowa klasa + + + Item + Element + + + New Item + Nowy element + + + Annotation + Adnotacja + + + Boundary + Granice + + + Swimlane + + + + Open Diagram + Otwórz diagram + + + Add Component %1 + Dodaj komponent %1 + + + Add Class %1 + Dodaj klasę %1 + + + Add Package %1 + Dodaj pakiet %1 + + + Add Package and Diagram %1 + Dodaj pakiet i diagram %1 + + + Add Component Model + Dodaj model komponentu + + + Create Component Model + Utwórz model komponentu + + + Drop Node + Upuść węzeł + + + Select Custom Configuration Folder + Wybierz katalog z własną konfiguracją + + + Config path: + Ścieżka konfiguracji: + + + <font color=red>Model file must be reloaded.</font> + <font color=red>Plik modelu musi zostać przeładowany.</font> + + + Zoom: %1% + Powiększenie:%1% + + + Update Include Dependencies + Uaktualnij zależności + + + + QtC::Nim + + Target: + Cel: + + + Extra arguments: + Dodatkowe argumenty: + + + Command: + Komenda: + + + Default arguments: + Domyślne argumenty: + + + None + Brak + + + Debug + Debug + + + Release + Release + + + Working directory: + Katalog roboczy: + + + Current Build Target + Bieżący cel budowania + + + General + Ogólne + + + Nim Compiler Build Step + Krok budowania kompilatora Nim + + + Nim build step + Krok budowania Nim + + + Code Style + Styl kodu + + + Nim + Nim + + + Nim Clean Step + Krok czyszczenia Nim + + + Build directory "%1" does not exist. + Katalog budowania "%1" nie istnieje. + + + Failed to delete the cache directory. + Nie można usunąć katalogu cache'a. + + + Failed to delete the out file. + Nie można usunąć pliku wyjściowego. + + + Clean step completed successfully. + Krok czyszczenia poprawnie zakończony. + + + Global + Settings + Globalne + + + No Nim compiler set. + Brak ustawionego kompilatora Nim. + + + Nim compiler does not exist. + + + + &Compiler path: + Ścieżka do &kompilatora: + + + &Compiler version: + Wersja &kompilatora: + + + Nim + SnippetProvider + Nim + + + Nimble Build + + + + Nimble Test + + + + Nimble Task + + + + Task arguments: + + + + Tasks: + + + + Nimble task %1 not found. + + + + Path: + Ścieżka: + + + Tools + + + + + QtC::PerfProfiler + + Samples + + + + Function + Funkcja + + + Source + Źródło + + + Binary + Binarny + + + Allocations + Liczba przydziałów pamięci + + + observed + + + + guessed + + + + Releases + + + + Peak Usage + + + + Various + Różne + + + Event Type + + + + Counter + + + + Operation + + + + Result + Wynik + + + Perf Data Parser Failed + + + + The Perf data parser failed to process all the samples. Your trace is incomplete. The exit code was %1. + + + + perfparser failed to start. + + + + Could not start the perfparser utility program. Make sure a working Perf parser is available at the location given by the PERFPROFILER_PARSER_FILEPATH environment variable. + + + + Perf Data Parser Crashed + + + + This is a bug. Please report it. + + + + Skipping Processing Delay + + + + Cancel this to ignore the processing delay and immediately start recording. + + + + Cancel this to ignore the processing delay and immediately stop recording. + + + + Cannot Send Data to Perf Data Parser + + + + The Perf data parser does not accept further input. Your trace is incomplete. + + + + Load Perf Trace + + + + &Trace file: + + + + &Browse... + + + + Directory of &executable: + + + + B&rowse... + + + + Kit: + Zestaw narzędzi: + + + Choose Perf Trace + + + + Perf traces (*%1) + + + + Choose Directory of Executable + + + + [unknown] + [nieznany] + + + Perf Process Failed to Start + + + + Make sure that you are running a recent Linux kernel and that the "perf" utility is available. + + + + Failed to transfer Perf data to perfparser. + + + + Address + Adres + + + Source Location + + + + Binary Location + + + + Caller + Wołająca + + + Callee + Zawołana + + + Occurrences + Wystąpienia + + + Occurrences in Percent + + + + Recursion in Percent + + + + Samples in Percent + + + + Self Samples + + + + Self in Percent + + + + Performance Analyzer Options + + + + Load perf.data File + + + + Load Trace File + + + + Save Trace File + + + + Limit to Range Selected in Timeline + + + + Show Full Range + Pokaż pełen zakres + + + Create Memory Trace Points + + + + Create trace points for memory profiling on the target device. + + + + Performance Analyzer + + + + Finds performance bottlenecks. + + + + Timeline + Oś czasu + + + Statistics + Statystyki + + + Flame Graph + + + + Discard data. + + + + Limit to Selected Range + + + + Reset Zoom + Zresetuj powiększenie + + + Copy Table + Skopiuj tabelę + + + Copy Row + Skopiuj wiersz + + + Reset Flame Graph + + + + No Data Loaded + + + + The profiler did not produce any samples. Make sure that you are running a recent Linux kernel and that the "perf" utility is available and generates useful call graphs. +You might find further explanations in the Application Output view. + + + + A performance analysis is still in progress. + + + + Start a performance analysis. + + + + Enable All + + + + Disable All + + + + Trace File (*.ptq) + + + + Show all addresses. + + + + Aggregate by functions. + + + + Stop collecting profile data. + + + + Collect profile data. + + + + Recorded: %1.%2s + + + + Processing delay: %1.%2s + + + + Invalid data format. The trace file's identification string is "%1". An acceptable trace file should have "%2". You cannot read trace files generated with older versions of %3. + + + + Invalid data format. The trace file was written with data stream version %1. We can read at most version %2. Please use a newer version of Qt. + + + + Failed to reset temporary trace file. + + + + Failed to flush temporary trace file. + + + + Cannot re-open temporary trace file. + + + + Read past end from temporary trace file. + + + + Thread started + + + + Thread ended + + + + Samples lost + + + + Context switch + + + + Invalid + + + + Failed to replay Perf events from stash file. + + + + Loading Trace Data + Ładowanie danych stosu + + + Saving Trace Data + Zachowywanie danych stosu + + + Performance Analyzer Settings + + + + Use Trace Points + + + + Add Event + + + + Remove Event + + + + Reset + + + + Replace events with trace points read from the device? + + + + Cannot List Trace Points + + + + "perf probe -l" failed to start. Is perf installed? + + + + No Trace Points Found + + + + Trace points can be defined with "perf probe -a". + + + + Sample period: + + + + Stack snapshot size (kB): + + + + Sample mode: + + + + frequency (Hz) + + + + event count + + + + Call graph mode: + + + + dwarf + + + + frame pointer + + + + last branch record + + + + Additional arguments: + Dodatkowe argumenty: + + + CPU Usage + + + + sample collected + + + + Details + Szczegóły + + + Timestamp + Znacznik czasu + + + Guessed + + + + %n frame(s) + + + + + + + + System + System + + + Name + Nazwa + + + Resource Usage + + + + Resource Change + + + + thread started + + + + thread ended + + + + lost sample + + + + context switch + + + + Duration + Czas trwania + + + (guessed from context) + + + + Total Samples + + + + Total Unique Samples + + + + Resource Peak + + + + Resource Guesses + + + + Run the following script as root to create trace points? + + + + Elevate privileges using: + + + + Error: No device available for active target. + + + + Error: Failed to load trace point script %1: %2. + + + + Executing script... + + + + Failed to run trace point script: %1 + + + + Failed to create trace points. + + + + Created trace points for: %1 + + + + + QtC::Perforce + + Change Number + Numer zmiany + + + Change number: + + + + P4 Pending Changes + Oczekujące zmiany P4 + + + Submit + Name of the "commit" action of the VCS + Utwórz poprawkę + + + Change %1: %2 + Zmiana %1: %2 + + + Test + Przetestuj + + + Perforce + Perforce + + + Configuration + Konfiguracja + + + Miscellaneous + Różne + + + Timeout: + Limit czasu oczekiwania: + + + s + s + + + Log count: + Licznik logu: + + + P4 command: + Komenda P4: + + + P4 client: + Klient P4: + + + P4 user: + Użytkownik P4: + + + P4 port: + Port P4: + + + Environment Variables + Zmienne środowiskowe + + + Automatically open files when editing + Automatycznie otwieraj pliki, jeśli zostały zmodyfikowane + + + Change: + Zmiana: + + + Client: + Klient: + + + User: + Użytkownik: + + + &Perforce + &Perforce + + + Edit + Edycja + + + Edit "%1" + Zmodyfikuj "%1" + + + Alt+P,Alt+E + Alt+P,Alt+E + + + Edit File + Zmodyfikuj plik + + + Add + Dodaj + + + Add "%1" + Dodaj "%1" + + + Alt+P,Alt+A + Alt+P,Alt+A + + + Add File + Dodaj plik + + + Delete File + Usuń plik + + + Revert + Odwróć zmiany + + + Revert "%1" + Odwróć zmiany w "%1" + + + Alt+P,Alt+R + Alt+P,Alt+R + + + Revert File + Odwróć zmiany w pliku + + + Diff Current File + Pokaż różnice w bieżącym pliku + + + Diff "%1" + Pokaż różnice w "%1" + + + Diff Current Project/Session + Pokaż różnice w bieżącym projekcie / sesji + + + Diff Project "%1" + Pokaż różnice w projekcie "%1" + + + Alt+P,Alt+D + Alt+P,Alt+D + + + Diff Opened Files + Pokaż różnice w otwartych plikach + + + Opened + Otwarto + + + Alt+P,Alt+O + Alt+P,Alt+O + + + Submit Project + Poprawka ze zmian w projekcie + + + Alt+P,Alt+S + Alt+P,Alt+S + + + Pending Changes... + Oczekujące zmiany... + + + Update Project "%1" + Uaktualnij projekt "%1" + + + Describe... + Opisz... + + + Annotate Current File + Dołącz adnotację do bieżącego pliku + + + Annotate "%1" + Dołącz adnotację do "%1" + + + Annotate... + Dołącz adnotację... + + + Filelog Current File + Log bieżącego pliku + + + Filelog "%1" + Log pliku "%1" + + + Alt+P,Alt+F + Alt+P,Alt+F + + + Filelog... + Log pliku... + + + Update All + Uaktualnij wszystko + + + Triggers a Perforce version control operation. + + + + Meta+P,Meta+F + Meta+P,Meta+F + + + Meta+P,Meta+E + Meta+P,Meta+E + + + Meta+P,Meta+A + Meta+P,Meta+A + + + Delete... + Usuń... + + + Delete "%1"... + Usuń "%1"... + + + Meta+P,Meta+R + Meta+P,Meta+R + + + Meta+P,Meta+D + Meta+P,Meta+D + + + Log Project + Pokaż log projektu + + + Log Project "%1" + Pokaż log projektu "%1" + + + Submit Project "%1" + Poprawka ze zmian w projekcie "%1" + + + Meta+P,Meta+S + Meta+P,Meta+S + + + Update Current Project + Uaktualnij bieżący projekt + + + Revert Unchanged + Odwróć niezmienione + + + Revert Unchanged Files of Project "%1" + Odwróć niezmienione pliki projektu "%1" + + + Revert Project + Odwróć zmiany w projekcie + + + Revert Project "%1" + Odwróć zmiany w projekcie "%1" + + + Meta+P,Meta+O + Meta+P,Meta+O + + + Repository Log + Log repozytorium + + + p4 revert + p4 revert + + + The file has been changed. Do you want to revert it? + Plik został zmieniony. Czy odwrócić w nim zmiany? + + + Do you want to revert all changes to the project "%1"? + Czy odwrócić wszystkie zmiany w projekcie "%1"? + + + Another submit is currently executed. + Trwa tworzenie innej poprawki. + + + Project has no files + Brak plików w projekcie + + + p4 annotate + p4 annotate + + + p4 annotate %1 + p4 annotate %1 + + + p4 filelog + p4 filelog + + + p4 filelog %1 + p4 filelog %1 + + + p4 changelists %1 + p4 changelists %1 + + + Could not start perforce "%1". Please check your settings in the preferences. + Nie można uruchomić perforce "%1". Sprawdź stosowne ustawienia. + + + Perforce did not respond within timeout limit (%1 s). + Perforce nie odpowiedział w określonym czasie (%1 s). + + + The process terminated with exit code %1. + Proces zakończył się kodem wyjściowym %1. + + + p4 submit failed: %1 + Błąd p4 submit: %1 + + + Error running "where" on %1: %2 + Failed to run p4 "where" to resolve a Perforce file name to a local file system name. + Błąd podczas uruchamiania "where" w %1: %2 + + + The file is not mapped + File is not managed by Perforce + Plik nie jest zmapowany + + + Perforce repository: %1 + Repozytorium Perforce: %1 + + + Perforce: Unable to determine the repository: %1 + Perforce: Nie można określić repozytorium: %1 + + + The process terminated abnormally. + Proces niepoprawnie zakończony. + + + Perforce is not correctly configured. + Perforce nie jest poprawnie skonfigurowany. + + + [Only %n MB of output shown] + %n probably doesn't make sense here + + [Pokazano tylko %n MB danych wyjściowych] + [Pokazano tylko %n MB danych wyjściowych] + [Pokazano tylko %n MB danych wyjściowych] + + + + Close Submit Editor + + + + Closing this editor will abort the submit. + + + + Cannot submit. + + + + Cannot submit: %1. + + + + p4 diff %1 + p4 diff %1 + + + p4 describe %1 + p4 describe %1 + + + Pending change + Oczekująca zmiana + + + Could not submit the change, because your workspace was out of date. Created a pending submit instead. + Nie można utworzyć poprawki, ponieważ drzewo robocze nie jest aktualne. Zamiast tego utworzono poprawkę oczekującą na wysłanie. + + + Perforce Submit + Utwórz poprawkę w Perforce + + + Perforce Command + Komenda Perforce + + + Testing... + Testowanie... + + + Test succeeded (%1). + Test poprawnie zakończony (%1). + + + No executable specified + Nie podano programu do uruchomienia + + + "%1" timed out after %2 ms. + "%1" bez odpowiedzi po %2 ms. + + + Unable to launch "%1": %2 + Nie można uruchomić "%1": %2 + + + "%1" crashed. + "%1" przerwał pracę. + + + "%1" terminated with exit code %2: %3 + "%1" zakończone kodem wyjściowym %2: %3 + + + The client does not seem to contain any mapped files. + Wygląda na to, że klient nie ma żadnych zmapowanych plików. + + + Unable to determine the client root. + Unable to determine root of the p4 client installation + Nie można określić korzenia klienta. + + + The repository "%1" does not exist. + Repozytorium "%1" nie istnieje. + + + &Edit + &Edycja + + + &Hijack + + + + Annotate change list "%1" + Dołącz adnotację do listy zmian "%1" + + + Ignore Whitespace + Ignoruj białe znaki + QtC::ProjectExplorer + + Restore Global + Przywróć globalne + + + Display Settings + Wyświetlanie + + + Display right &margin at column: + Wyświetlaj prawy &margines w kolumnie: + + + Use context-specific margin + + + + If available, use a different margin. For example, the ColumnLimit from the ClangFormat plugin. + + + + Command: + Komenda: + + + Working directory: + Katalog roboczy: + + + Arguments: + Argumenty: + + + Build and Run + Budowanie i uruchamianie + + + Use jom instead of nmake + Używaj jom zamiast nmake + + + Same Application + + + + Enabled + + + + Disabled + Zablokowana + + + Deduced from Project + + + + Projects Directory + Katalog z projektami + + + Current directory + Bieżący katalog + + + Directory + Katalog + + + Close source files along with project + + + + Save all files before build + Zachowuj wszystkie pliki przed budowaniem + + + Always deploy project before running it + Zawsze instaluj projekt przed uruchomieniem + + + Always ask before stopping applications + Zawsze pytaj przed zatrzymaniem aplikacji + + + Merge stderr and stdout + Scal stderr z stdout + + + Enable + + + + Use Project Default + + + + Default build directory: + Domyślny katalog wersji: + + + QML debugging: + + + + Use qmlcachegen: + + + + Default Build Properties + + + + Stop applications before building: + Aplikacje zatrzymywane przed budowaniem: + + + Same Project + Pochodzące z tego samego projektu + + + Add linker library search paths to run environment + + + + Create suitable run configurations automatically + + + + Clear issues list on new build + + + + Abort on error when building all projects + + + + Start build processes with low priority + + + + Do Not Build Anything + + + + Build the Whole Project + + + + Build Only the Application to Be Run + + + + All + Wszystkie + + + Same Build Directory + Pochodzące z tego samego katalogu budowania + + + Closing Projects + + + + Build before deploying: + + + + Default for "Run in terminal": + + + + Add to &project: + Dodaj do &projektu: + + + Add to &version control: + Dodaj do systemu kontroli &wersji: + + + Project Management + Organizacja projektu + + + Session Manager + Zarządzanie sesjami + + + &New... + &Nowa sesja... + + + &Rename... + Z&mień nazwę... + + + C&lone... + S&klonuj... + + + &Delete... + &Usuń... + + + &Open + &Otwórz + + + What is a Session? + Co to jest sesja? + + + Restore last session on startup + Przywracaj ostatnią sesję po uruchomieniu + + + Configuration is faulty. Check the Issues view for details. + Błędna konfiguracja. Sprawdź szczegóły w widoku "Problemy budowania". + + + Could not create directory "%1" + Nie można utworzyć katalogu "%1" + + + The program "%1" does not exist or is not executable. + + + + Starting: "%1" %2 + Uruchamianie "%1" %2 + + + The process "%1" exited normally. + Proces "%1" zakończył się normalnie. + + + The process "%1" exited with code %2. + Proces "%1" zakończył się kodem wyjściowym %2. + + + Could not start process "%1" %2. + + + + The process "%1" crashed. + Proces "%1" przerwał pracę. + + + Files in Any Project + Pliki we wszystkich projektach + + + Locates files of all open projects. Append "+<number>" or ":<number>" to jump to the given line number. Append another "+<number>" or ":<number>" to jump to the column number as well. + + + + All Projects + Wszystkie projekty + + + All Projects: + Wszystkie projekty: + + + Filter: %1 +Excluding: %2 +%3 + Filtr: %1 +Wykluczenia: %2 +%3 + + + Cannot retrieve debugging output. + Nie można pobrać komunikatów debuggera. + + + Finished %1 of %n steps + + Zakończono krok %1 z %n + Zakończono krok %1 z %n + Zakończono krok %1 z %n + + + + The build device failed to prepare for the build of %1 (%2). + + + + Compile + Category for compiler issues listed under 'Issues' + Kompilacja + + + Issues parsed from the compile output. + + + + Build System + Category for build system issues listed under 'Issues' + System budowania + + + Issues from the build system, such as CMake or qmake. + + + + Deployment + Category for deployment issues listed under 'Issues' + Instalacja + + + Build/Deployment canceled + Anulowano budowanie / instalację + + + Error while building/deploying project %1 (kit: %2) + Błąd budowania / instalowania projektu %1 (zestaw narzędzi: %2) + + + The kit %1 has configuration issues which might be the root cause for this problem. + Przyczyną problemu może być niepoprawnie skonfigurowany zestaw narzędzi %1. + + + When executing step "%1" + Podczas wykonywania kroku "%1" + + + Canceled build/deployment. + Anulowano budowanie / instalację. + + + Issues found when deploying applications to devices. + + + + Autotests + Category for autotest issues listed under 'Issues' + + + + Issues found when running tests. + + + + Running steps for project %1... + Uruchamianie kroków budowania dla projektu %1... + + + Skipping disabled step %1. + Pominięcie zablokowanego kroku %1. + + + No build settings available + Brak dostępnych ustawień budowania + + + Edit build configuration: + Edycja konfiguracji budowania: + + + Add + Dodaj + + + Remove + Usuń + + + Clone... + + + + New Configuration + Nowa konfiguracja + + + Cancel Build && Remove Build Configuration + Przerwij budowanie i usuń konfigurację budowania + + + Do Not Remove + Nie usuwaj + + + Remove Build Configuration %1? + Usunąć konfigurację budowania %1? + + + The build configuration <b>%1</b> is currently being built. + Konfiguracja budowania <b>%1</b> jest w tej chwili wykorzystywana. + + + Do you want to cancel the build process and remove the Build Configuration anyway? + Czy przerwać budowanie i usunąć tę konfigurację? + + + Remove Build Configuration? + Usunąć konfigurację budowania? + + + Do you really want to delete build configuration <b>%1</b>? + Czy na pewno usunąć konfigurację budowania <b>%1</b>? + + + Rename... + Zmień nazwę... + + + New name for build configuration <b>%1</b>: + Nowa nazwa dla konfiguracji budowania <b>%1</b>: + + + New configuration name: + Nazwa nowej konfiguracji: + + + Compile Output + Komunikaty kompilatora + + + Show Compile &Output + + + + Show the output that generated this issue in Compile Output. + + + + Open Compile Output when building + + + + Files in Current Project + Pliki w bieżącym projekcie + + + Locates files from the current document's project. Append "+<number>" or ":<number>" to jump to the given line number. Append another "+<number>" or ":<number>" to jump to the column number as well. + + + + Project "%1" + Projekt "%1" + + + Current Project + Bieżący projekt + + + Project "%1": + Projekt "%1": + + + Unable to Add Dependency + Nie można dodać zależności + + + This would create a circular dependency. + Utworzyłoby to cykliczną zależność. + + + Edit... + Modyfikuj... + + + Choose Directory + Wybierz katalog + + + Ed&it + Z&modyfikuj + + + &Add + &Dodaj + + + &Reset + &Przywróć + + + &Unset + &Usuń + + + Append Path... + + + + Prepend Path... + + + + &Batch Edit... + Modyfikuj &grupowo... + + + Open &Terminal + + + + Open a terminal with this environment set up. + + + + Unset <a href="%1"><b>%1</b></a> + Usuń <a href="%1"><b>%1</b></a> + + + Set <a href="%1"><b>%1</b></a> to <b>%2</b> + Ustaw <a href="%1"><b>%1</b></a> na <b>%2</b> + + + Append <b>%2</b> to <a href="%1"><b>%1</b></a> + + + + Prepend <b>%2</b> to <a href="%1"><b>%1</b></a> + + + + Set <a href="%1"><b>%1</b></a> to <b>%2</b> [disabled] + + + + Use <b>%1</b> + %1 is "System Environment" or some such. + Użyj <b>%1</b> + + + <b>No environment changes</b> + + + + Use <b>%1</b> and + Yup, word puzzle. The Set/Unset phrases above are appended to this. %1 is "System Environment" or some such. + Użyj <b>%1</b> i + + + Custom Process Step + Default ProcessStep display name + Własny krok procesu + + + &Build + &Budowanie + + + &Debug + &Debugowanie + + + &Start Debugging + &Rozpocznij debugowanie + + + Open With + Otwórz przy pomocy + + + New Project... + Nowy projekt... + + + Load Project... + Załaduj projekt... + + + Ctrl+Shift+O + Ctrl+Shift+O + + + Open File + Otwórz plik + + + Close Project + Zamknij projekt + + + Close Project "%1" + Zamknij projekt "%1" + + + Ctrl+Shift+B + Ctrl+Shift+B + + + Build Project + Zbuduj projekt + + + Build Project "%1" + Zbuduj projekt "%1" + + + Ctrl+B + Ctrl+B + + + Rebuild Project + Przebuduj projekt + + + Deploy Project + Zainstaluj projekt + + + Clean Project + Wyczyść projekt + + + Build Without Dependencies + Zbuduj bez zależności + + + Rebuild Without Dependencies + Przebuduj bez zależności + + + Deploy Without Dependencies + Zainstaluj bez zależności + + + Clean Without Dependencies + Wyczyść bez zależności + + + C + C + + + C++ + C++ + + + Close All Projects and Editors + Zamknij wszystkie projekty i edytory + + + Alt+Backspace + Alt+Backspace + + + Ctrl+R + Ctrl+R + + + Run Without Deployment + Uruchom z pominięciem instalowania + + + Rebuild + Przebuduj + + + Add Existing Projects... + + + + Add Existing Directory... + Dodaj istniejący katalog... + + + New Subproject... + Nowy podprojekt... + + + Close All Files + + + + Close Other Projects + + + + Close All Projects Except "%1" + + + + Properties... + + + + Remove... + + + + Duplicate File... + Powiel plik... + + + Remove Project... + Remove project from parent profile (Project explorer view); will not physically delete any files. + Usuń projekt... + + + Delete File... + Usuń plik... + + + Set "%1" as Active Project + Ustaw "%1" jako aktywny projekt + + + Expand + Rozwiń + + + Collapse All + Zwiń wszystko + + + Expand All + Rozwiń wszystko + + + Open Build and Run Kit Selector... + Otwórz przełącznik zestawu budowania i uruchamiania... + + + File where current session is saved. + Plik, w którym zachowana jest bieżąca sesja. + + + Name of current session. + Nazwa bieżącej sesji. + + + Cancel Build && Unload + Przerwij budowanie i wyładuj + + + Do Not Unload + Nie wyładowuj + + + Unload Project %1? + Wyładować projekt %1? + + + The project %1 is currently being built. + Trwa budowanie projektu %1. + + + Do you want to cancel the build process and unload the project anyway? + Czy przerwać budowanie i wyładować projekt? + + + _copy + _kopia + + + Duplicating File Failed + Błąd powielania pliku + + + The file %1 could not be renamed %2. + Nie można zmienić nazwy pliku "%1" na "%2". + + + Cannot Rename File + Nie można zmienić nazwy pliku + + + Failed to Open Project + Nie można otworzyć projektu + + + S&essions + &Sesje + + + &Manage... + Za&rządzaj... + + + Close Pro&ject "%1" + Zamknij pro&jekt "%1" + + + Close Pro&ject + Zamknij pro&jekt + + + Meta+Backspace + Meta+Backspace + + + Failed opening project "%1": Project is not a file. + Nie można otworzyć projektu "%1": Ścieżka projektu nie wskazuje na plik. + + + Failed opening project "%1": No plugin can open project type "%2". + Nie można otworzyć projektu "%1": brak wtyczki obsługującej projekty typu "%2". + + + Found some build errors in current task. +Do you want to ignore them? + Znaleziono błędy podczas budowania. +Czy zignorować je? + + + Stop Applications + Zatrzymanie aplikacji + + + Stop these applications before building? + Zatrzymać następujące aplikacje przed budowaniem? + + + No project loaded. + Nie załadowano projektu. + + + Currently building the active project. + Trwa budowanie aktywnego projektu. + + + The project %1 is not configured. + Projekt %1 nie jest skonfigurowany. + + + Project has no build settings. + Brak ustawień budowania w projekcie. + + + Cancel Build && Close + Przerwij budowanie i zamknij + + + Do Not Close + Nie zamykaj + + + A project is currently being built. + Trwa budowanie projektu. + + + No active project. + Brak aktywnego projektu. + + + Run %1 + Uruchom %1 + + + You need to set an executable in the custom run configuration. + + + + New Subproject + Title of dialog + Nowy podprojekt + + + Could not add following files to project %1: + Nie można dodać następujących plików do projektu %1: + + + Adding Files to Project Failed + Nie można dodać plików do projektu + + + Project Editing Failed + Nie można zmodyfikować projektu + + + Current Build Environment + + + + Current Run Environment + + + + Active build environment of the active project. + + + + Active run environment of the active project. + + + + Sanitizer + Category for sanitizer issues listed under 'Issues' + + + + Memory handling issues that the address sanitizer found. + + + + Issues from a task list file (.tasks). + + + + Parse Build Output... + + + + Open Project in "%1" + Otwórz projekt w "%1" + + + Open Project "%1" + + + + The file "%1" was renamed to "%2", but the following projects could not be automatically changed: %3 + + + + The following projects failed to automatically remove the file: %1 + + + + Close %1? + + + + Do you want to cancel the build process and close %1 anyway? + + + + A run action is already scheduled for the active project. + + + + %1 in %2 + %1 w %2 + + + The following subprojects could not be added to project "%1": + + + + Adding Subproject Failed + + + + Failed opening terminal. +%1 + + + + Remove More Files? + + + + Remove these files as well? + %1 + + + + File "%1" was not removed, because the project has changed in the meantime. +Please try again. + + + + Could not remove file "%1" from project "%2". + + + + Choose File Name + + + + New file name: + + + + Failed to copy file "%1" to "%2": %3. + + + + Failed to add new file "%1" to the project. + + + + The project file %1 cannot be automatically changed. + +Rename %2 to %3 anyway? + Plik projektu "%1" nie może być automatycznie zmieniony. + +Czy, pomimo to, zmienić nazwę "%2" na "%3"? + + + The file %1 was renamed to %2, but the project file %3 could not be automatically changed. + Plik %1 został przemianowany na %2, ale nie można było automatycznie zmienić pliku projektu %3. + + + Locates files from all project directories. Append "+<number>" or ":<number>" to jump to the given line number. Append another "+<number>" or ":<number>" to jump to the column number as well. + + + + Run Run Configuration + + + + Runs a run configuration of the active project. + + + + Switched run configuration to +%1 + + + + Switch Run Configuration + + + + Switches the active run configuration of the active project. + + + + Building "%1" is disabled: %2<br> + Budowanie "%1" jest zablokowane: %2<br> + + + A build is in progress. + Trwa budowanie. + + + The project "%1" is not configured. + Projekt %1 nie jest skonfigurowany. + + + The project "%1" has no active kit. + Projekt "%1" nie posiada aktywnego zestawu narzędzi. + + + The kit "%1" for the project "%2" has no active run configuration. + Brak aktywnej konfiguracji uruchamiania w zestawie narzędzi "%1" w projekcie "%2". + + + Cannot run "%1". + Nie można uruchomić "%1". + + + Removing File Failed + Nie można usunąć pliku + + + Deleting File Failed + Nie można usunąć pliku + + + Delete File + Usuń plik + + + Delete %1 from file system? + Usunąć %1 z systemu plików? + + + Recent P&rojects + Ostatnie p&rojekty + + + Project Environment + + + + Documentation Comments + Komentarze dokumentacji + + + Open... + + + + Close All Files in Project + + + + Close All Files in Project "%1" + + + + Build All Projects + + + + Build All Projects for All Configurations + + + + Deploy All Projects + + + + Rebuild All Projects + + + + Rebuild All Projects for All Configurations + + + + Clean All Projects + + + + Clean All Projects for All Configurations + + + + Build Project for All Configurations + + + + Build Project "%1" for All Configurations + + + + Build for &Run Configuration + + + + Build for &Run Configuration "%1" + + + + Run Generator + + + + Rebuild Project for All Configurations + + + + Clean Project for All Configurations + + + + Cancel Build + Przerwij budowanie + + + Add New... + Dodaj nowy... + + + Add Existing Files... + Dodaj istniejące pliki... + + + Set as Active Project + Ustaw jako aktywny projekt + + + Quick Switch Kit Selector + Szybki przełącznik zestawu narzędzi + + + Ctrl+T + Ctrl+T + + + Load Project + Załaduj projekt + + + New Project + Title of dialog + Nowy projekt + + + <h3>Project already open</h3> + <h3>Projekt już otwarty</h3> + + + Ignore All Errors? + Zignorować wszystkie błędy? + + + Run Configuration Removed + Usunięto konfigurację uruchamiania + + + The configuration that was supposed to run is no longer available. + Konfiguracja, która miała zostać użyta do uruchomienia, nie jest już dostępna. + + + Always save files before build + Zawsze zachowuj pliki przed budowaniem + + + The project %1 is not configured, skipping it. + Projekt %1 nie jest skonfigurowany, zostaje pominięty. + + + A build is still in progress. + Nadal trwa budowanie. + + + New File + Title of dialog + Nowy plik + + + Add Existing Files + Dodaj istniejące pliki + + + Could not delete file %1. + Nie można usunąć pliku %1. + + + General + Ogólne + + + Open project anyway? + Czy otworzyć projekt mimo to? + + + Version Control Failure + Błąd kontroli wersji + + + Failed to add subproject "%1" +to project "%2". + Nie można dodać podprojektu "%1" +do projektu "%2". + + + Failed to add one or more files to project +"%1" (%2). + Nie można dodać jednego lub więcej plików do projektu +"%1" (%2). + + + Simplify Tree + Uprość drzewo + + + Hide Generated Files + Ukryj wygenerowane pliki + + + Hide Disabled Files + + + + Focus Document in Project Tree + + + + Meta+Shift+L + + + + Alt+Shift+L + + + + Hide Empty Directories + Ukryj puste katalogi + + + Hide Source and Header Groups + + + + Synchronize with Editor + Synchronizuj z edytorem + + + Projects + Projekty + + + Meta+X + Meta+X + + + Alt+X + Alt+X + + + Filter Tree + Przefiltruj drzewo + + + Open Session #%1 + Otwórz sesję #%1 + + + Ctrl+Meta+%1 + Ctrl+Meta+%1 + + + Ctrl+Alt+%1 + Ctrl+Alt+%1 + + + Open Recent Project #%1 + Otwórz ostatni projekt #%1 + + + Ctrl+Shift+%1 + Ctrl+Shift+%1 + + + Open %1 "%2" + Otwórz %1 "%2" + + + Open %1 "%2" (%3) + Otwórz %1 "%2" (%3) + + + %1 (last session) + %1 (ostatnia sesja) + + + %1 (current session) + %1 (bieżąca sesja) + + + Remove Project from Recent Projects + + + + Clear Recent Project List + + + + Clone + Sklonuj + + + Rename + Zmień nazwę + + + Delete + Usuń + + + Sessions + Sesje + + + Summary + Podsumowanie + + + Add as a subproject to project: + Dodaj podprojekt do projektu: + + + <None> + <Brak> + + + A version control system repository could not be created in "%1". + Nie można utworzyć repozytorium systemu kontroli wersji w "%1". + + + Failed to add "%1" to the version control system. + Nie można dodać "%1" do systemu kontroli wersji. + + + Files to be added: + Pliki, które zostaną dodane: + + + Files to be added in + Pliki, które zostaną dodane w + + + Run Settings + Ustawienia uruchamiania + + + Variables in the run environment. + + + + The run configuration's working directory. + + + + The run configuration's name. + + + + The run configuration's executable. + + + + No build system active + + + + Run on %{Device:Name} + Shown in Run configuration if no executable is given, %1 is device name + + + + %1 (on %{Device:Name}) + Shown in Run configuration, Add menu: "name of runnable (on device name)" + + + + Deployment + Instalacja + + + Method: + Metoda: + + + Run + Uruchamianie + + + Run configuration: + Konfiguracja uruchamiania: + + + Remove Run Configuration? + Usunąć konfigurację uruchamiania? + + + Do you really want to delete the run configuration <b>%1</b>? + Czy na pewno usunąć konfigurację uruchamiania <b>%1</b>? + + + Clone Configuration + Title of a the cloned BuildConfiguration window, text of the window +---------- +Title of a the cloned RunConfiguration window, text of the window + Sklonuj konfigurację + + + Remove All + Usuń wszystko + + + Remove Run Configurations? + + + + Do you really want to delete all run configurations? + + + + New name for run configuration <b>%1</b>: + Nowa nazwa dla konfiguracji uruchamiania <b>%1</b>: + + + Cancel Build && Remove Deploy Configuration + Przerwij budowanie i usuń konfigurację instalacji + + + Remove Deploy Configuration %1? + Usunąć konfigurację instalacji %1? + + + The deploy configuration <b>%1</b> is currently being built. + Konfiguracja instalacji <b>%1</b> jest w tej chwili wykorzystywana. + + + Do you want to cancel the build process and remove the Deploy Configuration anyway? + Czy przerwać budowanie i usunąć tę konfigurację? + + + Remove Deploy Configuration? + Usunąć konfigurację instalacji? + + + Do you really want to delete deploy configuration <b>%1</b>? + Czy na pewno usunąć konfigurację instalacji <b>%1</b>? + + + New name for deploy configuration <b>%1</b>: + Nowa nazwa dla konfiguracji instalacji <b>%1</b>: + + + Error while restoring session + Błąd podczas przywracania sesji + + + Could not restore session %1 + Nie można przywrócić sesji %1 + + + Failed to restore project files + Nie można przywrócić plików projektu + + + Delete Session + Usuń sesję + + + Delete Sessions + + + + Delete session %1? + Usunąć sesję %1? + + + Delete these sessions? + %1 + + + + Could not restore the following project files:<br><b>%1</b> + Nie można przywrócić następujących plików projektu:<br><b>%1</b> + + + Keep projects in Session + Przechowaj projekty w sesji + + + Remove projects from Session + Usuń projekty z sesji + + + Loading Session + Ładowanie sesji + + + Error while saving session + Błąd podczas zachowywania sesji + + + Could not save session %1 + + + + Could not save session to file "%1" + Nie można zachować sesji w pliku "%1" + + + Untitled + Nienazwany + + + untitled + File path suggestion for a new project. If you choose to translate it, make sure it is a valid path name without blanks and using only ascii chars. + nienazwany + + + Clean + Displayed name for a "cleaning" build step +---------- +Display name of the clean build step list. Used as part of the labels in the project window. + czyszczenia + + + Custom Output Parsers + + + + Parse standard output during build + + + + Makes output parsers look for diagnostics on stdout rather than stderr. + + + + Build Settings + Ustawienia budowania + + + Build directory + Katalog budowania wersji + + + Name of the build configuration + + + + Variables in the build configuration's environment + + + + Tooltip in target selector: + + + + Appears as a tooltip when hovering the build configuration + + + + The project was not parsed successfully. + + + + Main file of the project + + + + Name of the project + + + + Name of the project's active build configuration + + + + Name of the project's active build system + + + + Type of the project's active build configuration + + + + System Environment + Środowisko systemowe + + + Clean Environment + Czyste środowisko + + + Clear system environment + Wyczyść środowisko systemowe + + + Build Environment + Środowisko budowania + + + URI: + URI: + + + Creates a custom Qt Creator plugin. + Tworzy własną wtyczkę dla Qt Creatora. + + + URL: + URL: + + + Other Project + Inne projekty + + + Creates a project that you can open in Qt Design Studio + + + + The minimum version of Qt you want to build the application for + + + + This wizard creates a simple unit test project using Boost. + + + + Boost Test (header only) + + + + Boost Test (shared libraries) + + + + Boost include directory (optional): + + + + Boost install directory (optional): + + + + Creates a new unit test project using Boost. Unit tests allow you to verify that the code is fit for use and that there are no regressions. + + + + Test Project + + + + Boost Test Project + + + + This wizard creates a simple unit test project using Qt Quick Test. + + + + Generate setup code + + + + Creates a new unit test project using Qt Quick Test. Unit tests allow you to verify that the code is fit for use and that there are no regressions. + + + + Qt Quick Test Project + + + + This wizard creates a simple unit test project using Catch2. + + + + Catch2 v2 (header only) + + + + Catch2 v3 (shared libraries) + + + + Catch2 include directory (optional): + + + + Catch2 install directory (optional): + + + + Use own main + + + + Use Qt libraries + + + + Creates a new unit test project using Catch2. Unit tests allow you to verify that the code is fit for use and that there are no regressions. + + + + Catch2 Test Project + + + + This wizard creates a simple unit test project using Qt Test. + + + + Creates a new unit test project using Qt Test. Unit tests allow you to verify that the code is fit for use and that there are no regressions. + + + + Qt Test Project + + + + This wizard creates a simple unit test project using Google Test. + + + + Google Test (header only) + + + + Google Test (shared libraries) + + + + Googletest source directory (optional): + + + + Googletest install directory (optional): + + + + Creates a new unit test project using Google Test. Unit tests allow you to verify that the code is fit for use and that there are no regressions. + + + + Google Test Project + + + + This wizard creates a custom Qt Creator plugin. + + + + Specify details about your custom Qt Creator plugin. + + + + MyCompany + + + + (C) %{VendorName} + + + + Put short license information here + + + + Put a short description of your plugin here + + + + Qt Creator Plugin + Wtyczka Qt Creatora + + + Code Snippet + Urywek kodu + + + Code: + Kod: + + + Type: + Typ: + + + Library + Biblioteka + + + Plugin name: + Nazwa wtyczki: + + + Vendor name: + Nazwa dostawcy: + + + Copyright: + Prawa autorskie: + + + License: + Licencja: + + + Description: + Opis: + + + Qt Creator build: + Wersja Qt Creatora: + + + Object class-name: + Nazwa klasy obiektu: + + + Qt Quick 2 Extension Plugin + Wtyczka z rozszerzeniem Qt Quick 2 + + + Path: + Ścieżka: + + + <No other projects in this session> + <Brak innych projektów w tej sesji> + + + Dependencies + Zależności + + + Editor + Edytor + + + Project + Projekt + + + Build + Displayed name for a normal build step +---------- +Display name of the build build step list. Used as part of the labels in the project window. + Wersja + + + Kit + Zestaw narzędzi + + + Unconfigured + Nieskonfigurowane + + + <b>Project:</b> %1 + <b>Projekt:</b> %1 + + + <b>Path:</b> %1 + <b>Ścieżka:</b> %1 + + + <b>Kit:</b> %1 + <b>Zestaw narzędzi:</b> %1 + + + <b>Build:</b> %1 + <b>Wersja:</b> %1 + + + <b>Deploy:</b> %1 + <b>Instalacja:</b> %1 + + + <b>Run:</b> %1 + <b>Do uruchomienia:</b> %1 + + + %1 + %1 + + + <style type=text/css>a:link {color: rgb(128, 128, 255);}</style>The project <b>%1</b> is not yet configured<br/><br/>You can configure it in the <a href="projectmode">Projects mode</a><br/> + + + + Project: <b>%1</b><br/> + Projekt: <b>%1</b><br/> + + + Kit: <b>%1</b><br/> + Zestaw narzędzi: <b>%1</b><br/> + + + Build: <b>%1</b><br/> + Wersja: <b>%1</b><br/> + + + Deploy: <b>%1</b><br/> + Instalacja: <b>%1</b><br/> + + + Run: <b>%1</b><br/> + Do uruchomienia: <b>%1</b><br/> + + + Clone of %1 + Klon %1 + + + Build & Run + Budowanie i uruchamianie + + + Devices + Urządzenia + + + Name of current project + Nazwa bieżącego projektu + + + Type of current build + Rodzaj bieżącej wersji + + + Enter the name of the session: + Podaj nazwę sesji: + + + %1 Steps + %1 is the name returned by BuildStepList::displayName + Kroki %1 + + + No %1 Steps + Brak kroków %1 + + + Add %1 Step + Dodaj krok %1 + + + Move Up + Przenieś do góry + + + Disable + Zablokuj + + + Move Down + Przenieś na dół + + + Remove Item + Usuń element + + + Removing Step failed + Nie można usunąć kroku + + + Cannot remove build step while building + Nie można usunąć kroku podczas budowania + + + No Build Steps + Brak kroków procesu budowania + + + error: + Task is of type: error + błąd: + + + warning: + Task is of type: warning + ostrzeżenie: + + + Deploy + Displayed name for a deploy step +---------- +Display name of the deploy build step list. Used as part of the labels in the project window. + instalacji + + + Deploy locally + Default DeployConfiguration display name + Zainstaluj lokalnie + + + Deploy Configuration + Display name of the default deploy configuration + Konfiguracja instalacji + + + Application Still Running + Program wciąż uruchomiony + + + Force &Quit + Wymuś &zakończenie + + + &Keep Running + &Pozostaw uruchomionym + + + User requested stop. Shutting down... + Użytkownik zażądał zatrzymania. Zamykanie... + + + Cannot run: No command given. + Nie można uruchomić: nie podano komendy. + + + %1 exited with code %2 + + + + No executable specified. + Nie podano pliku wykonywalnego. + + + Starting %1... + Uruchamianie %1... + + + <html><head/><body><center><i>%1</i> is still running.<center/><center>Force it to quit?</center></body></html> + <html><head/><body><center><i>%1</i> jest wciąż uruchomiony.<center/><center>Wymusić zakończenie?</center></body></html> + + + PID %1 + PID %1 + + + Invalid + Niepoprawny + + + Show in Editor + Pokaż w edytorze + + + Show task location in an editor. + Pokaż położenie zadania w edytorze. + + + O + O + + + Issues + Problemy + + + Show Warnings + Pokazuj ostrzeżenia + + + Filter by categories + Przefiltruj według kategorii + + + &Annotate + Dołącz &adnotację + + + Annotate using version control system. + Dołącza adnotację przy użyciu systemu kontroli wersji. + + + Stop Monitoring + Zatrzymaj monitorowanie + + + Stop monitoring task files. + Zatrzymaj monitorowanie plików zadania. + + + The process crashed. + Proces przerwał pracę. + + + GCC + GCC + + + MACRO[=VALUE] + + + + &Compiler path: + Ścieżka do &kompilatora: + + + %1 (%2, %3 %4 at %5) + + + + Override for code model + + + + Enable in the rare case that the code model +fails because Clang does not understand the target architecture. + + + + Platform codegen flags: + + + + Platform linker flags: + + + + Target triple: + + + + Parent toolchain: + + + + &ABI: + &ABI: + + + MinGW + MinGW + + + MSVC + MSVC + + + Compilers + Kompilatory + + + <nobr><b>ABI:</b> %1 + <nobr><b>ABI:</b> %1 + + + not up-to-date + nieaktualne + + + [none] + + + + Name + Nazwa + + + Source + Źródło + + + Create Run Configuration + + + + Filter candidates by name + + + + Create + + + + Type + Typ + + + Auto-detected + Automatycznie wykryte + + + Automatically managed by %1 or the installer. + + + + Manual + Ustawione ręcznie + + + This toolchain is invalid. + + + + Toolchain Auto-detection Settings + + + + Detect x86_64 GCC compilers as x86_64 and x86 + + + + If checked, %1 will set up two instances of each x86_64 compiler: +One for the native x86_64 target, and one for a plain x86 target. +Enable this if you plan to create 32-bit x86 binaries without using a dedicated cross compiler. + + + + Re-detect + + + + Auto-detection Settings... + + + + Duplicate Compilers Detected + Wykryto powielone kompilatory + + + The following compiler was already configured:<br>&nbsp;%1<br>It was not configured again. + Następujący kompilator został już skonfigurowany:<br>&nbsp;%1<br>Nie został on ponownie skonfigurowany. + + + The following compilers were already configured:<br>&nbsp;%1<br>They were not configured again. + Następujące kompilatory zostały już skonfigurowane:<br>&nbsp;%1<br>Nie zostały one ponownie skonfigurowane. + + + <custom> + <własny> + + + Stop + Zatrzymaj + + + Attach debugger to this process + Dołącz debugger do tego procesu + + + Attach debugger to %1 + Dołącz debugger do %1 + + + Close Tab + Zamknij kartę + + + Close All Tabs + Zamknij wszystkie karty + + + Close Other Tabs + Zamknij inne karty + + + Show &App Output + + + + Show the output that generated this issue in Application Output. + + + + A + + + + Word-wrap output + + + + Clear old output on a new run + + + + Always + Zawsze + + + Never + Nigdy + + + On First Output Only + + + + Limit output to %1 characters + + + + Open Application Output when running: + + + + Open Application Output when debugging: + + + + Application Output + Komunikaty aplikacji + + + Re-run this run-configuration. + + + + Stop running program. + + + + Application Output Window + Okno z komunikatami aplikacji + + + Code Style + Styl kodu + + + Project + Settings + Projektu + + + Project %1 + Settings, %1 is a language (C++ or QML) + Projektu %1 + + + Clang + Clang + + + Language: + Język: + + + Available device types: + Dostępne typy urządzeń: + + + Start Wizard + Uruchom kreatora + + + &Device: + Urzą&dzenie: + + + &Name: + &Nazwa: + + + Auto-detected: + Automatycznie wykryte: + + + Current state: + Bieżący stan: + + + Type Specific + Zależne od typu + + + &Add... + &Dodaj... + + + &Remove + &Usuń + + + Set As Default + Ustaw jako domyślne + + + &Start Wizard to Add Device... + + + + Add %1 + Add <Device Type Name> + + + + Yes (id is "%1") + Tak (identyfikatorem jest "%1") + + + No + Nie + + + Show Running Processes... + Pokazuj uruchomione procesy... + Local PC Lokalny PC @@ -20743,10 +39589,6 @@ were not verified among remotes in %3. Select different folder? List of Processes Lista procesów - - &Attach to Process - &Dołącz do procesu - Remote Error Zdalny błąd @@ -20760,61 +39602,69 @@ were not verified among remotes in %3. Select different folder? Linia komend - Connection error: %1 - Błąd połączenia: %1 - - - Remote process crashed: %1 - Zdalny proces przerwał pracę: %1 - - - Remote process failed; exit code was %1. - Błąd zdalnego procesu, zakończonego kodem %1. + Fetching process list. This might take a while. + Remote error output was: %1 Zawartość zdalnego wyjścia z błędami: %1 + + Found %n free ports. + + + + + + + + The device name cannot be empty. + + + + A device with this name already exists. + + + + Opening a terminal is not supported. + + Device Urządzenie - Connection failure: %1 - Błąd połączenia: %1 + Ready to use + - Error: Process listing command failed to start: %1 - Błąd: Nie można uruchomić komendy utworzenia listy procesów: %1 + Connected + Połączony - Error: Process listing command crashed: %1 - Błąd: Przerwana praca komendy utworzenia listy procesów: %1 + Disconnected + - Process listing command failed with exit code %1. - Komendy utworzenia listy procesów zakończona błędem, kod wyjściowy: %1. + Unknown + Nieznany - Error: Kill process failed: %1 - Proces "kill" zakończony błędem: %1 + localSource() not implemented for this device type. + - Remote stderr was: %1 - Zawartość zdalnego stderr: %1 + No device for given path: "%1". + - %1 (%2) - %1 (%2) + Device for path "%1" does not support killing processes. + The root directory of the system image to use.<br>Leave empty when building for the desktop. Główny katalog obrazu systemu.<br>Można pozostawić pustym podczas budowania dla desktopu. - - Sysroot: - Sysroot: - The compiler to use for building.<br>Make sure the compiler will produce binaries compatible with the target device, Qt version and other libraries used. Kompilator, który ma być użyty do budowania.<br>Upewnij się, że kompilator zdoła wyprodukować pliki binarne kompatybilne z urządzeniem docelowym, wersją Qt i innymi użytymi bibliotekami. @@ -20823,26 +39673,14 @@ were not verified among remotes in %3. Select different folder? <No compiler> <Brak kompilatora> - - Compiler: - Kompilator: - The type of device to run applications on. Typ urządzenia, na którym mają być uruchamiane aplikacje. - - Device type: - Typ urządzenia: - The device to run the applications on. Urządzenie, na którym mają być uruchamiane aplikacje. - - Device: - Urządzenie: - Session Sesja @@ -20879,1118 +39717,14 @@ were not verified among remotes in %3. Select different folder? Rename and &Open Zmień nazwę i &otwórz - - - QtC::QmlJSEditor - Add a Comment to Suppress This Message - Dodaj komentarz aby zlikwidować ten komunikat - - - Wrap Component in Loader + &Rename - - // TODO: Move position bindings from the component to the Loader. -// Check all uses of 'parent' inside the root element of the component. - - - - // Rename all outer uses of the id "%1" to "%2.item". - - - - // Rename all outer uses of the id "%1" to "%2.item.%1". - - - - - - QtC::QmlJSTools - - The type will only be available in Qt Creator's QML editors when the type name is a string literal - Typ będzie tylko wtedy dostępny w edytorach QML, gdy jego nazwa będzie literałem łańcuchowym - - - The module URI cannot be determined by static analysis. The type will be available -globally in the QML editor. You can add a "// @uri My.Module.Uri" annotation to let -Qt Creator know about a likely URI. - Nie można określić URI modułu po zastosowaniu analizy statycznej. Typ będzie dostępny -globalnie w edytorze QML. Dodanie adnotacji "// @uri Uri.Mojego.Modułu" -poinstruuje Qt Creatora o URI. - - - must be a string literal to be available in the QML editor - musi być literałem łańcuchowym, aby być dostępnym w edytorze QML - - - - QtC::QmlProfiler - - Debug connection opened - Otwarto połączenie debugowe - - - Debug connection closed - Zamknięto połączenie debugowe - - - Debug connection failed - Błąd połączenia debugowego - - - Profiling application: %n events - - Profilowanie aplikacji: %n zdarzenie - Profilowanie aplikacji: %n zdarzenia - Profilowanie aplikacji: %n zdarzeń - - - - Profiling application - Profilowanie aplikacji - - - No QML events recorded - Brak zarejestrowanych zdarzeń QML - - - Processing data: %1 / %2 - Przetwarzanie danych: %1 / %2 - - - Loading buffered data: %n events - - Ładowanie zbuforowanych danych: %n zdarzenie - Ładowanie zbuforowanych danych: %n zdarzenia - Ładowanie zbuforowanych danych: %n zdarzeń - - - - Clearing old trace - Czyszczenie starego stosu - - - Loading offline data: %n events - - Ładowanie offline'owych danych: %n zdarzenie - Ładowanie offline'owych danych: %n zdarzenia - Ładowanie offline'owych danych: %n zdarzeń - - - - Waiting for data - Oczekiwanie na dane - - - Timeline - Oś czasu - - - Analyze Current Range - Przeanalizuj bieżący zakres - - - Analyze Full Range - Przeanalizuj pełny zakres - - - Reset Zoom - Zresetuj powiększenie - - - - QtC::Qnx - - Preparing remote side... - Przygotowywanie zdalnej strony... - - - - QtC::Qnx - - Deploy to QNX Device - Zainstaluj na urządzeniu QNX - - - - QtC::Qnx - - QNX %1 - Qt Version is meant for QNX - QNX %1 - - - No SDP path was set up. - Nie ustawiono ścieżki do SDP. - - - - QtC::Qnx - - Path to Qt libraries on device: - Ścieżka do bibliotek Qt na urządzeniu: - - - - QtC::Qnx - - %1 on QNX Device - %1 na urządzeniu QNX - - - - QtC::QtSupport - - Examples - Przykłady - - - Tutorials - Samouczki - - - Copy Project to writable Location? - Skopiować projekt do miejsca z prawami do zapisu? - - - <p>The project you are about to open is located in the write-protected location:</p><blockquote>%1</blockquote><p>Please select a writable location below and click "Copy Project and Open" to open a modifiable copy of the project or click "Keep Project and Open" to open the project in location.</p><p><b>Note:</b> You will not be able to alter or compile your project in the current location.</p> - <p>Projekt, który ma zostać załadowany, znajduje się w miejscu zabezpieczonym przed zapisem:</p><blockquote>%1</blockquote><p>Proszę wybrać miejsce z prawami do zapisu i kliknąć "Skopiuj projekt i otwórz", żeby załadować modyfikowalną kopię projektu lub kliknąć "Pozostaw projekt i otwórz", żeby załadować projekt z miejsca, gdzie się obecnie znajduje.</p><p><b>Uwaga:</b> Nie będzie można zmienić lub skompilować projektu w bieżącej lokalizacji.</p> - - - &Location: - &Położenie: - - - &Copy Project and Open - S&kopiuj projekt i otwórz - - - &Keep Project and Open - Po&zostaw projekt i otwórz - - - Cannot Use Location - Nie można użyć położenia - - - The specified location already exists. Please specify a valid location. - Podane położenie już istnieje. Podaj poprawne położenie. - - - Cannot Copy Project - Nie można skopiować projektu - - - Tags: - Tagi: - - - Qt Versions - Wersje Qt - - - Qt Class Generation - Generowanie klasy Qt - - - - QtC::RemoteLinux - - Generic Linux - Linuksowy - - - Deploy Public Key... - Zainstaluj klucz publiczny... - - - Remote process crashed. - Zdalny proces przerwał pracę. - - - Unexpected output from remote process: "%1" - Nieoczekiwany komunikat od zdalnego procesu: "%1" - - - Cannot check for free disk space: "%1" is not an absolute path. - Nie można sprawdzić wolnego miejsca na dysku: "%1" nie jest ścieżką bezwzględną. - - - The remote file system has only %n megabytes of free space, but %1 megabytes are required. - - Zdalny system plików ma tylko %n megabajt wolnego miejsca, wymagane jest %1 megabajtów. - Zdalny system plików ma tylko %n megabajty wolnego miejsca, wymagane jest %1 megabajtów. - Zdalny system plików ma tylko %n megabajtów wolnego miejsca, wymagane jest %1 megabajtów. - - - - The remote file system has %n megabytes of free space, going ahead. - - Zdalny system plików ma %n megabajt wolnego miejsca, wznowiono pracę. - Zdalny system plików ma %n megabajty wolnego miejsca, wznowiono pracę. - Zdalny system plików ma %n megabajtów wolnego miejsca, wznowiono pracę. - - - - MB - MB - - - Check for free disk space - Sprawdź ilość wolnego miejsca na dysku - - - Cannot debug: Local executable is not set. - Nie można debugować: brak ustawionego lokalnego pliku wykonywalnego. - - - - QtC::ResourceEditor - - Add Files - Dodaj pliki - - - Add Prefix - Dodaj przedrostek - - - Invalid file location - Niepoprawne położenie pliku - - - Copy - Skopiuj - - - Abort - Przerwij - - - Skip - Pomiń - - - The file %1 is not in a subdirectory of the resource file. You now have the option to copy this file to a valid location. - Plik %1 nie leży wewnątrz katalogu w którym jest plik z zasobami. Właśnie istnieje możliwość skopiowania tego pliku do właściwego miejsca. - - - Choose Copy Location - Wybierz docelowe położenie kopii - - - Overwriting Failed - Błąd nadpisania - - - Could not overwrite file %1. - Nie można nadpisać pliku %1. - - - Copying Failed - Błąd kopiowania - - - Could not copy the file to %1. - Nie można skopiować pliku do %1. - - - Open File - Otwórz plik - - - All files (*) - Wszystkie pliki (*) - - - - QtC::TextEditor - - Open Documents - Otwarte dokumenty - - - Open documents: - Otwarte dokumenty: - - - Open Documents -%1 - Otwarte dokumenty: -%1 - - - - QtC::Todo - - Description - Opis - - - File - Plik - - - Line - Linia - - - - QtC::Todo - - To-Do Entries - Wpisy "To-Do" - - - Current Document - Bieżący dokument - - - Scan only the currently edited document. - Skanuj tylko bieżąco edytowany dokument. - - - Active Project - Aktywny projekt - - - Scan the whole active project. - Skanuj cały aktywny projekt. - - - Subproject - Podprojekt - - - Scan the current subproject. - Skanuj bieżący podprojekt. - - - Show "%1" entries - Pokazuje wpisy "%1" - - - - QtC::VcsBase - - Open URL in Browser... - Otwórz URL w przeglądarce... - - - Copy URL Location - Skopiuj położenie URL - - - Send Email To... - Wyślij e-mail do... - - - Copy Email Address - Skopiuj adres e-mail - - - - QtC::ClearCase - - Check Out - Kopia robocza - - - &Reserved - - - - &Unreserved if already reserved - - - - &Preserve file modification time - Zachowaj czas modyfikacji &pliku - - - Use &Hijacked file - Hijack: Unset read-only flag without check-out. This is used for local changes which the user does not want to commit. - - - - &Checkout comment: - - - - Configuration - Konfiguracja - - - &Command: - &Komenda: - - - Diff - Pokazywanie różnic - - - &External - Z&ewnętrzne - - - Arg&uments: - Arg&umenty: - - - Miscellaneous - Różne - - - &History count: - Licznik &historii: - - - &Timeout: - Limit czasu &oczekiwania: - - - s - s - - - &Automatically check out files on edit - - - - Aut&o assign activity names - - - - &Prompt on check-in - &Pytaj przed wrzucaniem zmian - - - Di&sable indexer - &Zablokuj indekser - - - &Index only VOBs: - VOB: Versioned Object Base - &Indeksuj tylko VOB'y: - - - ClearCase - ClearCase - - - Check this if you have a trigger that renames the activity automatically. You will not be prompted for activity name. - - - - VOBs list, separated by comma. Indexer will only traverse the specified VOBs. If left blank, all active VOBs will be indexed. - - - - Check out or check in files with no comment (-nc/omment). - - - - &Graphical (single file only) - &Graficzne (tylko dla pojedynczego pliku) - - - Do &not prompt for comment during checkout or check-in - - - - Dialog - Dialog - - - The file was changed. - Plik został zmieniony. - - - &Save copy of the file with a '.keep' extension - &Zachowaj kopię pliku z rozszerzeniem ".keep" - - - Confirm Version to Check Out - Potwierdź wersję dla kopii roboczej - - - Version after &update - Wersja po akt&ualizacji - - - Created by: - Utworzona przez: - - - Created on: - Date - Utworzona dnia: - - - Multiple versions of "%1" can be checked out. Select the version to check out: - Istnieje wiele wersji "%1" które mogą być użyte dla kopii roboczej. Wybierz wersję: - - - &Loaded version - &Załadowana wersja - - - <html><head/><body><p><b>Note: You will not be able to check in this file without merging the changes (not supported by the plugin)</b></p></body></html> - <html><head/><body><p><b>Uwaga: Nie będzie można wrzucić tego pliku do repozytorium bez scalenia zmian (nieobsługiwane przez wtyczkę)</b></p></body></html> - - - - QtC::Android - - NDK Root: - Korzeń NDK: - - - - QtC::ClearCase - - Select &activity: - Wybierz &aktywność: - - - Add - Dodaj - - - Keep item activity - Zachowaj aktywność elementu - - - C&learCase - C&learCase - - - Check Out... - - - - Check &Out "%1"... - - - - Meta+L,Meta+O - Meta+L,Meta+O - - - Alt+L,Alt+O - Alt+L,Alt+O - - - Check &In... - - - - Check &In "%1"... - - - - Meta+L,Meta+I - Meta+L,Meta+I - - - Alt+L,Alt+I - Alt+L,Alt+I - - - Undo Check Out - - - - &Undo Check Out "%1" - - - - Meta+L,Meta+U - Meta+L,Meta+U - - - Alt+L,Alt+U - Alt+L,Alt+U - - - Undo Hijack - - - - Undo Hi&jack "%1" - - - - Meta+L,Meta+R - Meta+L,Meta+R - - - Alt+L,Alt+R - Alt+L,Alt+R - - - Diff Current File - Pokaż różnice w bieżącym pliku - - - &Diff "%1" - Pokaż &różnice w "%1" - - - Meta+L,Meta+D - Meta+L,Meta+D - - - Alt+L,Alt+D - Alt+L,Alt+D - - - History Current File - Pokaż historię bieżącego pliku - - - &History "%1" - &Historia "%1" - - - Meta+L,Meta+H - Meta+L,Meta+H - - - Alt+L,Alt+H - Alt+L,Alt+H - - - Annotate Current File - Dołącz adnotację do bieżącego pliku - - - &Annotate "%1" - Dołącz &adnotację do "%1" - - - Meta+L,Meta+A - Meta+L,Meta+A - - - Alt+L,Alt+A - Alt+L,Alt+A - - - Add File... - Dodaj plik... - - - Add File "%1" - Dodaj plik "%1" - - - Diff A&ctivity... - - - - Ch&eck In Activity - - - - Chec&k In Activity "%1"... - - - - Update Index - Uaktualnij index - - - Update View - Uaktualnij widok - - - U&pdate View "%1" - &Uaktualnij widok "%1" - - - Check In All &Files... - - - - Meta+L,Meta+F - Meta+L,Meta+F - - - Alt+L,Alt+F - Alt+L,Alt+F - - - View &Status - &Stan widoku - - - Meta+L,Meta+S - Meta+L,Meta+S - - - Alt+L,Alt+S - Alt+L,Alt+S - - - Check In - - - - Diff Selected Files - Pokaż różnice w zaznaczonych plikach - - - &Undo - &Cofnij - - - &Redo - &Przywróć - - - Closing ClearCase Editor - Zamykanie edytora ClearCase - - - Do you want to check in the files? - - - - The comment check failed. Do you want to check in the files? - - - - Updating ClearCase Index - Uaktualnianie indeksu ClearCase - - - Undo Hijack File - - - - External diff is required to compare multiple files. - Wymagany jest zewnętrzny program pokazujący różnice w celu porównania wielu plików. - - - Enter Activity - Wprowadź aktywność - - - Activity Name - Nazwa aktywności - - - Check In Activity - - - - Another check in is currently being executed. - - - - There are no modified files. - Brak zmodyfikowanych plików. - - - No ClearCase executable specified. - Nie podano komendy programu ClearCase. - - - ClearCase Checkout - Kopia robocza ClearCase - - - File is already checked out. - - - - Set current activity failed: %1 - Nie można ustawić bieżącej aktywności: %1 - - - Enter &comment: - Wprowadź &komentarz: - - - ClearCase Add File %1 - Dodaj plik %1 do ClearCase - - - ClearCase Remove Element %1 - Usuń element %1 z ClearCase - - - ClearCase Remove File %1 - Usuń plik %1 z ClearCase - - - ClearCase Rename File %1 -> %2 - Zmień nazwę pliku z %1 na %2 w ClearCase - - - This operation is irreversible. Are you sure? - Ta operacja jest nieodwracalna. Czy kontynuować? - - - Editing Derived Object: %1 - - - - Do you want to undo the check out of "%1"? - - - - Do you want to undo hijack of "%1"? - - - - Activity Headline - - - - Enter activity headline - - - - ClearCase Check In - Wrzuć do ClearCase - - - Chec&k in even if identical to previous version - W&rzuć, nawet jeśli wersja jest identyczna z wersją poprzednią - - - &Check In - &Wrzuć - - - ClearCase Command - Komenda ClearCase - - - In order to use External diff, "diff" command needs to be accessible. - W celu użycia zewnętrznego programu do porównywania plików, należy udostępnić komendę "diff". - - - DiffUtils is available for free download at http://gnuwin32.sourceforge.net/packages/diffutils.htm. Extract it to a directory in your PATH. - "DiffUtils" jest dostępne do darmowego ściągnięcia pod adresem http://gnuwin32.sourceforge.net/packages/diffutils.htm. Ściągnięty pakiet należy rozpakować w ścieżce określonej przez zmienną środowiskową PATH. - - - - QtC::Debugger - - Start Debugger - Uruchom debugger - - - Override server channel: - Nadpisz kanał serwera: - - - For example, %1 - "For example, /dev/ttyS0, COM1, 127.0.0.1:1234" - Na przykład: %1 - - - Select Executable - Wybierz plik wykonywalny - - - Server port: - Port serwera: - - - Select Working Directory - Wybierz katalog roboczy - - - Select Server Start Script - Wybierz startowy skrypt serwera - - - This option can be used to point to a script that will be used to start a debug server. If the field is empty, Qt Creator's default methods to set up debug servers will be used. - Poniższa opcja może służyć do wskazania skryptu, który zostanie użyty do uruchomienia serwera debugowego. Jeśli to pole pozostanie puste, Qt Creator użyje swojej domyślnej metody do skonfigurowania serwerów debugowych. - - - &Server start script: - Startowy skrypt &serwera: - - - Select Location of Debugging Information - Wybierz położenie informacji debugowej - - - Base path for external debug information and debug sources. If empty, $SYSROOT/usr/lib/debug will be chosen. - Bazowa ścieżka do zewnętrznej informacji debugowej i źródeł debugowych. Jeśli to pole pozostanie puste, użyta zostanie ścieżka:$SYSROOT/usr/lib/debug. - - - &Kit: - &Zestaw narzędzi: - - - Local &executable: - Lokalny plik &wykonywalny: - - - Command line &arguments: - &Argumenty linii komend: - - - &Working directory: - Katalog &roboczy: - - - Run in &terminal: - Uruchom w &terminalu: - - - Break at "&main": - Przerwij w "&main": - - - Debug &information: - &Informacja debugowa: - - - Normally, the running server is identified by the IP of the device in the kit and the server port selected above. -You can choose another communication channel here, such as a serial line or custom ip:port. - - - - &Recent: - &Ostatni: - - - - QtC::ProjectExplorer Name: Nazwa: - - - QtC::ResourceEditor - - The file name is empty. - Nazwa pliku jest pusta. - - - XML error on line %1, col %2: %3 - Błąd XML w linii %1, w kolumnie %2: %3 - - - The <RCC> root element is missing. - Brak głównego elementu <RCC>. - - - - QtC::ClearCase - - Check &Out - - - - &Hijack - - - - - QtC::Core - - Open with VCS (%1) - Otwórz przy pomocy VCS (%1) - - - - QtC::Debugger - - None - Brak - - - The debugger to use for this kit. - Debugger użyty w tym zestawie narzędzi. - - - Debugger: - Debugger: - - - No debugger set up. - Brak ustawionego debuggera. - - - Debugger "%1" not found. - Brak debuggera "%1". - - - Debugger "%1" not executable. - Debugger "%1" nie jest plikiem wykonywalnym. - - - The debugger location must be given as an absolute path (%1). - Należy podać absolutną ścieżkę do debuggera (%1). - - - Type of Debugger Backend - Typ back-endu debuggera - - - Unknown debugger version - Nieznana wersja debuggera - - - Unknown debugger ABI - Nieznane ABI debuggera - - - The ABI of the selected debugger does not match the toolchain ABI. - ABI wybranego debuggera nie pasuje do ABI zestawu narzędzi. - - - Name of Debugger - Nazwa debuggera - - - Unknown debugger - Nieznany debugger - - - Unknown debugger type - Nieznany typ debuggera - - - No Debugger - Brak debuggera - - - %1 Engine - Silnik %1 - - - %1 <None> - %1 <Brak> - - - %1 using "%2" - %1 używający "%2" - - - - QtC::Perforce - - &Edit - &Edycja - - - &Hijack - - - - - QtC::ProjectExplorer Unnamed Nienazwany @@ -22004,12 +39738,20 @@ You can choose another communication channel here, such as a serial line or cust Nazwa zestawu narzędzi w wersji przyjaznej dla systemu plików - The name of the currently active kit in a filesystem-friendly version. - Nazwa aktywnego zestawu narzędzi w wersji przyjaznej dla systemu plików. + The name of the kit. + - The id of the currently active kit. - Identyfikator aktywnego zestawu narzędzi. + The name of the kit in a filesystem-friendly version. + + + + The ID of the kit. + + + + %1 needs a compiler set up to build. Configure a compiler in the kit options. + Error: @@ -22035,10 +39777,6 @@ You can choose another communication channel here, such as a serial line or cust Sys Root Sys Root - - Compilers produce code for different ABIs. - Kompilatory generują kod dla innych ABI. - Compiler Kompilator @@ -22047,6 +39785,14 @@ You can choose another communication channel here, such as a serial line or cust None Brak + + Sysroot + + + + Compilers produce code for different ABIs: %1 + + Path to the compiler executable Ścieżka do pliku wykonywalnego kompilatora @@ -22063,6 +39809,10 @@ You can choose another communication channel here, such as a serial line or cust No compiler set in kit. Brak ustawionego kompilatora w zestawie narzędzi. + + Run device type + + Unknown device type Nieznany typ urządzenia @@ -22071,6 +39821,10 @@ You can choose another communication channel here, such as a serial line or cust Device type Typ urządzenia + + Run device + + No device set. Brak ustawionego urządzenia. @@ -22099,6 +39853,54 @@ You can choose another communication channel here, such as a serial line or cust Device name Nazwa urządzenia + + Device root directory + + + + Build device + + + + The device used to build applications on. + + + + No build device set. + + + + Build host address + + + + Build SSH port + + + + Build user name + + + + Build private key file + + + + Build device name + + + + Build device root directory + + + + Force UTF-8 MSVC compiler output + + + + Either switches MSVC to English or keeps the language and just forces UTF-8 output (may vary depending on the used MSVC compiler). + + Kit name and icon. Nazwa i ikona zestawu narzędzi. @@ -22112,8 +39914,16 @@ You can choose another communication channel here, such as a serial line or cust Nazwa systemu plików: - Select Icon File - Wybierz plik z ikoną + Kit icon. + + + + Select Icon... + + + + Default for %1 + Reset to Device Default Icon @@ -22123,6 +39933,14 @@ You can choose another communication channel here, such as a serial line or cust Display name is not unique. Widoczna nazwa nie jest unikatowa. + + Desktop (%1) + + + + Loading Kits + + Mark as Mutable Zaznacz jako modyfikowalny @@ -22137,8 +39955,25 @@ You can choose another communication channel here, such as a serial line or cust %1 (default) + Mark up a kit as the default one. %1 (domyślny) + + Settings Filter... + + + + Choose which settings to display for this kit. + + + + Default Settings Filter... + + + + Choose which kit settings to display by default. + + Kits Zestawy narzędzi @@ -22147,333 +39982,3210 @@ You can choose another communication channel here, such as a serial line or cust Make Default Ustaw jako domyślny - - - QtC::QmakeProjectManager - The mkspec to use when building the project with qmake.<br>This setting is ignored when using other build systems. - Mkspec, który należy użyć do budowania projektów qmake.<br>To ustawienie zostanie zignorowane dla innych systemów budowania. + Custom + Własny + + + %n entries + + %n element + %n elementy + %n elementów + - Qt mkspec: - Qt mkspec: - - - No Qt version set, so mkspec is ignored. - Brak ustawionej wersji Qt, mkspec zostanie zignorowany. - - - Mkspec not found for Qt version. - Nie odnaleziono mkspec dla wersji Qt. - - - mkspec - mkspec - - - Mkspec configured for qmake by the Kit. - Mkspec skonfigurowany dla qmake przez zestaw narzędzi. - - - - QtC::QtSupport - - The Qt library to use for all projects using this kit.<br>A Qt version is required for qmake-based projects and optional when using other build systems. - Biblioteka Qt, która zostanie użyta do budowania wszystkich projektów dla tego zestawu narzędzi.<br>Wersja Qt jest wymagana dla projektów bazujących na qmake i opcjonalna dla innych systemów budowania. - - - Qt version: - Wersja Qt: - - - %1 (invalid) - %1 (niepoprawna) - - - Qt version - Wersja Qt - - - The version string of the current Qt version. - Numer bieżącej wersji Qt. - - - The type of the current Qt version. - Typ bieżącej wersji Qt. - - - The mkspec of the current Qt version. - "mkspec" bieżącej wersji Qt. - - - The installation prefix of the current Qt version. - Przedrostek instalacji bieżącej wersji Qt. - - - The installation location of the current Qt version's data. - Położenie danych wewnątrz instalacji bieżącej wersji Qt. - - - The installation location of the current Qt version's header files. - Położenie plików nagłówkowych wewnątrz instalacji bieżącej wersji Qt. - - - The installation location of the current Qt version's library files. - Położenie plików bibliotecznych wewnątrz instalacji bieżącej wersji Qt. - - - The installation location of the current Qt version's documentation files. - Położenie plików z dokumentacją wewnątrz instalacji bieżącej wersji Qt. - - - The installation location of the current Qt version's executable files. - Położenie plików wykonywalnych wewnątrz instalacji bieżącej wersji Qt. - - - The installation location of the current Qt version's plugins. - Położenie wtyczek wewnątrz instalacji bieżącej wersji Qt. - - - The installation location of the current Qt version's imports. - Położenie importów wewnątrz instalacji bieżącej wersji Qt. - - - The installation location of the current Qt version's translation files. - Położenie plików z tłumaczeniami wewnątrz instalacji bieżącej wersji Qt. - - - The installation location of the current Qt version's examples. - Położenie przykładów wewnątrz instalacji bieżącej wersji Qt. - - - The installation location of the current Qt version's demos. - Położenie dem wewnątrz instalacji bieżącej wersji Qt. - - - The current Qt version's default mkspecs (Qt 4). - Domyślne mkspec'e dla bieżącej wersji Qt (Qt 4). - - - The current Qt version's default mkspec (Qt 5; host system). - Domyślny mkspec dla bieżącej wersji Qt (Qt 5, system hosta). - - - The current Qt version's default mkspec (Qt 5; target system). - Domyślny mkspec dla bieżącej wersji Qt (Qt 5, system docelowy). - - - The current Qt's qmake version. - Wersja qmake bieżącej wersji Qt. - - - None + Empty Brak - Name of Qt Version - Nazwa wersji Qt + Each line defines a macro. Format is MACRO[=VALUE]. + Każda linia definiuje makro w formacie: MACRO[=WARTOŚĆ]. - unknown - nieznana + Each line adds a global header lookup path. + Każda linia dodaje globalną ścieżkę poszukiwania plików nagłówkowych. - Path to the qmake executable - Ścieżka do pliku wykonywalnego qmake - - - - QtC::ProjectExplorer - - Variables in the current run environment - Zmienne w bieżącym środowisku uruchamiania + Comma-separated list of flags that turn on C++11 support. + Oddzielona przecinkami lista flag włączających obsługę C++11. - Unknown error. - Nieznany błąd. - - - - QtC::Core - - Files Without Write Permissions - Pliki bez prawa do zapisu + Comma-separated list of mkspecs. + Oddzielona przecinkami lista mkspec'ów. - The following files have no write permissions. Do you want to change the permissions? - Następujące pliki nie posiadają praw do zapisu. Zmienić prawa? + &Make path: + Ścieżka do "&make": - Open with VCS - Otwórz przy pomocy VCS + &Predefined macros: + &Predefiniowane makra: - Save As - Zachowaj jako + &Header paths: + Ścieżki do &nagłówków: - Path - Ścieżka + C++11 &flags: + &Flagi C++11: - Select all, if possible: - Zaznacz wszystko, jeśli to możliwe: - - - - QtC::Debugger - - <html><head/><body><p>The debugger is not configured to use the public Microsoft Symbol Server.<br/>This is recommended for retrieval of the symbols of the operating system libraries.</p><p><span style=" font-style:italic;">Note:</span> It is recommended, that if you use the Microsoft Symbol Server, to also use a local symbol cache.<br/>A fast internet connection is required for this to work smoothly,<br/>and a delay might occur when connecting for the first time and caching the symbols.</p><p>What would you like to set up?</p></body></html> - <html><head/><body><p>Debugger nie jest skonfigurowany do użycia publicznego Microsoft Symbol Servera.<br/>Zalecane jest pobranie symboli dla bibliotek systemu operacyjnego. </p><p><span style=" font-style:italic;"><i>Uwaga:</i> Zalecane jest używanie lokalnego cache'a z symbolami wraz z Microsoft Symbol Serverem.<br/>Wymagane jest szybkie połączenie z internetem do płynnego działania.<br>Może wystąpić opóźnienie przy pierwszym połączeniu i cache'owaniu symboli.</p><p>Czy skonfigurować?</p></body></html> + &Qt mkspecs: + &Qt mkspecs: - Use Local Symbol Cache - Użyj lokalnego cache'a z symbolami + &Error parser: + &Błąd parsowania: - Use Microsoft Symbol Server - Użyj Microsoft Symbol Servera + No device configured. + Brak skonfigurowanego urządzenia. - Set up Symbol Paths - Ustaw ścieżki z symbolami - - - - QtC::Git - - Local Changes Found. Choose Action: - Wykryto lokalne zmiany. Wybierz akcję: + Set Up Device + Ustaw urządzenie - RadioButton - Przycisk opcji + There is no device set up for this kit. Do you want to add a device? + Brak ustawionego urządzenia w tym zestawie narzędzi. Czy dodać urządzenie? - Discard Local Changes - Porzuć lokalne zmiany + Check for a configured device + Wyszukaj skonfigurowane urządzenie - Checkout branch "%1" - Kopia robocza gałęzi "%1" + Run Environment + Środowisko uruchamiania - Move Local Changes to "%1" - Przenieś lokalne zmiany do "%1" + Base environment for this run configuration: + Podstawowe środowisko dla tej konfiguracji uruchamiania: - Pop Stash of "%1" - Przywróć ostatnio odłożoną zmianę w gałęzi "%1" + Show in Application Output when running + - Create Branch Stash for "%1" - Utwórz gałąź z odłożoną zmianą dla gałęzi "%1" + Remove + Name of the action triggering the removetaskhandler + Usuń - Create Branch Stash for Current Branch - Utwórz gałąź z odłożoną zmianą dla bieżącej gałęzi + Remove task from the task list. + Usuwa zadanie z listy zadań. - Push to Gerrit - Wyślij do Gerrita + Custom Parser + Własny parser - &Topic: - &Temat: + &Error message capture pattern: + Wzorzec do wychwytywania komunikatów z &błędami: - &Draft - Wersja &robocza + Capture Positions + Wychwytane pozycje - Number of commits - Liczba poprawek + &File name: + Nazwa &pliku: - Pushes the selected commit and all dependent commits. - Wysyła zaznaczone poprawki wraz ze wszystkimi zależnymi poprawkami. + &Line number: + Numer &linii: - &Reviewers: - &Recenzenci: + &Message: + K&omunikat: - Number of commits between %1 and %2: %3 - Liczba poprawek pomiędzy %1 a %2: %3 + Test + Test - No remote branches found. This is probably the initial commit. - Brak zdalnych gałęzi, Jest to prawdopodobnie wstępna poprawka. + E&rror message: + Komunikat o błę&dzie: - Branch name - Nazwa gałęzi + File name: + Nazwa pliku: - ... Include older branches ... - ... Dołącz inne gałęzie ... + Line number: + Numer linii: - Comma-separated list of reviewers. + Message: + Komunikat: + + + Not applicable: + Nieodpowiedni: + + + Pattern is empty. + Wzorzec jest pusty. + + + No message given. + Brak komunikatów. + + + Pattern does not match the message. + Wzorzec nie wychwycił komunikatu. + + + Error + Błąd + + + Capture Output Channels + Wychwytane kanały wyjściowe + + + Standard output + Standardowy strumień wyjścia + + + Standard error + Standardowy strumień błędów + + + Warning message capture pattern: + Wzorzec do wychwytywania komunikatów z ostrzeżeniami: + + + Warning message: + Komunikat z ostrzeżeniem: + + + Close + Zamknij + + + Device test finished successfully. + Test urządzenia poprawnie zakończony. + + + Device test failed. + Błąd testowania urządzenia. + + + ICC + ICC + + + Cannot kill process with pid %1: %2 + Nie można zakończyć procesu z pid %1: %2 + + + Cannot interrupt process with pid %1: %2 + Nie można przerwać procesu z pid %1: %2 + + + Cannot open process. + Nie można otworzyć procesu. + + + Invalid process id. + Niepoprawny identyfikator procesu. + + + Cannot open process: %1 + Nie można otworzyć procesu: %1 + + + DebugBreakProcess failed: + Błąd DebugBreakProcess: + + + %1 does not exist. If you built %2 yourself, check out https://code.qt.io/cgit/qt-creator/binary-artifacts.git/. + + + + Cannot start %1. Check src\tools\win64interrupt\win64interrupt.c for more information. + Nie można uruchomić %1. Więcej informacji sprawdź w src\tools\win64interrupt\win64interrupt. + + + could not break the process. + nie można przerwać procesu. + + + Import Build From... + Zaimportuj wersję z... + + + Import + Zaimportuj + + + No Build Found + Brak zbudowanej wersji + + + No build found in %1 matching project %2. + Brak zbudowanej wersji w %1 dla projektu %2. + + + Import Warning + + + + Import Build + + + + %1 - temporary + %1 - tymczasowy + + + Imported Kit + Zaimportowany zestaw narzędzi + + + No suitable kits found. + + + + Add a kit in the <a href="buildandrun">options</a> or via the maintenance tool of the SDK. + + + + Select all kits + Zaznacz wszystkie zestawy narzędzi + + + Type to filter kits by name... + + + + Select Kits for Your Project + Wybierz zestawy narzędzi dla projektu + + + The following kits can be used for project <b>%1</b>: + %1: Project name + + + + Kit Selection + Wybór zestawu narzędzi + + + <b>Error:</b> + Severity is Task::Error + <b>Błąd:</b> + + + <b>Warning:</b> + Severity is Task::Warning + <b>Ostrzeżenie:</b> + + + Manage... + Zarządzaj... + + + Select files matching: + + + + Apply Filters + + + + Edit Files + Zmodyfikuj pliki + + + Add Existing Directory + Dodaj istniejący katalog + + + Source File Path + + + + Target Directory + + + + Files to deploy: + Pliki do zainstalowania: + + + Override deployment data from build system + + + + "data" for a "Form" page needs to be unset or an empty object. + "data" na stronie "Form" powinna pozostać nieustawiona lub być pustym obiektem. + + + Project File + + + + Choose Project File + + + + The project contains more than one project file. Select the one you would like to use. + + + + Check whether a variable exists.<br>Returns "true" if it does and an empty string if not. + Sprawdź, czy zmienna istnieje.<br>Zwraca "prawdę" jeśli istnieje lub pusty ciąg tekstowy w przeciwnym razie. + + + Could not determine target path. "TargetPath" was not set on any page. + Nie można określić docelowej ścieżki. "TargetPath" nie został ustawiony na żadnej stronie. + + + File Generation Failed + Błąd generowania pliku + + + The wizard failed to generate files.<br>The error message was: "%1". + Kreator nie wygenerował plików.<br>Komunikat z błędem: "%1". + + + Failed to Overwrite Files + Nie można nadpisać plików + + + Failed to Format Files + Nie można sformatować plików + + + Failed to Write Files + Nie można zapisać plików + + + Failed to Post-Process Files + Nie można przetworzyć wygenerowanych plików + + + Failed to Polish Files + + + + Failed to Open Files + Nie można otworzyć plików + + + "%1" does not exist in the file system. + Brak "%1" w systemie plików. + + + No file to open found in "%1". + Brak plików do otwarcia w "%1". + + + Failed to open project. + Nie można otworzyć projektu. + + + Failed to open project in "%1". + Nie można otworzyć projektu w "%1". + + + Cannot Open Project + Nie można otworzyć projektu + + + When processing "%1":<br>%2 + W trakcie przetwarzania "%1":<br>%2 + + + Failed to open "%1" as a project. + Nie można otworzyć "%1" jako projekt. + + + Failed to open an editor for "%1". + Nie można otworzyć edytora dla "%1". + + + When parsing fields of page "%1": %2 + W trakcie parsowania pól strony "%1": %2 + + + "data" for a "File" page needs to be unset or an empty object. + "data" na stronie "File" powinna pozostać nieustawiona lub być pustym obiektem. + + + Error parsing "%1" in "Kits" page: %2 + Błąd parsowania "%1" na stronie "Zestawy narzędzi": %2 + + + "data" must be a JSON object for "Kits" pages. + "data" musi być obiektem JSON dla stron "Kits". + + + "Kits" page requires a "%1" set. + Strona "Zestawy narzędzi" wymaga ustawionego "%1". + + + "data" must be empty or a JSON object for "Project" pages. + "data" na stronach "Project" powinna pozostać nieustawiona lub być obiektem JSON. + + + Invalid regular expression "%1" in "%2". %3 + Niepoprawne wyrażenie regularne "%1" w "%2". %3 + + + "data" for a "Summary" page can be unset or needs to be an object. + "data" na stronie "Summary" powinna pozostać nieustawiona lub być pustym obiektem. + + + "data" must be a JSON object for "VcsConfiguration" pages. + Do not translate "VcsConfiguration", because it is the id of a page. + "data" na stronach "VcsConfiguration" powinna być obiektem JSON. + + + "VcsConfiguration" page requires a "vcsId" set. + Do not translate "VcsConfiguration", because it is the id of a page. + Strona "VcsConfiguration" wymaga ustawienia "vcsId". + + + Class name: + Nazwa klasy: + + + <Custom> + custom what? + <Własna> + + + Base class: + Klasa bazowa: + + + Include QObject + Dołącz QObject + + + Include QWidget + Dołącz QWidget + + + Include QMainWindow + Dołącz QMainWindow + + + Include QDeclarativeItem - Qt Quick 1 + Dołącz QDeclarativeItem - Qt Quick 1 + + + Include QQuickItem - Qt Quick 2 + Dołącz QQuickItem - Qt Quick 2 + + + Include QSharedData + Dołącz QSharedData + + + Header file: + Plik nagłówkowy: + + + Source file: + Plik źródłowy: + + + Define Class + Zdefiniuj klasę + + + Details + Szczegóły + + + Creates a C++ header and a source file for a new class that you can add to a C++ project. + Tworzy plik nagłówkowy i plik źródłowy dla nowej klasy, które można dodać do projektu C++. + + + C++ Class + Klasa C++ + + + Customize header row + Dostosuj wiersz nagłówka + + + Qt 6.2 + + + + Qt 5.15 + + + + Qt 5.14 + + + + Qt 5.13 + + + + Qt 5.12 + + + + Minimum required Qt version: + + + + MyItem + + + + com.mycompany.qmlcomponents + + + + Create example project + + + + Custom Parameters + + + + Creates a C++ plugin to load Qt Quick extensions dynamically into applications using the QQmlEngine class. + + + + Translation File + + + + Translation + + + + Creates a Qt Quick application that contains an empty window. -Reviewers can be specified by nickname or email address. Spaces not allowed. +Use this "compat" version if you want to use other build systems than CMake or Qt versions lower than 6. + + + + Application (Qt) + + + + Qt Quick Application (compat) + + + + Creates a project containing a single main.cpp file with a stub implementation and no graphical UI. -Partial names can be used if they are unambiguous. - Lista recenzentów, oddzielona przecinkami. +Preselects a desktop Qt for building the application if available. + + + + Binary + Binarny + + + Hybrid + + + + Author: + Autor: + + + 0.1.0 + + + + Version: + Wersja: + + + MIT + + + + GPL-2.0 + + + + Apache-2.0 + + + + ISC + + + + GPL-3.0 + + + + BSD-3-Clause + + + + LGPL-2.1 + + + + LGPL-3.0 + + + + EPL-2.0 + + + + Proprietary + + + + Other + + + + Cpp + + + + Objective C + + + + Javascript + + + + Backend: + + + + 1.0.0 + + + + Min Nim Version: + + + + Define Project Configuration + + + + Creates a Nim application with Nimble. + + + + Nimble Application + + + + Creates a project with a structure that is compatible both with Qt Design Studio (via .qmlproject) and with Qt Creator (via CMakeLists.txt). It contains a .ui.qml form that you can visually edit in Qt Design Studio. + + + + Qt 6.4 + + + + Qt 6.5 + + + + Creates a Qt Quick application that can have both QML and C++ code. You can build the application and deploy it to desktop, embedded, and mobile target platforms. -Recenzenci mogą być podani przy użyciu przydomków lub adresów e-mail. Odstępy między nimi są niedozwolone. +You can select an option to create a project that you can open in Qt Design Studio, which has a visual editor for Qt Quick UIs. + + + + This wizard generates a Qt Widgets Application project. The application derives by default from QApplication and includes an empty widget. + Ten kreator generuje projekt aplikacji Qt Widgets. Aplikacja domyślnie dziedziczy z QApplication i zawiera pusty widżet. + + + Specify basic information about the classes for which you want to generate skeleton source code files. + Podaj podstawowe informacje o klasach, dla których ma zostać wygenerowany szkielet plików z kodem źródłowym. + + + Generate form + + + + Form file: + + + + Class Information + Informacje o klasie + + + Creates a widget-based Qt application that contains a Qt Designer-based main window and C++ source and header files to implement the application logic. -Można używać nazw częściowych, jeśli są one unikalne. +Preselects a desktop Qt for building the application if available. + - Push: - Wyślij: + Qt Widgets Application + Aplikacja Qt Widgets - Commits: - Poprawki: + Project file: + - Local repository - Lokalne repozytorium + PySide 6 + - To: - Do: + PySide 2 + + + + Define Python Interpreter + + + + Interpreter + + + + Creates a Qt for Python application that includes a Qt Designer-based widget (ui file). Requires .ui to Python conversion. + + + + Application (Qt for Python) + + + + Window UI + + + + Creates a Qt for Python application that contains an empty window. + + + + Empty Window + + + + PySide 5.15 + + + + PySide 5.14 + + + + PySide 5.13 + + + + PySide 5.12 + + + + Creates a Qt Quick application that contains an empty window. + + + + Qt Quick Application - Empty + + + + Creates a Qt for Python application that contains only the main code for a QApplication. + + + + Empty Application + + + + This wizard creates a C++ library project. + + + + Shared Library + Biblioteka współdzielona + + + Statically Linked Library + Biblioteka statycznie dowiązana + + + Qt Plugin + Wtyczka Qt + + + QAccessiblePlugin + + + + QGenericPlugin + + + + QIconEnginePlugin + + + + QImageIOPlugin + + + + QScriptExtensionPlugin + + + + QSqlDriverPlugin + + + + QStylePlugin + + + + Core + Zrzut + + + Gui + + + + Widgets + + + + Qt module: + + + + Creates a C++ library. You can create:<ul><li>a shared C++ library for use with <tt>QPluginLoader</tt> and runtime (Plugins)</li><li>a shared or static C++ library for use with another project at linktime</li></ul> + + + + C++ Library + Biblioteka C++ + + + Creates a CMake-based test project for which a code snippet can be entered. + + + + QtCore + + + + QtCore, QtWidgets + + + + Use Qt Modules: + + + + Application bundle (macOS) + + + + Define Code snippet + + + + Code snippet + + + + Creates a CMake-based test project where you can enter a code snippet to compile and check it. + + + + Creates a header file that you can add to a C/C++ project. + + + + C/C++ + + + + C/C++ Header File + + + + Creates a source file that you can add to a C/C++ project. + + + + C/C++ Source File + + + + Creates a markdown file. + + + + Markdown File + + + + You must tell Qt Creator which test framework is used inside the project. + +You should not mix multiple test frameworks in a project. + + + + Google Test + Google Test + + + Qt Quick Test + + + + Boost Test + + + + Catch2 + + + + 2.x + + + + 3.x + + + + Catch2 version: + + + + Test suite name: + + + + Test Information + + + + Creates a source file that you can add to an existing test project. + + + + Test Case + + + + Creates a scratch model using a temporary file. + + + + Scratch Model + + + + "%{JS: Util.toNativeSeparators(value('TargetPath'))}" exists in the filesystem. + + + + Creates a QML file with boilerplate code, starting with "import QtQuick". + + + + Items are editable + Modyfikowalne elementy + + + Rows and columns can be added + Można dodać wiersze i kolumny + + + Rows and columns can be removed + Można usunąć wiersze i kolumny + + + Fetch data dynamically + Dynamicznie pobierz dane + + + Define Item Model Class + + + + Creates a Qt item model. + + + + Qt + Qt + + + Qt Item Model + + + + Fully qualified name, including namespaces + + + + Add Q_OBJECT + + + + Add QML_ELEMENT + + + + Qt for Python module: + + + + You can choose Qt classes only if you select a Qt for Python module. + + + + Import QtCore + Zaimportuj QtCore + + + Import QtWidgets + Zaimportuj QtWidgets + + + Import QtQuick + Zaimportuj QtQuick + + + Creates new Python class file. + Tworzy nowy plik z klasą Python. + + + Python + Python + + + Python Class + Klasa Python + + + Location + Położenie + + + Test framework: + Framework testowy: + + + Test case name: + Nazwa wariantu testu: + + + Choose a Form Template + Wybierz szablon formularza + + + Form Template + Szablon formularza + + + Creates a Qt Designer form that you can add to a Qt Widget Project. This is useful if you already have an existing class for the UI business logic. + Tworzy formularz Qt Designer, który można dodać do projektu typu Qt Widget. Jest to przydatne w sytuacji, kiedy istnieje już klasa zarządzająca logiką UI. + + + Qt Designer Form + Formularz Qt Designer + + + Creates a Java file with boilerplate code. + Tworzy plik Java z wstępnym kodem. + + + Java + Java + + + Java File + Plik Java + + + Stateless library + Biblioteka bezstanowa + + + Options + Opcje + + + Creates a JavaScript file. + Tworzy plik JavaScript. + + + JS File + Plik JS + + + Model name: + Nazwa modelu: + + + Location: + Położenie: + + + Model Name and Location + Nazwa modelu i położenie + + + Creates a new empty model with an empty diagram. + Tworzy nowy, pusty model z pustym diagramem. + + + Modeling + Modelowanie + + + Model + Model + + + Creates an empty Nim script file using UTF-8 charset. + Tworzy pusty skrypt Nim, który używa kodowania UTF-8. + + + Nim Script File + Plik ze skryptem Nim + + + Creates an empty Python script file using UTF-8 charset. + Tworzy pusty skrypt Pythona, który używa kodowania UTF-8. + + + Python File + Plik Python + + + Creates a Qt Resource file (.qrc). + Tworzy plik z zasobami Qt (.qrc). + + + Qt Resource File + Plik z zasobami Qt + + + QML File (Qt Quick 2) + Plik QML (Qt Quick 2) + + + Creates a scratch buffer using a temporary file. + + + + Scratch Buffer + + + + State chart name: + Nazwa diagramu stanów: + + + Creates a new empty state chart. + Tworzy nowy, pusty diagram stanów. + + + Creates an empty file. + Tworzy pusty plik. + + + Empty File + Pusty plik + + + Project Location + Położenie projektu + + + qmake + qmake + + + CMake + CMake + + + Qbs + Qbs + + + Build system: + System budowania: + + + Define Build System + Zdefiniuj system budowania + + + Build System + System budowania + + + Non-Qt Project + Projekt nieużywający Qt + + + Plain C Application + Czysta aplikacja C + + + Plain C++ Application + Czysta aplikacja C++ + + + This wizard creates a simple Qt-based console application. + Ten kreator tworzy prostą aplikację konsolową używającą Qt. + + + Qt Console Application + Aplikacja konsolowa Qt + + + This wizard creates an empty .pro file. + Ten kreator tworzy pusty plik .pro. + + + Creates a qmake-based project without any files. This allows you to create an application without any default classes. + Tworzy pusty projekt używający qmake. Umożliwia to utworzenie aplikacji niezawierającej domyślnych klas. + + + Empty qmake Project + Pusty projekt qmake + + + Define Project Details + Zdefiniuj szczegóły projektu + + + Qt Quick Application + Aplikacja Qt Quick + + + Configuration + Konfiguracja + + + Please configure <b>%{vcsName}</b> now. + Skonfiguruj <b>%{vcsName}</b> teraz. + + + Repository: + Repozytorium: + + + Directory: + Katalog: + + + Creates a vertex shader in the Desktop OpenGL Shading Language (GLSL). Vertex shaders transform the positions, normals and texture coordinates of triangles, points and lines rendered with OpenGL. + + + + Creates a vertex shader in the OpenGL/ES 2.0 Shading Language (GLSL/ES). Vertex shaders transform the positions, normals and texture coordinates of triangles, points and lines rendered with OpenGL. + + + + "%{JS: Util.toNativeSeparators('%{TargetPath}')}" exists in the filesystem. + + + + GUI Application + Aplikacja GUI + + + Requires QApplication + Wymaga QApplication + + + Generate initialization and cleanup code + Wygeneruj inicjalizację i kod sprzątający + + + Project and Test Information + Informacje o projekcie i teście + + + Creates an empty Nim file using UTF-8 charset. + Tworzy pusty plik Nim, który używa kodowania UTF-8. + + + Nim + Nim + + + Nim File + Plik Nim + + + State Chart Name and Location + Nazwa i położenie diagramu stanów + + + State Chart + Diagram stanów + + + Creates a simple Nim application. + Tworzy prostą aplikację Nim. + + + Nim Application + Aplikacja Nim + + + Creates a simple C application with no dependencies. + Tworzy prostą aplikację C bez zależności. + + + Creates a simple C++ application with no dependencies. + Tworzy prostą aplikację C++ bez zależności. + + + Default + The name of the build configuration created by default for a autotools project. +---------- +The name of the build configuration created by default for a generic project. + Domyślny + + + Qt Quick UI Prototype + Prototyp Qt Quick UI + + + Repository URL is not valid + + + + Use existing directory + Użyj istniejącego katalogu + + + Proceed with cloning the repository, even if the target directory already exists. + Kontynuuj klonowanie repozytorium, nawet jeśli katalog docelowy istnieje. + + + Stacked + + + + Make the new branch depend on the availability of the source branch. + + + + Standalone + + + + Do not use a shared repository. + Nie używaj dzielonego repozytorium. + + + Bind new branch to source location + + + + Bind the new branch to the source location. + + + + Switch checkout + + + + Switch the checkout in the current directory to the new branch. + + + + Hardlink + + + + Use hard-links in working tree. + + + + No working-tree + Brak drzewa roboczego + + + Do not create a working tree. + Nie twórz kopii roboczej. + + + Revision: + Wersja: + + + Specify repository URL, checkout directory, and path. + Podaj URL repozytorium, katalog roboczy i ścieżkę. + + + Running Bazaar branch... + + + + Clones a Bazaar branch and tries to load the contained project. + + + + Import Project + Zaimportuj projekt + + + Bazaar Clone (Or Branch) + + + + Module: + Moduł: + + + Specify module and checkout directory. + + + + Running CVS checkout... + + + + Checkout + Kopia robocza + + + Checks out a CVS repository and tries to load the contained project. + + + + CVS Checkout + Kopia robocza CVS + + + <default branch> + <domyślna gałąź> + + + Meson + + + + Use Qt Virtual Keyboard + + + + Creates a Qt Quick UI project for previewing and prototyping designs. + +To develop a full application, create a Qt Quick Application project instead. + + + + Branch: + Gałąź: + + + Recursive + Rekurencyjnie + + + Recursively initialize submodules. + Rekurencyjnie inicjalizuj podmoduły. + + + Specify repository URL, branch, checkout directory, and path. + Podaj URL repozytorium, gałąź, katalog roboczy i ścieżkę. + + + Running Git clone... + Klonowanie z Git... + + + Clones a Git repository and tries to load the contained project. + Klonuje repozytorium Git i próbuje załadować zawarty projekt. + + + Git Clone + Klon Git + + + Running Mercurial clone... + Klonowanie z Mercurial... + + + Clones a Mercurial repository and tries to load the contained project. + Klonuje repozytorium Mercurial i próbuje załadować zawarty projekt. + + + Mercurial Clone + Klon Mercurial + + + Trust Server Certificate + + + + Running Subversion checkout... + + + + Checks out a Subversion repository and tries to load the contained project. + + + + Subversion Checkout + + + + Creates a fragment shader in the Desktop OpenGL Shading Language (GLSL). Fragment shaders generate the final pixel colors for triangles, points and lines rendered with OpenGL. + + + + GLSL + GLSL + + + Fragment Shader (Desktop OpenGL) + + + + Vertex Shader (Desktop OpenGL) + + + + Creates a fragment shader in the OpenGL/ES 2.0 Shading Language (GLSL/ES). Fragment shaders generate the final pixel colors for triangles, points and lines rendered with OpenGL. + + + + Fragment Shader (OpenGL/ES 2.0) + + + + Vertex Shader (OpenGL/ES 2.0) + + + + Field is not an object. + Pole nie jest obiektem. + + + Field has no name. + Pole nie posiada nazwy. + + + Line Edit Validator Expander + + + + The text edit input to fix up. + + + + Field "%1" has no type. + Pole "%1" nie posiada typu. + + + Field "%1" has unsupported type "%2". + Pole "%1" posiada nieobsługiwany type "%2". + + + When parsing Field "%1": %2 + Podczas parsowania pola "%1": %2 + + + Label ("%1") data is not an object. + + + + Label ("%1") has no trText. + + + + Spacer ("%1") data is not an object. + + + + Spacer ("%1") property "factor" is no integer value. + + + + LineEdit ("%1") data is not an object. + + + + LineEdit ("%1") has an invalid regular expression "%2" in "validator". + + + + LineEdit ("%1") has an invalid value "%2" in "completion". + + + + TextEdit ("%1") data is not an object. + + + + CheckBox ("%1") data is not an object. + + + + CheckBox ("%1") values for checked and unchecked state are identical. + + + + No JSON lists allowed inside List items. + + + + No "key" found in List items. + + + + %1 ("%2") data is not an object. + + + + %1 ("%2") "index" is not an integer value. + + + + %1 ("%2") "disabledIndex" is not an integer value. + + + + %1 ("%2") "items" missing. + + + + %1 ("%2") "items" is not a JSON list. + + + + PathChooser data is not an object. + Dane PatchChooser nie są obiektem. + + + kind "%1" is not one of the supported "existingDirectory", "directory", "file", "saveFile", "existingCommand", "command", "any". + Rodzaj "%1" nie jest obsługiwany. Obsługiwane rodzaje: "existingDirectory", "directory", "file", "saveFile", "existingCommand", "command" i "any". + + + Files data list entry is not an object. + + + + Source and target are both empty. + Oba pliki, źródłowy i docelowy, są jednocześnie puste. + + + Failed to Commit to Version Control + Nie można utworzyć poprawki w systemie kontroli wersji + + + Error message from Version Control System: "%1". + Komunikat o błędzie z systemu kontroli wersji: "%1". + + + Failed to Add to Project + Nie można dodać do projektu + + + Generator is not a object. + Generator nie jest obiektem. + + + Generator has no typeId set. + Brak ustawionego typeId w generatorze. + + + TypeId "%1" of generator is unknown. Supported typeIds are: "%2". + Nieznany typeid "%1" generatora. Obsługiwane typy: "%2". + + + Page is not an object. + Strona nie jest obiektem. + + + Page has no typeId set. + Brak ustawionego typeId w stronie. + + + TypeId "%1" of page is unknown. Supported typeIds are: "%2". + Nieznany typeid "%1" strony. Obsługiwane typy: "%2". + + + Page with typeId "%1" has invalid "index". + Strona z typeid "%1" posiada niepoprawny "index". + + + Path "%1" does not exist when checking Json wizard search paths. + + Ścieżka "%1" nie istnieje podczas sprawdzania ścieżek poszukiwań kreatora Json. + + + + Checking "%1" for %2. + + Sprawdzanie "%1" dla "%2". + + + + * Failed to parse "%1":%2:%3: %4 + + * Nie można sparsować "%1":%2:%3: %4 + + + + * Did not find a JSON object in "%1". + + * Nie odnaleziono obiektu JSON w "%1". + + + + * Configuration found and parsed. + + * Konfiguracja odnaleziona i przeparsowana. + + + + * Version %1 not supported. + + * Wersja %1 nieobsługiwana. + + + + The platform selected for the wizard. + Wybrana platforma dla kreatora. + + + The features available to this wizard. + Funkcje dostępne w tym kreatorze. + + + The plugins loaded. + Załadowane wtyczki. + + + "kind" value "%1" is not "class" (deprecated), "file" or "project". + Wartość "%1" pola "kind" jest inna niż "class" (wartość zarzucona), "file" lub "project". + + + "kind" is "file" or "class" (deprecated) and "%1" is also set. + Wartością pola "kind" jest "file" lub "class" (wartość zarzucona) i jednocześnie ustawiono "%1". + + + Icon file "%1" not found. + Brak ikony "%1". + + + Image file "%1" not found. + Brak pliku graficznego "%1". + + + JsonWizard: "%1" not found + + JsonWizard: Nie znaleziono "%1" + + + + key not found. + brak klucza. + + + Expected an object or a list. + Oczekiwano obiektu lub listy. + + + No id set. + Brak ustawionego identyfikatora. + + + No category is set. + Brak ustawionej kategorii. + + + No displayName set. + Brak ustawionego pola displayName. + + + No displayCategory set. + Brak ustawionego pola displayCategory. + + + No description set. + Brak ustawionego opisu. + + + When parsing "generators": %1 + W trakcie parsowania "generators": %1 + + + When parsing "pages": %1 + W trakcie parsowania "pages": %1 + + + %1 [folder] + %1 [katalog] + + + %1 [symbolic link] + %1 [dowiązanie symboliczne] + + + %1 [read only] + %1 [tylko do odczytu] + + + The directory %1 contains files which cannot be overwritten: +%2. + Katalog %1 zawiera pliki które nie mogą być nadpisane: +%2. + + + The environment setting value is invalid. + Niepoprawna wartość ustawienia środowiska. + + + Change... + Zmień... + + + Environment: + Środowisko: + + + Additional build environment settings when using this kit. + Dodatkowe ustawienia środowiska budowania w czasie używania tego zestawu narzędzi. + + + No changes to apply. + Brak zmian do zastosowania. + + + Project Name + Nazwa projektu + + + Kit is not valid. + + + + Incompatible Kit + Niekompatybilny zestaw narzędzi + + + Kit %1 is incompatible with kit %2. + Zestaw narzędzi %1 nie jest kompatybilny z zestawem %2. + + + Build configurations: + Konfiguracje budowania: + + + Deploy configurations: + Konfiguracje instalacji: + + + Run configurations: + Konfiguracje uruchamiania: + + + Partially Incompatible Kit + Częściowo niekompatybilny zestaw narzędzi + + + Some configurations could not be copied. + Nie można skopiować niektórych konfiguracji. + + + Could not load kits in a reasonable amount of time. + + + + Select the Root Directory + + + + Replacement for + + + + Replacement for "%1" + + + + Project "%1" was configured for kit "%2" with id %3, which does not exist anymore. The new kit "%4" was created in its place, in an attempt not to lose custom project settings. + + + + Could not find any qml_*.qm file at "%1" + + + + %1: Name. + %1 is something like "Active project" + + + + %1: Full path to main file. + %1 is something like "Active project" + + + + %1: The name of the active kit. + %1 is something like "Active project" + + + + %1: Name of the active build configuration. + %1 is something like "Active project" + + + + %1: Type of the active build configuration. + %1 is something like "Active project" + + + + %1: Full build path of active build configuration. + %1 is something like "Active project" + + + + %1: Variables in the active build environment. + %1 is something like "Active project" + + + + %1: Name of the active run configuration. + %1 is something like "Active project" + + + + %1: Executable of the active run configuration. + %1 is something like "Active project" + + + + %1: Variables in the environment of the active run configuration. + %1 is something like "Active project" + + + + %1: Working directory of the active run configuration. + %1 is something like "Active project" + + + + The files are implicitly added to the projects: + Pliki, które zostały niejawnie dodane do projektów: + + + <Implicitly Add> + <Niejawnie dodaj> + + + Target Settings + Katalog docelowy + + + Source directory + Katalog źródłowy + + + Build system + + + + You asked to build the current Run Configuration's build target only, but it is not associated with a build target. Update the Make Step in your build settings. + + + + Replacing signature + Zastępowanie podpisu + + + Xcodebuild failed. + Xcodebuild zakończony błędem. + + + Cannot open task file %1: %2 + Nie można otworzyć pliku z zadaniem %1: %2 + + + Ignoring invalid task (no text). + + + + File Error + Błąd pliku + + + My Tasks + Moje zadania + + + At least one required feature is not present. + + + + Platform is not supported. + + + + At least one preferred feature is not present. + + + + Feature list is set and not of type list. + Ustawiono listę funkcjonalności, lecz wartość nie jest typu listy. + + + No "%1" key found in feature list object. + Brak klucza "%1" na liście funkcjonalności. + + + Feature list element is not a string or object. + Element listy funkcjonalności nie jest ciągiem tekstowym ani obiektem. + + + Key is not an object. + Klucz nie jest obiektem. + + + Pattern "%1" is no valid regular expression. + Wzorzec "%1" jest niepoprawnym wyrażeniem regularnym. + + + ScannerGenerator: Binary pattern "%1" not valid. + ScannerGenerator: niepoprawny wzorzec binarny "%1". + + + <b>Warning:</b> This file is generated. + + + + <b>Warning:</b> This file is outside the project directory. + <b>Ostrzeżenie:</b> Ten plik leży poza katalogiem projektu. + + + Terminal + Terminal + + + Run in terminal + Uruchom w terminalu + + + Working Directory + Katalog roboczy + + + Select Working Directory + Wybierz katalog roboczy + + + Reset to Default + Przywróć domyślny + + + Arguments + Argumenty + + + Command line arguments: + Argumenty linii komend: + + + Toggle multi-line mode. + + + + Executable + + + + Enter the path to the executable + + + + Alternate executable on device: + Alternatywny plik wykonywalny na urządzeniu: + + + Use this command instead + W zamian użyj tej komendy + + + Add build library search path to DYLD_LIBRARY_PATH and DYLD_FRAMEWORK_PATH + Dodaj ścieżkę poszukiwań bibliotek na potrzeby budowania do zmiennych DYLD_LIBRARY_PATH i DYLD_FRAMEWORK_PATH + + + Add build library search path to PATH + Dodaj ścieżkę poszukiwań bibliotek na potrzeby budowania do zmiennej PATH + + + Add build library search path to LD_LIBRARY_PATH + Dodaj ścieżkę poszukiwań bibliotek na potrzeby budowania do zmiennej LD_LIBRARY_PATH + + + Use debug version of frameworks (DYLD_IMAGE_SUFFIX=_debug) + Użyj pakietów w wersji do debugowania (DYLD_IMAGE_SUFFIX=_debug) + + + Run as root user + + + + Interpreter: + + + + X11 Forwarding: + + + + Forward to local display + + + + Synchronize configuration + Zsynchronizuj konfigurację + + + Synchronize active kit, build, and deploy configuration between projects. + Zsynchronizuj aktywny zestaw narzędzi, konfigurację budowania i instalacji pomiędzy projektami. + + + Variable already exists. + Zmienna już istnieje. + + + No 'key' in options object. + Brak "klucza" w opcjach obiektu. + + + Source directory: + Katalog źródłowy: + + + Start Parsing + Rozpocznij parsowanie + + + Hide files matching: + Ukryj pliki pasujące do: + + + Generating file list... + +%1 + Generowanie listy plików... + +%1 + + + Not showing %n files that are outside of the base directory. +These files are preserved. + + Ukryto %n plik który jest na zewnątrz katalogu bazowego. +Ten plik jest zabezpieczony. + Ukryto %n pliki które są na zewnątrz katalogu bazowego. +Te pliki są zabezpieczone. + Ukryto %n plików które są na zewnątrz katalogu bazowego. +Te pliki są zabezpieczone. + + + + Waiting for Applications to Stop + Oczekiwanie na zatrzymanie aplikacji + + + Cancel + Anuluj + + + Waiting for applications to stop. + Oczekiwanie na zatrzymanie aplikacji. + + + Falling back to use the cached environment for "%1" after: + + + + Initialization: + Inicjalizacja: + + + <empty> + <pusty> + + + Additional arguments for the vcvarsall.bat call + + + + clang-cl + + + + Executable: + Plik wykonywalny: + + + Custom Executable + Własny plik wykonywalny + + + Project Settings + Ustawienia projektu + + + Import Existing Build... + Zaimportuj istniejącą wersję... + + + Manage Kits... + Zarządzaj zestawami narzędzi... + + + Build System Output + + + + Import Directory + Zaimportuj katalog + + + Project Selector + Wybór projektu + + + Use Regular Expressions + Używaj wyrażeń regularnych + + + Case Sensitive + Uwzględniaj wielkość liter + + + Show Non-matching Lines + + + + Active Project + Aktywny projekt + + + Configure Project + Skonfiguruj projekt + + + Cancel Build and Disable Kit in This Project + Anuluj budowanie i zablokuj zestaw narzędzi w tym projekcie + + + &Configure Project + + + + Kit is unsuited for project + + + + Click to activate + + + + Enable Kit for Project "%1" + + + + Enable Kit for All Projects + + + + Disable Kit for Project "%1" + + + + Disable Kit "%1" in This Project? + + + + The kit <b>%1</b> is currently being built. + Trwa budowanie zestawu narzędzi <b>%1</b>. + + + Do you want to cancel the build process and remove the kit anyway? + Czy przerwać budowanie i usunąć zestaw narzędzi? + + + Disable Kit for All Projects + + + + Copy Steps From Another Kit... + Kopiuj kroki z innego zestawu narzędzi... + + + Enable Kit + Odblokuj zestaw narzędzi + + + No kit defined in this project. + Brak zdefiniowanego zestawu narzędzi dla tego projektu. + + + Failed to retrieve MSVC Environment from "%1": +%2 + Błąd pobierania środowiska MSVC z "%1". +%2 + + + session + Appears in "Open session <name>" + sesja + + + project + Appears in "Open project <name>" + projekt + + + Checking available ports... + Sprawdzanie dostępnych portów... + + + Unexpected run control state %1 when worker %2 started. + + + + Warning + Ostrzeżenie + + + %1 crashed. + %1 przerwał pracę. + + + The process failed to start. + Błąd uruchamiania procesu. + + + An unknown error in the process occurred. + Wystąpił nieznany błąd w procesie. + + + Either the invoked program "%1" is missing, or you may have insufficient permissions to invoke the program. + Albo brak programu "%1", albo brak uprawnień do jego wykonania. + + + The process was ended forcefully. + Wymuszono zakończenie procesu. + + + An error occurred when attempting to write to the process. For example, the process may not be running, or it may have closed its input channel. + Wystąpił błąd podczas próby pisania do procesu. Być może proces nie jest uruchomiony lub zamknął on swój kanał wejściowy. + + + An error occurred when attempting to read from the process. For example, the process may not be running. + Wystąpił błąd podczas próby czytania z procesu. Być może proces nie jest uruchomiony. + + + Debug + The name of the debug build configuration created by default for a qmake project. + Debug + + + Release + The name of the release build configuration created by default for a qmake project. + Release + + + Start removing auto-detected items associated with this docker image. + + + + Removing kits... + + + + Removed "%1" + + + + Removing Qt version entries... + + + + Removing toolchain entries... + + + + Removal of previously auto-detected kit items finished. + + + + Start listing auto-detected items associated with this docker image. + + + + Kits: + + + + Qt versions: + + + + Toolchains: + + + + Listing of previously auto-detected kit items finished. + + + + Found "%1" + + + + Searching for qmake executables... + + + + Error: %1. + + + + No Qt installation found. + + + + Searching toolchains... + + + + Searching toolchains of type %1 + + + + %1 new toolchains found. + + + + Starting auto-detection. This will take a while... + + + + Registered kit %1 + + + + Build directory: + + + + The build directory is not reachable from the build device. + + + + Shadow build: + Kompilacja w innym miejscu: + + + Separate debug info: + + + + The project is currently being parsed. + + + + The project could not be fully parsed. + + + + The project file "%1" does not exist. + + + + Source: + Źródło: + + + Target: + Cel: + + + Copying finished. + + + + Copying failed. + + + + Copy file + Default CopyStep display name + + + + Copy directory recursively + Default CopyStep display name + + + + Custom output parsers scan command line output for user-provided error patterns<br>to create entries in Issues.<br>The parsers can be configured <a href="dummy">here</a>. + + + + There are no custom parsers active + + + + There are %n custom parsers active + + + + + + + + Custom output parsers defined here can be enabled individually in the project's build or run settings. + + + + Add... + Dodaj... + + + New Parser + + + + Qt Run Configuration + Konfiguracja uruchamiania Qt + + + No device for path "%1" + + + + No device found for path "%1" + + + + No file access for device "%1" + + + + No device set for test transfer. + + + + No files to transfer. + + + + Missing transfer implementation. + + + + sftp + + + + rsync + + + + generic file copy + + + + SSH + + + + Enable connection sharing: + + + + Connection sharing timeout: + + + + Path to ssh executable: + + + + Path to sftp executable: + + + + Path to ssh-askpass executable: + + + + Path to ssh-keygen executable: + + + + minutes + + + + Environment + Środowisko + + + Files in All Project Directories + + + + Files in All Project Directories: + + + + Setting + Ustawienie + + + Visible + Widoczny + + + Kit of Active Project: %1 + + + + Make arguments: + Argumenty make'a: + + + Parallel jobs: + Liczba równoległych zadań: + + + Override MAKEFLAGS + + + + <code>MAKEFLAGS</code> specifies parallel jobs. Check "%1" to override. + + + + Disable in subdirectories: + + + + Runs this step only for a top-level build. + + + + Targets: + Produkty docelowe: + + + Make: + Make: + + + Override %1: + Nadpisz %1: + + + Make + Make + + + Make command missing. Specify Make command in step configuration. + + + + <b>Make:</b> %1 + <b>Make:</b> %1 + + + <b>Make:</b> No build configuration. + + + + <b>Make:</b> %1 not found in the environment. + <b>Make:</b> Nie odnaleziono %1 w środowisku. + + + The process cannot access the file because it is being used by another process. +Please close all running instances of your application before starting a build. + + + + Parse Build Output + + + + Output went to stderr + + + + Clear existing tasks + + + + Load from File... + + + + Choose File + Wybierz plik + + + Could Not Open File + + + + Could not open file: "%1": %2 + + + + Build Output + + + + Parsing Options + + + + Use parsers from kit: + + + + Cannot Parse + + + + Cannot parse: The chosen kit does not provide an output parser. + + + + unavailable + + + + No kits are enabled for this project. Enable kits in the "Projects" mode. + + + + Rename More Files? + + + + Would you like to rename these files as well? + %1 + + + + Choose Drop Action + + + + You just dragged some files from one project node to another. +What should %1 do now? + + + + Copy Only File References + + + + Move Only File References + + + + Copy file references and files + + + + Move file references and files + + + + Target directory: + + + + Copy File References + + + + Move File References + + + + Not all operations finished successfully. + + + + The following files could not be copied or moved: + + + + The following files could not be removed from the project file: + + + + The following files could not be added to the project file: + + + + The following files could not be deleted: + + + + A version control operation failed for the following files. Please check your repository. + + + + Failure Updating Project + + + + Files + Pliki + + + Import Existing Project + Import istniejącego projektu + + + Project Name and Location + Nazwa projektu i położenie + + + Project name: + Nazwa projektu: + + + File Selection + Wybór pliku + + + Import as qmake or CMake Project (Limited Functionality) + + + + Imports existing projects that do not use qmake, CMake, Qbs, Meson, or Autotools.<p>This creates a project file that allows you to use %1 as a code editor and as a launcher for debugging and analyzing tools. If you want to build the project, you might need to edit the generated project file. + + + + Unknown build system "%1" + + + + Taskhub Error + + + + Taskhub Warning + + + + Build Issue + + + + Profile + The name of the profile build configuration created by default for a qmake project. + + + + Profiling + Profilowanie - QtC::Mercurial + QtC::Python - Password: - Hasło: + Buffered output + - Username: - Nazwa użytkownika: - - - - QtC::ProjectExplorer - - Machine type: - Typ maszyny: + Enabling improves output performance, but results in delayed output. + - TextLabel - Etykietka + Script: + - Free ports: - Wolne porty: + Run %1 + Uruchom %1 - Physical Device - Urządzenie fizyczne + Install Python Packages + - You will need at least one port for QML debugging. - Wymagany jest przynajmniej jeden port do debugowania QML. + Running "%1" to install %2. + + + + The installation of "%1" was canceled by timeout. + + + + The installation of "%1" was canceled by the user. + + + + Installing "%1" failed with exit code %2. + + + + Select PySide Version + + + + Select which PySide version to install: + + + + Latest PySide from the Python Package Index + + + + PySide %1 Wheel (%2) + + + + %1 installation missing for %2 (%3) + + + + Install %1 for %2 using pip package installer. + + + + Install + Zainstaluj + + + Run PySide6 project tool + + + + PySide project tool: + + + + Enter location of PySide project tool. + + + + General + Ogólne + + + REPL + + + + Open interactive Python. + + + + REPL Import File + + + + Open interactive Python and import file. + + + + REPL Import * + + + + Open interactive Python and import * from file. + + + + Open interactive Python. Either importing nothing, importing the current file, or importing everything (*) from the current file. + + + + No Python Selected + + + + Create Virtual Environment + + + + Manage Python Interpreters + + + + Python Language Server (%1) + + + + Install Python language server (PyLS) for %1 (%2). The language server provides Python specific completion and annotation. + + + + Issues parsed from Python runtime output. + + + + Unable to read "%1": The file is empty. + + + + Unable to parse "%1":%2: %3 + + + + Name: + Nazwa: + + + Executable + + + + Executable is empty. + + + + "%1" does not exist. + + + + "%1" is not an executable file. + + + + &Add + &Dodaj + + + &Delete + &Usuń + + + &Make Default + + + + &Clean Up + + + + Remove all Python interpreters without a valid executable. + + + + Interpreters + + + + Python + Python + + + Plugins: + + + + Use Python Language Server + + + + For a complete list of available options, consult the [Python LSP Server configuration documentation](%1). + + + + Advanced + Zaawansowane + + + Language Server Configuration + + + + %1 (Windowed) + <python display name> (Windowed) + + + + Python interpreter: + + + + New Python Virtual Environment Directory + + + + Virtual environment directory: + + + + Create + + + + Searching Python binaries... + + + + Found "%1" (%2) + + + + Removing Python + + + + Python: + + + + Create Python venv + + + + "data" of a Python wizard page expects a map with "items" containing a list of objects. + + + + An item of Python wizard page data expects a "trKey" field containing the UI visible string for that Python version and a "value" field containing an object with a "PySideVersion" field used for import statements in the Python files. + + + + PySide version: + + + + Create new virtual environment + + + + Path to virtual environment: + @@ -22482,18 +43194,6 @@ Można używać nazw częściowych, jeśli są one unikalne. Build variant: Wariant wersji: - - Debug - Debug - - - Release - Release - - - Enable QML debugging: - Odblokuj debugowanie QML: - Properties: Właściwości: @@ -22506,14 +43206,14 @@ Można używać nazw częściowych, jeśli są one unikalne. <b>Qbs:</b> %1 <b>Qbs:</b> %1 - - Might make your application vulnerable. Only use in a safe environment. - Może to sprawić, że aplikacja stanie się podatna na ataki. Używaj tylko w bezpiecznym środowisku. - Could not split properties. Nie można rozdzielić właściwości. + + Property "%1" cannot be set here. Please use the dedicated UI element. + + No ":" found in property definition. Brak ":" w definicji właściwości. @@ -22538,6 +43238,10 @@ Można używać nazw częściowych, jeśli są one unikalne. Keep going when errors occur (if at all possible). Budowanie będzie kontynuowane, nawet jeśli wystąpią błędy, o ile budowanie w dalszym ciągu będzie możliwe. + + ABIs: + ABI: + Parallel jobs: Liczba równoległych zadań: @@ -22558,6 +43262,10 @@ Można używać nazw częściowych, jeśli są one unikalne. Force probes + + No qbs session exists for this target. + + Installation flags: Flagi instalacji: @@ -22574,363 +43282,1707 @@ Można używać nazw częściowych, jeśli są one unikalne. Dry run Na sucho + + Build + Wersja + + + The qbs project build root + + + + Debug + Shadow build directory suffix + Non-ASCII characters in directory suffix may cause build issues. + Debug + + + Release + Shadow build directory suffix + Non-ASCII characters in directory suffix may cause build issues. + Release + + + Profile + Shadow build directory suffix + Non-ASCII characters in directory suffix may cause build issues. + + + + Configuration name: + Nazwa konfiguracji: + + + Qbs Build + Wersja Qbs + + + Qbs Clean + Qbs Clean + + + Dry run: + + + + Keep going: + + + + Qbs Install + Qbs Install + + + Fatal qbs error: %1 + + + + Failed + Niepoprawnie zakończone + + + Could not write project file %1. + Nie można zapisać pliku projektu %1. + + + Reading Project "%1" + Odczyt projektu "%1" + + + Reparse Qbs + Przeparsuj Qbs + + + Build File + Zbuduj plik + + + Build File "%1" + Zbuduj plik "%1" + + + Ctrl+Alt+B + Ctrl+Alt+B + + + Build Product + Zbuduj produkt + + + Build Product "%1" + Zbuduj produkt "%1" + + + Ctrl+Alt+Shift+B + Ctrl+Alt+Shift+B + + + Clean + Wyczyść + + + Clean Product + Wyczyść produkt + + + Rebuild + Przebuduj + + + Rebuild Product + Przebuduj produkt + + + Error retrieving run environment: %1 + Błąd podczas pobierania środowiska uruchamiania: %1 + + + Custom Properties + Własne właściwości + + + &Add + &Dodaj + + + &Remove + &Usuń + + + Key + Klucz + + + Value + Wartość + + + Profiles + + + + Kit: + Zestaw narzędzi: + + + Associated profile: + Skojarzony profil: + + + Profile properties: + Właściwości profilu: + + + E&xpand All + &Rozwiń wszystko + + + &Collapse All + &Zwiń wszystko + + + Reset + + + + Use %1 settings directory for Qbs + %1 == "Qt Creator" or "Qt Design Studio" + + + + Path to qbs executable: + + + + Default installation directory: + + + + Qbs version: + Wersja Qbs: + + + Failed to retrieve version. + + + + General + Ogólne + + + Qbs + Qbs + + + Qbs files + Pliki qbs + + + C and C++ compiler paths differ. C compiler may not work. + Ścieżki do kompilatorów C i C++ są różne, Kompilator C może działać niepoprawnie. + + + Generated files + Wygenerowane pliki + + + Install root: + Korzeń instalacji: + + + Remove first + + + + Change... + Zmień... + + + Additional Qbs Profile Settings + Dodatkowe ustawienia profilu Qbs + + + Failed to run qbs config: %1 + + + + Received invalid input. + + + + No qbs executable was found, please set the path in the settings. + + + + The qbs executable was not found at the specified path, or it is not executable ("%1"). + + + + The qbs process quit unexpectedly. + + + + The qbs process failed to start. + + + + The qbs process sent unexpected data. + + + + The qbs API level is not compatible with what %1 expects. + %1 == "Qt Creator" or "Qt Design Studio" + + + + Request timed out. + + + + Failed to load qbs build graph. + + + + The qbs session is not in a valid state. + + + + Failed to update files in Qbs project: %1. +The affected files are: + %2 + + - ButtonSpecifics + QtC::Qdb - Button - Przycisk + Device "%1" %2 + + + Qt Debug Bridge device %1 + + + + Device detection error: %1 + + + + Shutting down device discovery due to unexpected response: %1 + + + + Shutting down message reception due to unexpected response: %1 + + + + QDB message: %1 + + + + Unexpected QLocalSocket error: %1 + + + + Could not connect to QDB host server even after trying to start it. + + + + Invalid JSON response received from QDB server: %1 + + + + Could not find QDB host server executable. You can set the location with environment variable %1. + + + + QDB host server started. + + + + Could not start QDB host server in %1 + + + + Starting QDB host server. + + + + Starting command "%1" on device "%2". + + + + Command failed on device "%1": %2 + + + + Command failed on device "%1". + + + + stdout was: "%1" + + + + stderr was: "%1" + + + + Commands on device "%1" finished successfully. + + + + Boot2Qt Device + + + + Reboot Device + + + + Restore Default App + + + + WizardPage + StronaKreatora + + + Device Settings + + + + A short, free-text description + + + + Host name or IP address + + + + Device name: + + + + Device address: + + + + Boot2Qt Network Device Setup + + + + Set this application to start by default + + + + Reset default application + + + + Application set as the default one. + + + + Reset the default application. + + + + Remote process failed: %1 + + + + Change default application + + + + Flash wizard "%1" failed to start. + + + + Flash wizard executable "%1" not found. + + + + Flash Boot to Qt Device + + + + Deploy to Boot2Qt target + + + + Run on Boot2Qt Device + + + + Executable on device: + Plik wykonywalny na urządzeniu: + + + Remote path not set + Nie ustawiono zdalnej ścieżki + + + Executable on host: + Plik wykonywalny na hoście: + + + Full command line: + + + + The remote executable must be set in order to run on a Boot2Qt device. + + + + No device to stop the application on. + + + + Stopped the running application. + + + + Could not check and possibly stop running application. + + + + Checked that there is no running application. + + + + Stop already running application + + + + Boot2Qt: %1 + + + + + QtC::QmakeProjectManager + + &Sources + Źró&dła + + + Widget librar&y: + &Biblioteka widżetów: + + + Widget project &file: + Plik z &projektem widżetu: + + + Widget h&eader file: + Plik na&główkowy widżetu: + + + Widge&t source file: + Plik źródłowy widże&tu: + + + Widget &base class: + Klasa &bazowa widżetu: + + + Plugin class &name: + &Nazwa klasy wtyczki: + + + Plugin &header file: + Plik &nagłówkowy wtyczki: + + + Plugin sou&rce file: + Plik ź&ródłowy wtyczki: + + + Icon file: + Plik z ikoną: + + + &Link library + Dowiąż bib&liotekę + + + Create s&keleton + Utwórz sz&kielet + + + Include pro&ject + Dołącz pro&jekt + + + &Description + &Opis + + + G&roup: + &Grupa: + + + &Tooltip: + &Podpowiedź: + + + W&hat's this: + "&Co to jest": + + + The widget is a &container + Widżet jest po&jemnikiem + + + Property defa&ults + Dom&yślne wartości właściwości + + + dom&XML: + dom&XML: + + + Select Icon + Wybierz ikonę + + + Icon files (*.png *.ico *.jpg *.xpm *.tif *.svg) + Pliki z ikonami (*.png *.ico *.jpg *.xpm *.tif *.svg) + + + Specify the properties of the plugin library and the collection class. + Podaj dane o wtyczce i o klasie z kolekcją. + + + Collection class: + Klasa z kolekcją: + + + Collection header file: + Plik nagłówkowy kolekcji: + + + Collection source file: + Plik źródłowy kolekcji: + + + Plugin name: + Nazwa wtyczki: + + + Resource file: + Plik z zasobami: + + + icons.qrc + icons.qrc + + + Plugin Details + Szczegóły wtyczki + + + Widget &Classes: + &Klasy widżetów: + + + Specify the list of custom widgets and their properties. + Podaj listę własnych widżetów i ich właściwości. + + + Custom Widgets + Własne widżety + + + General + Ogólne + + + qmake system() behavior when parsing: + + + + Run + Uruchamianie + + + Ignore + Zignoruj + + + Use global setting + + + + This kit cannot build this project since it does not define a Qt version. + Zestaw narzędzi nie może zbudować projektu ponieważ nie zawiera informacji o wersji Qt. + + + The build directory contains a build for a different project, which will be overwritten. + + + + %1 The build will be overwritten. + %1 error message + + + + The build directory should be at the same level as the source directory. + + + + Error: + Błąd: + + + Warning: + Ostrzeżenie: + + + <New class> + <Nowa klasa> + + + Confirm Delete + Potwierdź usunięcie + + + Delete class %1 from list? + Czy usunąć klasę %1 z listy? + + + Qt Custom Designer Widget + Własny widżet Qt Designera + + + Creates a Qt Custom Designer Widget or a Custom Widget Collection. + Tworzy własny widżet Qt Designera lub kolekcję własnych widżetów. + + + This wizard generates a Qt Designer Custom Widget or a Qt Designer Custom Widget Collection project. + Ten kreator generuje projekt własnego widżetu Qt Designera lub projekt kolekcji własnych widżetów Qt4 Designera. + + + Creating multiple widget libraries (%1, %2) in one project (%3) is not supported. + Tworzenie wielu bibliotek z widżetami (%1, %2) w jednym projekcie (%3) nie jest obsługiwane. + + + Unable to start "%1" + Nie można uruchomić "%1" + + + Could not load kits in a reasonable amount of time. + + + + The application "%1" could not be found. + Nie można odnaleźć aplikacji "%1". + + + Qt Designer is not responding (%1). + Qt Designer nie odpowiada (%1). + + + Unable to create server socket: %1 + Nie można utworzyć gniazda serwera: %1 + + + Cannot find Makefile. Check your build settings. + Nie można odnaleźć pliku Makefile. Sprawdź swoje ustawienia budowania. + + + The build directory is not at the same level as the source directory, which could be the reason for the build failure. + + + + qmake + QMakeStep default display name + qmake + + + No Qt version configured. + Brak skonfigurowanej wersji Qt. + + + Could not determine which "make" command to run. Check the "make" step in the build configuration. + Nie można określić, którą komendę "make" należy uruchomić. Można to sprawdzić w konfiguracji budowania, w ustawieniach kroku "make". + + + Configuration unchanged, skipping qmake step. + Konfiguracja niezmieniona, krok qmake pominięty. + + + <no Qt version> + <Brak wersji Qt> + + + <no Make step found> + <brak kroku Make> + + + ABIs: + ABI: + + + QML Debugging + Debugowanie QML + + + Qt Quick Compiler + + + + Separate Debug Information + + + + The option will only take effect if the project is recompiled. Do you want to recompile now? + Opcja zostanie zastosowana po ponownej kompilacji projektu. Czy skompilować teraz? + + + <b>qmake:</b> No Qt version set. Cannot run qmake. + <b>qmake:</b> Brak ustawionej wersji Qt. Nie można uruchomić qmake. + + + <b>qmake:</b> %1 %2 + <b>qmake:</b> %1 %2 + + + QMake + QMake + + + Run qmake + Uruchom qmake + + + Build + Zbuduj + + + Build "%1" + Zbuduj "%1" + + + Rebuild + Przebuduj + + + Clean + Wyczyść + + + Build &Subproject + + + + Build &Subproject "%1" + + + + Rebuild Subproject + Przebuduj podprojekt + + + Clean Subproject + Wyczyść podprojekt + + + Build File + Zbuduj plik + + + Build File "%1" + Zbuduj plik "%1" + + + Ctrl+Alt+B + Ctrl+Alt+B + + + Add Library... + Dodaj bibliotekę... + + + Details + Szczegóły + + + Type + Typ + + + Reading Project "%1" + Odczyt projektu "%1" + + + Cannot parse project "%1": The currently selected kit "%2" does not have a valid Qt. + + + + Cannot parse project "%1": No kit selected. + + + + No Qt version set in kit. + Brak wersji Qt w zestawie narzędzi. + + + Qt version is invalid. + + + + No C++ compiler set in kit. + + + + Project is part of Qt sources that do not match the Qt defined in the kit. + + + + "%1" is used by qmake, but "%2" is configured in the kit. +Please update your kit (%3) or choose a mkspec for qmake that matches your target environment better. + + + + Generate Xcode project (via qmake) + + + + Generate Visual Studio project (via qmake) + + + + qmake generator failed: %1. + + + + No Qt in kit + + + + No valid qmake executable + + + + No qmake step in active build configuration + + + + Cannot create output directory "%1". + + + + Running in "%1": %2. + + + + Library: + Biblioteka: + + + Library file: + Plik z biblioteką: + + + Include path: + Ścieżka do nagłówków: + + + Linux + Linux + + + Mac + Mac + + + Windows + Windows + + + Linkage: + Dowiązanie: + + + Dynamic + Dynamiczne + + + Static + Statyczne + + + Mac: + Mac: + + + Library + Biblioteka + + + Framework + Framework + + + Windows: + Windows: + + + Platform: + Platforma: + + + Library inside "debug" or "release" subfolder + Biblioteka wewnątrz podkatalogu "debug" lub "release" + + + Add "d" suffix for debug version + Dodaj przyrostek "d" do wersji debugowej + + + Remove "d" suffix for release version + Usuń przyrostek "d" z wersji release'owej + + + Library type: + + + + Package: + Pakiet: + + + Add Library + Dodaj bibliotekę + + + Library Type + Typ biblioteki + + + Choose the type of the library to link to + Wybierz typ biblioteki, która ma zostać dowiązana + + + System library + Biblioteka systemowa + + + Links to a system library. +Neither the path to the library nor the path to its includes is added to the .pro file. + Dowiązuje bibliotekę systemową. +Ścieżki do biblioteki i jej nagłówków nie zostaną dodane do pliku .pro. + + + System package + Pakiet systemowy + + + Links to a system library using pkg-config. + Dowiązuje bibliotekę systemową używając pkg-config. + + + External library + Zewnętrzna biblioteka + + + Links to a library that is not located in your build tree. +Adds the library and include paths to the .pro file. + Dowiązuje bibliotekę, która jest poza drzewem budowy projektu. +Ścieżki do biblioteki i jej nagłówków zostaną dodane do pliku .pro. + + + Internal library + Wewnętrzna biblioteka + + + File does not exist. + + + + File does not match filter. + + + + Links to a library that is located in your build tree. +Adds the library and include paths to the .pro file. + Dowiązuje bibliotekę, która jest wewnątrz drzewa budowy projektu. +Ścieżki do biblioteki i jej nagłówków zostaną dodane do pliku .pro. + + + System Library + Biblioteka systemowa + + + Specify the library to link to + Wskaż bibliotekę, która ma zostać dowiązana + + + System Package + Pakiet systemowy + + + Specify the package to link to + Podaj pakiet do dowiązania + + + External Library + Zewnętrzna biblioteka + + + Specify the library to link to and the includes path + Wskaż bibliotekę, która ma zostać dowiązana i podaj ścieżkę do jej nagłówków + + + Internal Library + Wewnętrzna biblioteka + + + Choose the project file of the library to link to + Wybierz plik projektu biblioteki, która ma zostać dowiązana + + + Summary + Podsumowanie + + + The following snippet will be added to the<br><b>%1</b> file: + Do pliku <b>%1</b><br>zostanie dodany następujący fragment: + + + %1 Dynamic + %1 Dynamiczne + + + %1 Static + %1 Statyczne + + + %1 Framework + %1 Framework + + + %1 Library + %1 Biblioteka + + + Subdirs Project + Projekt z podkatalogami + + + Creates a qmake-based subdirs project. This allows you to group your projects in a tree structure. + Tworzy projekt z podkatalogami bazując na qmake. Pozwala grupować projekty w strukturę drzewiastą. + + + Done && Add Subproject + Zrobione i dodaj podprojekt + + + Finish && Add Subproject + Zakończ i dodaj podprojekt + + + New Subproject + Title of dialog + Nowy podprojekt + + + This wizard generates a Qt Subdirs project. Add subprojects to it later on by using the other wizards. + Ten kreator generuje projekt z podkatalogami Qt. Podprojekty mogą być dodane później przy użyciu innych kreatorów. + + + Could not parse Makefile. + Błąd parsowania pliku Makefile. + + + The Makefile is for a different project. + Plik Makefile odpowiada innemu projektowi. + + + The build type has changed. + Rodzaj wersji został zmieniony. + + + The qmake arguments have changed. + Argumenty qmake zostały zmienione. + + + The mkspec has changed. + mkspec został zmieniony. + + + Release + Shadow build directory suffix + Non-ASCII characters in directory suffix may cause build issues. + Release + + + Debug + Debug + + + Debug + Shadow build directory suffix + Non-ASCII characters in directory suffix may cause build issues. + Debug + + + Profile + Shadow build directory suffix + Non-ASCII characters in directory suffix may cause build issues. + Profile + + + Release + Release + + + qmake build configuration: + Konfiguracja qmake: + + + Additional arguments: + Dodatkowe argumenty: + + + Effective qmake call: + Ostateczna komenda qmake: + + + The mkspec to use when building the project with qmake.<br>This setting is ignored when using other build systems. + Mkspec, który należy użyć do budowania projektów qmake.<br>To ustawienie zostanie zignorowane dla innych systemów budowania. + + + Qt mkspec + + + + No Qt version set, so mkspec is ignored. + Brak ustawionej wersji Qt, mkspec zostanie zignorowany. + + + Mkspec not found for Qt version. + Nie odnaleziono mkspec dla wersji Qt. + + + mkspec + mkspec + + + Mkspec configured for qmake by the kit. + + + + Headers + Nagłówki + + + Sources + Źródła + + + Forms + Formularze + + + State charts + Diagramy stanów + + + Resources + Zasoby + + + QML + QML + + + Other files + Inne pliki + + + Generated Files + + + + Failed + Niepoprawnie zakończone + + + Could not write project file %1. + Nie można zapisać pliku projektu %1. + + + File Error + Błąd pliku + + + Error while parsing file %1. Giving up. + Błąd parsowania pliku %1. Przetwarzanie przerwane. + + + Could not find .pro file for subdirectory "%1" in "%2". + Nie można odnaleźć pliku .pro w podkatalogu "%1" w "%2". + + + Warn if a project's source and build directories are not at the same level + + + + Qmake has subtle bugs that can be triggered if source and build directory are not at the same level. + + + + Run qmake on every build + + + + This option can help to prevent failures on incremental builds, but might slow them down unnecessarily in the general case. + + + + Ignore qmake's system() function when parsing a project + + + + Checking this option avoids unwanted side effects, but may result in inexact parsing results. + + + + Qmake + + + + Required Qt features not present. + + + + Qt version does not target the expected platform. + + + + Qt version does not provide all features. + + + + + QtC::QmlDebug + + The port seems to be in use. + Error message shown after 'Could not connect ... debugger:" + Port prawdopodobnie zajęty. + + + The application is not set up for QML/JS debugging. + Error message shown after 'Could not connect ... debugger:" + Aplikacja nie jest gotowa na debugowanie QML/JS. + + + Socket state changed to %1 + Zmiana stanu gniazda na %1 + + + Error: %1 + Błąd: %1 + + + Debug connection opened. + + + + Debug connection closed. + + + + Debug connection failed. + + + + + QtC::QmlDesigner + + Error + Błąd + + + Export Components + + + + Export path: + + + + Item + Element + + + Property + Właściwość + + + Source Item + Element źródłowy + + + Source Property + Właściwość źródłowa + + + Cannot Create QtQuick View + + + + ConnectionsEditorWidget: %1 cannot be created.%2 + + + + Property Type + Typ właściwości + + + Property Value + Wartość właściwości + + + Baking aborted: %1 + + + + Baking finished! + + + + + QtC::QmlEditorWidgets Text Tekst - Checked - Wciśnięty + Style + Styl - Text displayed on the button. - Tekst pokazany na przycisku. + Stretch vertically. Scales the image to fit to the available area. + Rozciągnięcie w pionie. Dopasowuje rozmiar obrazu do dostępnej powierzchni. - State of the button. - Stan przycisku. + Repeat vertically. Tiles the image until there is no more space. May crop the last image. + Powtarzanie w pionie. Ostatni obraz może zostać przycięty. - Checkable - Wybieralny + Round. Like Repeat, but scales the images down to ensure that the last image is not cropped. + Zaokrąglenie. Działa jak powtarzanie, ale dodatkowo skaluje w taki sposób, że ostatni obraz nie jest przycięty. - Determines whether the button is checkable or not. - Określa, czy przycisk jest wybieralny. + Repeat horizontally. Tiles the image until there is no more space. May crop the last image. + Powtarzanie w poziomie. Ostatni obraz może zostać przycięty. - Enabled - Odblokowany + Stretch horizontally. Scales the image to fit to the available area. + Rozciągnięcie w poziomie. Dopasowuje rozmiar obrazu do dostępnej powierzchni. - Determines whether the button is enabled or not. - Określa, czy przycisk jest odblokowany. + The image is scaled to fit. + Dopasowuje obraz do dostępnej powierzchni. - Default button - Domyślny przycisk + The image is stretched horizontally and tiled vertically. + Obraz jest rozciągany w poziomie i powtarzany w pionie. - Sets the button as the default button in a dialog. - Ustawia przycisk jako domyślny w dialogu. + The image is stretched vertically and tiled horizontally. + Obraz jest rozciągany w pionie i powtarzany w poziomie. - Tool tip - Podpowiedź + The image is duplicated horizontally and vertically. + Obraz jest powielany w poziomie i w pionie. - The tool tip shown for the button. - Podpowiedź ukazująca się dla przycisku. + The image is scaled uniformly to fit without cropping. + Obraz jest skalowany jednolicie bez przycinania. - Focus on press - Fokus po naciśnięciu + The image is scaled uniformly to fill, cropping if necessary. + Obraz jest skalowany jednolicie, może zostać przycięty. - Determines whether the button gets focus if pressed. - Określa, czy przycisk otrzymuje fokus po naciśnięciu. - - - Icon source - Źródło ikony - - - The URL of an icon resource. - Adres URL ikony. - - - - CheckBoxSpecifics - - Check Box - Przycisk wyboru - - - Text - Tekst - - - Determines whether the check box gets focus if pressed. - Określa, czy przycisk wyboru otrzymuje fokus po naciśnięciu. - - - Checked - Wciśnięty - - - Text shown on the check box. - Tekst etykiety przycisku wyboru. - - - State of the check box. - Stan przycisku wyboru. - - - Focus on press - Fokus po naciśnięciu - - - - ComboBoxSpecifics - - Combo Box - Pole wyboru - - - Determines whether the combobox gets focus if pressed. - Określa, czy pole wyboru otrzymuje fokus po naciśnięciu. - - - Focus on press - Fokus po naciśnięciu - - - - RadioButtonSpecifics - - Radio Button - Przycisk opcji - - - Text - Tekst - - - Text label for the radio button. - Tekst etykiety przycisku opcji. - - - Checked - Wciśnięty - - - Determines whether the radio button is checked or not. - Określa, czy przycisk jest wybieralny. - - - Focus on press - Fokus po naciśnięciu - - - Determines whether the radio button gets focus if pressed. - Określa, czy przycisk otrzymuje fokus po naciśnięciu. - - - - TextAreaSpecifics - - Text - Tekst - - - Text shown on the text area. - Tekst pokazany w obszarze tekstowym. - - - Read only - Tylko do odczytu - - - Determines whether the text area is read only. - Określa, czy pole tekstowe jest edytowalne. + Gradient + Gradient Color Kolor - Document margins - Marginesy dokumentu + Border + Brzeg - Text Area - Obszar tekstowy + Easing + Easing - Frame width - Szerokość ramki + Subtype + Podtyp - Margins of the text area. - Marginesy pola tekstowego. + Duration + Czas trwania - Width of the frame. - Szerokość ramki. + ms + ms - Contents frame - Ramka wokół tekstu + Amplitude + Amplituda - Determines whether the frame around contents is shown. - Określa, czy widoczna jest ramka wokół tekstu. + Period + Okres - Focus Handling - Obsługa fokusu + Overshoot + Przestrzał - Highlight on focus - Podświetlenie przy fokusie + Play simulation. + Odtwórz symulację. - Determines whether the text area is highlighted on focus. - Określa, czy pole tekstowe jest podświetlone przy fokusie. + Type of easing curve. + Typ easing curve. - Tab changes focus - Tabulator zmienia fokus + Acceleration or deceleration of easing curve. + Przyspieszenie lub opóźnienie easing curve. - Determines whether tab changes the focus of the text area. - Określa, czy naciśnięcie tabulatora powoduje opuszczenie fokusu z pola tekstowego. + Duration of animation. + Czas trwania animacji. - Focus on press - Fokus po naciśnięciu + Amplitude of elastic and bounce easing curves. + Amplituda easing curve typu elastic lub bounce. - Determines whether the text area gets focus if pressed. - Określa, czy pole tekstowe otrzymuje fokus, gdy zostanie naciśnięte. - - - - TextFieldSpecifics - - Text Field - Pole tekstowe + Easing period of an elastic curve. + Okres easing curve typu elastic. - Text - Tekst + Easing overshoot for a back curve. + Przestrzał easing curve typu back. - Placeholder text - Tekst zastępczy + Hides this toolbar. + Ukrywa ten pasek narzędzi. - Read only - Tylko do odczytu + Pin Toolbar + Przypnij pasek narzędzi - Determines whether the text field is read only. - Określa, czy pole tekstowe jest edytowalne. + Show Always + Zawsze pokazuj - Text shown on the text field. - Tekst pokazany w polu tekstowym. + Unpins the toolbar and moves it to the default position. + Odpina pasek narzędzi i przenosi go do domyślnego położenia. - Placeholder text. - Tekst zastępczy. + Hides this toolbar. This toolbar can be permanently disabled in the options page or in the context menu. + Ukrywa ten pasek narzędzi. Można go zablokować na stałe, na stronie z opcjami lub z podręcznego menu. - Input mask - Maska wejściowa + Double click for preview. + Kliknij dwukrotnie aby wyświetlić podgląd. - Restricts the valid text in the text field. - Ogranicza dozwolone teksty w polu tekstowym. - - - Echo mode - Tryb echo - - - Specifies how the text is displayed in the text field. - Określa w jaki sposób jest wyświetlany tekst w polu tekstowym. - - - - texteditv2 - - Text Edit - Edytor tekstu - - - - textinputv2 - - Text - Tekst - - - - textv2 - - Text - Tekst - - - - QtC::VcsBase - - Subversion Submit - Utwórz poprawkę w Subversion - - - Descriptio&n - &Opis - - - F&iles - Pl&iki - - - %1 %2/%n File(s) - - %1 %2 z %n pliku - %1 %2 z %n plików - %1 %2 z %n plików - - - - &Commit - &Utwórz poprawkę - - - Select All - Check all for submit - Zaznacz wszystko - - - Unselect All - Uncheck all for submit - Odznacz wszystko - - - Select a&ll - Zaznacz &wszystko - - - - QtC::ExtensionSystem - - Continue - Kontynuuj - - - - QtC::Utils - - XML error on line %1, col %2: %3 - Błąd XML w linii %1, w kolumnie %2: %3 - - - The <RCC> root element is missing. - Brak głównego elementu <RCC>. + Open File + Otwórz plik QtC::QmlJS + + 'int' or 'real' + "int" lub "real" + + + File or directory not found. + Nie można odnaleźć pliku lub katalogu. + + + QML module not found (%1). + +Import paths: +%2 + +For qmake projects, use the QML_IMPORT_PATH variable to add import paths. +For Qbs projects, declare and set a qmlImportPaths property in your product to add import paths. +For qmlproject projects, use the importPaths property to add import paths. +For CMake projects, make sure QML_IMPORT_PATH variable is in CMakeCache.txt. +For qmlRegister... calls, make sure that you define the Module URI as a string literal. + + + + + Implicit import '%1' of QML module '%2' not found. + +Import paths: +%3 + +For qmake projects, use the QML_IMPORT_PATH variable to add import paths. +For Qbs projects, declare and set a qmlImportPaths property in your product to add import paths. +For qmlproject projects, use the importPaths property to add import paths. +For CMake projects, make sure QML_IMPORT_PATH variable is in CMakeCache.txt. + + + + + QML module contains C++ plugins, currently reading type information... %1 + + + + Hit maximal recursion depth in AST visit. + + + + package import requires a version number + import pakietu wymaga podania numeru wersji + + + Nested inline components are not supported. + + + + Errors while loading qmltypes from %1: +%2 + Błędy podczas ładowania qmltypes z %1: +%2 + + + Warnings while loading qmltypes from %1: +%2 + Ostrzeżenia podczas ładowania qmltypes z %1: +%2 + + + Could not parse document. + Błąd parsowania dokumentu. + + + Expected a single import. + Oczekiwano pojedynczego importu. + + + Expected import of QtQuick.tooling. + Oczekiwano importu QtQuick.tooling. + + + Expected document to contain a single object definition. + Oczekiwano dokumentu zawierającego pojedynczą definicję obiektu. + + + Expected document to contain a Module {} member. + Oczekiwano dokumentu zawierającego składnik "Module {}". + + + Major version different from 1 not supported. + Wersja główna inna niż 1 nie jest obsługiwana. + + + Expected dependency definitions + Oczekiwano definicji zależności + + + Component definition is missing a name binding. + Brak nazwy powiązania w definicji komponentu. + + + ModuleApi definition has no or invalid version binding. + Brak lub niepoprawne powiązanie wersji w definicji ModuleApi. + + + Method or signal is missing a name script binding. + Brak powiązania skryptowego name w metodzie lub sygnale. + + + Expected script binding. + Oczekiwano powiązań skryptowych. + + + Property object is missing a name or type script binding. + Brak powiązania skryptowego name w obiekcie właściwości. + + + Expected string after colon. + Oczekiwano ciągu znakowego po dwukropku. + + + Expected boolean after colon. + Oczekiwano wartości boolowskiej po dwukropku. + + + Expected true or false after colon. + Oczekiwano "true" lub "false" po dwukropku. + + + Expected numeric literal after colon. + Oczekiwano literału liczbowego po dwukropku. + + + Expected integer after colon. + Oczekiwano liczby całkowitej po dwukropku. + + + Expected array of strings after colon. + Oczekiwano tablicy ciągów znakowych po dwukropku. + + + Expected array literal with only string literal members. + Oczekiwano literału tablicowego, zawierającego jedynie literały łańcuchowe. + + + Expected string literal to contain 'Package/Name major.minor' or 'Name major.minor'. + Oczekiwano literału łańcuchowego, zawierającego "Pakiet / Nazwa główna.poboczna" lub "Nazwa główna.poboczna". + + + Expected array of numbers after colon. + Oczekiwano tablicy liczbowej po dwukropku. + + + Expected array literal with only number literal members. + Oczekiwano literału tablicowego, zawierającego jedynie literały liczbowe. + + + Meta object revision without matching export. + + + + Expected integer. + Oczekiwano liczby całkowitej. + + + Expected object literal after colon. + Oczekiwano literału obiektowego po dwukropku. + + + Expected expression after colon. + + + + Expected strings as enum keys. + + + + Expected either array or object literal as enum definition. + + Cannot find file %1. Brak pliku %1. @@ -22940,8 +44992,8 @@ Można używać nazw częściowych, jeśli są one unikalne. Oczekiwano składnika wyrażenia po dwukropku. - Property is defined twice. - Właściwość jest zdefiniowana dwukrotnie. + Property is defined twice, previous definition at %1:%2 + Invalid value for enum. @@ -23051,42 +45103,6 @@ Można używać nazw częściowych, jeśli są one unikalne. Missing property "%1". Brak właściwości "%1". - - This type (%1) is not supported in the Qt Quick Designer. - Ten typ (%1) nie jest obsługiwany przez Qt Quick Designera. - - - This type (%1) is not supported as a root element by Qt Quick Designer. - Ten typ (%1) nie jest obsługiwany jako główny element przez Qt Quick Designera. - - - This type (%1) is not supported as a root element of a Qt Quick UI form. - Ten typ (%1) nie jest obsługiwany jako główny element formularza Qt Quick UI. - - - This type (%1) is not supported in a Qt Quick UI form. - Ten typ (%1) nie jest obsługiwany w formularzu Qt Quick UI. - - - Functions are not supported in a Qt Quick UI form. - Funkcje nie są obsługiwane w formularzach Qt Quick UI. - - - JavaScript blocks are not supported in a Qt Quick UI form. - Bloki z kodem JavaScript nie są obsługiwane w formularzu Qt Quick UI. - - - Behavior type is not supported in a Qt Quick UI form. - Typ zachowania nie jest obsługiwany w formularzach Qt Quick UI. - - - States are only supported in the root item in a Qt Quick UI form. - Stany są obsługiwane jedynie w głównym elemencie formularza Qt Quick UI. - - - Referencing the parent of the root item is not supported in a Qt Quick UI form. - Odwołanie do rodzica elementu głównego nie jest obsługiwane w formularzu Qt Quick UI. - Assignment in condition. Podstawienie w warunku. @@ -23240,3409 +45256,97 @@ Więcej informacji w dokumentacji "Checking Code Syntax".Oczekiwano %1 elementów w tablicy wartości. - Imperative code is not supported in the Qt Quick Designer. - Kod imperatywny nie jest obsługiwany w Qt Quick Designerze. + Imperative code is not supported in Qt Design Studio. + - Reference to parent item cannot be resolved correctly by the Qt Quick Designer. - Qt Quick Designer nie może poprawnie rozwiązać referencji do rodzica elementu. + This type (%1) is not supported in Qt Design Studio. + - This visual property binding cannot be evaluated in the local context and might not show up in Qt Quick Designer as expected. - To lokalne powiązanie właściwości nie może zostać przetworzone w lokalnym kontekście, ani nie może zostać prawidłowo pokazane w Qt Quick Designerze. + Reference to parent item cannot be resolved correctly by Qt Design Studio. + - Qt Quick Designer only supports states in the root item. - Qt Quick Designer obsługuje jedynie stany w głównym elemencie. + This visual property binding cannot be evaluated in the local context and might not show up in Qt Design Studio as expected. + - This id might be ambiguous and is not supported in the Qt Quick Designer. - Ten identyfikator może być niejednoznaczny i nie jest on obsługiwany w Qt Quick Designerze. + Qt Design Studio only supports states in the root item. + - Using Qt Quick 1 code model instead of Qt Quick 2. - Użyto modelu kodu Qt Quick 1 zamiast Qt Quick 2. + This id might be ambiguous and is not supported in Qt Design Studio. + + + + This type (%1) is not supported as a root element by Qt Design Studio. + + + + This type (%1) is not supported as a root element of a UI file (.ui.qml). + + + + This type (%1) is not supported in a UI file (.ui.qml). + + + + Functions are not supported in a UI file (.ui.qml). + + + + JavaScript blocks are not supported in a UI file (.ui.qml). + + + + Behavior type is not supported in a UI file (.ui.qml). + + + + States are only supported in the root item in a UI file (.ui.qml). + + + + Referencing the parent of the root item is not supported in a UI file (.ui.qml). + + + + Do not mix translation functions in a UI file (.ui.qml). + + + + Duplicate import (%1). + + + + Hit maximum recursion limit when visiting AST. + + + + Type cannot be instantiated recursively (%1). + + + + Components are only allowed to have a single child element. + + + + Components require a child element. + + + + Do not reference the root item as alias. + + + + Avoid referencing the root item in a hierarchy. + A State cannot have a child item (%1). Stan nie może posiadać elementu potomnego (%1). - - - QtC::Android - - GDB server - Serwer GDB - - - Manage... - Zarządzaj... - - - Auto-detect - Wykryj automatycznie - - - Edit... - Modyfikuj... - - - Android GDB server - Serwer GDB Androida - - - The GDB server to use for this kit. - Serwer GDB użyty w tym zestawie narzędzi. - - - &Binary: - Plik &binarny: - - - GDB Server for "%1" - Serwer GDB dla "%1" - - - General - Ogólne - - - XML Source - Źródło XML - - - Android Manifest editor - Edytor plików manifest Androida - - - Package - Pakiet - - - <p align="justify">Please choose a valid package name for your application (for example, "org.example.myapplication").</p><p align="justify">Packages are usually defined using a hierarchical naming pattern, with levels in the hierarchy separated by periods (.) (pronounced "dot").</p><p align="justify">In general, a package name begins with the top level domain name of the organization and then the organization's domain and then any subdomains listed in reverse order. The organization can then choose a specific name for their package. Package names should be all lowercase characters whenever possible.</p><p align="justify">Complete conventions for disambiguating package names and rules for naming packages when the Internet domain name cannot be directly used as a package name are described in section 7.7 of the Java Language Specification.</p> - - - - Package name: - Nazwa pakietu: - - - The package name is not valid. - Niepoprawna nazwa pakietu. - - - Version code: - Kod wersji: - - - Version name: - Nazwa wersji: - - - Sets the minimum required version on which this application can be run. - Ustawia minimalną wymaganą wersję, z którą ta aplikacja może zostać uruchomiona. - - - Not set - Nie ustawiona - - - Minimum required SDK: - Minimalnie wymagane SDK: - - - Sets the target SDK. Set this to the highest tested version. This disables compatibility behavior of the system for your application. - - - - Target SDK: - Docelowe SDK: - - - Application - Aplikacja - - - Application name: - Nazwa aplikacji: - - - Activity name: - Nazwa aktywności: - - - Run: - Uruchom: - - - Select low DPI icon. - Wybierz ikonę o małym DPI. - - - Select medium DPI icon. - Wybierz ikonę o średnim DPI. - - - Select high DPI icon. - Wybierz ikonę o dużym DPI. - - - The structure of the Android manifest file is corrupted. Expected a top level 'manifest' node. - Struktura pliku manifest Androida jest uszkodzona. Oczekiwano głównego elementu "manifest". - - - The structure of the Android manifest file is corrupted. Expected an 'application' and 'activity' sub node. - Struktura pliku manifest Androida jest uszkodzona. Oczekiwano podelementów "application" i "activity". - - - API %1: %2 - API %1: %2 - - - Application icon: - Ikona aplikacji: - - - Permissions - Prawa dostępu - - - Include default permissions for Qt modules. - Ustaw domyślne prawa dostępu dla modułów Qt. - - - Include default features for Qt modules. - Ustaw domyślne funkcjonalności dla modułów Qt. - - - Add - Dodaj - - - Could not parse file: "%1". - Błąd parsowania pliku: "%1". - - - %2: Could not parse file: "%1". - %2: Błąd parsowania pliku: "%1". - - - Goto error - Błąd instrukcji goto - - - Choose Low DPI Icon - Wybierz ikonę o małym dpi - - - PNG images (*.png) - Pliki graficzne (*.png) - - - Choose Medium DPI Icon - Wybierz ikonę o średnim dpi - - - Choose High DPI Icon - Wybierz ikonę o dużym dpi - - - - QtC::TextEditor - - Note text: - Tekst notatki: - - - Line number: - Numer linii: - - - - QtC::Core - - (%1) - (%1) - - - Qt Creator %1%2 - Qt Creator %1%2 - - - Based on Qt %1 (%2, %3 bit) - Bazujący na Qt %1 (%2, %3 bitowy) - - - Toggle Progress Details - Przełącz szczegóły postępu - - - - QtC::CppEditor - - Shift+F2 - Shift+F2 - - - Additional Preprocessor Directives... - Dodatkowe dyrektywy preprocesora... - - - C++ - SnippetProvider - C++ - - - Switch Between Function Declaration/Definition - Przełącz między deklaracją a definicją funkcji - - - Open Function Declaration/Definition in Next Split - Otwórz deklarację / definicję metody w nowym, sąsiadującym oknie - - - Meta+E, Shift+F2 - Meta+E, Shift+F2 - - - Ctrl+E, Shift+F2 - Ctrl+E, Shift+F2 - - - Find Usages - Znajdź użycia - - - Ctrl+Shift+U - Ctrl+Shift+U - - - Open Type Hierarchy - Otwórz hierarchię typów - - - Meta+Shift+T - Meta+Shift+T - - - Ctrl+Shift+T - Ctrl+Shift+T - - - Open Include Hierarchy - Otwórz hierarchię dołączeń - - - Meta+Shift+I - Meta+Shift+I - - - Ctrl+Shift+I - Ctrl+Shift+I - - - Rename Symbol Under Cursor - Zmień nazwę symbolu pod kursorem - - - CTRL+SHIFT+R - CTRL+SHIFT+R - - - Reparse Externally Changed Files - Ponownie przeparsuj pliki zewnętrznie zmodyfikowane - - - Inspect C++ Code Model... - Przejrzyj model kodu C++... - - - Meta+Shift+F12 - Meta+Shift+F12 - - - Ctrl+Shift+F12 - Ctrl+Shift+F12 - - - Move Definition Outside Class - Przenieś definicję na zewnątrz klasy - - - Move Definition to %1 - Przenieś definicję do %1 - - - Move All Function Definitions Outside Class - Przenieś wszystkie definicje funkcji poza klasę - - - Move All Function Definitions to %1 - Przenieś wszystkie definicje funkcji do %1 - - - Move Definition to Class - Przenieś definicję do klasy - - - Insert Virtual Functions of Base Classes - Wstaw wirtualne metody klas bazowych - - - Insert Virtual Functions - Wstaw wirtualne metody - - - &Functions to insert: - &Metody do wstawienia: - - - Filter - Filtr - - - &Hide reimplemented functions - &Ukryj nadpisane funkcje - - - &Insertion options: - Opcje &wstawiania: - - - Insert only declarations - Wstaw tylko deklaracje - - - Insert definitions inside class - Wstaw definicje wewnątrz klasy - - - Insert definitions outside class - Wstaw definicje na zewnątrz klasy - - - Insert definitions in implementation file - Wstaw definicje w pliku z implementacjami - - - Add "&virtual" to function declaration - Dodaj "&virtual" do deklaracji funkcji - - - Add "override" equivalent to function declaration: - Dodaj odpowiednik "override" do deklaracji funkcji: - - - Clear Added "override" Equivalents - Usuń dodany odpowiednik "override" - - - Parsing C/C++ Files - Parsowanie plików C / C++ - - - Only virtual functions can be marked 'override' - Jedynie funkcje wirtualne mogą być opatrzone "override" - - - Only virtual functions can be marked 'final' - Jedynie funkcje wirtualne mogą być opatrzone "final" - - - Expected a namespace-name - Oczekiwano nazwy przestrzeni nazw - - - Too many arguments - Za dużo argumentów - - - Too few arguments - Za mało argumentów - - - - QtC::CVS - - &Edit - &Edycja - - - CVS Checkout - Kopia robocza CVS - - - - QtC::Debugger - - Symbol Paths - Ścieżki z symbolami - - - Source Paths - Ścieżki ze źródłami - - - CDB Paths - Ścieżki CDB - - - Debugger settings - Ustawienia debuggera - - - GDB Extended - Rozszerzony GDB - - - - QtC::ImageViewer - - Color at %1,%2: red: %3 green: %4 blue: %5 alpha: %6 - Kolor na pozycji (%1,%2): czerwień: %3, zieleń: %4, błękit: %5, przeźroczystość: %6 - - - Size: %1x%2, %3 byte, format: %4, depth: %5 - Rozmiar: %1x%2, %3 bajtów, format: %4, głębokość: %5 - - - <Click to display color> - <Naciśnij aby wyświetlić kolor> - - - Copy Image - Skopiuj obraz - - - Open Image Viewer - Otwórz przeglądarkę plików graficznych - - - - QtC::Debugger - - Run in Terminal is not supported with the LLDB backend. - Uruchamianie w terminalu nie jest obsługiwane przez back-end LLDB. - - - Unable to start LLDB "%1": %2 - Nie można uruchomić LLDB "%1": %2 - - - Interrupt requested... - Zażądano przerwy... - - - LLDB I/O Error - Błąd wejścia / wyjścia LLDB - - - The LLDB process failed to start. Either the invoked program "%1" is missing, or you may have insufficient permissions to invoke the program. - Nie można rozpocząć procesu LLDB. Brak programu "%1" albo brak wymaganych uprawnień aby go uruchomić. - - - The LLDB process crashed some time after starting successfully. - Proces LLDB przerwał pracę po poprawnym uruchomieniu. - - - An error occurred when attempting to write to the LLDB process. For example, the process may not be running, or it may have closed its input channel. - Wystąpił błąd podczas próby pisania do procesu LLDB. Być może proces nie jest uruchomiony lub zamknął on swój kanał wejściowy. - - - An unknown error in the LLDB process occurred. - Wystąpił nieznany błąd w procesie LLDB. - - - An error occurred when attempting to read from the Lldb process. For example, the process may not be running. - Wystąpił błąd podczas próby czytania z procesu Lldb. Być może proces nie jest uruchomiony. - - - - QtC::DiffEditor - - Diff Editor - Edytor różnic - - - &Diff - Po&równaj - - - Diff Current File - Pokaż różnice w bieżącym pliku - - - Meta+H - Meta+H - - - Ctrl+H - Ctrl+H - - - Diff Open Files - Pokaż różnice w otwartych plikach - - - Meta+Shift+H - Meta+Shift+H - - - Ctrl+Shift+H - Ctrl+Shift+H - - - Diff External Files... - Pokaż różnice pomiędzy zewnętrznymi plikami... - - - Diff "%1" - Porównaj "%1" - - - Select First File for Diff - Wybierz pierwszy plik do porównania - - - Select Second File for Diff - Wybierz drugi plik do porównania - - - Diff "%1", "%2" - Porównanie "%1" z "%2" - - - - QtC::Utils - - Delete - Usunięto - - - Insert - Wstawiono - - - Equal - Brak zmian - - - - QtC::Git - - Sha1 - Sha1 - - - Reset to: - Zresetuj do: - - - Select change: - Wybierz zmianę: - - - Reset type: - Typ resetu: - - - Mixed - Mixed - - - Hard - Hard - - - Soft - Soft - - - Normal - Normalny - - - Submodule - Podmoduł - - - Deleted - Usunięty - - - Symbolic link - Dowiązanie symboliczne - - - Modified - Zmodyfikowany - - - Created - Utworzony - - - Submodule commit %1 - Poprawka w podmodule %1 - - - Symbolic link -> %1 - Link symboliczny -> %1 - - - Merge Conflict - Konflikty podczas scalania - - - %1 merge conflict for "%2" -Local: %3 -Remote: %4 - Konflikt typu %1 scalania dla "%2" -Lokalny: %3 -Zdalny: %4 - - - &Local - &Lokalny - - - &Remote - &Zdalny - - - &Created - U&tworzony - - - &Modified - Z&modyfikowany - - - &Deleted - &Usunięty - - - Unchanged File - Plik nie został zmieniony - - - Was the merge successful? - Czy scalenie zakończone jest poprawnie? - - - Continue Merging - Kontynuuj scalanie - - - Continue merging other unresolved paths? - Kontynuować scalanie innych nierozwiązanych ścieżek? - - - Merge tool process finished successfully. - Proces scalania poprawnie zakończony. - - - Merge tool process terminated with exit code %1 - Proces scalania zakończony kodem wyjściowym %1 - - - - QtC::ProjectExplorer - - Custom - Własny - - - %n entries - - %n element - %n elementy - %n elementów - - - - Empty - Brak - - - Custom Parser Settings... - Własne ustawienia parsera... - - - Each line defines a macro. Format is MACRO[=VALUE]. - Każda linia definiuje makro w formacie: MACRO[=WARTOŚĆ]. - - - Each line adds a global header lookup path. - Każda linia dodaje globalną ścieżkę poszukiwania plików nagłówkowych. - - - Comma-separated list of flags that turn on C++11 support. - Oddzielona przecinkami lista flag włączających obsługę C++11. - - - Comma-separated list of mkspecs. - Oddzielona przecinkami lista mkspec'ów. - - - &Make path: - Ścieżka do "&make": - - - &Predefined macros: - &Predefiniowane makra: - - - &Header paths: - Ścieżki do &nagłówków: - - - C++11 &flags: - &Flagi C++11: - - - &Qt mkspecs: - &Qt mkspecs: - - - &Error parser: - &Błąd parsowania: - - - No device configured. - Brak skonfigurowanego urządzenia. - - - Set Up Device - Ustaw urządzenie - - - There is no device set up for this kit. Do you want to add a device? - Brak ustawionego urządzenia w tym zestawie narzędzi. Czy dodać urządzenie? - - - Check for a configured device - Wyszukaj skonfigurowane urządzenie - - - Run Environment - Środowisko uruchamiania - - - Base environment for this run configuration: - Podstawowe środowisko dla tej konfiguracji uruchamiania: - - - %1 (%2, %3 %4 in %5) - %1 (%2, %3 %4 w %5) - - - Remove - Name of the action triggering the removetaskhandler - Usuń - - - Remove task from the task list. - Usuwa zadanie z listy zadań. - - - - QtC::QbsProjectManager - - Parsing the Qbs project. - Parsowanie projektu Qbs. - - - Parsing of Qbs project has failed. - Nie można sparsować projektu Qbs. - - - Build - Wersja - - - Debug - Shadow build directory suffix - Non-ASCII characters in directory suffix may cause build issues. - Debug - - - Release - Shadow build directory suffix - Non-ASCII characters in directory suffix may cause build issues. - Release - - - Build directory: - Katalog wersji: - - - Configuration name: - Nazwa konfiguracji: - - - Qbs Build - Wersja Qbs - - - Qbs Clean - Qbs Clean - - - Qbs Install - Qbs Install - - - Failed - Niepoprawnie zakończone - - - Could not write project file %1. - Nie można zapisać pliku projektu %1. - - - %1: Selected products do not exist anymore. - %1: wybrane produkty już nie istnieją. - - - Cannot clean - Nie można wyczyścić - - - Cannot build - Nie można zbudować - - - Reading Project "%1" - Odczyt projektu "%1" - - - Reparse Qbs - Przeparsuj Qbs - - - Build File - Zbuduj plik - - - Build File "%1" - Zbuduj plik "%1" - - - Ctrl+Alt+B - Ctrl+Alt+B - - - Build Product - Zbuduj produkt - - - Build Product "%1" - Zbuduj produkt "%1" - - - Ctrl+Alt+Shift+B - Ctrl+Alt+Shift+B - - - Clean - Wyczyść - - - Clean Product - Wyczyść produkt - - - Clean Product "%1" - Wyczyść produkt "%1" - - - Rebuild - Przebuduj - - - Rebuild Product - Przebuduj produkt - - - Rebuild Product "%1" - Przebuduj produkt "%1" - - - Build Subproject - Zbuduj podprojekt - - - Build Subproject "%1" - Zbuduj podprojekt "%1" - - - Ctrl+Shift+B - Ctrl+Shift+B - - - Clean Subproject - Wyczyść podprojekt - - - Clean Subproject "%1" - Wyczyść podprojekt "%1" - - - Rebuild Subproject - Przebuduj podprojekt - - - Rebuild Subproject "%1" - Przebuduj podprojekt "%1" - - - The .qbs files are currently being parsed. - Trwa parsowanie plików .qbs. - - - Parsing of .qbs files has failed. - Nie można sparsować plików .qbs. - - - Error retrieving run environment: %1 - Błąd podczas pobierania środowiska uruchamiania: %1 - - - Qbs Run Configuration - Konfiguracja uruchamiania Qbs - - - <unknown> - <nieznany> - - - Executable: - Plik wykonywalny: - - - - QmlDesignerContextMenu - - Selection - Selekcja - - - Stack (z) - Stos (z) - - - Edit - Edycja - - - Anchors - Kotwice - - - Position - Pozycja - - - Layout - Rozmieszczenie - - - Stacked Container - - - - Select Parent: %1 - Zaznacz rodzica: %1 - - - Select: %1 - Zaznacz: %1 - - - Deselect: - Odznacz: - - - Cut - Wytnij - - - Copy - Skopiuj - - - Paste - Wklej - - - Delete Selection - Usuń zaznaczone - - - To Front - Na wierzch - - - To Back - Na spód - - - Raise - Do przodu - - - Lower - Do tyłu - - - Undo - Cofnij - - - Redo - Przywróć - - - Visibility - Widoczność - - - Reset Size - Zresetuj rozmiar - - - Reset Position - Zresetuj pozycję - - - Go into Component - Przejdź do komponentu - - - Go to Implementation - Przejdź do implementacji - - - Add New Signal Handler - Dodaj nową obsługę sygnału - - - Move Component into Separate File - Przenieś komponent do oddzielnego pliku - - - Add Item - Dodaj element - - - Add Tab Bar - Dodaj pasek z zakładkami - - - Increase Index - Zwiększ indeks - - - Decrease Index - Zmniejsz indeks - - - Layout in Column Layout - Rozmieść w kolumnie - - - Layout in Row Layout - Rozmieść w rzędzie - - - Layout in Grid Layout - Rozmieść w siatce - - - Raise selected item. - Przenieś do przodu wybrany element. - - - Lower selected item. - Przenieś do tyłu wybrany element. - - - Reset size and use implicit size. - - - - Reset position and use implicit position. - - - - Fill selected item to parent. - - - - Reset anchors for selected item. - Zresetuj kotwice w zaznaczonym elemencie. - - - Layout selected items in column layout. - Rozmieść zaznaczone elementy w kolumnie. - - - Layout selected items in row layout. - Rozmieść zaznaczone elementy w rzędzie. - - - Layout selected items in grid layout. - Rozmieść zaznaczone elementy w siatce. - - - Increase index of stacked container. - - - - Decrease index of stacked container. - - - - Add item to stacked container. - - - - Set Id - Ustaw identyfikator - - - Reset z Property - Zresetuj właściwość "z" - - - Fill - Wypełnij - - - Reset - Zresetuj - - - Position in Column - Pozycja w kolumnie - - - Position in Row - Pozycja w rzędzie - - - Position in Grid - Pozycja w siatce - - - Position in Flow - - - - Remove Positioner - - - - Remove Layout - Usuń rozmieszczenie - - - Fill Width - Wypełnij szerokość - - - Fill Height - Wypełnij wysokość - - - Select parent: %1 - Zaznacz rodzica: %1 - - - - QmlDesigner::Internal::DebugView - - Debug view is enabled - Widok debugowy jest odblokowany - - - ::nodeReparented: - ::nodeReparented: - - - ::nodeIdChanged: - ::nodeIdChanged: - - - Debug View - Widok debugowy - - - - QmlDesigner::FormEditorView - - Form Editor - Edytor formularzy - - - - QmlDesigner::Internal::MetaInfoPrivate - - Invalid meta info - Niepoprawna metainformacja - - - - QmlDesigner::Internal::MetaInfoReader - - Illegal state while parsing. - Niepoprawny stan podczas parsowania. - - - No property definition allowed. - Definicja właściwości nie jest dozwolona. - - - Invalid type %1 - Niepoprawny typ %1 - - - Unknown property for Type %1 - Nieznana właściwość dla "Type" %1 - - - Unknown property for ItemLibraryEntry %1 - Nieznana właściwość dla "ItemLibraryEntry" %1 - - - Unknown property for Property %1 - Nieznana właściwość dla "Property" %1 - - - Unknown property for QmlSource %1 - Nieznana właściwość dla "QmlSource" %1 - - - Invalid or duplicate item library entry %1 - - - - - SubComponentManager::parseDirectory - - Invalid meta info - Niepoprawna metainformacja - - - - QmlDesigner::TextToModelMerger - - No import statements found - Brak instrukcji importu - - - Unsupported QtQuick version - Nieobsługiwana wersja QtQuick - - - No import for Qt Quick found. - Brak instrukcji importu Qt Quick. - - - - QmlDesigner::QmlDesignerPlugin - - Cannot Open Design Mode - Nie można otworzyć trybu "Design" - - - The QML file is not currently opened in a QML Editor. - Plik QML nie jest aktualnie otwarty w edytorze QML. - - - - QmlDesigner::ShortCutManager - - Export as &Image... - Wyeksportuj jako pl&ik graficzny... - - - &Undo - &Cofnij - - - &Redo - &Przywróć - - - Delete - Usuń - - - Delete "%1" - Usuń "%1" - - - Cu&t - Wy&tnij - - - Cut "%1" - Wytnij "%1" - - - &Copy - S&kopiuj - - - Copy "%1" - Skopiuj "%1" - - - &Paste - Wk&lej - - - Paste "%1" - Wklej "%1" - - - Select &All - Zaznacz &wszystko - - - Select All "%1" - Zaznacz wszystkie "%1" - - - Toggle States Editor - Przełącz edytor stanów - - - &Restore Default View - Przywróć &domyślny widok - - - Toggle &Left Sidebar - Przełącz l&ewy boczny pasek - - - Toggle &Right Sidebar - Przełącz p&rawy boczny pasek - - - Switch Text/Design - Przełącz tekst / projekt - - - Save %1 As... - Zachowaj %1 jako... - - - &Save %1 - &Zachowaj %1 - - - Revert %1 to Saved - Odwróć zmiany w %1 - - - Close %1 - Zamknij %1 - - - Close All Except %1 - Zamknij wszystko z wyjątkiem %1 - - - Close Others - Zamknij inne - - - - QtC::QmlProjectManager - - System Environment - Środowisko systemowe - - - Kit Environment - Środowisko zestawu narzędzi - - - - QtC::Qnx - - %1 found. - Znaleziono %1. - - - %1 not found. - Nie znaleziono %1. - - - An error occurred checking for %1. - Błąd podczas sprawdzania %1. - - - SSH connection error: %1 - Błąd połączenia SSH: %1 - - - Checking for %1... - Sprawdzanie %1... - - - - QtC::QtSupport - - Full path to the host bin directory of the current project's Qt version. - Pełna ścieżka do źródłowego podkatalogu "bin" w katalogu instalacji bieżącej wersji Qt. - - - Full path to the target bin directory of the current project's Qt version.<br>You probably want %1 instead. - Pełna ścieżka docelowego podkatalogu "bin" w katalogu instalacji bieżącej wersji Qt. Prawdopodobnie powinno być: %1. - - - No factory found for qmake: "%1" - Brak fabryki dla qmake: "%1" - - - - QtC::RemoteLinux - - Clean Environment - Czyste środowisko - - - System Environment - Środowisko systemowe - - - Fetch Device Environment - Pobierz środowisko urządzenia - - - Cancel Fetch Operation - Anuluj pobieranie - - - Device Error - Błąd urządzenia - - - Fetching environment failed: %1 - Błąd podczas pobierania środowiska: %1 - - - - QtC::TextEditor - - Displays context-sensitive help or type information on mouseover. - Pokazuje pomoc kontekstową lub informację o typie po najechaniu kursorem myszy. - - - Displays context-sensitive help or type information on Shift+Mouseover. - Pokazuje pomoc kontekstową lub informację o typie po naciśnięciu klawisza Shift i najechaniu kursorem myszy. - - - Refactoring cannot be applied. - Nie można zrefaktoryzować. - - - - QtC::Android - - Create new AVD - Utwórz nowe AVD - - - Target API: - API docelowe: - - - Name: - Nazwa: - - - SD card size: - Rozmiar karty SD: - - - MiB - MiB - - - ABI: - ABI: - - - Form - Formularz - - - Clean Temporary Libraries Directory on Device - Wyczyść tymczasowe katalogi z bibliotekami na urządzeniu - - - Install Ministro from APK - Zainstaluj Ministro z APK - - - Reset Default Devices - Przywróć domyślne urządzenia - - - Deploy options - Opcje instalacji - - - Uninstall previous package - Odinstaluj poprzedni pakiet - - - Select Android Device - Wybierz urządzenie z Androidem - - - Refresh Device List - Odśwież listę urządzeń - - - Create Android Virtual Device - Utwórz wirtualne urządzenie Android - - - Compatible devices - Kompatybilne urządzenia - - - Unauthorized. Please check the confirmation dialog on your device %1. - Urządzenie nieautoryzowane. Sprawdź dialog potwierdzenia w urządzeniu %1. - - - Offline. Please check the state of your device %1. - Rozłączony. Sprawdź stan urządzenia %1. - - - ABI is incompatible, device supports ABIs: %1. - Niekompatybilne ABI, urządzenie obsługuje następujące ABI: %1. - - - API Level of device is: %1. - Poziom API urządzenia: %1. - - - Android 5 devices are incompatible with deploying Qt to a temporary directory. - Urządzenia Android 5 nie obsługują instalowania Qt do tymczasowego katalogu. - - - Incompatible devices - Niekompatybilne urządzenia - - - <p>Connect an Android device via USB and activate developer mode on it. Some devices require the installation of a USB driver.</p> - <p>Podłącz urządzenie Android przez USB i włącz w nim tryb deweloperski. Niektóre urządzenia wymagają instalacji sterownika USB.</p> - - - <p>The adb tool in the Android SDK lists all connected devices if run via &quot;adb devices&quot;.</p> - <p>Narzędzie adb w Android SDK pokazuje wszystkie podłączone urządzenia uruchomione przez &quot;urządzenia adb&quot;.</p> - - - No Device Found - Brak urządzeń - - - Looking for default device <b>%1</b>. - Poszukiwanie domyślnego urządzenia <b>%1</b>. - - - <html><head/><body><p><a href="aaa"><span style=" text-decoration: underline; color:#0057ae;">My device is missing</span></a></p></body></html> - <html><head/><body><p><a href="aaa"><span style=" text-decoration: underline; color:#0057ae;">Brak mojego urządzenia</span></a></p></body></html> - - - Cancel - Anuluj - - - This can be later reset in deployment settings in the Projects mode. - Istnieje możliwość późniejszego zresetowania tej opcji w ustawieniach instalacji w trybie projektu. - - - Always use this device for architecture %1 for this project - Zawsze używaj wskazanego urządzenia dla tego projektu o architekturze %1 - - - - QtC::BareMetal - - Set up GDB Server or Hardware Debugger - Ustaw serwer GDB lub debugger sprzętowy - - - Name: - Nazwa: - - - GDB server provider: - Dostawca serwera GDB: - - - Bare Metal Device - Urządzenie Bare Metal - - - - QtC::Core - - Add the file to version control (%1) - Dodaj plik do systemu kontroli wersji (%1) - - - Add the files to version control (%1) - Dodaj pliki do systemu kontroli wersji (%1) - - - - QtC::CppEditor - - Additional C++ Preprocessor Directives - Dodatkowe dyrektywy preprocesora C++ - - - Additional C++ Preprocessor Directives for %1: - Dodatkowe dyrektywy preprocesora C++ dla %1: - - - <html><head/><body><p>When pre-compiled headers are not ignored, the parsing for code completion and semantic highlighting will process the pre-compiled header before processing any file.</p></body></html> - <html><head/><body><p>Gdy nagłówki prekompilowane nie są ignorowane, parsowanie ich nastąpi przed wszystkimi innymi plikami podczas uzupełniania kodu i podświetlania semantyki.</p></body></html> - - - Ignore pre-compiled headers - Ignoruj nagłówki prekompilowane - - - Clang Code Model Warnings - Ostrzeżenia modelu kodu Clang - - - <i>The Clang Code Model is enabled because the corresponding plugin is loaded.</i> - <i>Model kodu Clang jest odblokowany, ponieważ odpowiednia wtyczka jest załadowana.</i> - - - <i>The Clang Code Model is disabled because the corresponding plugin is not loaded.</i> - <i>Model kodu Clang jest zablokowany, ponieważ odpowiednia wtyczka nie jest załadowana.</i> - - - Do not index files greater than - Nie indeksuj plików większych niż - - - MB - MB - - - Interpret ambiguous headers as C headers - Interpretuj niejednoznaczne nagłówki jako nagłówki języka C - - - - QtC::Ios - - Base arguments: - Podstawowe argumenty: - - - Reset Defaults - Przywróć domyślne - - - Extra arguments: - Dodatkowe argumenty: - - - xcodebuild - xcodebuild - - - - QtC::ProjectExplorer - - Custom Parser - Własny parser - - - &Error message capture pattern: - Wzorzec do wychwytywania komunikatów z &błędami: - - - Capture Positions - Wychwytane pozycje - - - &File name: - Nazwa &pliku: - - - &Line number: - Numer &linii: - - - &Message: - K&omunikat: - - - Test - Test - - - E&rror message: - Komunikat o błę&dzie: - - - File name: - Nazwa pliku: - - - Line number: - Numer linii: - - - Message: - Komunikat: - - - Not applicable: - Nieodpowiedni: - - - Pattern is empty. - Wzorzec jest pusty. - - - No message given. - Brak komunikatów. - - - Pattern does not match the message. - Wzorzec nie wychwycił komunikatu. - - - Error - Błąd - - - Capture Output Channels - Wychwytane kanały wyjściowe - - - Standard output - Standardowy strumień wyjścia - - - Standard error - Standardowy strumień błędów - - - Warning message capture pattern: - Wzorzec do wychwytywania komunikatów z ostrzeżeniami: - - - Warning message: - Komunikat z ostrzeżeniem: - - - Device Test - Test urządzenia - - - Close - Zamknij - - - Device test finished successfully. - Test urządzenia poprawnie zakończony. - - - Device test failed. - Błąd testowania urządzenia. - - - - QmlDesigner::AddTabToTabViewDialog - - Dialog - Dialog - - - Add tab: - Dodaj zakładkę: - - - - QtC::UpdateInfo - - Configure Filters - Konfiguracja filtrów - - - Automatic Check for Updates - Automatyczne sprawdzanie dostępnych aktualizacji - - - Check interval basis: - Częstość sprawdzania: - - - Qt Creator automatically runs a scheduled check for updates on a time interval basis. If Qt Creator is not in use on the scheduled date, the automatic check for updates will be performed next time Qt Creator starts. - Qt Creator automatycznie sprawdza dostępność aktualizacji co określony czas. Jeśli Qt Creator nie jest używany w dniu, w którym powinno nastąpić sprawdzenie dostępnych aktualizacji, nastąpi ono przy najbliższym uruchomieniu Qt Creatora. - - - Next check date: - Data najbliższego sprawdzenia: - - - Last check date: - Data ostatniego sprawdzenia: - - - Not checked yet - Jeszcze nie sprawdzano - - - Check Now - Sprawdź teraz - - - - FlickableSection - - Flickable - Element przerzucalny - - - Content size - Rozmiar zawartości - - - Flick direction - Kierunek przerzucania - - - Behavior - Zachowanie - - - Bounds behavior - Zachowanie przy brzegach - - - Interactive - Interaktywny - - - Max. velocity - Prędkość maks. - - - Maximum flick velocity - Maksymalna prędkość przerzucania - - - Deceleration - Opóźnienie - - - Flick deceleration - Opóźnienie przerzucania - - - - FontSection - - Font - Czcionka - - - Size - Rozmiar - - - Font style - Styl czcionki - - - Font capitalization - Kapitaliki czcionki - - - Sets the capitalization for the text. - Ustawia kapitaliki dla tekstu. - - - Font weight - Grubość czcionki - - - Sets the font's weight. - Ustawia grubość czcionki. - - - Style - Styl - - - Spacing - Odstępy - - - Word - Pomiędzy słowami - - - Sets the word spacing for the font. - Ustawia w czcionce odstępy pomiędzy słowami. - - - Letter - Pomiędzy literami - - - Sets the letter spacing for the font. - Ustawia w czcionce odstępy pomiędzy literami. - - - - StandardTextSection - - Text - Tekst - - - Wrap mode - Tryb zawijania - - - Elide - - - - Alignment - Wyrównanie - - - Format - Format - - - Render type - Typ renderingu - - - Override the default rendering type for this item. - Nadpisz domyślny typ renderingu dla tego elementu. - - - Font size mode - Tryb wielkości czcionki - - - Specifies how the font size of the displayed text is determined. - Definiuje sposób określenia wielkości czcionki wyświetlanego tekstu. - - - - AdvancedSection - - Advanced - Zaawansowane - - - Origin - Początek - - - Scale - Skala - - - Rotation - Rotacja - - - Enabled - Odblokowany - - - Accept mouse and keyboard events - Akceptuj zdarzenia myszy i klawiatury - - - Smooth - Gładki - - - Smooth sampling active - Włącz gładkie próbkowanie - - - Antialiasing - Antyaliasing - - - Anti-aliasing active - Włącz antyaliasing - - - - ColumnSpecifics - - Column - Kolumna - - - Spacing - Odstępy - - - - FlipableSpecifics - - Flipable - - - - - GeometrySection - - Geometry - Geometria - - - Position - Pozycja - - - Size - Rozmiar - - - - ItemPane - - Type - Typ - - - Change the type of this item. - Zmień typ tego elementu. - - - id - identyfikator - - - Toggles whether this item is exported as an alias property of the root item. - Przełącza eksportowanie tego elementu jako aliasu właściwości elementu głównego. - - - Visibility - Widoczność - - - Is Visible - Jest widoczny - - - Clip - Do you mean "cut" or "short video"? - Przycięcie - - - Opacity - Nieprzezroczystość - - - Layout - Rozmieszczenie - - - Advanced - Zaawansowane - - - - LayoutSection - - Layout - Rozmieszczenie - - - Anchors - Kotwice - - - - QtObjectPane - - Type - Typ - - - id - identyfikator - - - - TextInputSection - - Text Input - Wejście tekstu - - - Input mask - Maska wejściowa - - - Echo mode - Tryb echo - - - Pass. char - Znak hasła - - - Character displayed when users enter passwords. - Znak wyświetlany podczas wpisywania hasła przez użytkownika. - - - Flags - Flagi - - - Read only - Tylko do odczytu - - - Cursor visible - Kursor widoczny - - - Active focus on press - Uaktywnij fokus po naciśnięciu - - - Auto scroll - Automatyczne przewijanie - - - - TextInputSpecifics - - Text Color - Kolor tekstu - - - Selection Color - Kolor selekcji - - - - TextSpecifics - - Text Color - Kolor tekstu - - - Style Color - Kolor stylu - - - - WindowSpecifics - - Window - Okno - - - Title - Tytuł - - - Size - Rozmiar - - - Color - Kolor - - - Visible - Widoczny - - - Opacity - Nieprzezroczystość - - - - QtC::Android - - Deploy to Android device or emulator - Zainstaluj na urządzeniu lub emulatorze Android - - - Deploy to Android device - AndroidDeployQtStep default display name - Zainstaluj na urządzeniu Android - - - Found old folder "android" in source directory. Qt 5.2 does not use that folder by default. - Odnaleziono folder "android" w katalogu źródłowym. Qt 5.2 domyślnie nie używa tego katalogu. - - - No Android arch set by the .pro file. - Brak ustawionego arch dla Androida w pliku .pro. - - - Cannot find the android build step. - Nie można odnaleźć kroku budowania androida. - - - Cannot find the androiddeployqt tool. - Nie można odnaleźć narzędzia androiddeployqt. - - - Cannot find the androiddeploy Json file. - Nie można odnaleźć pliku androiddeploy Json. - - - Cannot find the package name. - Nie można odnaleźć nazwy pakietu. - - - Uninstall previous package %1. - Odinstaluj poprzedni pakiet %1. - - - Starting: "%1" %2 - Uruchamianie "%1" %2 - - - The process "%1" exited normally. - Proces "%1" zakończył pracę normalnie. - - - The process "%1" exited with code %2. - Proces "%1" zakończył pracę kodem wyjściowym %2. - - - The process "%1" crashed. - Proces "%1" przerwał pracę. - - - Package deploy: Failed to pull "%1" to "%2". - - - - Package deploy: Running command "%1 %2". - Instalacja pakietu: uruchomiono komendę "%1 %2". - - - Install failed - Instalacja niepoprawnie zakończona - - - Deployment failed with the following errors: - - - Instalacja zakończona następującymi błędami: - - - - - -Uninstalling the installed package may solve the issue. -Do you want to uninstall the existing package? - -Odinstalowanie uprzednio zainstalowanego pakietu może rozwiązać problem. -Czy odinstalować istniejący pakiet? - - - Pulling files necessary for debugging. - - - - <b>Deploy configurations</b> - <b>Konfiguracje instalacji</b> - - - Qt Android Smart Installer - Qt Android Smart Installer - - - Android package (*.apk) - Pakiet androida (*.apk) - - - Android: SDK installation error 0x%1 - Android: błąd instalacji SDK 0x%1 - - - Android: NDK installation error 0x%1 - Android: błąd instalacji NDK 0x%1 - - - Android: Java installation error 0x%1 - Android: błąd instalacji Java 0x%1 - - - Android: ant installation error 0x%1 - Android: błąd instalacji ant 0x%1 - - - Android: adb installation error 0x%1 - Android: błąd instalacji adb 0x%1 - - - Android: Device connection error 0x%1 - Android: błąd łączności z urządzeniem 0x%1 - - - Android: Device permission error 0x%1 - Android: błąd uprawnień urządzenia 0x%1 - - - Android: Device authorization error 0x%1 - Android: błąd autoryzacji urządzenia 0x%1 - - - Android: Device API level not supported: error 0x%1 - Android: Poziom API urządzenia nieobsługiwany 0x%1 - - - Android: Unknown error 0x%1 - Android: nieznany błąd 0x%1 - - - Qt Creator needs additional settings to enable Android support. You can configure those settings in the Options dialog. - Qt Creator wymaga dodatkowych ustawień do obsługi Androida. Można je skonfigurować w dialogu z opcjami. - - - - QtC::BareMetal - - Bare Metal - Bare Metal - - - GDB commands: - Komendy GDB: - - - %1 (on GDB server or hardware debugger) - %1 (na serwerze GDB lub debuggerze sprzętowym) - - - - QtC::CppEditor - - Include Hierarchy - Hierarchia dołączeń - - - Includes - Dołączenia - - - Included by - Dołączone przez - - - (none) - (brak) - - - (cyclic) - (cykl) - - - ...searching overrides - ...wyszukiwanie nadpisań - - - - ModelManagerSupportInternal::displayName - - Qt Creator Built-in - Wbudowany w Qt Creatora - - - - QtC::Debugger - - Not recognized - Nierozpoznany - - - Could not determine debugger type - Nie można określić typu debuggera - - - Unknown - Nieznany - - - Path: - Ścieżka: - - - Type: - Typ: - - - ABIs: - ABI: - - - Version: - Wersja: - - - 64-bit version - w wersji 64 bitowej - - - 32-bit version - w wersji 32 bitowej - - - <html><body><p>Specify the path to the <a href="%1">Windows Console Debugger executable</a> (%2) here.</p></body></html> - Label text for path configuration. %2 is "x-bit version". - <html><body><p>Podaj ścieżkę do <a href="%1">pliku wykonywalnego Windows Console Debugger</a> (%2).</p></body></html> - - - Starting executable failed: - Nie można uruchomić programu: - - - Cannot set up communication with child process: %1 - Nie można ustanowić połączenia z podprocesem: %1 - - - - QtC::Ios - - iOS build - iOS BuildStep display name. - Wersja iOS - - - %1 Simulator - Symulator %1 - - - Application not running. - Aplikacja nie jest uruchomiona. - - - Could not find device specific debug symbols at %1. Debugging initialization will be slow until you open the Organizer window of Xcode with the device connected to have the symbols generated. - - - - Debugging with Xcode 5.0.x can be unreliable without a dSYM. To create one, add a dsymutil deploystep. - - - - The dSYM %1 seems to be outdated, it might confuse the debugger. - dSYM %1 może być nieaktualny i może spowodować nieprawidłową pracę debuggera. - - - Deploy to iOS - Zainstaluj na iOS - - - Deploy on iOS - Zainstaluj na iOS - - - Deploy to %1 - Zainstaluj na %1 - - - Error: no device available, deploy failed. - Błąd: urządzenie nie jest dostępne, instalacja nieudana. - - - Deployment failed. No iOS device found. - Nieudana instalacja. Brak urządzenia iOS. - - - Deployment failed. The settings in the Devices window of Xcode might be incorrect. - Nieudana instalacja. Ustawienia w oknie "Urządzenia" w Xcode mogą być niepoprawne. - - - Deployment failed. - Nieudana instalacja. - - - The Info.plist might be incorrect. - Info.plist może być niepoprawne. - - - The provisioning profile "%1" (%2) used to sign the application does not cover the device %3 (%4). Deployment to it will fail. - - - - Deploy to iOS device or emulator - Zainstaluj na urządzeniu iOS lub emulatorze - - - iOS Device - Urządzenie iOS - - - Device name - Nazwa urządzenia - - - Developer status - Whether the device is in developer mode. - Stan trybu deweloperskiego - - - Connected - Połączony - - - yes - tak - - - no - nie - - - unknown - nieznany - - - OS version - Wersja OS - - - An iOS device in user mode has been detected. - Wykryto urządzenie iOS w trybie użytkownika. - - - Do you want to see how to set it up for development? - Czy chcesz zobaczyć jak przełączyć je do trybu deweloperskiego? - - - Failed to detect the ABIs used by the Qt version. - Nie można wykryć ABI użytych przez wersję Qt. - - - iOS - Qt Version is meant for Ios - iOS - - - Run on %1 - Uruchom na %1 - - - Run %1 on %2 - Uruchom %1 na %2 - - - The .pro file "%1" is currently being parsed. - Trwa parsowanie pliku .pro "%1". - - - Kit has incorrect device type for running on iOS devices. - Niewłaściwy typ urządzenia, ustawiony w zestawie narzędzi, do uruchamiania na urządzeniach iOS. - - - No device chosen. Select %1. - Brak wybranego urządzenia. Wybierz %1. - - - No device chosen. Enable developer mode on a device. - Brak wybranego urządzenia. Odblokuj tryb deweloperski na urządzeniu. - - - No device available. - Brak dostępnych urządzeń. - - - To use this device you need to enable developer mode on it. - Odblokuj tryb deweloperski na tym urządzeniu. - - - %1 is not connected. Select %2? - %1 nie jest podłączony. Wybrać %2? - - - %1 is not connected. Enable developer mode on a device? - %1 nie jest podłączony. Odblokować tryb deweloperski na urządzeniu? - - - %1 is not connected. - %1 nie jest podłączony. - - - Device type: - Typ urządzenia: - - - Executable: - Plik wykonywalny: - - - iOS run settings - Ustawienia uruchamiania iOS - - - Could not find %1. - Nie można odnaleźć %1. - - - Could not get necessary ports for the debugger connection. - - - - Could not get inferior PID. - - - - Could not get necessary ports the debugger connection. - - - - Run failed. The settings in the Organizer window of Xcode might be incorrect. - Nieudane uruchomienie. Ustawienia w oknie "Organizer" w Xcode mogą być niepoprawne. - - - The device is locked, please unlock. - Urządzenie jest zablokowane, odblokuj je. - - - Run ended. - Praca zakończona. - - - Run ended with error. - Praca zakończona błędem. - - - iOS Simulator - Symulator iOS - - - iOS tool error %1 - Błąd narzędzia iOS %1 - - - Application install on simulator failed. Simulator not running. - Instalacja aplikacji na symulatorze zakończona błędem. Symulator nie jest uruchomiony. - - - Application launch on simulator failed. Invalid bundle path %1 - Uruchomienie aplikacji na symulatorze zakończone błędem. Niepoprawna ścieżka %1 dla bundle - - - Application launch on simulator failed. Simulator not running. - Uruchomienie aplikacji na symulatorze zakończone błędem. Symulator nie jest uruchomiony. - - - Application install on simulator failed. %1 - Instalacja aplikacji na symulatorze zakończona błędem. %1 - - - Cannot capture console output from %1. Error redirecting output to %2.* - Nie można przechwycić komunikatów z konsoli %1. Błąd przekierowania wyjścia na %2.* - - - Cannot capture console output from %1. Install Xcode 8 or later. - Nie można przechwycić komunikatów z konsoli %1. Zainstaluj Xcode 8 lub nowszą wersję. - - - Application launch on simulator failed. %1 - Uruchomienie aplikacji na symulatorze zakończone błędem. %1 - - - Invalid simulator response. Device Id mismatch. Device Id = %1 Response Id = %2 - Niepoprawna odpowiedź symulatora. Niedopasowane identyfikatory. Identyfikator urządzenia: "%1", identyfikator odpowiedzi: "%2" - - - - QtC::Macros - - Playing Macro - Odtwarzanie makra - - - An error occurred while replaying the macro, execution stopped. - Wystąpił błąd podczas ponownego odtwarzania makra, zatrzymano wykonywanie. - - - Macro mode. Type "%1" to stop recording and "%2" to play the macro. - Tryb makro. Wpisz "%1" aby zatrzymać nagrywanie albo "%2" aby je odtworzyć. - - - - QtC::ProjectExplorer - - ICC - ICC - - - Cannot kill process with pid %1: %2 - Nie można zakończyć procesu z pid %1: %2 - - - Cannot interrupt process with pid %1: %2 - Nie można przerwać procesu z pid %1: %2 - - - Cannot open process. - Nie można otworzyć procesu. - - - Invalid process id. - Niepoprawny identyfikator procesu. - - - Cannot open process: %1 - Nie można otworzyć procesu: %1 - - - DebugBreakProcess failed: - Błąd DebugBreakProcess: - - - %1 does not exist. If you built Qt Creator yourself, check out https://code.qt.io/cgit/qt-creator/binary-artifacts.git/. - %1 nie istnieje. Jeśli zbudowałeś Qt Creatora samodzielnie, sprawdź http://code.qt.io/cgit/qt-creator/binary-artifacts.git/. - - - Cannot start %1. Check src\tools\win64interrupt\win64interrupt.c for more information. - Nie można uruchomić %1. Więcej informacji sprawdź w src\tools\win64interrupt\win64interrupt. - - - could not break the process. - nie można przerwać procesu. - - - Internal error - Błąd wewnętrzny - - - Failed to kill remote process: %1 - Nie można zakończyć zdalnego procesu: %1 - - - Timeout waiting for remote process to finish. - Przekroczono limit czasu oczekiwania na zakończenie zdalnego procesu. - - - Terminated by request. - Zakończono na żądanie. - - - Import Build From... - Zaimportuj wersję z... - - - Import - Zaimportuj - - - The process can not access the file because it is being used by another process. -Please close all running instances of your application before starting a build. - Proces nie ma dostępu do pliku, ponieważ plik jest używany przez inny proces. -Proszę zamknąć wszystkie instancje tej aplikacji przed uruchomieniem budowania. - - - No Build Found - Brak zbudowanej wersji - - - No build found in %1 matching project %2. - Brak zbudowanej wersji w %1 dla projektu %2. - - - %1 - temporary - %1 - tymczasowy - - - Imported Kit - Zaimportowany zestaw narzędzi - - - - QtC::QmakeProjectManager - - Desktop - Qt4 Desktop target display name - Desktop - - - Maemo Emulator - Qt4 Maemo Emulator target display name - Emulator Maemo - - - Maemo Device - Qt4 Maemo Device target display name - Urządzenie Maemo - - - - QtC::ProjectExplorer - - <span style=" font-weight:600;">No valid kits found.</span> - <span style=" font-weight:600;">Brak poprawnych zestawów narzędzi.</span> - - - Please add a kit in the <a href="buildandrun">options</a> or via the maintenance tool of the SDK. - Dodaj zestaw w <a href="buildandrun">opcjach</a> lub poprzez aktualizatora SDK. - - - Select all kits - Zaznacz wszystkie zestawy narzędzi - - - Select Kits for Your Project - Wybierz zestawy narzędzi dla projektu - - - Kit Selection - Wybór zestawu narzędzi - - - Qt Creator can use the following kits for project <b>%1</b>: - %1: Project name - Qt Creator może ustawić następujące zestawy narzędzi dla projektu <b>%1</b>: - - - <b>Error:</b> - Severity is Task::Error - <b>Błąd:</b> - - - <b>Warning:</b> - Severity is Task::Warning - <b>Ostrzeżenie:</b> - - - - QtC::QmakeProjectManager - - The .pro file "%1" is currently being parsed. - Trwa parsowanie pliku .pro "%1". - - - Qt Run Configuration - Konfiguracja uruchamiania Qt - - - Executable: - Plik wykonywalny: - - - Run on QVFb - Uruchom na QVFb - - - Check this option to run the application on a Qt Virtual Framebuffer. - Zaznacz tę opcję aby uruchomić aplikację na Qt Virtual Framebuffer. - - - Use debug version of frameworks (DYLD_IMAGE_SUFFIX=_debug) - Użyj pakietów w wersji do debugowania (DYLD_IMAGE_SUFFIX=_debug) - - - Add build library search path to DYLD_LIBRARY_PATH and DYLD_FRAMEWORK_PATH - Dodaj ścieżkę poszukiwań bibliotek na potrzeby budowania do zmiennych DYLD_LIBRARY_PATH i DYLD_FRAMEWORK_PATH - - - Add build library search path to PATH - Dodaj ścieżkę poszukiwań bibliotek na potrzeby budowania do zmiennej PATH - - - Add build library search path to LD_LIBRARY_PATH - Dodaj ścieżkę poszukiwań bibliotek na potrzeby budowania do zmiennej LD_LIBRARY_PATH - - - - TabViewToolAction - - Add Tab... - Dodaj zakładkę... - - - Step into Tab - Przejdź do zakładki - - - - QmlDesigner::ImportLabel - - Remove Import - Usuń import - - - - ImportManagerComboBox - - Add new import - Dodaj nowy import - - - <Add Import> - <Dodaj Import> - - - - QmlDesigner::ImportsWidget - - Import Manager - Zarządzanie importami - - - - FileResourcesModel - - Open File - Otwórz plik - - - - QmlDesigner::PropertyEditorView - - Properties - Właściwości - - - Invalid Id - Niepoprawny identyfikator - - - %1 is an invalid id. - %1 nie jest poprawnym identyfikatorem. - - - %1 already exists. - %1 już istnieje. - - - Cannot Export Property as Alias - Nie można wyeksportować właściwości jako alias - - - Property %1 does already exist for root item. - Właściwość %1 istnieje już w głównym elemencie. - - - - QtC::QmlProfiler - - Cannot open temporary trace file to store events. - - - - <bytecode> - <kod bajtowy> - - - anonymous function - anonimowa funkcja - - - Could not open %1 for writing. - Nie można otworzyć "%1" do zapisu. - - - Saving Trace Data - Zachowywanie danych stosu - - - Could not open %1 for reading. - Nie można otworzyć "%1" do odczytu. - - - Loading Trace Data - Ładowanie danych stosu - - - Trying to set unknown state in events list. - Próba ustawienia nieznanego stanu na liście zdarzeń. - - - Could not re-read events from temporary trace file. The trace data is lost. - - - - Error while parsing trace data file: %1 - Błąd parsowania pliku z danymi stosu: %1 - - - Invalid magic: %1 - Niepoprawny kod magiczny: %1 - - - Unknown data stream version: %1 - Nieznana wersja strumienia danych: %1 - - - Invalid type index %1 - Niepoprawny indeks typu %1 - - - Corrupt data before position %1. - Niepoprawne dane przed pozycją %1. - - - - QtC::QmlProjectManager - - Invalid root element: %1 - Niepoprawny główny element: %1 - - - - QtC::Qnx - - QCC - QCC - - - - QtC::Qnx - - &Compiler path: - Ścieżka do &kompilatora: - - - SDP path: - SDP refers to 'Software Development Platform'. - Ścieżka SDP: - - - &ABI: - &ABI: - - - - QtC::Qnx - - Warning: "slog2info" is not found on the device, debug output not available. - Ostrzeżenie: brak"slog2info" na urządzeniu, komunikaty debugowe nie będą dostępne. - - - Cannot show slog2info output. Error: %1 - Nie można pokazać komunikatów slog2info. Błąd: %1 - - - - QtC::RemoteLinux - - Exit code is %1. stderr: - Kod wyjściowy: %1. stderr: - - - - QtC::UpdateInfo - - Update - Uaktualnij - - - - QtC::Valgrind - - Valgrind - Valgrind - - - Valgrind Settings - Ustawienia Valgrinda - - - - QtC::Bazaar - - Uncommit - Wycofaj poprawkę - - - Keep tags that point to removed revisions - - - - Only remove the commits from the local branch when in a checkout - - - - Revision: - Wersja: - - - If a revision is specified, uncommits revisions to leave the branch at the specified revision. -For example, "Revision: 15" will leave the branch at revision 15. - - - - Last committed - Ostatnio utworzona poprawka - - - Dry Run - Na sucho - - - Test the outcome of removing the last committed revision, without actually removing anything. - Testuje rezultat usunięcia ostatnio utworzonej wersji poprawki bez faktycznego usunięcia czegokolwiek. - - - - QtC::Beautifier - - Form - Formularz - - - Configuration - Konfiguracja - - - Artistic Style command: - Komendy stylu Artistic: - - - Options - Opcje - - - Use file *.astylerc defined in project files - Używaj plików *.astylerc zdefiniowanych w plikach projektów - - - Artistic Style - Styl Artistic - - - Use file .astylerc or astylerc in HOME - HOME is replaced by the user's home directory - Używaj plików .astylerc lub astylerc zdefiniowanych w HOME - - - Use customized style: - Używaj własnego stylu: - - - Restrict to MIME types: - Zastosuj jedynie do typów MIME: - - - Use specific config file: - Używaj szczególnego pliku konfiguracyjnego: - - - Clang Format command: - Komenda formatowania Clang: - - - Clang Format - Formatowanie Clang - - - Use predefined style: - Używaj predefiniowanego stylu: - - - Format entire file if no text was selected - Sformatuj cały plik, jeśli nie zaznaczono w nim tekstu - - - Fallback style: - Styl zastępczy: - - - For action Format Selected Text. - Dla akcji: "Sformatuj zaznaczony tekst". - - - Name - Nazwa - - - Value - Wartość - - - Documentation - Dokumentacja - - - Documentation for "%1" - Dokumentacja dla "%1" - - - Edit - Zmodyfikuj - - - Remove - Usuń - - - Add - Dodaj - - - Add Configuration - Dodaj konfigurację - - - Edit Configuration - Zmodyfikuj konfigurację - - - Uncrustify command: - - - - Use file uncrustify.cfg defined in project files - Używaj plików uncrustify.cfg zdefiniowanych w plikach projektów - - - Use file uncrustify.cfg in HOME - HOME is replaced by the user's home directory - Shouldn't we use %1 instead of HOME? - Uźywaj pliku uncrustify.cfg w HOME - - - For action Format Selected Text - Dla akcji: "Sformatuj zaznaczony tekst" - - - Use file specific uncrustify.cfg - - - - - QtC::Core - - &Search - Wy&szukaj - - - Search && &Replace - Wyszukaj i &zastąp - - - Sear&ch for: - Wysz&ukaj: - - - Case sensiti&ve - Uwzględniaj wielkość &liter - - - Whole words o&nly - Tylko &całe słowa - - - Use re&gular expressions - Używaj wyrażeń &regularnych - - - Sco&pe: - Z&akres: - - - Find - Znajdź - - - Find: - Znajdź: - - - Replace with: - Zastąp: - - - Replace - Zastąp - - - Replace && Find - Zastąp i znajdź - - - Replace All - Zastąp wszystkie - - - Advanced... - Zaawansowane... - - - Name: - Nazwa: - - - Specify a short word/abbreviation that can be used to restrict completions to files from this directory tree. -To do this, you type this shortcut and a space in the Locator entry field, and then the word to search for. - Podaj krótkie słowo lub skrót, który zostanie użyty do odfiltrowania plików w podanych katalogach. -Aby uaktywnić ten filtr, wpisz w lokalizatorze powyższy skrót i po spacji podaj szukane słowo. - - - Directories: - Katalogi: - - - Include hidden files - Włącz ukryte pliki - - - Filter: - Filtr: - - - Configure Filters - Konfiguracja filtrów - - - Locator filters that do not update their cached data immediately, such as the custom directory filters, update it after this time interval. - Jest to czas, po którym zostaną odświeżone filtry lokalizatora. Dotyczy to filtrów, które nie odświeżają swoich danych natychmiast, takich jak własne filtry katalogów. - - - Refresh interval: - Odświeżanie co: - - - min - min - - - - WinRt::Internal::WinRtRunConfigurationWidget - - Launch App - Uruchom Aplikację - - - Uninstall package after application stops - Zdezinstaluj pakiet po zatrzymaniu aplikacji - - - - QtC::QmlJS Parsing QML Files Parsowanie plików QML @@ -26674,12 +45378,8 @@ Błędy: First 10 lines or errors: %1 -Check 'General Messages' output pane for details. - Automatyczny zrzut typów modułu QML niepoprawnie zakończony. -Pierwsze 10 linii błędów: - -%1 -Sprawdź szczegóły w panelu "Komunikaty ogólne". +Check General Messages for details. + Warnings while parsing QML type information of %1: @@ -26727,549 +45427,1665 @@ Please build the qmldump application on the Qt version options page. Nie można ustalić położenia aplikacji pomocniczej zrzucającej informacje o typach z wtyczek C++. Zbuduj aplikację qmldump na stronie z opcjami wersji Qt. - - - QtC::Utils - Filter - Filtr - - - Clear text - Wyczyść tekst - - - - QtC::Android - - Could not run: %1 - Nie można uruchomić: %1 - - - No devices found in output of: %1 - Brak urządzeń na wyjściu %1 - - - Error Creating AVD - Błąd w trakcie tworzenia AVD - - - Configure Android... - Konfiguruj Androida... - - - Java Editor - Edytor Java - - - - QtC::Beautifier - - Beautifier - Upiększacz - - - Bea&utifier - U&piększacz - - - Cannot create temporary file "%1": %2. - Nie można utworzyć tymczasowego pliku "%1": %2. - - - Failed to format: %1. - Nie można sformatować: %1. - - - Cannot call %1 or some other error occurred. - Nie można wywołać %1 lub wystąpił inny błąd. - - - Cannot read file "%1": %2. - Nie można odczytać pliku "%1": %2. - - - Cannot call %1 or some other error occurred. Timeout reached while formatting file %2. - Nie można wywołać %1 lub wystąpił inny błąd. Przekroczono limit czasu oczekiwania na sformatowanie pliku %2. - - - File was modified. - Zmodyfikowano plik. - - - Could not format file %1. - Nie można sformatować pliku %1. - - - File %1 was closed. - Zamknięto plik %1. - - - Error in Beautifier: %1 - Błąd upiększacza: %1 - - - Cannot get configuration file for %1. - Brak pliku z konfiguracją dla %1. - - - Format &Current File - Menu entry - Sformatuj &bieżący plik - - - Format &Selected Text - Menu entry - Sformatuj &zaznaczony tekst - - - %1 Command - File dialog title for path chooser when choosing binary - Komenda %1 - - - - QtC::ClangCodeModel - - Location: %1 - Parent folder for proposed #include completion - Położenie: %1 - - - Clang - Display name - Clang - - - Warnings - Ostrzeżenia - - - Clang Code Model - Model kodu clang - - - Global - Globalne - - - Custom - Własne - - - General - Ogólne - - - Parse templates in a MSVC-compliant way. This helps to parse headers for example from Active Template Library (ATL) or Windows Runtime Library (WRL). -However, using the relaxed and extended rules means also that no highlighting/completion can be provided within template functions. + The type will only be available in the QML editors when the type name is a string literal. - Enable MSVC-compliant template parsing + The module URI cannot be determined by static analysis. The type will not be available +globally in the QML editor. You can add a "// @uri My.Module.Uri" annotation to let +the QML editor know about a likely URI. + + must be a string literal to be available in the QML editor + musi być literałem łańcuchowym, aby być dostępnym w edytorze QML + + + XML error on line %1, col %2: %3 + Błąd XML w linii %1, w kolumnie %2: %3 + + + The <RCC> root element is missing. + Brak głównego elementu <RCC>. + - QtC::Core + QtC::QmlJSEditor - Shift+Enter - Shift+Enter + Run Checks + Rozpocznij sprawdzanie - Shift+Return - Shift+Return + Ctrl+Shift+C + Ctrl+Shift+C - Find/Replace - Znajdź / zastąp + Reformat File + Przeformatuj plik - Enter Find String - Podaj ciąg do znalezienia + Inspect API for Element Under Cursor + Odszukaj w API elementu pod kursorem - Ctrl+E - Ctrl+E + QML + QML - Find Next - Znajdź następne + Issues that the QML code parser found. + - Find Previous - Znajdź poprzednie + QML Analysis + Analiza QML - Find Next (Selected) - Znajdź następny (zaznaczony) + Issues that the QML static analyzer found. + - Ctrl+F3 - Ctrl+F3 + QML + SnippetProvider + QML - Find Previous (Selected) - Znajdź poprzedni (zaznaczony) + Show Qt Quick Toolbar + Pokaż pasek narzędzi Qt Quick - Ctrl+Shift+F3 - Ctrl+Shift+F3 + Move Component into Separate File + Przenieś komponent do oddzielnego pliku - Ctrl+= - Ctrl+= + Property assignments for %1: + Przypisanie właściwości dla %1: - Replace && Find Previous - Zastąp i znajdź poprzednie + Path: + Ścieżka: - Case Sensitive - Uwzględniaj wielkość liter + Component name: + Nazwa komponentu: - Whole Words Only - Tylko całe słowa + Component Name + Nazwa komponentu - Use Regular Expressions - Używaj wyrażeń regularnych + ui.qml file + plik ui.qml - Preserve Case when Replacing - Zachowuj wielkość liter przy zastępowaniu + Invalid component name. + - Search for... - Wyszukiwanie... + Invalid path. + - Replace with... - Zastępowanie... + Component already exists. + Komponent już istnieje. - Case sensitive - Uwzględniaj wielkość liter + QML/JS Usages: + Użycia QML/JS: - Whole words - Całe słowa + Searching for Usages + Wyszukiwanie użyć - Regular expressions - Wyrażenia regularne + Split Initializer + Podziel inicjalizator - Preserve case - Zachowuj wielkość liter - - - Flags: %1 - Flagi: %1 - - - None - Brak - - - , - , - - - Search was canceled. - Anulowano przeszukiwanie. - - - Cancel - Anuluj - - - Repeat the search with same parameters. - Powtórz przeszukiwanie z tymi samymi parametrami. - - - Replace all occurrences. - Zastąp wszystkie wystąpienia. - - - &Search Again - &Przeszukaj ponownie - - - Repla&ce with: - Za&stąp: - - - &Replace - &Zastąp - - - Preser&ve case - Zachowaj &wielkość liter - - - This change cannot be undone. - Ta zmiana nie może być cofnięta. - - - The search resulted in more than %n items, do you still want to continue? - - Odnaleziono więcej niż %n element, kontynuować? - Odnaleziono więcej niż %n elementy, kontynuować? - Odnaleziono więcej niż %n elementów, kontynuować? - - - - Continue - Kontynuuj - - - Cannot replace because replacement text is unchanged. - Nie można zastąpić, ponieważ tekst zastępujący jest taki sam jak oryginał. - - - No matches found. - Brak pasujących wyników. - - - %n matches found. - - Znaleziono %n pasujący wynik. - Znaleziono %n pasujące wyniki. - Znaleziono %n pasujących wyników. - - - - History: - Historia: - - - New Search - Nowe wyszukiwanie + Show All Bindings + Pokaż wszystkie powiązania Expand All Rozwiń wszystko - - %1 %2 - %1 %2 - Collapse All Zwiń wszystko - Search Results - Wyniki wyszukiwań + Add a Comment to Suppress This Message + Dodaj komentarz aby zlikwidować ten komunikat - Generic Directory Filter - Ogólny filtr katalogów - - - Select Directory - Wybierz katalog - - - %1 filter update: 0 files - Uaktualnienie filtra %1: 0 plików - - - %1 filter update: %n files - - Uaktualnienie filtra %1: %n plik - Uaktualnienie filtra %1: %n pliki - Uaktualnienie filtra %1: %n plików - - - - %1 filter update: canceled - Uaktualnienie filtra %1: anulowano - - - Execute Custom Commands - Wykonanie własnej komendy - - - Previous command is still running ("%1"). -Do you want to kill it? - Poprzednia komenda jest wciąż uruchomiona ("%1"). -Czy przerwać ją? - - - Command "%1" finished. - Komenda "%1" zakończona. - - - Command "%1" failed. - Komenda "%1" zakończona błędem. - - - Starting command "%1". - Uruchamianie komendy "%1". - - - Kill Previous Process? - Czy przerwać poprzedni proces? - - - Could not start process: %1. - Nie można uruchomić procesu %1. - - - Could not find executable for "%1". - Nie można odnaleźć pliku wykonywalnego dla "%1". - - - Files in File System - Pliki w systemie plików - - - Create and Open "%1" - Utwórz i otwórz "%1" - - - Filter Configuration - Konfiguracja filtra - - - Type the prefix followed by a space and search term to restrict search to the filter. - Wprowadź przedrostek, spację i poszukiwaną nazwę w celu przefiltrowania wyników. - - - Include by default - Dołącz domyślnie - - - Include the filter when not using a prefix for searches. - Dołącz filtr kiedy nie podano przedrostka. - - - Prefix: - Przedrostek: - - - Ctrl+K - Ctrl+K - - - Locate... - Znajdź... - - - <html><body style="color:#909090; font-size:14px"><div align='center'><div style="font-size:20px">Open a document</div><table><tr><td><hr/><div style="margin-top: 5px">&bull; File > Open File or Project (%1)</div><div style="margin-top: 5px">&bull; File > Recent Files</div><div style="margin-top: 5px">&bull; Tools > Locate (%2) and</div><div style="margin-left: 1em">- type to open file from any open project</div>%4%5<div style="margin-left: 1em">- type <code>%3&lt;space&gt;&lt;filename&gt;</code> to open file from file system</div><div style="margin-left: 1em">- select one of the other filters for jumping to a location</div><div style="margin-top: 5px">&bull; Drag and drop files here</div></td></tr></table></div></body></html> + Wrap Component in Loader - <div style="margin-left: 1em">- type <code>%1&lt;space&gt;&lt;pattern&gt;</code> to jump to a class definition</div> - <div style="margin-left: 1em">- wpisz <code>%1&lt;spacja&gt;&lt;wzorzec&gt;</code> aby przejść do definicji klasy</div> + // TODO: Move position bindings from the component to the Loader. +// Check all uses of 'parent' inside the root element of the component. + - <div style="margin-left: 1em">- type <code>%1&lt;space&gt;&lt;pattern&gt;</code> to jump to a function definition</div> - <div style="margin-left: 1em">- wpisz <code>%1&lt;spacja&gt;&lt;wzorzec&gt;</code> aby przejść do definicji funkcji</div> + // Rename all outer uses of the id "%1" to "%2.item". + - Updating Locator Caches - Odświeżanie cache'ów Locatora + // Rename all outer uses of the id "%1" to "%2.item.%1". + + - Available filters - Dostępne filtry + Show Qt Quick ToolBar + Pokaż pasek narzędzi Qt Quick - Refresh - Odśwież + Code Model Not Available + Model kodu niedostępny - Type to locate - Wpisz aby znaleźć + Code model not available. + Model kodu niedostępny - Type to locate (%1) - Wpisz aby znaleźć (%1) + Code Model of %1 + Model kodu "%1" + + + Refactoring + Refaktoryzacja + + + This file should only be edited in <b>Design</b> mode. + Ten plik powinien być modyfikowany jedynie w trybie <b>Design</b>. + + + Switch Mode + Przełącz tryb + + + Qt Quick Toolbars + Paski narzędzi Qt Quick + + + Pin Qt Quick Toolbar + Przypnij pasek narzędzi Qt Quick + + + Always show Qt Quick Toolbar + Zawsze pokazuj paski narzędzi Qt Quick + + + Automatic Formatting on File Save + Automatyczne formatowanie przy zachowywaniu plików + + + Enable auto format on file save + Odblokuj automatyczne formatowanie przy zachowywaniu plików + + + Restrict to files contained in the current project + Zastosuj jedynie do plików zawartych w bieżącym projekcie + + + Use custom command instead of built-in formatter + + + + Command: + Komenda: + + + Arguments: + Argumenty: + + + Auto-fold auxiliary data + + + + Always Ask + Zawsze pytaj + + + Qt Design Studio + + + + Qt Creator + Qt Creator + + + Enable QML Language Server (EXPERIMENTAL!) + + + + Use QML Language Server advanced features (renaming, find usages and co.) (EXPERIMENTAL!) + + + + Use QML Language Server from latest Qt version + + + + Use customized static analyzer + + + + Enabled + + + + Disabled for non Qt Quick UI + + + + Message + Komunikat + + + Enabled checks can be disabled for non Qt Quick UI files, but disabled checks cannot get explicitly enabled for non Qt Quick UI files. + + + + Features + + + + Open .ui.qml files with: + + + + QML Language Server + + + + Static Analyzer + + + + Reset to Default + Przywróć domyślny + + + QML/JS Editing + Edycja QML / JS + + + Library at %1 + Biblioteka w %1 + + + Dumped plugins successfully. + Wtyczki poprawnie zrzucone. + + + Read typeinfo files successfully. + Pliki typeinfo poprawnie odczytane. + + + Code Model Warning + Ostrzeżenie modelu kodu + + + Code Model Error + Błąd modelu kodu + + + Qmlls (%1) + - QtC::Debugger + QtC::QmlJSTools - Attach to Process Not Yet Started - Dołącz do nieuruchomionego procesu + QML Functions + Funkcje QML - Reset - Reset + Locates QML functions in any open project. + - Reopen dialog when application finishes - Ponownie otwórz dialog po zakończeniu aplikacji + Code Style + Styl kodu - Reopens this dialog when application finishes. - Ponownie otwórz ten dialog po zakończeniu aplikacji. + Qt Quick + Qt Quick - Continue on attach - Kontynuuj po dołączeniu + Global + Settings + Globalne - Debugger does not stop the application after attach. - Debugger nie zatrzyma aplikacji po dołączeniu. + Qt + Qt - Start Watching - Rozpocznij obserwację + &QML/JS + &QML/JS - Kit: + Reset Code Model + Zresetuj model kodu + + + Other + + + + &Line length: + + + + + QtC::QmlPreview + + QML Preview + + + + Preview changes to QML code live in your application. + + + + Preview File + + + + QML Preview Not Running + + + + Start the QML Preview for the project before selecting a specific file for preview. + + + + + QtC::QmlProfiler + + QML Profiler + Profiler QML + + + &Port: + &Port: + + + Start QML Profiler + Uruchom profiler QML + + + Select an externally started QML-debug enabled application.<p>Commonly used command-line arguments are: + + + + Kit: Zestaw narzędzi: - Executable: - Plik wykonywalny: + The QML Profiler can be used to find performance bottlenecks in applications using QML. + Profiler QML może być używany do znajdowania wąskich gardeł w wydajności aplikacji QML. - Select valid executable. - Wybierz poprawny plik wykonywalny. + Load QML Trace + Załaduj stos QML - Not watching. - Brak obserwacji. + QML Profiler Options + Opcje profilera QML - Waiting for process to start... - Oczekiwanie na uruchomienie procesu... + Save QML Trace + Zachowaj stos QML - Attach - Dołącz + Search timeline event notes. + + + + Hide or show event categories. + Pokazuje lub ukrywa kategorie zdarzeń. + + + A QML Profiler analysis is still in progress. + Nadal trwa analiza profilera QML. + + + Start QML Profiler analysis. + Uruchom analizę profilera QML. + + + Failed to connect. + Nie można uzyskać połączenia. + + + QML Profiler (Attach to Waiting Application) + Profilowanie QML (Dołącz do oczekującej aplikacji) + + + Disable Profiling + Zablokuj profilowanie + + + Enable Profiling + Odblokuj profilowanie + + + The application finished before a connection could be established. No data was loaded. + + + + Could not connect to the in-process QML profiler within %1 s. +Do you want to retry and wait %2 s? + + + + %1 s + %1 s + + + Elapsed: %1 + Upłynęło: %1 + + + QML traces (*%1 *%2) + Stosy QML (*%1 *%2) + + + You are about to discard the profiling data, including unsaved notes. Do you want to continue? + Za chwilę zostaną utracone dane profilera, włącznie z niezachowanymi notatkami. Czy kontynuować? + + + Application finished before loading profiled data. +Please use the stop button instead. + Aplikacja zakończona przed załadowaniem danych profilera. +Zamiast tego użyj przycisku stop. + + + Starting a new profiling session will discard the previous data, including unsaved notes. +Do you want to save the data first? + Uruchomienie nowej sesji profilera spowoduje utratę poprzednich danych, włącznie z niezachowanymi notatkami. Czy zapisać najpierw dotychczasowe dane? + + + Discard data + Odrzuć dane + + + Memory Usage + Zajętość pamięci + + + Pixmap Cache + Cache z pixmapami + + + Scene Graph + + + + Animations + Animacje + + + Painting + Rysowanie + + + Compiling + Kompilacja + + + Creating + Tworzenie + + + Binding + Wiązanie + + + Handling Signal + Obsługa sygnałów + + + Input Events + Zdarzenia wejściowe + + + Debug Messages + Komunikaty debugowe + + + JavaScript + JavaScript + + + GUI Thread + Wątek GUI + + + Render Thread + Wątek renderingu + + + Render Thread Details + Szczegóły wątku renderingu + + + Polish + + + + Wait + + + + GUI Thread Sync + Synchronizacja wątku GUI + + + Render Thread Sync + Synchronizacja wątku renderingu + + + Render + Rendering + + + Swap + + + + Render Preprocess + + + + Render Update + + + + Render Bind + + + + Render Render + + + + Material Compile + Kompilowanie materiałów + + + Glyph Render + Rendering glifów + + + Glyph Upload + Przesyłanie glifów + + + Texture Bind + Wiązanie tekstur + + + Texture Convert + Konwertowanie tekstur + + + Texture Swizzle + + + + Texture Upload + Przesyłanie tekstur + + + Texture Mipmap + + + + Texture Delete + Usuwanie tekstur + + + Profiling application: %n events + + Profilowanie aplikacji: %n zdarzenie + Profilowanie aplikacji: %n zdarzenia + Profilowanie aplikacji: %n zdarzeń + + + + Profiling application + Profilowanie aplikacji + + + No QML events recorded + Brak zarejestrowanych zdarzeń QML + + + Loading buffered data: %n events + + Ładowanie zbuforowanych danych: %n zdarzenie + Ładowanie zbuforowanych danych: %n zdarzenia + Ładowanie zbuforowanych danych: %n zdarzeń + + + + Loading offline data: %n events + + Ładowanie offline'owych danych: %n zdarzenie + Ładowanie offline'owych danych: %n zdarzenia + Ładowanie offline'owych danych: %n zdarzeń + + + + Waiting for data + Oczekiwanie na dane + + + Timeline + Oś czasu + + + Analyze Current Range + Przeanalizuj bieżący zakres + + + Analyze Full Range + Przeanalizuj pełny zakres + + + Reset Zoom + Zresetuj powiększenie + + + Cannot open temporary trace file to store events. + + + + <bytecode> + <kod bajtowy> + + + Quick3D + + + + Failed to replay QML events from stash file. + + + + anonymous function + anonimowa funkcja + + + Failed to reset temporary trace file. + + + + Failed to flush temporary trace file. + + + + Could not re-open temporary trace file. + + + + Read past end in temporary trace file. + + + + Saving Trace Data + Zachowywanie danych stosu + + + Loading Trace Data + Ładowanie danych stosu + + + Error while parsing trace data file: %1 + Błąd parsowania pliku z danymi stosu: %1 + + + Invalid magic: %1 + Niepoprawny kod magiczny: %1 + + + Unknown data stream version: %1 + Nieznana wersja strumienia danych: %1 + + + Excessive number of event types: %1 + + + + Invalid type index %1 + Niepoprawny indeks typu %1 + + + Corrupt data before position %1. + Niepoprawne dane przed pozycją %1. + + + Could not re-read events from temporary trace file: %1 +Saving failed. + + + + Duration + Czas trwania + + + Framerate + Klatki na sekundę + + + Context + Kontekst + + + Details + Szczegóły + + + Location + Położenie + + + Flush data while profiling: + Przepychaj dane podczas profilowania: + + + Periodically flush pending data to the profiler. This reduces the delay when loading the +data and the memory usage in the application. It distorts the profile as the flushing +itself takes time. + + + + Flush interval (ms): + Częstość przepychania (ms): + + + Process data only when process ends: + Przetwarzaj dane tylko po zakończeniu procesu: + + + Only process data when the process being profiled ends, not when the current recording +session ends. This way multiple recording sessions can be aggregated in a single trace, +for example if multiple QML engines start and stop sequentially during a single run of +the program. + + + + QML Profiler Settings + Ustawienia profilera QML + + + Main program + + + + Longest Time + + + + Self Time + + + + Self Time in Percent + + + + Shortest Time + + + + Time in Percent + + + + Median Time + + + + Main Program + Główny program + + + Callee + Zawołana + + + Caller + Wołająca + + + Callee Description + + + + Caller Description + + + + Source code not available + Kod źródłowy nie jest dostępny + + + +%1 in recursive calls + +%1 w wywołaniach rekurencyjnych + + + Statistics + Statystyki + + + Copy Row + Skopiuj wiersz + + + Copy Table + Skopiuj tabelę + + + Extended Event Statistics + Rozszerzona statystyka zdarzeń + + + Show Full Range + Pokaż pełen zakres + + + Reset Flame Graph + + + + called recursively + wywołany rekurencyjnie + + + Debug Message + Komunikat debugowy + + + Warning Message + Komunikat z ostrzeżeniem + + + Critical Message + Komunikat o błędzie krytycznym + + + Fatal Message + Komunikat o błędzie fatalnym + + + Info Message + Komunikat informacyjny + + + Unknown Message %1 + Nieznany komunikat %1 + + + Timestamp + Znacznik czasu + + + Message + Komunikat + + + Could not re-read events from temporary trace file: %1 + + + + Compile + Kompilacja + + + Create + Tworzenie + + + Signal + Sygnalizowanie + + + Flame Graph + + + + Mouse Events + Zdarzenia myszy + + + Keyboard Events + Zdarzenia klawiatury + + + Key Press + Naciśnięcie klawisza + + + Key Release + Zwolnienie klawisza + + + Key + Klucz + + + Modifiers + Modyfikatory + + + Double Click + Podwójne kliknięcie + + + Mouse Press + Naciśnięcie przycisku myszy + + + Mouse Release + Zwolnienie przycisku myszy + + + Button + Przycisk + + + Result + Wynik + + + Mouse Move + Ruch myszy + + + X + X + + + Y + Y + + + Mouse Wheel + Obrót kółka myszy + + + Angle X + Kąt X + + + Angle Y + Kąt Y + + + Keyboard Event + Zdarzenie klawiatury + + + Mouse Event + Zdarzenie myszy + + + Unknown + Nieznany + + + Memory Allocation + Alokacja pamięci + + + Memory Allocated + Przydzielona pamięć + + + Memory Freed + Zwolniona pamięć + + + Total + Łącznie + + + Allocated + Przydzielone + + + Allocations + Liczba przydziałów pamięci + + + %n byte(s) + + + + + + + + Deallocated + Zwolnione + + + Deallocations + Liczba zwolnień pamięci + + + Heap Allocation + Alokacja na stercie + + + Large Item Allocation + Alokacja wielkiego elementu + + + Heap Usage + Zajętość sterty + + + Type + Typ + + + Cache Size + Rozmiar cache'a + + + Image Cached + Plik graficzny włożono do cache + + + Image Loaded + Załadowano plik graficzny + + + Load Error + Błąd ładowania + + + File + Plik + + + Width + Szerokość + + + Height + Wysokość + + + Stage + + + + Glyphs + Glify + + + Total Time + Czas całkowity + + + Calls + Wywołania + + + Mean Time + Czas średni + + + others + + + + Memory + Pamięć + + + Various Events + Różne zdarzenia + + + Error writing trace file. + + + + Frame + Ramka + + + Frame Delta + + + + View3D + + + + All + + + + None + Brak + + + Quick3D Frame + + + + Select View3D + + + + Compare Frame + + + + Render Frame + + + + Synchronize Frame + + + + Prepare Frame + + + + Mesh Load + + + + Custom Mesh Load + + + + Texture Load + + + + Generate Shader + + + + Load Shader + + + + Particle Update + + + + Render Call + + + + Render Pass + + + + Event Data + + + + Mesh Memory consumption + + + + Texture Memory consumption + + + + Mesh Unload + + + + Custom Mesh Unload + + + + Texture Unload + + + + Unknown Unload Message %1 + + + + Description + Opis + + + Count + Ilość + + + Draw Calls + + + + Render Passes + + + + Total Memory Usage + + + + Primitives + + + + Instances + - QtC::ProjectExplorer + QtC::QmlProjectManager - Manage... - Zarządzaj... + Update QmlProject File + - Edit Files - Zmodyfikuj pliki + Warning while loading project file %1. + Ostrzeżenie podczas ładowania pliku projektu %1. - Add Existing Directory - Dodaj istniejący katalog + Kit has no device. + - - - QtC::QmlDesigner - Error - Błąd + Qt version is too old. + Wersja Qt jest zbyt stara. + + + Qt version has no QML utility. + + + + Non-desktop Qt is used with a desktop device. + + + + No Qt version set in kit. + Brak wersji Qt w zestawie narzędzi. + + + <Current File> + <Bieżący plik> + + + Failed to find valid build system + + + + Failed to create valid build directory + + + + Command: + Komenda: + + + Arguments: + Argumenty: + + + Build directory: + + + + Failed to find valid Qt for MCUs kit + + + + Qt for MCUs Deploy Step + + + + Main QML file: + Główny plik QML: + + + Override device QML viewer: + + + + System Environment + Środowisko systemowe + + + Clean Environment + Czyste środowisko + + + QML Utility + QMLRunConfiguration display name. + + + + No script file to execute. + + + + No QML utility found. + + + + No QML utility specified for target device. + + + + Qt Version: + + + + QML Runtime + + + + No Qt Design Studio installation found + + + + Would you like to install it now? + + + + Install + Zainstaluj + + + Unknown + Nieznany + + + QML PROJECT FILE INFO + + + + Qt Version - + + + + Qt Design Studio Version - + + + + No QML project file found - Would you like to create one? + + + + Generate + + + + Qt Design Studio + + + + Open with Qt Design Studio + + + + Open + Otwórz + + + Open with Qt Creator - Text Mode + + + + Remember my choice + + + + Select Files to Generate + + + + Start CMakeFiles.txt generation + + + + Advanced Options + + + + File %1 will be created. + + + + + File %1 will be overwritten. + + + + + File %1 contains invalid characters and will be skipped. + + + + + This file already exists and will be overwritten. + + + + This file or folder will be created. + + + + Export as Latest Project Format... + + + + Creating Project + + + + Creating project failed. +%1 + + + + Creating project succeeded. + + + + Unable to write to directory +%1. + + + + This process creates a copy of the existing project. The new project's folder structure is adjusted for CMake build process and necessary related new files are generated. + +The new project can be opened in Qt Creator using the main CMakeLists.txt file. + + + + Name: + Nazwa: + + + Create in: + Utwórz w: + + + Name is empty. + Nazwa jest pusta. + + + Name must not start with "%1". + + + + Name must begin with a capital letter + + + + Name must contain only letters, numbers or characters - _. + + + + Target is not a directory. + + + + Cannot write to target directory. + + + + Project directory already exists. + + + + Generate CMake Build Files... + + + + Export Project + + + + The project is not properly structured for automatically generating CMake files. + +Aborting process. + +The following files or directories are missing: + +%1 + + + + Cannot Generate CMake Files + + + + Qt 6 + + + + Qt 5 + + + + Use MultiLanguage in 2D view + + + + Reads translations from MultiLanguage plugin. + + + + Project File Generated + + + + File created: + +%1 + + + + Select File Location + + + + Qt Design Studio Project Files (*.qmlproject) + + + + Invalid Directory + + + + Project file must be placed in a parent directory of the QML files. + + + + Problem + + + + Selected directory is far away from the QML file. This can cause unexpected results. + +Are you sure? + + + + Failed to start Qt Design Studio. + + + + No project file (*.qmlproject) found for Qt Design Studio. +Qt Design Studio requires a .qmlproject based project to open the .ui.qml file. + + + + Set as Main .qml File + + + + Set as Main .ui.qml File + QtC::Qnx + + Preparing remote side... + Przygotowywanie zdalnej strony... + + + Deploy to QNX Device + Zainstaluj na urządzeniu QNX + + + QNX %1 + Qt Version is meant for QNX + QNX %1 + + + No SDP path was set up. + Nie ustawiono ścieżki do SDP. + + + QCC + QCC + + + &Compiler path: + Ścieżka do &kompilatora: + + + SDP path: + SDP refers to 'Software Development Platform'. + Ścieżka SDP: + + + &ABI: + &ABI: + + + Warning: "slog2info" is not found on the device, debug output not available. + Ostrzeżenie: brak"slog2info" na urządzeniu, komunikaty debugowe nie będą dostępne. + + + Cannot show slog2info output. Error: %1 + Nie można pokazać komunikatów slog2info. Błąd: %1 + Project source directory: Katalog ze źródłami projektu: @@ -27278,499 +47094,10 @@ Czy przerwać ją? Local executable: Lokalny plik wykonywalny: - - - QtC::Qnx - No free ports for debugging. - Brak wolnych portów do debugowania. - - - Remote: "%1" - Process %2 - Zdalny host: "%1" - proces %2 - - - - QtC::TextEditor - - Unused variable - Nieużywana zmienna - - - - QtC::VcsBase - - Name of the version control system in use by the current project. - Nazwa systemu kontroli wersji używana w bieżącym projekcie. - - - The current version control topic (branch or tag) identification of the current project. + Remote QNX process %1 - - The top level path to the repository the current project is in. - Ścieżka do repozytorium do którego przynależy bieżący projekt. - - - - WinRt::Internal::WinRtDeployConfiguration - - Run windeployqt - Uruchom windeployqt - - - Deploy to Windows Phone - Zainstaluj na Windows Phone - - - Deploy to Windows Phone Emulator - Zainstaluj na emulatorze Windows Phone - - - - WinRt::Internal::WinRtDeployStepFactory - - Run windeployqt - Uruchom windeployqt - - - - WinRt::Internal::WinRtDevice - - Windows Runtime (Local) - Windows Runtime (lokalny) - - - Windows Phone - Windows Phone - - - Windows Phone Emulator - Emulator Windows Phone - - - - WinRt::Internal::WinRtDeviceFactory - - Running Windows Runtime device detection. - Wykrywanie urządzeń Windows Runtime. - - - No winrtrunner.exe found. - Brak winrtrunner.exe. - - - Error while executing winrtrunner: %1 - Błąd uruchamiania winrtrunner: %1 - - - winrtrunner returned with exit code %1. - winrtrunner zakończył pracę kodem wyjściowym %1. - - - Windows Runtime local UI - Lokalny UI Windows Runtime - - - Found %n Windows Runtime devices. - - Znaleziono %n urządzenie Windows Runtime. - Znaleziono %n urządzenia Windows Runtime. - Znaleziono %n urządzeń Windows Runtime. - - - - %n of them are new. - - %n z nich jest nowe. - %n z nich są nowe. - %n z nich jest nowych. - - - - - WinRt::Internal::WinRtPackageDeploymentStep - - Run windeployqt - Uruchom windeployqt - - - No executable to deploy found in %1. - Brak pliku wykonawczego w %1 do zainstalowania. - - - Cannot parse manifest file %1. - Nie można sparsować pliku manifest %1. - - - File %1 is outside of the executable's directory. These files cannot be installed. - "These files cannot be installed." - this should be singular, like the first sentence: "This file". - Plik %1 leży poza katalogiem pliku wykonywalnego. Plik ten nie zostanie zainstalowany. - - - Cannot open mapping file %1 for writing. - Nie można otworzyć pliku z mapowaniem %1 do zapisu. - - - - WinRt::Internal::WinRtQtVersion - - Windows Phone - Windows Phone - - - Windows Runtime - Windows Runtime - - - - WinRt::Internal::WinRtRunConfiguration - - Run App Package - Uruchom pakiet App - - - - WinRt::Internal::WinRtRunConfigurationFactory - - Run App Package - Uruchom pakiet App - - - - WinRt::Internal::WinRtPackageDeploymentStepWidget - - Arguments: - Argumenty: - - - Restore Default Arguments - Przywróć domyślne argumenty - - - - QtC::Utils - - Proxy Credentials - Pośrednie listy uwierzytelniające - - - The proxy %1 requires a username and password. - Pośrednik %1 wymaga nazwy użytkownika i hasła. - - - Username: - Nazwa użytkownika: - - - Username - Nazwa użytkownika - - - Password: - Hasło: - - - Password - Hasło - - - - QtC::Android - - Sign package - Podpisz pakiet - - - Keystore: - Magazyn kluczy: - - - Create... - Utwórz... - - - Signing a debug package - extra space on the end - Podpisywanie pakietu debugowego - - - Certificate alias: - Alias certyfikatu: - - - Android build SDK: - Wersja Android SDK: - - - Advanced Actions - Zaawansowane akcje - - - Verbose output - Gadatliwe komunikaty - - - Open package location after build - Po zakończeniu budowania otwórz w położeniu pakietu - - - Qt Deployment - Instalacja Qt - - - Uses the external Ministro application to download and maintain Qt libraries. - Używa zewnętrznej aplikacji Ministro do pobierania bibliotek Qt i zarządzania nimi. - - - Use Ministro service to install Qt - Użyj usługi Ministro do zainstalowania Qt - - - Creates a standalone APK. - Tworzy samodzielny APK. - - - Bundle Qt libraries in APK - Dołącz biblioteki Qt do APK - - - Pushes local Qt libraries to device. You must have Qt libraries compiled for that platform. -The APK will not be usable on any other device. - Przesyła lokalne biblioteki Qt do urządzenia. -Należy przesłać biblioteki skompilowane dla tej platformy. -APK nie będzie przydatne na innych urządzeniach. - - - Deploy local Qt libraries to temporary directory - Zainstaluj lokalne biblioteki Qt do tymczasowego katalogu - - - Signing an APK that uses "Deploy local Qt libraries" is not allowed. -Deploying local Qt libraries is incompatible with Android 5. - Podpisywanie APK, które używa "Zainstaluj lokalne biblioteki Qt" jest niedozwolone. -Instalowanie lokalnych bibliotek Qt nie jest kompatybilne z Androidem 5. - - - Use Gradle (Ant builds are deprecated) - Używaj Gradle (Ant jest przestarzały) - - - Packages debug server with the APK to enable debugging. For the signed APK this option is unchecked by default. - - - - Add debug server - Dodaj serwer debugowy - - - - QtC::Ios - - Reset to Default - Przywróć domyślny - - - Command: - Komenda: - - - Arguments: - Argumenty: - - - - QtC::ProjectExplorer - - Files to deploy: - Pliki do zainstalowania: - - - - QtC::Android - - Create Templates - Utwórz szablony - - - Additional Libraries - Dodatkowe biblioteki - - - List of extra libraries to include in Android package and load on startup. - Lista dodatkowych bibliotek dołączanych do pakietu Android i ładowanych przy uruchamianiu. - - - Select library to include in package. - Wybierz bibliotekę, którą dołączyć do pakietu. - - - Remove currently selected library from list. - Usuń zaznaczoną bibliotekę z listy. - - - Select additional libraries - Wybierz dodatkowe biblioteki - - - Libraries (*.so) - Biblioteki (*.so) - - - <b>Build Android APK</b> - <b>Zbuduj Android APK</b> - - - - SliderSpecifics - - Value - Wartość - - - Current value of the Slider. The default value is 0.0. - Bieżąca wartość suwaka. Domyślną wartością jest 0.0. - - - Maximum value - Maksymalna wartość - - - Maximum value of the slider. The default value is 1.0. - Maksymalna wartość suwaka. Domyślną wartością jest 1.0. - - - Minimum value - Minimalna wartość - - - Minimum value of the slider. The default value is 0.0. - Minimalna wartość suwaka. Domyślną wartością jest 0.0. - - - Orientation - Orientacja - - - Layout orientation of the slider. - Orientacja pozioma / pionowa suwaka. - - - Step size - Rozmiar kroku - - - Indicates the slider step size. - Określa rozmiar kroku suwaka. - - - Active focus on press - Uaktywnij fokus po naciśnięciu - - - Indicates whether the slider should receive active focus when pressed. - Określa, czy suwak powinien otrzymać fokus po naciśnięciu. - - - Tick marks enabled - Skala odblokowana - - - Indicates whether the slider should display tick marks at step intervals. - Określa, czy suwak powinien wyświetlać skalę z naniesionymi znacznikami kroków. - - - Update value while dragging - Odświeżaj wartość podczas przeciągania - - - Determines whether the current value should be updated while the user is moving the slider handle, or only when the button has been released. - Określa, czy bieżąca wartość powinna być odświeżana w trakcie przesuwania uchwytu suwaka, czy jedynie po zwolnieniu uchwytu. - - - - SplitViewSpecifics - - Split View - Podziel widok - - - Orientation - Orientacja - - - Orientation of the split view. - Orientacja podzielonego widoku. - - - - TabViewSpecifics - - Tab View - Widok z zakładkami - - - Current index - Bieżący indeks - - - Frame visible - Ramka widoczna - - - Determines the visibility of the tab frame around contents. - Określa, czy widoczna jest ramka zakładki wokół zawartości. - - - Tabs visible - Zakładki widoczne - - - Determines the visibility of the tab bar. - Określa, czy widoczny jest pasek z zakładkami. - - - Tab position - Pozycja zakładek - - - Determines the position of the tabs. - Określa pozycję zakładek. - - - - QtC::Tracing - - Jump to previous event. - Skocz do poprzedniego zdarzenia. - - - Jump to next event. - Skocz do następnego zdarzenia. - - - Show zoom slider. - Pokaż suwak powiększania. - - - Select range. - Wybierz zakres. - - - View event information on mouseover. - Pokazuj informacje o zdarzeniach po najechaniu myszą. - - - Collapse category - Zwiń kategorię - - - Expand category - Rozwiń kategorię - - - - QtC::Qnx Qt library to deploy: Biblioteka Qt do zainstalowania: @@ -27799,36 +47126,60 @@ Instalowanie lokalnych bibliotek Qt nie jest kompatybilne z Androidem 5.Connection failed: %1 Błąd połączenia: %1 - - The remote directory "%1" already exists. Deploying to that directory will remove any files already present. - -Are you sure you want to continue? - Zdalny katalog "%1" już istnieje. Instalacja do tego katalogu spowoduje usunięcie całej jego zawartości. - -Czy kontynuować instalację? - Checking existence of "%1" Sprawdzanie obecności "%1" + + The remote directory "%1" already exists. +Deploying to that directory will remove any files already present. + +Are you sure you want to continue? + + Removing "%1" Usuwanie "%1" + + No files need to be uploaded. + + + + %n file(s) need to be uploaded. + + + + + + + + Local file "%1" does not exist. + + + + Remote chmod failed for file "%1": %2 + + + + No device configuration set. + Nie ustawiono konfiguracji urządzenia. + + + No deployment action necessary. Skipping. + Instalacja nie jest wymagana. Zostanie pominięta. + + + All files successfully deployed. + Wszystkie pliki poprawnie zainstalowane. + Deploy Qt to QNX Device Zainstaluj Qt na urządzeniu QNX - - - QtC::Qnx - Form - Formularz - - - Generate kits - Wygeneruj zestawy narzędzi + Create Kit for %1 + Configuration Information: @@ -27850,6 +47201,14 @@ Czy kontynuować instalację? Target: Cel: + + Compiler: + Kompilator: + + + Architectures: + + Remove Usuń @@ -27863,8 +47222,12 @@ Czy kontynuować instalację? Ostrzeżenie - Configuration already exists or is invalid. - Konfiguracja już istnieje lub jest niepoprawna. + Configuration already exists. + + + + Configuration is not valid. + Remove QNX Configuration @@ -27880,12 +47243,576 @@ Czy kontynuować instalację? Add... Dodaj... + + The following errors occurred while activating the QNX configuration: + Wystąpiły następujące błędy podczas aktywowania konfiguracji QNX: + + + Cannot Set Up QNX Configuration + Nie można ustawić konfiguracji QNX + + + Debugger for %1 (%2) + Debugger dla %1 (%2) + + + QCC for %1 (%2) + QCC dla %1 (%2) + + + Kit for %1 (%2) + Zestaw narzędzi dla %1 (%2) + + + - No targets found. + + + + - No GCC compiler found. + - Brak kompilatora GCC. + + + Attach to remote QNX application... + Dołącz do zdalnej aplikacji QNX... + + + QNX + QNX + + + Deploy Qt libraries... + Instaluj biblioteki Qt... + + + QNX Device + Urządzenie QNX + + + New QNX Device Configuration Setup + Nowa konfiguracja urządzenia QNX + + + Checking that files can be created in %1... + + + + Files can be created in /var/run. + + + + An error occurred while checking that files can be created in %1. + + + + Files cannot be created in %1. + + + + Executable on device: + Plik wykonywalny na urządzeniu: + + + Remote path not set + Nie ustawiono zdalnej ścieżki + + + Executable on host: + Plik wykonywalny na hoście: + + + Path to Qt libraries on device + + QtC::QtSupport - Form - Formularz + No qmake path set + Nie ustawiono ścieżki do qmake + + + qmake does not exist or is not executable + Brak qmake lub nie jest on plikiem wykonywalnym + + + Qt version has no name + Brak nazwy wersji Qt + + + <unknown> + <nieznany> + + + System + System + + + Qt %{Qt:Version} in PATH (%2) + Qt %{Qt:Wersja} w PATH (%2) + + + Qt %{Qt:Version} (%2) + Qt %{Qt:Version} dla %2 + + + Qt version is not properly installed, please run make install + Wersja Qt zainstalowana niepoprawnie, uruchom komendę: make install + + + Could not determine the path to the binaries of the Qt installation, maybe the qmake path is wrong? + Nie można określić ścieżki do plików binarnych instalacji Qt. Sprawdź ścieżkę do qmake. + + + The default mkspec symlink is broken. + Domyślne dowiązanie symboliczne mkspec jest zepsute. + + + ABI detection failed: Make sure to use a matching compiler when building. + Detekcja ABI nie powiodła się: upewnij się, że używasz odpowiedniego kompilatora do budowania. + + + Non-installed -prefix build - for internal development only. + Niezainstalowana wersja z prefiksem - jedynie do wewnętrznego użytku. + + + "%1" crashed. + "%1" przerwał pracę. + + + qmake "%1" is not an executable. + qmake "%1" nie jest plikiem wykonywalnym. + + + No QML utility installed. + + + + Desktop + Qt Version is meant for the desktop + Desktop + + + Embedded Linux + Qt Version is used for embedded Linux development + Wbudowany linux + + + The Qt version is invalid: %1 + %1: Reason for being invalid + Wersja Qt nie jest poprawna: %1 + + + The qmake command "%1" was not found or is not executable. + %1: Path to qmake executable + Komenda qmake "%1" nie została odnaleziona lub nie jest plikiem wykonywalnym. + + + Edit + Modyfikuj + + + Remove + Usuń + + + Qt Version + + + + Location of qmake + + + + Add... + Dodaj... + + + Link with Qt... + + + + Clean Up + Wyczyść + + + Device type is not supported by Qt version. + Typ urządzenia nie jest obsługiwany przez wersję Qt. + + + The compiler "%1" (%2) cannot produce code for the Qt version "%3" (%4). + Kompilator "%1" (%2) nie może utworzyć kodu dla wersji Qt "%3" (%4). + + + The compiler "%1" (%2) may not produce code compatible with the Qt version "%3" (%4). + Kompilator "%1" (%2) nie może utworzyć kodu kompatybilnego z wersją Qt "%3" (%4). + + + The kit has a Qt version, but no C++ compiler. + + + + Name: + Nazwa: + + + Invalid Qt version + Niepoprawna wersja Qt + + + ABI: + ABI: + + + Source: + Źródło: + + + mkspec: + mkspec: + + + qmake: + qmake: + + + Default: + Domyślna: + + + Version: + Wersja: + + + Timeout running "%1". + + + + "%1" produced no output: %2. + + + + No Qt version. + Brak wersji Qt. + + + Invalid Qt version. + Niepoprawna wersja Qt. + + + Requires Qt 5.0.0 or newer. + Wymaga Qt 5.0.0 lub nowszej wersji. + + + Requires Qt 5.3.0 or newer. + Wymaga Qt 5.3.0 lub nowszej wersji. + + + This Qt Version does not contain Qt Quick Compiler. + Ta wersja Qt nie zawiera kompilatora Qt Quick. + + + <specify a name> + <Podaj nazwę> + + + Do you want to remove all invalid Qt Versions?<br><ul><li>%1</li></ul><br>will be removed. + Czy usunąć wszystkie niepoprawne wersje Qt?<br>Usunięte zostaną:<br><ul><li>%1</li></ul>. + + + No compiler can produce code for this Qt version. Please define one or more compilers for: %1 + Żaden kompilator nie może wygenerować kodu dla tej wersji Qt. Należy zdefiniować jeden lub więcej kompilatorów dla: %1 + + + The following ABIs are currently not supported: %1 + Następujące ABI nie są obecnie obsługiwane: %1 + + + Select a qmake Executable + Wskaż plik wykonywalny qmake + + + Qt Version Already Known + Wersja Qt już znana + + + Qmake Not Executable + Nie można uruchomić qmake + + + The qmake executable %1 could not be added: %2 + Nie można dodać pliku wykonywalnego qmake %1: %2 + + + Linking with a Qt installation automatically registers Qt versions and kits, and other tools that were installed with that Qt installer, in this Qt Creator installation. Other Qt Creator installations are not affected. + + + + %1's resource directory is not writable. + + + + %1 is currently linked to "%2". + + + + Qt installation information was not found in "%1". Choose a directory that contains one of the files %2 + + + + Choose Qt Installation + + + + The change will take effect after restart. + + + + Qt installation path: + + + + Choose the Qt installation directory, or a directory that contains "%1". + + + + Link with Qt + + + + Cancel + Anuluj + + + Remove Link + + + + Error Linking With Qt + + + + Could not write to "%1". + + + + This Qt version was already registered as "%1". + Ta wersja Qt została już zarejestrowana jako "%1". + + + qmake path: + + + + Register documentation: + + + + qmake Path + + + + Highest Version Only + + + + All + + + + The Qt version selected must match the device type. + Wybrana wersja Qt musi pasować do typu urządzenia. + + + Qt version %1 for %2 + Wersja Qt %1 dla %2 + + + Name + Nazwa + + + Remove Invalid Qt Versions + Usuń niepoprawne wersje Qt + + + Display Name is not unique. + Widoczna nazwa nie jest unikatowa. + + + Not all possible target environments can be supported due to missing compilers. + Nie wszystkie możliwe docelowe środowiska mogą być obsłużone z powodu brakujących kompilatorów. + + + Incompatible Qt Versions + Niekompatybilne wersje Qt + + + Examples + Przykłady + + + Tutorials + Samouczki + + + Copy Project to writable Location? + Skopiować projekt do miejsca z prawami do zapisu? + + + <p>The project you are about to open is located in the write-protected location:</p><blockquote>%1</blockquote><p>Please select a writable location below and click "Copy Project and Open" to open a modifiable copy of the project or click "Keep Project and Open" to open the project in location.</p><p><b>Note:</b> You will not be able to alter or compile your project in the current location.</p> + <p>Projekt, który ma zostać załadowany, znajduje się w miejscu zabezpieczonym przed zapisem:</p><blockquote>%1</blockquote><p>Proszę wybrać miejsce z prawami do zapisu i kliknąć "Skopiuj projekt i otwórz", żeby załadować modyfikowalną kopię projektu lub kliknąć "Pozostaw projekt i otwórz", żeby załadować projekt z miejsca, gdzie się obecnie znajduje.</p><p><b>Uwaga:</b> Nie będzie można zmienić lub skompilować projektu w bieżącej lokalizacji.</p> + + + &Location: + &Położenie: + + + &Copy Project and Open + S&kopiuj projekt i otwórz + + + &Keep Project and Open + Po&zostaw projekt i otwórz + + + Cannot Use Location + Nie można użyć położenia + + + The specified location already exists. Please specify a valid location. + Podane położenie już istnieje. Podaj poprawne położenie. + + + Cannot Copy Project + Nie można skopiować projektu + + + Qt Versions + Wersje Qt + + + Qt Class Generation + Generowanie klasy Qt + + + The Qt library to use for all projects using this kit.<br>A Qt version is required for qmake-based projects and optional when using other build systems. + Biblioteka Qt, która zostanie użyta do budowania wszystkich projektów dla tego zestawu narzędzi.<br>Wersja Qt jest wymagana dla projektów bazujących na qmake i opcjonalna dla innych systemów budowania. + + + %1 (invalid) + %1 (niepoprawna) + + + Qt version + Wersja Qt + + + The version string of the current Qt version. + Numer bieżącej wersji Qt. + + + The type of the current Qt version. + Typ bieżącej wersji Qt. + + + The mkspec of the current Qt version. + "mkspec" bieżącej wersji Qt. + + + The installation prefix of the current Qt version. + Przedrostek instalacji bieżącej wersji Qt. + + + The installation location of the current Qt version's data. + Położenie danych wewnątrz instalacji bieżącej wersji Qt. + + + The host location of the current Qt version. + + + + The installation location of the current Qt version's internal host executable files. + + + + The installation location of the current Qt version's header files. + Położenie plików nagłówkowych wewnątrz instalacji bieżącej wersji Qt. + + + The installation location of the current Qt version's library files. + Położenie plików bibliotecznych wewnątrz instalacji bieżącej wersji Qt. + + + The installation location of the current Qt version's documentation files. + Położenie plików z dokumentacją wewnątrz instalacji bieżącej wersji Qt. + + + The installation location of the current Qt version's executable files. + Położenie plików wykonywalnych wewnątrz instalacji bieżącej wersji Qt. + + + The installation location of the current Qt version's internal executable files. + + + + The installation location of the current Qt version's plugins. + Położenie wtyczek wewnątrz instalacji bieżącej wersji Qt. + + + The installation location of the current Qt version's QML files. + + + + The installation location of the current Qt version's imports. + Położenie importów wewnątrz instalacji bieżącej wersji Qt. + + + The installation location of the current Qt version's translation files. + Położenie plików z tłumaczeniami wewnątrz instalacji bieżącej wersji Qt. + + + The installation location of the current Qt version's examples. + Położenie przykładów wewnątrz instalacji bieżącej wersji Qt. + + + The installation location of the current Qt version's demos. + Położenie dem wewnątrz instalacji bieżącej wersji Qt. + + + The current Qt version's default mkspecs (Qt 4). + Domyślne mkspec'e dla bieżącej wersji Qt (Qt 4). + + + The current Qt version's default mkspec (Qt 5; host system). + Domyślny mkspec dla bieżącej wersji Qt (Qt 5, system hosta). + + + The current Qt version's default mkspec (Qt 5; target system). + Domyślny mkspec dla bieżącej wersji Qt (Qt 5, system docelowy). + + + The current Qt's qmake version. + Wersja qmake bieżącej wersji Qt. + + + None + Brak + + + Name of Qt Version + Nazwa wersji Qt + + + unknown + nieznana + + + Path to the qmake executable + Ścieżka do pliku wykonywalnego qmake + + + No factory found for qmake: "%1" + Brak fabryki dla qmake: "%1" Embedding of the UI Class @@ -27919,295 +47846,893 @@ Czy kontynuować instalację? Add Qt version #ifdef for module names Generuj odpowiednie dyrektywy #include w zależności od wersji Qt + + [Inexact] + Prefix used for output from the cumulative evaluation of project files. + [niedokładny] + + + Search in Examples... + Szukaj w przykładach... + + + Search in Tutorials... + Poszukaj w samouczkach... + + + Boot2Qt + Qt version is used for Boot2Qt development + + + + Other + Category for all other examples + + + + Featured + Category for highlighted examples + + + + QML debugging and profiling: + + + + Might make your application vulnerable.<br/>Only use in a safe environment. + + + + Qt Quick Compiler: + + + + Disables QML debugging. QML profiling will still work. + Blokuje debugowanie QML, profilowanie QML pozostawia włączone. + + + Link with a Qt installation to automatically register Qt versions and kits? To do this later, select Edit > Preferences > Kits > Qt Versions > Link with Qt. + + + + Full path to the host bin directory of the Qt version in the active kit of the project containing the current document. + + + + Full path to the target bin directory of the Qt version in the active kit of the project containing the current document.<br>You probably want %1 instead. + + + + Full path to the host libexec directory of the Qt version in the active kit of the project containing the current document. + + + + Full path to the host bin directory of the Qt version in the active kit of the active project. + + + + Full path to the target bin directory of the Qt version in the active kit of the active project.<br>You probably want %1 instead. + + + + Full path to the libexec directory of the Qt version in the active kit of the active project. + + + + If you plan to provide translations for your project's user interface via the Qt Linguist tool, please select a language here. A corresponding translation (.ts) file will be generated for you. + + + + <none> + <brak> + + + Language: + Język: + + + Translation file: + + QtC::RemoteLinux - Local executable: - Lokalny plik wykonywalny: + Connection + Połączenie - Remote executable: - Zdalny plik wykonywalny: - - - - ColorEditor - - Solid Color - Kolor jednolity - - - Gradient - Gradient - - - Transparent - Przezroczystość - - - - AnchorRow - - Target - Cel - - - Anchor to the top of the target. - Zakotwicz do górnej krawędzi celu. - - - Anchor to the left of the target. - Zakotwicz do lewej krawędzi celu. - - - Anchor to the vertical center of the target. - Zakotwicz do środka celu w pionie. - - - Anchor to the horizontal center of the target. - Zakotwicz do środka celu w poziomie. - - - Anchor to the bottom of the target. - Zakotwicz do dolnej krawędzi celu. - - - Anchor to the right of the target. - Zakotwicz do prawej krawędzi celu. - - - - StatesList - - Collapse - Zwiń - - - Expand - Rozwiń - - - Add a new state. - Dodaje nowy stan. - - - - QtC::QmlDebug - - Socket state changed to %1 - Zmiana stanu gniazda na %1 - - - Error: %1 - Błąd: %1 - - - - QDockWidget - - Float + The device's SSH port number: - Undocks and re-attaches the dock widget + Key Deployment + + We recommend that you log into your device using public key authentication. +If your device is already set up for this, you do not have to do anything here. +Otherwise, please deploy the public key for the private key with which to connect in the future. +If you do not have a private key yet, you can also create one here. + + + + Choose a Private Key File + Wybierz plik z kluczem prywatnym + + + Deploy Public Key + + + + Create New Key Pair + + + + Summary + Podsumowanie + + + The new device configuration will now be created. +In addition, device connectivity will be tested. + Zostanie teraz utworzona nowa konfiguracja urządzenia. +Dodatkowo, przetestowane zostanie połączenie z urządzeniem. + + + Choose Public Key File + Wybierz plik z kluczem publicznym + + + Public Key Files (*.pub);;All Files (*) + Pliki z kluczami publicznymi (*.pub);;Wszystkie pliki (*) + + + Deploying... + Instalowanie... + + + Key deployment failed. + + + + Deployment finished successfully. + Instalacja poprawnie zakończona. + Close Zamknij - Closes the dock widget - Zamyka okno dokowalne - - - - QtC::Utils - - Infinite recursion error - Błąd: nieskończona pętla + Executable on host: + Plik wykonywalny na hoście: - %1: Full path including file name. - %1: Pełna ścieżka zawierająca nazwę pliku. + Executable on device: + Plik wykonywalny na urządzeniu: - %1: Full path excluding file name. - %1: Pełna ścieżka bez nazwy pliku. + Remote path not set + Nie ustawiono zdalnej ścieżki - %1: Full path including file name, with native path separator (backslash on Windows). - %1: Pełna ścieżka włącznie z nazwą pliku, z natywnymi separatorami (backslashe na Windowsie). + Package modified files only + Upakuj tylko zmodyfikowane pliki - %1: Full path excluding file name, with native path separator (backslash on Windows). - %1: Pełna ścieżka bez nazwy pliku, z natywnymi separatorami (backslashe na Windowsie). + Tarball creation not possible. + Tworzenie tarballi nie jest możliwe. - %1: File name without path. - %1: Nazwa pliku bez ścieżki. + Create tarball: + Utwórz tarball: - %1: File base name without path and suffix. - %1: Bazowa nazwa pliku bez ścieżki i rozszerzenia. + No deployment action necessary. Skipping. + Instalacja nie jest wymagana. Zostanie pominięta. - Global variables - Zmienne globalne + No device configuration set. + Nie ustawiono konfiguracji urządzenia. - Access environment variables. - Dostęp do zmiennych środowiskowych. - - - - QtC::Android - - Build Android APK - AndroidBuildApkStep default display name - Zbuduj Android APK + Cannot deploy: %1 + Nie można zainstalować: %1 - Warning: Signing a debug or profile package. - Ostrzeżenie: podpisywanie pakietu debugowego lub przeznaczonego do profilowania. + Deploy step failed. + Krok instalacji zakończony błędem. - The installed SDK tools version (%1) does not include Gradle scripts. The minimum Qt version required for Gradle build to work is %2 - Zainstalowana wersja %1 narzędzi SDK nie zawiera skryptów Gradle. Minimalna wymagana wersja Qt działająca z Gradle to %2. + Deploy step finished. + Zakończono krok instalacji. - The API level set for the APK is less than the minimum required by the kit. -The minimum API level required by the kit is %1. + Successfully uploaded package file. + Przesłano poprawnie plik pakietu. + + + Installing package to device... + Instalowanie pakietu na urządzeniu... + + + All files successfully deployed. + Wszystkie pliki poprawnie zainstalowane. + + + Incremental deployment + Instalacja przyrostowa + + + Ignore missing files + Ignoruj brakujące pliki + + + Failed to start "stat": %1 - Cannot sign the package. Invalid keystore path(%1). - Nie można podpisać pakietu. Nieprawidłowa ścieżka do magazynu kluczy (%1). - - - Cannot sign the package. Certificate alias %1 does not exist. - Nie można podpisać pakietu. Nie istnieje alias certyfikatu %1. - - - Failed to run keytool. + "stat" crashed. - Select Keystore File - Wybierz plik z magazynem kluczy - - - Android Debugger for %1 - Debugger Androida dla %1 - - - Android for %1 (GCC %2, %3) - Android dla %1 (GCC %2, %3) - - - Unknown Android version. API Level: %1 - Nieznana wersja Androida. Poziom API: %1 - - - Error creating Android templates. - Błąd tworzenia szablonów Androida. - - - Cannot parse "%1". - Nie można sparsować "%1". - - - Starting Android virtual device failed. - Nie można uruchomić wirtualnego urządzenia Android. - - - Cannot create a new AVD. No sufficiently recent Android SDK available. -Install an SDK of at least API version %1. - Nie można utworzyć AVD. Brak wystarczająco nowego Android SDK. -Zainstaluj SDK o wersji %1 lub wyższej. - - - Cannot create a AVD for ABI %1. Install an image for it. + "stat" failed with exit code %1: %2 - Allowed characters are: a-z A-Z 0-9 and . _ - - Dozwolone znaki to: a-z A-Z 0-9 i . _ - + Failed to retrieve remote timestamp for file "%1". Incremental deployment will not work. Error message was: %2 + + + + Unexpected stat output for remote file "%1": %2 + + + + No files need to be uploaded. + + + + %n file(s) need to be uploaded. + + + + + + + + Local file "%1" does not exist. + + + + Remote chmod failed for file "%1": %2 + + + + Command line: + Linia komend: + + + Upload files via SFTP + Prześlij pliki przez SFTP + + + Checking kernel version... + Sprawdzanie wersji jądra... + + + uname failed: %1 + Błąd uname: %1 + + + uname failed. + Błąd uname. + + + Error gathering ports: %1 + Błąd gromadzenia portów: %1 + + + All specified ports are available. + Wszystkie podane porty są dostępne. + + + Sending echo to device... + + + + Device replied to echo with unexpected contents: "%1" + + + + Device replied to echo with expected contents. + + + + echo failed: %1 + + + + echo failed. + + + + The following specified ports are currently in use: %1 + Następujące porty są zajęte: %1 + + + Some tools will not work out of the box. + + + + + Checking whether "%1" works... + + + + "%1" is functional. + + + + + Failed to start "%1": %2 + + + + "%1" failed with exit code %2: %3 + + + + "%1" will be used for deployment, because "%2" and "%3" are not available. + + + + Deployment to this device will not work out of the box. + + + + %1... + + + + %1 found. + Znaleziono %1. + + + An error occurred while checking for %1. + + + + %1 not found. + Nie znaleziono %1. + + + Checking if required commands are available... + + + + Checking if specified ports are available... + Sprawdzanie czy podane porty są dostępne... + + + Run custom remote command + Uruchom własną zdalną komendę + + + No command line given. + Nie podano linii komendy. + + + Starting remote command "%1"... + Uruchamianie zdalnej komendy "%1"... + + + Remote process failed: %1 + + + + Remote process finished with exit code %1. + Zdalny proces zakończył się kodem wyjściowym %1. + + + Remote command finished successfully. + Zdalna komenda poprawnie zakończona. + + + Deploy to Remote Linux Host + Zainstaluj na zdalnym hoście linuksowym + + + Installing package failed. + Błąd instalowania pakietu. + + + Public key error: %1 + Błąd klucza publicznego: %1 + + + Packaging finished successfully. + Pakowanie poprawnie zakończone. + + + Packaging failed. + Błąd pakowania. + + + Creating tarball... + Tworzenie tarballa... + + + Tarball up to date, skipping packaging. + Tarball uaktualniony, pakowanie pominięte. + + + Error: tar file %1 cannot be opened (%2). + Błąd: nie można otworzyć pliku tar %1 (%2). + + + No remote path specified for file "%1", skipping. + Brak ustawionej zdalnej ścieżki dla pliku "%1", zostanie on pominięty. + + + Error writing tar file "%1": %2. + Błąd zapisu pliku tar "%1": %2. + + + Error reading file "%1": %2. + Błąd odczytu pliku "%1": %2. + + + Adding file "%1" to tarball... + Dodawanie pliku "%1" do tarballa... + + + Cannot add file "%1" to tar-archive: path too long. + Nie można dodać pliku "%1" do archiwum tar: zbyt długa ścieżka. + + + Error writing tar file "%1": %2 + Błąd zapisu pliku tar "%1": %2. + + + Create tarball + Utwórz tarball + + + No tarball creation step found. + Brak kroku tworzenia tarballa. + + + Uploading package to device... + + + + Successfully installed package file. + + + + Deploy tarball via SFTP upload + Zainstaluj tarball poprzez SFTP + + + Authentication type: + Typ autoryzacji: + + + &Host name: + Nazwa &hosta: + + + IP or host name of the device + IP lub nazwa hosta urządzenia + + + Default + + + + Specific &key + + + + Source %1 and %2 + + + + Direct + + + + &SSH port: + Port &SSH: + + + Free ports: + Wolne porty: + + + Timeout: + Limit czasu oczekiwania: + + + s + s + + + &Username: + Nazwa &użytkownika: + + + Private key file: + Plik z kluczem prywatnym: + + + Create New... + Twórz nowy... + + + Machine type: + Typ maszyny: + + + QML runtime executable: + + + + Access via: + + + + Physical Device + Urządzenie fizyczne + + + Emulator + Emulator + + + You will need at least one port. + Wymagany jest przynajmniej jeden port. + + + GDB server executable: + Plik wykonywalny serwera GDB: + + + Leave empty to look up executable in $PATH + Pozostaw puste aby znaleźć plik w $PATH + + + You can enter lists and ranges like this: '1024,1026-1028,1030'. + Można wprowadzać listy i zakresy, np.: "1024,1026-1028,1030". + + + &Check host key + &Sprawdź klucz hosta + + + WizardPage + StronaKreatora + + + The name to identify this configuration: + Nazwa identyfikująca tę konfigurację: + + + The device's host name or IP address: + Nazwa hosta lub adres IP urządzenia: + + + The username to log into the device: + Nazwa użytkownika na urządzeniu: + + + Cannot establish SSH connection: ssh binary "%1" does not exist. + + + + Cannot establish SSH connection: Failed to create temporary directory for control socket: %1 + + + + Cannot establish SSH connection. +Control process failed to start. + + + + SSH connection failure. + + + + SSH connection failure: + + + + Remote Linux Device + + + + Remote Linux + + + + Deploy Public Key... + Zainstaluj klucz publiczny... + + + Open Remote Shell + + + + Error + Błąd + + + "%1" failed to start: %2 + Nie można uruchomić "%1": %2 + + + "%1" crashed. + "%1" przerwał pracę. + + + "sftp" binary "%1" does not exist. + + + + Creating directory: %1 + + + + + Failed. + Niepoprawnie zakończone. + + + Copying %1/%2: %3 -> %4 + + + + + Failed: %1 + + + + New Remote Linux Device Configuration Setup + + + + Cannot Open Terminal + + + + Cannot open remote terminal: Current kit has no device. + + + + Clean Environment + Czyste środowisko + + + System Environment + Środowisko systemowe + + + Fetch Device Environment + Pobierz środowisko urządzenia + + + Exit code is %1. stderr: + Kod wyjściowy: %1. stderr: + + + Local executable: + Lokalny plik wykonywalny: + + + Custom Executable + Własny plik wykonywalny + + + Run "%1" + + + + Remote executable: + Zdalny plik wykonywalny: + + + The remote executable must be set in order to run a custom remote run configuration. + W celu uruchomienia własnej, zdalnej konfiguracji uruchamiania, należy ustawić zdalny plik wykonywalny. + + + Flags for rsync: + + + + Ignore missing files: + + + + Transfer method: + + + + Use rsync if available. Otherwise use default transfer. + + + + Use sftp if available. Otherwise use default transfer. + + + + Use default transfer. This might be slow. + + + + rsync is only supported for transfers between different devices. + + + + Unknown error occurred while trying to create remote directories + + + + rsync failed to start: %1 + + + + rsync crashed. + + + + rsync failed with exit code %1. + + + + Deploy files + + + + Trying to kill "%1" on remote device... + + + + Remote application killed. + + + + Failed to kill remote application. Assuming it was not running. + + + + Kill current application instance + + + + Command: + Komenda: + + + Install root: + Korzeń instalacji: + + + Clean install root first: + + + + Full command line: + + + + Custom command line: + + + + Use custom command line instead: + + + + You must provide an install root. + + + + The install root "%1" could not be cleaned. + + + + The install root "%1" could not be created. + + + + The "make install" step should probably not be last in the list of deploy steps. Consider moving it up. + + + + You need to add an install statement to your CMakeLists.txt file for deployment to work. + + + + Install into temporary host directory + + + + SSH Key Configuration + Konfiguracja klucza SSH + + + &RSA + &RSA + + + ECDSA + ECDSA + + + &Generate And Save Key Pair + Wy&generuj i zachowaj klucze + + + Options + Opcje + + + Key algorithm: + Algorytm klucza: + + + Key &size: + Rozmiar &klucza: + + + Public key file: + Plik z kluczem publicznym: + + + The ssh-keygen tool was not found. + + + + Refusing to overwrite existing private key file "%1". + + + + The ssh-keygen tool at "%1" failed: %2 + + + + Choose Private Key File Name + Wybierz nazwę pliku z kluczem prywatnym + + + Key Generation Failed + Błąd w trakcie generowania kluczy - QtC::BareMetal + QtC::ResourceEditor - Enter GDB commands to reset the board and to write the nonvolatile memory. - Wprowadź komendy GDB resetujące płytę i zapisujące do nieulotnej pamięci. + Remove + Usuń - Enter GDB commands to reset the hardware. The MCU should be halted after these commands. - Wprowadź komendy GDB resetujące sprzęt. MCU powinien zostać zatrzymany po tych komendach. + Properties + Właściwości - New Bare Metal Device Configuration Setup - Nowa konfiguracja urządzenia Bare Metal + Prefix: + Przedrostek: - GDB commands - Komendy GDB + Language: + Język: - %1 (via GDB server or hardware debugger) - %1 (poprzez serwer GDB lub debugger sprzętowy) + Alias: + Alias: - Run on GDB server or hardware debugger - Bare Metal run configuration default run name - Uruchom na serwerze GDB lub debuggerze sprzętowym - - - Executable: - Plik wykonywalny: - - - <default> - <domyślny> - - - Working directory: - Katalog roboczy: - - - Unknown - Nieznany - - - - QtC::Bazaar - - &Annotate %1 - Dołącz &adnotację do %1 - - - Annotate &parent revision %1 - Dołącz adnotację do &wersji macierzystej "%1" - - - - QtC::BinEditor - - The Binary Editor cannot open empty files. - Edytor plików binarnych nie może otwierać pustych plików. - - - File Error - Błąd pliku - - - The file is too big for the Binary Editor (max. 32GB). - Plik jest zbyt wielki dla edytora binarnego (maks. 32GB). - - - Cannot open %1: %2 - Nie można otworzyć %1: %2 + Remove Missing Files + Usuń brakujące pliki &Undo @@ -28217,747 +48742,875 @@ Zainstaluj SDK o wersji %1 lub wyższej. &Redo &Przywróć - - - QtC::ClearCase - Annotate version "%1" - Dołącz adnotację do wersji "%1" - - - - QtC::Core - - Failed to open an editor for "%1". - Nie można otworzyć edytora dla "%1". + Recheck Existence of Referenced Files + Sprawdź ponownie istnienie wskazanych plików - [read only] - [tylko do odczytu] + Add Prefix... + Dodaj przedrostek... - [folder] - [katalog] + Change Prefix... + Zmień przedrostek... - [symbolic link] - [dowiązanie symboliczne] + Remove Prefix... + Usuń przedrostek... - The project directory %1 contains files which cannot be overwritten: -%2. - Katalog projektu %1 zawiera pliki, które nie mogą być nadpisane: -%2. + Rename... + Zmień nazwę... - No themes found in installation. - Nie zainstalowano żadnych motywów. + Remove File... + Usuń plik... - The current date (ISO). - Bieżąca data (ISO). + Open in Editor + Otwórz w edytorze - The current time (ISO). - Bieżący czas (ISO). + Copy Path + Skopiuj ścieżkę - The current date (RFC2822). - Bieżąca data (RFC2822). + Copy Path "%1" + Skopiuj ścieżkę "%1" - The current time (RFC2822). - Bieżący czas (RFC2822). + Copy URL + Skopiuj URL - The current date (Locale). - Bieżąca data (Ustawienia lokalne). + Copy URL "%1" + Skopiuj URL "%1" - The current time (Locale). - Bieżący czas (Ustawienia lokalne). + Remove Prefix + Usuń przedrostek - The configured default directory for projects. - Skonfigurowany domyślny katalog projektów. + Remove prefix %1 and all its files? + Czy usunąć przedrostek %1 wraz ze wszystkimi plikami? - The directory last visited in a file dialog. - Katalog ostatnio widoczny w przeglądarce plików. + File Removal Failed + Błąd usuwania pliku - Is Qt Creator running on Windows? - Czy Qt Creator jest uruchomiony na Windows? + Removing file %1 from the project failed. + Nie można usunąć pliku %1 z projektu. - Is Qt Creator running on OS X? - Czy Qt Creator jest uruchomiony na OS X? + Rename Prefix + Zmień nazwę przedrostka - Is Qt Creator running on Linux? - Czy Qt Creator jest uruchomiony na Linuxie? + Open With + Otwórz przy pomocy - Is Qt Creator running on any unix-based platform? - Czy Qt Creator jest uruchomiony na platformie unixowej? + Rename File... + Zmień nazwę pliku... - The directory where Qt Creator finds its pre-installed resources. - Katalog, w którym Qt Creator znajduje swoje preinstalowane zasoby. + Copy Resource Path to Clipboard + Skopiuj ścieżkę z zasobami do schowka - The current date (QDate formatstring). - Bieżący dzień (QDate fromatstring). + Sort Alphabetically + Posortuj alfabetycznie - The current time (QTime formatstring). - Bieżący czas (QTime formatstring). + Add Files + Dodaj pliki - Generate a new UUID. - Wygeneruj nowy UUID. + Add Prefix + Dodaj przedrostek - A comment. - Komentarz. + Invalid file location + Niepoprawne położenie pliku - Overwrite Existing Files - Nadpisz istniejące pliki + Copy + Skopiuj - The following files already exist in the folder -%1. -Would you like to overwrite them? - Następujące pliki istnieją już w katalogu -%1. -Czy nadpisać je? + Abort + Przerwij - Mixed - Mieszane + Skip + Pomiń - Failed to %1 File - Horror!!! - Nie można %1 pliku + The file %1 is not in a subdirectory of the resource file. You now have the option to copy this file to a valid location. + Plik %1 nie leży wewnątrz katalogu w którym jest plik z zasobami. Właśnie istnieje możliwość skopiowania tego pliku do właściwego miejsca. - %1 file %2 from version control system %3 failed. - Horror!!! + Choose Copy Location + Wybierz docelowe położenie kopii + + + Overwriting Failed + Błąd nadpisania + + + Could not overwrite file %1. + Nie można nadpisać pliku %1. + + + Copying Failed + Błąd kopiowania + + + Could not copy the file to %1. + Nie można skopiować pliku do %1. + + + Open File + Otwórz plik + + + All files (*) + Wszystkie pliki (*) + + + The file name is empty. + Nazwa pliku jest pusta. + + + XML error on line %1, col %2: %3 + Błąd XML w linii %1, w kolumnie %2: %3 + + + The <RCC> root element is missing. + Brak głównego elementu <RCC>. + + + Cannot save file. - No Version Control System Found - Brak systemu kontroli wersji (VCS) + %1 Prefix: %2 + %1 Przedrostek: %2 + + + QtC::ScreenRecorder - Cannot open file %1 from version control system. -No version control system found. - Nie można otworzyć pliku %1 z systemu kontroli wersji. -Brak systemu kontroli wersji. - - - Cannot Set Permissions - Nie można ustawić praw dostępu - - - Cannot set permissions for %1 to writable. - Nie można przydzielić plikowi %1 praw do zapisu. - - - Cannot Save File - Nie można zachować pliku - - - Cannot save file %1 - Nie można zachować pliku %1 - - - Canceled Changing Permissions - Anulowano zmianę praw dostępu - - - Could Not Change Permissions on Some Files - Nie można zmienić praw dostępu niektórych plików - - - See details for a complete list of files. - W szczegółach pełna lista plików. - - - Change &Permission - Zmień &prawa dostępu - - - The following files are not checked out yet. -Do you want to check them out now? + Save current, cropped frame as image file. - Revert File to Saved - Odwróć zmiany w pliku - - - Ctrl+W - Ctrl+W - - - Alternative Close + Copy current, cropped frame as image to the clipboard. - Ctrl+F4 - Ctrl+F4 - - - Ctrl+Shift+W - Ctrl+Shift+W - - - Alt+Tab - Alt+Tab - - - Ctrl+Tab - Ctrl+Tab - - - Alt+Shift+Tab - Alt+Shift+Tab - - - Ctrl+Shift+Tab - Ctrl+Shift+Tab - - - Ctrl+Alt+Left - Ctrl+Alt+Left - - - Alt+Left - Alt+Left - - - Ctrl+Alt+Right - Ctrl+Alt+Right - - - Alt+Right - Alt+Right - - - Meta+E,2 - Meta+E,2 - - - Ctrl+E,2 - Ctrl+E,2 - - - Meta+E,3 - Meta+E,3 - - - Ctrl+E,3 - Ctrl+E,3 - - - Meta+E,4 - Meta+E,4 - - - Ctrl+E,4 - Ctrl+E,4 - - - Remove Current Split - Usuń bieżący podział - - - Meta+E,0 - Meta+E,0 - - - Ctrl+E,0 - Ctrl+E,0 - - - Remove All Splits - Usuń wszystkie podziały - - - Meta+E,1 - Meta+E,1 - - - Ctrl+E,1 - Ctrl+E,1 - - - Go to Previous Split or Window - Przejdź do poprzedniego podzielonego okna - - - Meta+E,i - Meta+E,i - - - Ctrl+E,i - Ctrl+E,i - - - Go to Next Split or Window - Przejdź do kolejnego podzielonego okna - - - Meta+E,o - Meta+E,o - - - Ctrl+E,o - Ctrl+E,o - - - Ad&vanced - Zaa&wansowane - - - Current document - Bieżący dokument - - - X-coordinate of the current editor's upper left corner, relative to screen. - Współrzędna X lewego górnego rogu bieżącego edytora względem ekranu. - - - Y-coordinate of the current editor's upper left corner, relative to screen. - Współrzędna Y lewego górnego rogu bieżącego edytora względem ekranu. - - - Could not open "%1": Cannot open files of type "%2". - Nie można otworzyć "%1". Nie można otwierać plików typu "%2". - - - Could not open "%1" for reading. Either the file does not exist or you do not have the permissions to open it. - Nie można otworzyć "%1" do odczytu. Albo plik nie istnieje, albo brak praw dostępu do niego. - - - Could not open "%1": Unknown error. - Nie można otworzyć "%1": nieznany błąd. - - - <b>Warning:</b> This file was not opened in %1 yet. - <b>Ostrzeżenie:</b> Ten plik nie był jeszcze otwarty w %1. - - - <b>Warning:</b> You are changing a read-only file. - <b>Ostrzeżenie:</b> Zmieniasz plik, który jest tylko do odczytu. - - - &Save %1 - &Zachowaj %1 - - - Save %1 &As... - Zachowaj %1 j&ako... - - - Revert %1 to Saved - Przywróć stan ostatnio zapisany w %1 - - - Reload %1 - Przeładuj %1 - - - Close %1 - Zamknij %1 - - - Close All Except %1 - Zamknij wszystko z wyjątkiem %1 - - - Cannot Open File - Nie można otworzyć pliku - - - Cannot open the file for editing with VCS. - Nie można otworzyć pliku do edycji przy pomocy VCS. - - - You will lose your current changes if you proceed reverting %1. - Utracisz swoje bieżące zmiany w %1 jeśli potwierdzisz wykonanie tego polecenia. - - - Proceed - Wykonaj - - - Cancel && &Diff - Anuluj i pokaż &różnice - - - Error in "%1": %2 - Błąd w "%1": %2 - - - Cannot convert result of "%1" to string. - Nie można skonwertować rezultatu "%1" do ciągu znakowego. - - - Evaluate simple JavaScript statements.<br>The statements may not contain '{' nor '}' characters. - Wykonaj proste wyrażenia JavaScript.<br>Wyrażenia nie mogą zawierać znaków "{" i "}". - - - There is no patch-command configured in the general "Environment" settings. - Brak skonfigurowanej komendy "patch" w głównych ustawieniach środowiska. - - - Running in "%1": %2 %3. - Uruchamianie w "%1": %2 %3. - - - Unable to launch "%1": %2 - Nie można uruchomić "%1": %2 - - - A timeout occurred running "%1". - Przekroczono limit czasu oczekiwania na odpowiedź od uruchomionego "%1". - - - "%1" crashed. - "%1" przerwał pracę. - - - "%1" failed (exit code %2). - '%1' zakończone błędem (kod wyjściowy %2). - - - - QCoreApplication - - unnamed - nienazwany - - - - QtC::Core - - Exit Full Screen - Wyłącz tryb pełnoekranowy - - - Enter Full Screen - Włącz tryb pełnoekranowy - - - - QtC::CppEditor - - &Refactor - &Refaktoryzacja - - - %1: No such file or directory - %1: Brak pliku lub katalogu - - - %1: Could not get file contents - %1: Nie można odczytać zawartości pliku - - - - QtC::CVS - - Annotate revision "%1" - Dołącz adnotację do wersji "%1" - - - - QtC::Debugger - - Use Debugging Helper - Używaj programu pomocniczego debuggera - - - The debugging helpers are used to produce a nice display of objects of certain types like QString or std::map in the &quot;Locals and Expressions&quot; view. - Programy pomocnicze debuggera pomagają lepiej wizualizować obiekty pewnych typów, jak np. QString lib std::map w widoku &quot;Zmienne lokalne i wyrażenia&quot;. - - - Debugging Helper Customization - Konfiguracja programów pomocniczych debuggera - - - <html><head/><body><p>Python commands entered here will be executed after Qt Creator's debugging helpers have been loaded and fully initialized. You can load additional debugging helpers or modify existing ones here.</p></body></html> - <html><head/><body><p>Wprowadzone tutaj komendy Pythona zostaną wykonane zaraz po załadowaniu i zainicjalizowaniu programów pomocniczych debuggera Qt Creatora. Można tutaj załadować dodatkowych asystentów lub zmodyfikować istniejących.</p></body></html> - - - Extra Debugging Helpers - Dodatkowe programy pomocnicze debuggera - - - Path to a Python file containing additional data dumpers. - Ścieżka do pliku Pythona zawierającego dodatkowe skrypty generujące zrzuty danych. - - - Maximum string length: - Maksymalna długość ciągu tekstowego: - - - Display string length: - Wyświetlaj długości ciągów tekstowych: - - - Debug - Debug - - - Option "%1" is missing the parameter. - Brak parametru w opcji "%1". - - - Only one executable allowed. - Dozwolony jest tylko jeden plik wykonywalny. - - - The parameter "%1" of option "%2" does not match the pattern <handle>:<pid>. - Parametr "%1" opcji "%2" nie pasuje do wzoru <uchwyt>:<pid>. - - - Invalid debugger option: %1 - Niepoprawna opcja debuggera: %1 - - - Process %1 - Proces %1 - - - Symbol - Symbol - - - Code - Kod - - - Section - Sekcja - - - Symbols in "%1" - Symbole w "%1" - - - From - Od - - - To - Do - - - Flags - Flagi - - - Sections in "%1" - Sekcje w "%1" - - - Debugger - Category under which Analyzer tasks are listed in Issues view - Debugger - - - Cannot start %1 without a project. Please open the project and try again. - Nie można uruchomić %1 bez projektu. Otwórz projekt i spróbuj ponownie. - - - Profile - Profilowanie - - - Release - Release - - - in Debug mode - w trybie Debug - - - in Profile mode - w trybie Profilowania - - - in Release mode - w trybie Release - - - with debug symbols (Debug or Profile mode) - z symbolami debugowymi (tryb Debug lub Profilowania) - - - on optimized code (Profile or Release mode) - z kodem zoptymalizowanym (tryb Profilowania lub Release) - - - Run %1 in %2 Mode? - Uruchomić %1 w trybie %2? - - - <html><head/><body><p>You are trying to run the tool "%1" on an application in %2 mode. The tool is designed to be used %3.</p><p>Run-time characteristics differ significantly between optimized and non-optimized binaries. Analytical findings for one mode may or may not be relevant for the other.</p><p>Running tools that need debug symbols on binaries that don't provide any may lead to missing function names or otherwise insufficient output.</p><p>Do you want to continue and run the tool in %2 mode?</p></body></html> + X: - Some breakpoints cannot be handled by the debugger languages currently active, and will be ignored. -Affected are breakpoints %1 - Niektóre pułapki nie mogą być obsłużone przez aktywne języki debuggera i zostaną zignorowane. -Dotyczy to następujących pułapek: %1 + Y: + - The debugging engine required for combined QML/C++ debugging could not be created: %1 - Nie można utworzyć silnika debugującego kombinację języków QML/C++: %1 + Width: + Szerokość: - Unable to create a debugging engine of the type "%1" - Nie można utworzyć silnika debugującego typu "%1" + Height: + Wysokość: - Not enough free ports for QML debugging. - Niewystarczająca ilość wolnych portów do debugowania QML. + Save Current Frame As + - Unknown debugger type "%1" - Nieznany typ debuggera "%1" + Start: + - Install &Debug Information - Zainstaluj informacje &debugowe + End: + - Tries to install missing debug information. - Próbuje zainstalować brakujące informacje debugowe. + Trimming + - %1 (Previous) - %1 (poprzedni) + Range: + + + + Crop and Trim + + + + Crop and Trim... + + + + Crop to %1x%2px. + + + + Complete area. + + + + Frames %1 to %2. + + + + Complete clip. + + + + Video + + + + Animated image + + + + Lossy + + + + Lossless + + + + Export... + Eksportuj... + + + Save As + Zachowaj jako + + + Exporting Screen Recording + + + + Screen Recording Options + + + + Display: + + + + FPS: + + + + Recorded screen area: + + + + Open Mov/qtrle rgb24 File + + + + Cannot Open Clip + + + + FFmpeg cannot open %1. + + + + Clip Not Supported + + + + Choose a clip with the "qtrle" codec and pixel format "rgb24". + + + + Record Screen + + + + Record Screen... + + + + ffmpeg tool: + + + + ffprobe tool: + + + + Capture the mouse cursor + + + + Capture the screen mouse clicks + + + + Capture device/filter: + + + + Size limit for intermediate output file + + + + RAM buffer for real-time frames + + + + Write command line of FFmpeg calls to General Messages + + + + Export animated images as infinite loop + + + + Recording frame rate: + + + + Screen ID: + + + + FFmpeg Installation + + + + Record Settings + + + + Export Settings + + + + Screen Recording + + + + Width and height are not both divisible by 2. The video export for some of the lossy formats will not work. + + + + + QtC::ScxmlEditor + + Basic Colors + Kolory podstawowe + + + Last used colors + Ostatnio używane kolory + + + Create New Color Theme + Utwórz nowy motyw kolorów + + + Theme ID + Identyfikator motywu + + + Cannot Create Theme + Nie można utworzyć motywu + + + Theme %1 is already available. + Motyw %1 jest już dostępny. + + + Remove Color Theme + Usuń motyw kolorów + + + Are you sure you want to delete color theme %1? + Czy usunąć motyw kolorów %1? + + + Search + Wyszukaj + + + Time + Czas + + + File + Plik + + + Max. levels + Maks. poziomów + + + yyyy/MM/dd hh:mm:ss + yyyy/MM/dd hh:mm:ss + + + Document Statistics + Statystyka dokumentu + + + Modify Color Themes... + Modyfikuj motywy kolorów... + + + Modify Color Theme + Zmodyfikuj motyw kolorów + + + Select Color Theme + Wybierz motyw kolorów + + + Factory Default + Ustawienia fabryczne + + + Colors from SCXML Document + Kolory z dokumentu SCXML + + + Pick Color + Wybierz kolor + + + Automatic Color + Kolor automatyczny + + + More Colors... + Więcej kolorów... + + + SCXML Generation Failed + Błąd generowania SCXML + + + Loading document... + Ładowanie dokumentu... + + + State Color + Kolor stanu + + + Font Color + Kolor czcionki + + + Align Left + Wyrównaj do lewej + + + Adjust Width + Dopasuj szerokość + + + Alignment + Wyrównanie + + + Adjustment + Dopasowanie + + + Images (%1) + Pliki graficzne (%1) + + + Untitled + Nienazwany + + + Export Canvas to Image + Wyeksportuj obraz do pliku graficznego + + + Export Failed + Błąd eksportowania + + + Could not export to image. + Nie można wyeksportować do pliku graficznego. + + + Save Screenshot + Zachowaj zrzut ekranu + + + Saving Failed + Błąd zapisu + + + Could not save the screenshot. + Nie można zachować zrzutu ekranu. + + + Navigator + Nawigator + + + Type + Typ + + + Name + Nazwa + + + Attributes + Atrybuty + + + Content + Zawartość + + + Tag + Tag + + + Count + Ilość + + + Common states + Wspólne stany + + + Metadata + Metadane + + + Other tags + Inne tagi + + + Unknown tags + Nieznane tagi + + + Remove items + Usuń elementy + + + Structure + Struktura + + + Expand All + Rozwiń wszystko + + + Collapse All + Zwiń wszystko + + + Add child + Dodaj dziecko + + + Change parent + Zmień rodzica + + + Errors(%1) / Warnings(%2) / Info(%3) + Błędy (%1) / Ostrzeżenia (%2) / Informacje (%3) + + + CSV files (*.csv) + Pliki CSV (*.csv) + + + Export to File + Wyeksportuj do pliku + + + Cannot open file %1. + Nie można otworzyć pliku %1. + + + Severity + Ciężkość + + + Reason + Przyczyna + + + Description + Opis + + + Error + Błąd + + + Warning + Ostrzeżenie + + + Info + Informacja + + + Unknown + Nieznany + + + Severity: %1 +Type: %2 +Reason: %3 +Description: %4 + Ciężkość: %1 +Typ: %2 +Przyczyna: %3 +Opis: %4 + + + Add new state + Dodaj nowy stan + + + Move State + Przenieś stan + + + Align states + Wyrównaj stany + + + Adjust states + Dopasuj stany + + + Re-layout + + + + Cut + Wytnij + + + State + Stan + + + Each state must have a unique ID. + Każdy stan musi posiadać unikatowy identyfikator. + + + Missing ID. + + + + Duplicate ID (%1). + + + + Initial + Stan początkowy + + + One level can contain only one initial state. + Jeden poziom może posiadać tylko jeden stan początkowy. + + + Too many initial states at the same level. + + + + H + H Value Wartość - Expression %1 in function %2 from line %3 to %4 - Wyrażenie %1 w funkcji %2 od linii %3 do %4 + - name - + - nazwa - - No valid expression - Brak poprawnego wyrażenia + - value - + - wartość - - %1 (Restored) - %1 (przywrócony) + Common States + Wspólne stany - Expression too complex - Wyrażenie zbyt skomplikowane - - - - QtC::Designer - - Widget box - Panel widżetów + Final + Stan finalny - Object Inspector - Hierarchia obiektów + Parallel + Stan równoległy - Property Editor - Edytor właściwości + History + Stan historyczny - Signals && Slots Editor - Edytor sygnałów / slotów + Error in reading XML. +Type: %1 (%2) +Description: %3 + +Row: %4, Column: %5 +%6 + Błąd odczytu pliku XML. +Typ: %1 (%2) +Opis: %3 + +Wiersz: %4, kolumna: %5 +%6 - Action Editor - Edytor akcji + Pasted data is empty. + Wklejone dane są puste. - Widget Box - Panel widżetów + Unexpected element. + Nieoczekiwany element. - Edit Widgets - Modyfikuj widżety + Not well formed. + Niepoprawnie sformatowany. - F3 - F3 + Premature end of document. + Dokument przedwcześnie zakończony. - Edit Signals/Slots - Modyfikuj sygnały / sloty + Custom error. + Własny błąd. - F4 - F4 + Current tag is not selected. + Bieżący tag nie jest zaznaczony. - Edit Buddies - Modyfikuj skojarzone etykiety + Paste items + Wklej elementy - Edit Tab Order - Modyfikuj kolejność tabulacji + Cannot save XML to the file %1. + Nie można zachować pliku XML %1. - Meta+Shift+H - Meta+Shift+H + Add Tag + Dodaj tag - Ctrl+H - Ctrl+H + Remove Tag + Usuń tag - Meta+L - Meta+L + Error in reading XML + Błąd odczytu XML - Ctrl+L - Ctrl+L + New Tag + Nowy tag - Meta+Shift+G - Meta+Shift+G + Item + Element - Ctrl+G - Ctrl+G + Remove + Usuń - Meta+J - Meta+J + Created editor-instance. + Utworzono instancję edytora. - Ctrl+J - Ctrl+J + Editor-instance is not of the type ISCEditor. + Instancja edytora nie jest typu ISCEditor. - Alt+Shift+R - Alt+Shift+R + Set as Initial + Ustaw jako początkowy - About Qt Designer Plugins... - Informacje o wtyczkach Qt Designera... + Zoom to State + Powiększ do stanu - Preview in - Podgląd w stylu + Re-Layout + Rozmieść ponownie + + + Change initial state + Zmień stan początkowy + + + Draw some transitions to state. + Narysuj przejścia do stanu. + + + No input connection. + + + + No input or output connections (%1). + + + + No output connections (%1). + + + + No input connections (%1). + + + + Draw some transitions to or from state. + Narysuj przejścia do stanu lub ze stanu. + + + Draw some transitions from state. + Narysuj przejścia ze stanu. + + + Remove Point + Usuń punkt + + + Transition + Przejście + + + Transitions should be connected. + Przejścia powinny być połączone. + + + Not connected (%1). + + + + Undo (Ctrl + Z) + Cofnij (Ctrl+Z) + + + Redo (Ctrl + Y) + Przywróć (Ctrl+Y) This file can only be edited in <b>Design</b> mode. @@ -28968,2175 +49621,3449 @@ Dotyczy to następujących pułapek: %1 Przełącz tryb - The image could not be created: %1 - Nie można utworzyć pliku graficznego: %1 - - - - QtC::ProjectExplorer - - "data" for a "Form" page needs to be unset or an empty object. - "data" na stronie "Form" powinna pozostać nieustawiona lub być pustym obiektem. + Zoom In + Powiększ - Check whether a variable exists.<br>Returns "true" if it does and an empty string if not. - Sprawdź, czy zmienna istnieje.<br>Zwraca "prawdę" jeśli istnieje lub pusty ciąg tekstowy w przeciwnym razie. + Zoom In (Ctrl + + / Ctrl + Wheel) + Powiększ (Ctrl + + / Ctrl + Kółko myszy) - Could not determine target path. "TargetPath" was not set on any page. - Nie można określić docelowej ścieżki. "TargetPath" nie został ustawiony na żadnej stronie. + Zoom Out + Pomniejsz - File Generation Failed - Błąd generowania pliku + Zoom Out (Ctrl + - / Ctrl + Wheel) + Pomniejsz (Ctrl + - / Ctrl + Kółko myszy) - The wizard failed to generate files.<br>The error message was: "%1". - Kreator nie wygenerował plików.<br>Komunikat z błędem: "%1". + Fit to View + Dopasuj do widoku - Failed to Overwrite Files - Nie można nadpisać plików + Fit to View (F11) + Dopasuj do widoku (F11) - Failed to Format Files - Nie można sformatować plików - - - Failed to Write Files - Nie można zapisać plików - - - Failed to Post-Process Files - Nie można przetworzyć wygenerowanych plików - - - Failed to Polish Files + Panning - Failed to Open Files - Nie można otworzyć plików - - - "%1" does not exist in the file system. - Brak "%1" w systemie plików. - - - No file to open found in "%1". - Brak plików do otwarcia w "%1". - - - Failed to open project. - Nie można otworzyć projektu. - - - Failed to open project in "%1". - Nie można otworzyć projektu w "%1". - - - Cannot Open Project - Nie można otworzyć projektu - - - When processing "%1":<br>%2 - W trakcie przetwarzania "%1":<br>%2 - - - Failed to open "%1" as a project. - Nie można otworzyć "%1" jako projekt. - - - Failed to open an editor for "%1". - Nie można otworzyć edytora dla "%1". - - - When parsing fields of page "%1": %2 - W trakcie parsowania pól strony "%1": %2 - - - "data" for a "File" page needs to be unset or an empty object. - "data" na stronie "File" powinna pozostać nieustawiona lub być pustym obiektem. - - - Error parsing "%1" in "Kits" page: %2 - Błąd parsowania "%1" na stronie "Zestawy narzędzi": %2 - - - "data" must be a JSON object for "Kits" pages. - "data" musi być obiektem JSON dla stron "Kits". - - - "Kits" page requires a "%1" set. - Strona "Zestawy narzędzi" wymaga ustawionego "%1". - - - "data" must be empty or a JSON object for "Project" pages. - "data" na stronach "Project" powinna pozostać nieustawiona lub być obiektem JSON. - - - Invalid regular expression "%1" in "%2". %3 - Niepoprawne wyrażenie regularne "%1" w "%2". %3 - - - "data" for a "Summary" page can be unset or needs to be an object. - "data" na stronie "Summary" powinna pozostać nieustawiona lub być pustym obiektem. - - - "data" must be a JSON object for "VcsConfiguration" pages. - Do not translate "VcsConfiguration", because it is the id of a page. - "data" na stronach "VcsConfiguration" powinna być obiektem JSON. - - - "VcsConfiguration" page requires a "vcsId" set. - Do not translate "VcsConfiguration", because it is the id of a page. - Strona "VcsConfiguration" wymaga ustawienia "vcsId". - - - Class name: - Nazwa klasy: - - - <Custom> - custom what? - <Własna> - - - Base class: - Klasa bazowa: - - - %{BaseCB} - Is it necessary to mark it for translation? - %{BaseCB} - - - Include QObject - Dołącz QObject - - - Include QWidget - Dołącz QWidget - - - Include QMainWindow - Dołącz QMainWindow - - - Include QDeclarativeItem - Qt Quick 1 - Dołącz QDeclarativeItem - Qt Quick 1 - - - Include QQuickItem - Qt Quick 2 - Dołącz QQuickItem - Qt Quick 2 - - - Include QSharedData - Dołącz QSharedData - - - %{JS: Cpp.classToFileName('%{Class}', '%{JS: Util.preferredSuffix('text/x-c++hdr')}')} - Is it really to be translated? + Panning (Shift) - Header file: - Plik nagłówkowy: + Magnifier + Lupa - %{JS: Cpp.classToFileName('%{Class}', '%{JS: Util.preferredSuffix('text/x-c++src')}')} + Magnifier Tool - Source file: - Plik źródłowy: - - - Define Class - Zdefiniuj klasę - - - Details - Szczegóły - - - This wizard creates a simple unit test project. - - - - Creates a C++ header and a source file for a new class that you can add to a C++ project. - Tworzy plik nagłówkowy i plik źródłowy dla nowej klasy, które można dodać do projektu C++. - - - C++ Class - Klasa C++ - - - Customize header row - Dostosuj wiersz nagłówka - - - Items are editable - Modyfikowalne elementy - - - Rows and columns can be added - Można dodać wiersze i kolumny - - - Rows and columns can be removed - Można usunąć wiersze i kolumny - - - Fetch data dynamically - Dynamicznie pobierz dane - - - Define Item Model Class - - - - Creates a Qt item model. - - - - Qt - Qt - - - Qt Item Model - - - - Import QtCore - Zaimportuj QtCore - - - Import QtWidgets - Zaimportuj QtWidgets - - - Import QtQuick - Zaimportuj QtQuick - - - %{JS: Util.fileName('%{Class}', '%{JS: Util.preferredSuffix('text/x-python')}')} - - - - Creates new Python class file. - Tworzy nowy plik z klasą Python. - - - Python - Python - - - Python Class - Klasa Python - - - Component name: - Nazwa komponentu: - - - %{Class}Form - %{Klasa}Formularz - - - Component form name: - Nazwa formularza komponentu: - - - Creates a Qt Quick Designer UI form along with a matching QML file for implementation purposes. You can add the form and file to an existing Qt Quick Project. - Tworzy formularz Qt Quick Designer wraz z odpowiadającym mu plikiem implementacyjnym QML. Formularz i plik można dodać do istniejącego projektu Qt Quick. - - - QtQuick UI File - Plik QtQuick UI - - - Location - Położenie - - - Test framework: - Framework testowy: - - - Test case name: - Nazwa wariantu testu: - - - Test set name: - Nazwa zestawu testów: - - - Creates a C++ header file that you can add to a C++ project. - Tworzy plik nagłówkowy C++, który można dodać do projektu C++. - - - C++ Header File - Plik nagłówkowy C++ - - - Creates a C++ source file that you can add to a C++ project. - Tworzy plik źródłowy C++, który można dodać do projektu C++. - - - C++ Source File - Plik źródłowy C++ - - - Choose a Form Template - Wybierz szablon formularza - - - Form Template - Szablon formularza - - - Creates a Qt Designer form that you can add to a Qt Widget Project. This is useful if you already have an existing class for the UI business logic. - Tworzy formularz Qt Designer, który można dodać do projektu typu Qt Widget. Jest to przydatne w sytuacji, kiedy istnieje już klasa zarządzająca logiką UI. - - - Qt Designer Form - Formularz Qt Designer - - - Creates a Java file with boilerplate code. - Tworzy plik Java z wstępnym kodem. - - - Java - Java - - - Java File - Plik Java - - - Stateless library - Biblioteka bezstanowa - - - Options - Opcje - - - Creates a JavaScript file. - Tworzy plik JavaScript. - - - JS File - Plik JS - - - Model name: - Nazwa modelu: - - - Location: - Położenie: - - - Model Name and Location - Nazwa modelu i położenie - - - Creates a new empty model with an empty diagram. - Tworzy nowy, pusty model z pustym diagramem. - - - Modeling - Modelowanie - - - Model - Model - - - Creates an empty Nim script file using UTF-8 charset. - Tworzy pusty skrypt Nim, który używa kodowania UTF-8. - - - Nim Script File - Plik ze skryptem Nim - - - Creates an empty Python script file using UTF-8 charset. - Tworzy pusty skrypt Pythona, który używa kodowania UTF-8. - - - Python File - Plik Python - - - Creates a Qt Resource file (.qrc). - Tworzy plik z zasobami Qt (.qrc). - - - Qt Resource File - Plik z zasobami Qt - - - Creates a QML file with boilerplate code, starting with "import QtQuick 2.0". - Tworzy plik QML z wstępnym kodem, rozpoczynającym się od "import QtQuick 2.0". - - - QML File (Qt Quick 2) - Plik QML (Qt Quick 2) - - - Creates a scratch buffer using a temporary file. - - - - Scratch Buffer - - - - State chart name: - Nazwa diagramu stanów: - - - Creates a new empty state chart. - Tworzy nowy, pusty diagram stanów. - - - Creates an empty file. - Tworzy pusty plik. - - - Empty File - Pusty plik - - - Project Location - Położenie projektu - - - qmake - qmake - - - CMake - CMake - - - Qbs - Qbs - - - Build system: - System budowania: - - - Define Build System - Zdefiniuj system budowania - - - Build System - System budowania - - - Non-Qt Project - Projekt nieużywający Qt - - - Plain C Application - Czysta aplikacja C - - - Plain C++ Application - Czysta aplikacja C++ - - - This wizard creates a simple Qt-based console application. - Ten kreator tworzy prostą aplikację konsolową używającą Qt. - - - Creates a project containing a single main.cpp file with a stub implementation. - -Preselects a desktop Qt for building the application if available. - Tworzy projekt zawierający plik main.cpp z wstępną implementacją. - -Używa desktopowego Qt do budowania aplikacji, jeśli jest on dostępny. - - - Qt Console Application - Aplikacja konsolowa Qt - - - This wizard creates an empty .pro file. - Ten kreator tworzy pusty plik .pro. - - - Creates a qmake-based project without any files. This allows you to create an application without any default classes. - Tworzy pusty projekt używający qmake. Umożliwia to utworzenie aplikacji niezawierającej domyślnych klas. - - - Empty qmake Project - Pusty projekt qmake - - - Create a three.js based application. - Tworzy aplikację używająca three.js. - - - Define Project Details - Zdefiniuj szczegóły projektu - - - Creates a Qt Canvas 3D QML project. Optionally including three.js. - Tworzy projekt Qt Canvas 3D QML. Zawiera opcjonalnie three.js. - - - Qt Canvas 3D Application - Aplikacja Qt Canvas 3D - - - Qt 5.7 - Qt 5.7 - - - Qt 5.6 - Qt 5.6 - - - Qt 5.5 - Qt 5.5 - - - Qt 5.4 - Qt 5.4 - - - Qt 5.3 - Qt 5.3 - - - Minimal required Qt version: - Minimalna wymagana wersja Qt: - - - With ui.qml file - Z plikiem ui.qml - - - Creates a deployable Qt Quick 2 application. - - - - Qt Quick Application - Aplikacja Qt Quick - - - Qt Quick Controls 2 Application - Aplikacja Qt Quick Controls 2 - - - Configuration - Konfiguracja - - - Please configure <b>%{vcsName}</b> now. - Skonfiguruj <b>%{vcsName}</b> teraz. - - - Repository: - Repozytorium: - - - %{defaultDir} - %{domyślnyKatalog} - - - Directory: - Katalog: - - - Creates a vertex shader in the Desktop OpenGL Shading Language (GLSL). Vertex shaders transform the positions, normals and texture coordinates of triangles, points and lines rendered with OpenGL. - - - - Creates a vertex shader in the OpenGL/ES 2.0 Shading Language (GLSL/ES). Vertex shaders transform the positions, normals and texture coordinates of triangles, points and lines rendered with OpenGL. - - - - "%{JS: Util.toNativeSeparators('%{TargetPath}')}" exists in the filesystem. - - - - Qt Test - Qt Test - - - Googletest - Googletest - - - GUI Application - Aplikacja GUI - - - Requires QApplication - Wymaga QApplication - - - Generate initialization and cleanup code - Wygeneruj inicjalizację i kod sprzątający - - - Enable C++11 - Odblokuj C++11 - - - Googletest repository: - Repozytorium googletest: - - - Project and Test Information - Informacje o projekcie i teście - - - Creates a new unit test project. Unit tests allow you to verify that the code is fit for use and that there are no regressions. - - - - Auto Test Project - Projekt automatycznego testu - - - Creates an empty Nim file using UTF-8 charset. - Tworzy pusty plik Nim, który używa kodowania UTF-8. - - - Nim - Nim - - - Nim File - Plik Nim - - - State Chart Name and Location - Nazwa i położenie diagramu stanów - - - State Chart - Diagram stanów - - - Creates a simple Nim application. - Tworzy prostą aplikację Nim. - - - Nim Application - Aplikacja Nim - - - Creates a simple C application with no dependencies. - Tworzy prostą aplikację C bez zależności. - - - Creates a simple C++ application with no dependencies. - Tworzy prostą aplikację C++ bez zależności. - - - Qt 5.8 - Qt 5.8 - - - Default - Domyślny - - - Material - Material - - - Universal - Universal - - - Qt Quick Controls 2 Style: - Styl Qt Quick Controls 2: - - - Creates a deployable Qt Quick 2 application using Qt Quick Controls 2.<br/><br/><b>Note:</b> Qt Quick Controls 2 are available with Qt 5.7 and later. - - - - Creates a Qt Quick 2 UI project with a QML entry point. To use it, you need to have a QML runtime environment such as qmlscene set up. - -Use this only if you are prototyping. You cannot create a full application with this. Consider using a Qt Quick Application project instead. - - - - Qt Quick UI Prototype - Prototyp Qt Quick UI - - - Use existing directory - Użyj istniejącego katalogu - - - Proceed with cloning the repository, even if the target directory already exists. - Kontynuuj klonowanie repozytorium, nawet jeśli katalog docelowy istnieje. - - - Stacked - - - - Make the new branch depend on the availability of the source branch. - - - - Standalone - - - - Do not use a shared repository. - Nie używaj dzielonego repozytorium. - - - Bind new branch to source location - - - - Bind the new branch to the source location. - - - - Switch checkout - - - - Switch the checkout in the current directory to the new branch. - - - - Hardlink - - - - Use hard-links in working tree. - - - - No working-tree - Brak drzewa roboczego - - - Do not create a working tree. - Nie twórz kopii roboczej. - - - Revision: - Wersja: - - - Specify repository URL, checkout directory, and path. - Podaj URL repozytorium, katalog roboczy i ścieżkę. - - - Running Bazaar branch... - - - - Clones a Bazaar branch and tries to load the contained project. - - - - Import Project - Zaimportuj projekt - - - Bazaar Clone (Or Branch) - - - - Module: - Moduł: - - - Specify module and checkout directory. - - - - Running CVS checkout... - - - - Checkout - Kopia robocza - - - Checks out a CVS repository and tries to load the contained project. - - - - CVS Checkout - Kopia robocza CVS - - - <default branch> - <domyślna gałąź> - - - Branch: - Gałąź: - - - Recursive - Rekurencyjnie - - - Recursively initialize submodules. - Rekurencyjnie inicjalizuj podmoduły. - - - Specify repository URL, branch, checkout directory, and path. - Podaj URL repozytorium, gałąź, katalog roboczy i ścieżkę. - - - Running Git clone... - Klonowanie z Git... - - - Clones a Git repository and tries to load the contained project. - Klonuje repozytorium Git i próbuje załadować zawarty projekt. - - - Git Clone - Klon Git - - - Running Mercurial clone... - Klonowanie z Mercurial... - - - Clones a Mercurial repository and tries to load the contained project. - Klonuje repozytorium Mercurial i próbuje załadować zawarty projekt. - - - Mercurial Clone - Klon Mercurial - - - Trust Server Certificate - - - - Running Subversion checkout... - - - - Checks out a Subversion repository and tries to load the contained project. - - - - Subversion Checkout - - - - Creates a fragment shader in the Desktop OpenGL Shading Language (GLSL). Fragment shaders generate the final pixel colors for triangles, points and lines rendered with OpenGL. - - - - GLSL - GLSL - - - Fragment Shader (Desktop OpenGL) - - - - Vertex Shader (Desktop OpenGL) - - - - Creates a fragment shader in the OpenGL/ES 2.0 Shading Language (GLSL/ES). Fragment shaders generate the final pixel colors for triangles, points and lines rendered with OpenGL. - - - - Fragment Shader (OpenGL/ES 2.0) - - - - Vertex Shader (OpenGL/ES 2.0) - - - - - QtC::EmacsKeys - - Delete Character - Usuń znak - - - Kill Word - Skasuj słowo - - - Kill Line - Skasuj linię - - - Insert New Line and Indent - Wstaw nową linię i dopasuj wcięcie - - - Go to File Start - Przejdź do początku pliku - - - Go to File End - Przejdź do końca pliku - - - Go to Line Start - Przejdź do początku linii - - - Go to Line End - Przejdź do końca linii - - - Go to Next Line - Przejdź do następnej linii - - - Go to Previous Line - Przejdź do poprzedniej linii - - - Go to Next Character - Przejdź do następnego znaku - - - Go to Previous Character - Przejdź do poprzedniego znaku - - - Go to Next Word - Przejdź do następnego słowa - - - Go to Previous Word - Przejdź do poprzedniego słowa - - - Mark - Wstaw znacznik - - - Exchange Cursor and Mark - Wymień kursor i wstaw znacznik + Navigator (Ctrl+E) + Nawigator (Ctrl+E) Copy Skopiuj - Cut - Wytnij + Copy (Ctrl + C) + Skopiuj (Ctrl+C) - Yank - + Cut (Ctrl + X) + Wytnij (Ctrl+X) - Scroll Half Screen Down - Przewiń o pół ekranu w dół + Paste + Wklej - Scroll Half Screen Up - Przewiń o pół ekranu w górę + Paste (Ctrl + V) + Wklej (Ctrl+V) + + + Screenshot + Zrzut ekranu + + + Screenshot (Ctrl + Shift + C) + Zrzut ekranu (Ctrl+Shift+C) + + + Export to Image + Wyeksportuj do pliku graficznego + + + Toggle Full Namespace + Przełącz pokazywanie pełnych przestrzeni nazw + + + Align Left (Ctrl+L,1) + Wyrównaj do lewej (Ctrl+L,1) + + + Align Right + Wyrównaj do prawej + + + Align Right (Ctrl+L,2) + Wyrównaj do prawej (Ctrl+L,2) + + + Align Top + Wyrównaj do góry + + + Align Top (Ctrl+L,3) + Wyrównaj do góry (Ctrl+L,3) + + + Align Bottom + Wyrównaj do dołu + + + Align Bottom (Ctrl+L,4) + Wyrównaj do dołu (Ctrl+L,4) + + + Align Horizontal + Wyrównaj w poziomie + + + Align Horizontal (Ctrl+L,5) + Wyrównaj w poziomie (Ctrl+L,5) + + + Align Vertical + Wyrównaj w pionie + + + Align Vertical (Ctrl+L,6) + Wyrównaj w pionie (Ctrl+L,6) + + + Adjust Width (Ctrl+L,7) + Dopasuj szerokość (Ctrl+L,7) + + + Adjust Height + Dopasuj wysokość + + + Adjust Height (Ctrl+L,8) + Dopasuj wysokość (Ctrl+L,8) + + + Adjust Size + Dopasuj rozmiar + + + Adjust Size (Ctrl+L,9) + Dopasuj rozmiar (Ctrl+L,9) + + + Show Statistics... + Pokaż statystyki... + + + Show Statistics + Pokaż statystyki - QtC::FakeVim + QtC::SerialTerminal - Unknown option: %1 - Nieznana opcja: %1 - - - Argument must be positive: %1=%2 - Argument musi być dodatni: %1=%2 - - - Use Vim-style Editing - Włącz edycję w stylu vim - - - Read .vimrc - Odczytuj .vimrc - - - Path to .vimrc - Ścieżka do .vimrc - - - Mark "%1" not set. - Nie ustawiono znacznika "%1". - - - Recursive mapping - Mapowanie rekurencyjne - - - %1%2% - %1%2% - - - %1All - %1Wszystkie - - - Not implemented in FakeVim. - Nieobsługiwane w FakeVim. - - - Type Alt-V, Alt-V to quit FakeVim mode. - Naciśnij Alt-V, Alt-V aby wyjść z trybu FakeVim. - - - Unknown option: - Nieznana opcja: - - - Invalid argument: - Niepoprawny argument: - - - Trailing characters: - Białe znaki na końcu linii: - - - Move lines into themselves. + Unable to open port %1: %2. - - %n lines moved. - - %n linia przesunięta. - %n linie przesunięte. - %n linii przesuniętych. - + + Session resumed. + - File "%1" exists (add ! to override) - Plik "%1" istnieje (dodaj ! aby go nadpisać) + Starting new session on %1... + - Cannot open file "%1" for writing - Nie można otworzyć pliku "%1" do zapisu + Session finished on %1. + - "%1" %2 %3L, %4C written. - "%1" %2 zapisano: %3 linii, %4 znaków. + Session paused... + - [New] - [Nowy] + No Port + - Cannot open file "%1" for reading - Nie można otworzyć pliku "%1" do odczytu + Serial port error: %1 (%2) + - "%1" %2L, %3C - "%1" %2L, %3C - - - %n lines filtered. - - Przefiltrowano %n linię. - Przefiltrowano %n linie. - Przefiltrowano %n linii. - + Close Tab + Zamknij kartę - Cannot open file %1 - Nie można otworzyć pliku %1 + Close All Tabs + Zamknij wszystkie karty - Not an editor command: %1 - %1 nie jest komendą edytora + Close Other Tabs + Zamknij inne karty - Invalid regular expression: %1 - Niepoprawne wyrażenie regularne: %1 + Type text and hit Enter to send. + - Pattern not found: %1 - Brak dopasowań do wzorca: %1 + Serial Terminal Window + - Search hit BOTTOM, continuing at TOP. - Przeszukano do KOŃCA, wznowiono od POCZĄTKU. + Connect + - Search hit TOP, continuing at BOTTOM. - Przeszukano do POCZĄTKU, wznowiono od KOŃCA. + Disconnect + - Search hit BOTTOM without match for: %1 - Przeszukano do KOŃCA, brak wyników pasujących do: %1 + Reset Board + - Search hit TOP without match for: %1 - Przeszukano do POCZĄTKU, brak wyników pasujących do: %1 - - - %n lines indented. - - Wyrównano %n linię. - Wyrównano %n linie. - Wyrównano %n linii. - - - - %n lines %1ed %2 time. - %1ed - crazy!!! - - - - - - - - %n lines yanked. - - - - - + Add New Terminal + - Already at oldest change. - Osiągnięto najstarszą zmianę. + Serial Terminal + - Already at newest change. - Osiągnięto najnowszą zmianę. + None + Brak + + + LF + + + + CR + + + + CRLF + + + + + QtC::SilverSearcher + + Search Options (optional) + + + + Silver Searcher is not available on the system. + Brak dostępnego Silver Searchera w systemie. + + + + QtC::Squish + + Details + Szczegóły + + + Adjust references to the removed symbolic name to point to: + + + + Remove the symbolic name (invalidates names referencing it) + + + + Remove the symbolic name and all names referencing it + + + + The Symbolic Name <span style='white-space: nowrap'>"%1"</span> you want to remove is used in Multi Property Names. Select the action to apply to references in these Multi Property Names. + + + + Failed to write "%1" + + + + Incomplete Squish settings. Missing Squish installation path. + + + + objectmaptool not found. + + + + Failure while parsing objects.map content. + + + + Squish Object Map Editor + + + + New + Nowy + + + Remove + Usuń + + + Jump to Symbolic Name + + + + Symbolic Names + + + + Cut + Wytnij + + + Copy + Skopiuj + + + Paste + Wklej + + + Delete + + + + Copy Real Name + + + + Properties: + Właściwości: + + + The properties of the Multi Property Name associated with the selected Symbolic Name. (use \\ for a literal \ in the value) + + + + The Hierarchical Name associated with the selected Symbolic Name. + + + + Do you really want to remove "%1"? + + + + Remove Symbolic Name + + + + Ambiguous Property Name + + + + Ambiguous Symbolic Name + + + + %1 "%2" already exists. Specify a unique name. + + + + Property + Właściwość + + + Symbolic Name + + + + CopyOf + + + + Open Squish Test Suites + + + + Select All + Zaznacz wszystko + + + Deselect All + Odznacz wszystko + + + Base directory: + + + + Test suites: + + + + Name + Nazwa + + + Operator + Operator + + + Value + Wartość + + + Application: + + + + <No Application> + + + + Arguments: + Argumenty: + + + Recording Settings + + + + Suite Already Open + + + + A test suite with the name "%1" is already open. +Close the opened test suite and replace it with the new one? + + + + Confirm Delete + Potwierdź usunięcie + + + Are you sure you want to delete Test Case "%1" from the file system? + + + + Deletion of Test Case failed. + + + + The path "%1" does not exist or is not accessible. +Refusing to run test case "%2". + + + + Test Suite Path Not Accessible + + + + The path "%1" does not exist or is not accessible. +Refusing to run test cases. + + + + No Test Cases Defined + + + + Test suite "%1" does not contain any test cases. + + + + The path "%1" does not exist or is not accessible. +Refusing to record test case "%2". + + + + Select Global Script Folder + + + + Failed to open objects.map file at "%1". + + + + Error + Błąd + + + Squish Tools in unexpected state (%1). + + + + Squish + + + + Run This Test Case + + + + Delete Test Case + + + + Run This Test Suite + + + + Add New Test Case... + + + + Close Test Suite + + + + Delete Shared File + + + + Add Shared File + + + + Remove Shared Folder + + + + Open Squish Suites... + + + + Create New Test Suite... + + + + Close All Test Suites + + + + Close all test suites? + + + + Add Shared Folder... + + + + Remove All Shared Folders + + + + Test Suites + + + + Remove "%1" from the list of shared folders? + + + + Remove all shared folders? + + + + Record Test Case + + + + Do you want to record over the test case "%1"? The existing content will be overwritten by the recorded script. + + + + Set up a valid Squish path to be able to create a new test case. +(Edit > Preferences > Squish) + + + + Test Results + Wyniki testu + + + Runner/Server Log + + + + <b>Test summary:</b>&nbsp;&nbsp; %1 passes, %2 fails, %3 fatals, %4 errors, %5 warnings. + + + + Expand All + Rozwiń wszystko + + + Collapse All + Zwiń wszystko + + + Filter Test Results + Przefiltruj wyniki testu + + + Pass + Zdany + + + Fail + Niezdany + + + Expected Fail + Oczekiwanie niezdany + + + Unexpected Pass + Nieoczekiwanie zdany + + + Warning Messages + Komunikaty z ostrzeżeniami + + + Log Messages + + + + Check All Filters + Zaznacz wszystkie filtry + + + Control Bar + + + + Stop Recording + Zatrzymaj nagrywanie + + + Ends the recording session, saving all commands to the script file. + + + + Interrupt + Przerwij + + + Step Into + Wskocz do wnętrza + + + Step Over + Przeskocz + + + Step Out + Wyskocz na zewnątrz + + + Inspect + + + + Type + Typ + + + Squish Locals + + + + Object + Obiekt + + + Squish Objects + + + + Squish Object Properties + + + + Continue + Kontynuuj + + + &Squish + + + + &Server Settings... + + + + Invalid Squish settings. Configure Squish installation path inside Preferences... > Squish > General to use this wizard. + + + + Result + Wynik + + + Message + Komunikat + + + Time + Czas + + + Could not get Squish license from server. + + + + Squish path: + + + + Path to Squish installation + + + + Path does not contain server executable at its default location. + + + + License path: + + + + Local Server + + + + Server host: + + + + Server Port + + + + Verbose log + + + + Minimize IDE + + + + Minimize IDE automatically while running or recording test cases. + General - Ogólne + Ogólne - FakeVim - FakeVim + Maximum startup time: + - Keep empty to use the default path, i.e. %USERPROFILE%\_vimrc on Windows, ~/.vimrc otherwise. - Pozostaw pustym aby użyć domyślnej ścieżki, tzn.%USERPROFILE%\_vimrc na Windows i ~/.vimrc w pozostałych przypadkach. + Specifies how many seconds Squish should wait for a reply from the AUT directly after starting it. + - Default: %1 - Domyślnie: %1 + Maximum response time: + - Ex Command Mapping - Mapowanie komend Ex + Specifies how many seconds Squish should wait for a reply from the hooked up AUT before raising a timeout error. + - Ex Trigger Expression - Wyzwalacz Ex + Maximum post-mortem wait time: + - Reset - Reset + Specifies how many seconds Squish should wait after the the first AUT process has exited. + - Reset to default. - Przywraca domyślne ustawienia. + Animate mouse cursor: + - Regular expression: - Wyrażenie regularne: + Name: + Nazwa: - Ex Command - Komenda Ex + Host: + Host: - Action - Akcja + Port: + - Command - Komenda + Add Attachable AUT + - User Command Mapping - Mapa komend użytkownika + Add + Dodaj - User command #%1 - Komenda użytkownika #%1 + Edit + - Alt+V,Alt+V - Alt+V,Alt+V + Mapped AUTs + - Meta+Shift+V,Meta+Shift+V - Meta+Shift+V,Meta+Shift+V + AUT Paths + - Execute User Action #%1 - Wykonaj akcję użytkownika #%1 + Attachable AUTs + - Alt+V,%1 - Alt+V,%1 + Select Application to test + - Meta+Shift+V,%1 - Meta+Shift+V,%1 + Select Application Path + - "%1" %2 %3L, %4C written - "%1" %2 zapisano: %3 linii, %4 znaków + Squish Server Settings + - File not saved - Plik nie został zachowany + Failed to write configuration changes. +Squish server finished with process error %1. + - Saving succeeded - Zachowywanie poprawnie zakończone + Run Test Suite + - - %n files not saved - - Nie zachowano %n pliku - Nie zachowano %n plików - Nie zachowano %n plików - + + Object Map + + + + Run Test Case + + + + Shared Folders + + + + %1 (none) + %1 (brak) + + + Refusing to run a test case. + + + + Could not create test results folder. Canceling test run. + + + + Refusing to execute server query. + + + + Refusing to record a test case. + + + + Refusing to write configuration changes. + + + + Squish Runner Error + + + + Squish runner failed to start within given timeframe. + + + + Squish could not find the AUT "%1" to start. Make sure it has been added as a Mapped AUT in the squishserver settings. +(Tools > Squish > Server Settings...) + + + + "%1" could not be found or is not executable. +Check the settings. + + + + Squish Server Error + + + + Recording test case + + + + Running test case + + + + Test run finished. + + + + Test record finished. + + + + User stop initiated. + + + + There is still an old Squish server instance running. +This will cause problems later on. + +If you continue, the old instance will be terminated. +Do you want to continue? + + + + Squish Server Already Running + + + + Unexpected state or request while starting Squish server. (state: %1, request: %2) + + + + Squish server does not seem to be running. +(state: %1, request: %2) +Try again. + + + + No Squish Server + + + + Failed to get the server port. +(state: %1, request: %2) +Try again. + + + + No Squish Server Port + + + + Squish runner seems to be running already. +(state: %1, request: %2) +Wait until it has finished and try again. + + + + Squish Runner Running + + + + Create New Squish Test Suite + + + + Available GUI toolkits: + + + + Available languages: + + + + <None> + <Brak> + + + Key is not an object. + Klucz nie jest obiektem. + + + Key 'mode' is not set. + + + + Unsupported mode: + + + + Could not merge results into single results.xml. +Destination file "%1" already exists. + + + + Could not merge results into single results.xml. +Failed to open file "%1". + + + + Error while parsing first test result. + - QtC::Git + QtC::Subversion - &Blame %1 + Authentication + Autoryzacja + + + Password: + Hasło: + + + Subversion + Subversion + + + Configuration + Konfiguracja + + + Miscellaneous + Różne + + + Timeout: + Limit czasu oczekiwania: + + + s + s + + + Ignore whitespace changes in annotation + Ignoruj zmiany w białych znakach w adnotacjach + + + Log count: + Licznik logu: + + + Subversion command: + Komenda Subversion: + + + Username: + Nazwa użytkownika: + + + Subversion Command + Komenda Subversion + + + &Subversion + &Subversion + + + Add + Dodaj + + + Add "%1" + Dodaj "%1" + + + Alt+S,Alt+A + Alt+S,Alt+A + + + Diff Project + Pokaż różnice w projekcie + + + Diff Current File + Pokaż różnice w bieżącym pliku + + + Diff "%1" + Pokaż różnice w "%1" + + + Alt+S,Alt+D + Alt+S,Alt+D + + + Commit All Files + Poprawka ze zmian we wszystkich plikach + + + Commit Current File + Poprawka ze zmian w bieżącym pliku + + + Commit "%1" + Poprawka ze zmian w "%1" + + + Alt+S,Alt+C + Alt+S,Alt+C + + + Filelog Current File + Log bieżącego pliku + + + Filelog "%1" + Log pliku "%1" + + + Annotate Current File + Dołącz adnotację do bieżącego pliku + + + Annotate "%1" + Dołącz adnotację do "%1" + + + Commit Project + Poprawka ze zmian w projekcie + + + Commit Project "%1" + Poprawka ze zmian w projekcie "%1" + + + Diff Repository + Pokaż zmiany w repozytorium + + + Repository Status + Stan repozytorium + + + Log Repository + Log repozytorium + + + Update Repository + Uaktualnij repozytorium + + + Describe... + Opisz... + + + Project Status + Stan projektu + + + Triggers a Subversion version control operation. - Blame &Parent Revision %1 - + Meta+S,Meta+D + Meta+S,Meta+D - Stage Chunk... - + Meta+S,Meta+A + Meta+S,Meta+A - Unstage Chunk... - + Meta+S,Meta+C + Meta+S,Meta+C - Cherr&y-Pick Change %1 - + Delete... + Usuń... - Re&vert Change %1 - Od&wróć zmianę %1 + Delete "%1"... + Usuń "%1"... - C&heckout Change %1 - + Revert... + Odwróć zmiany... - &Log for Change %1 - + Revert "%1"... + Odwróć zmiany w "%1"... - &Reset to Change %1 - + Diff Project "%1" + Pokaż różnice w projekcie "%1" - &Hard - + Status of Project "%1" + Pokaż stan projektu "%1" - &Mixed - + Log Project + Pokaż log projektu - &Soft - + Log Project "%1" + Pokaż log projektu "%1" - Refreshing Commit Data - Odświeżanie danych poprawki + Update Project + Uaktualnij projekt + + + Update Project "%1" + Uaktualnij projekt "%1" + + + Revert Repository... + Odwróć zmiany w repozytorium... + + + Revert repository + Odwróć zmiany w repozytorium + + + Revert all pending changes to the repository? + Czy odwrócić wszystkie oczekujące zmiany w repozytorium? + + + Revert failed: %1 + Nie można odwrócić zmian: %1 + + + The file has been changed. Do you want to revert it? + Plik został zmieniony. Czy odwrócić w nim zmiany? + + + Another commit is currently being executed. + Trwa tworzenie innej poprawki. + + + There are no modified files. + Brak zmodyfikowanych plików. + + + Describe + Opisz + + + Revision number: + Numer wersji: + + + No subversion executable specified. + Nie podano komendy programu subversion. + + + Subversion Submit + Utwórz poprawkę w Subversion + + + Annotate revision "%1" + Dołącz adnotację do wersji "%1" + + + Verbose + Gadatliwy + + + Show files changed in each revision + Pokazuj pliki zmienione w każdej wersji + + + Waiting for data... + Oczekiwanie na dane... - QtC::GlslEditor + QtC::Terminal - GLSL - GLSL sub-menu in the Tools menu - GLSL + Terminal + Terminal + + + Configure... + Konfiguruj... + + + Sends Esc to terminal instead of %1. + %1 is the application name (Qt Creator) + + + + Press %1 to send Esc to terminal. + + + + %1 shortcuts are blocked when focus is inside the terminal. + %1 is the application name (Qt Creator) + + + + %1 shortcuts take precedence. + %1 is the application name (Qt Creator) + + + + New Terminal + + + + Create a new Terminal. + + + + Next Terminal + + + + Previous Terminal + + + + Close the current Terminal. + + + + Devices + Urządzenia + + + The color used for %1. + + + + Failed to open file. + + + + JSON parsing error: "%1", at offset: %2 + + + + No colors found. + + + + Invalid color format. + + + + Unknown color scheme format. + + + + Use internal terminal + + + + Uses the internal terminal when "Run In Terminal" is enabled and for "Open Terminal here". + + + + Family: + Rodzina: + + + The font family used in the terminal. + + + + Size: + Rozmiar: + + + The font size used in the terminal (in points). + + + + Allow blinking cursor + + + + Allow the cursor to blink. + + + + Shell path: + + + + The shell executable to be started. + + + + Shell arguments: + + + + The arguments to be passed to the shell. + + + + Send escape key to terminal + + + + Sends the escape key to the terminal when pressed instead of closing the terminal. + + + + Block shortcuts in terminal + + + + Keeps Qt Creator shortcuts from interfering with the terminal. + + + + Audible bell + + + + Makes the terminal beep when a bell character is received. + + + + Enable mouse tracking + + + + Enables mouse tracking in the terminal. + + + + Load Theme... + + + + Reset Theme + + + + Copy Theme + + + + Error + Błąd + + + General + Ogólne + + + Font + Czcionka + + + Colors + + + + Foreground + + + + Background + + + + Selection + Selekcja + + + Find match + + + + Default Shell + + + + Connecting... + + + + Failed to start shell: %1 + + + + "%1" is not executable. + + + + Terminal process exited with code %1 + + + + Process exited with code: %1 + + + + Copy + Skopiuj + + + Paste + Wklej + + + Clear Selection + Usuń selekcję + + + Clear Terminal + + + + Move Cursor Word Left + + + + Move Cursor Word Right + + + + Close Terminal + - QtC::Help + QtC::TextEditor - Open in Help Mode - Otwórz w trybie pomocy + Bold + Pogrubiony - Home - Strona startowa + Italic + Kursywa - Back - Wstecz + Background: + Kolor tła: - Forward - Do przodu + Foreground: + Kolor pierwszoplanowy: - Add Bookmark - Dodaj zakładkę + No Underline + Brak podkreślenia - Meta+M - Meta+M + Single Underline + Pojedyncze podkreślenie + + + Wave Underline + Podkreślenie wężykiem + + + Dot Underline + Podkreślenie z kropek + + + Dash Underline + Podkreślenie z kresek + + + Dash-Dot Underline + Podkreślenie z kresek i kropek + + + Dash-Dot-Dot Underline + Podkreślenie z kresek i dwóch kropek + + + Relative Foreground + + + + Relative Background + + + + Lightness: + Jasność: + + + Unset + + + + <p align='center'><b>Builtin color schemes need to be <a href="copy">copied</a><br/> before they can be changed</b></p> + + + + Unset foreground. + + + + Unset background. + + + + Saturation: + Nasycenie: + + + Font + Czcionka + + + Underline + Podkreślenie + + + Color: + Kolor: + + + Family: + Rodzina: + + + Size: + Rozmiar: + + + Antialias + Antyaliasing + + + Copy... + Kopiuj... + + + Delete + Usuń + + + % + % + + + A line spacing value other than 100% disables text wrapping. +A value less than 100% can result in overlapping and misaligned graphics. + + + + Import + Zaimportuj + + + Export + + + + Zoom: + Powiększenie: + + + Bookmarks + Zakładki + + + Locates bookmarks. Filter by file name, by the text on the line of the bookmark, or by the bookmark's note text. + + + + Move Up + Przenieś do góry + + + Move Down + Przenieś na dół + + + &Edit + &Edycja + + + &Remove + &Usuń + + + Remove All + Usuń wszystko + + + Remove All Bookmarks + Usuń wszystkie zakładki + + + Are you sure you want to remove all bookmarks from all files in the current session? + Czy usunąć wszystkie zakładki ze wszystkich plików w bieżącej sesji? + + + &Bookmarks + &Zakładki + + + Toggle Bookmark + Przełącz ustawienie zakładki Ctrl+M Ctrl+M - Increase Font Size - Zwiększ rozmiar czcionki + Meta+M + Meta+M - Decrease Font Size - Zmniejsz rozmiar czcionki + Previous Bookmark + Poprzednia zakładka - Reset Font Size - Zresetuj rozmiar czcionki + Ctrl+, + Ctrl+, - Open in New Page - Otwórz na nowej stronie + Meta+, + Meta+, - Open in Window - Otwórz w oknie + Next Bookmark + Następna zakładka - Meta+Shift+C - Meta+Shift+C + Ctrl+. + Ctrl+. - Ctrl+Shift+C - Ctrl+Shift+C + Meta+. + Meta+. - Meta+I - Meta+I + Previous Bookmark in Document + Poprzednia zakładka w dokumencie - Ctrl+Shift+I - Ctrl+Shift+I + Next Bookmark in Document + Następna zakładka w dokumencie - Activate Help Bookmarks View - Uaktywnij widok z zakładkami pomocy + Edit Bookmark + Zmodyfikuj zakładkę + + + Searching + Przeszukiwanie + + + %n occurrences replaced. + + Zastąpiono %n wystąpienie. + Zastąpiono %n wystąpienia. + Zastąpiono %n wystąpień. + + + + Aborting replace. + Przerwano zastępowanie. + + + %n found. + + %n znalezienie. + %n znalezienia. + %n znalezień. + + + + Not a color scheme file. + Nie jest to plik ze schematem kolorów. + + + Current File + Bieżący plik + + + File "%1": + Plik "%1": + + + File path: %1 +%2 + Ścieżka pliku: %1 +%2 + + + Font && Colors + Czcionki i kolory + + + Line spacing: + + + + Color Scheme for Theme "%1" + + + + Copy Color Scheme + Skopiuj schemat kolorów + + + Color scheme name: + Nazwa schematu kolorów: + + + %1 (copy) + %1 (kopia) + + + Delete Color Scheme + Usuń schemat kolorów + + + Are you sure you want to delete this color scheme permanently? + Czy usunąć ten schemat kolorów bezpowrotnie? + + + Import Color Scheme + + + + Color scheme (*.xml);;All files (*) + + + + Export Color Scheme + + + + Color Scheme Changed + Schemat kolorów został zmieniony + + + The color scheme "%1" was modified, do you want to save the changes? + Schemat kolorów "%1" został zmodyfikowany, czy zachować zmiany? + + + Discard + Odrzuć + + + Line %1, Column %2 + Linia %1, kolumna %2 + + + Line %1 + Linia %1 + + + Column %1 + Kolumna %1 + + + Line in Current Document + Linia w bieżącym dokumencie + + + Jumps to the given line in the current document. + + + + <line>:<column> + <linia>:<kolumna> + + + Ctrl+Space + Ctrl+Space + + + Meta+Space + Meta+Space + + + Trigger Completion + Rozpocznij uzupełnianie + + + Meta+Shift+M + + + + Ctrl+Shift+M + + + + Display Function Hint + + + + Meta+Shift+D + + + + Ctrl+Shift+D + + + + Trigger Refactoring Action + Rozpocznij refaktoryzację + + + Alt+Return + Alt+Return + + + Show Context Menu + Pokaż menu podręczne + + + Text + SnippetProvider + Tekst + + + Selected text within the current document. + Zaznacz tekst w bieżącym dokumencie. + + + Line number of the text cursor position in current document (starts with 1). + Numer linii kursora tekstu w bieżącym dokumencie (poczynając od 1). + + + Column number of the text cursor position in current document (starts with 0). + Numer kolumny kursora tekstu w bieżącym dokumencie (poczynając od 0). + + + Number of lines visible in current document. + Liczba widocznych linii w bieżącym dokumencie. + + + Number of columns visible in current document. + Liczba widocznych kolumn w bieżącym dokumencie. + + + Current document's font size in points. + Rozmiar czcionki bieżącego dokumentu w punktach. + + + Word under the current document's text cursor. + + + + Text + Tekst + + + Generic text and punctuation tokens. +Applied to text that matched no other rule. + + + + Link + Odsyłacz + + + Links that follow symbol under cursor. + Odsyłacze które podążają za symbolem pod kursorem. + + + Selection + Selekcja + + + Selected text. + Zaznaczony tekst. + + + Line Number + Numer linii + + + Line numbers located on the left side of the editor. + Numery linii z lewej strony edytora. + + + Search Result + Wyniki wyszukiwania + + + Highlighted search results inside the editor. + Podświetlone wyniki wyszukiwania w edytorze. + + + Search Result (Alternative 1) + + + + Highlighted search results inside the editor. +Used to mark read accesses to C++ symbols. + + + + Search Result (Alternative 2) + + + + Highlighted search results inside the editor. +Used to mark write accesses to C++ symbols. + + + + Search Result Containing function + + + + Highlighted search results inside the editor. +Used to mark containing function of the symbol usage. + + + + Search Scope + Zakres wyszukiwania + + + Section where the pattern is searched in. + Sekcja, w której następuje wyszukiwanie. + + + Parentheses + Nawiasy + + + Mismatched Parentheses + Niedopasowane nawiasy + + + Displayed when mismatched parentheses, square brackets, or curly brackets are found. + Wyświetlane, gdy znaleziono niedopasowane nawiasy okrągłe, kwadratowe lub klamrowe. + + + Auto Complete + Automatyczne uzupełnianie + + + Displayed when a character is automatically inserted like brackets or quotes. + Wyświetlane, gdy zostaną automatycznie wstawione znaki, takie jak nawiasy bądź cudzysłowy. + + + Current Line + Bieżąca linia + + + Line where the cursor is placed in. + Linia, w której umieszczony jest kursor. + + + Current Line Number + Numer bieżącej linii + + + Line number located on the left side of the editor where the cursor is placed in. + Numer linii po lewej stronie edytora, w której umieszczony jest kursor. + + + Occurrences + Wystąpienia + + + Unused Occurrence + Nieużywane wystąpienie + + + Renaming Occurrence + Wystąpienie przy zmianie nazwy + + + Number + Liczba + + + Number literal. + Literał liczbowy. + + + String + Ciąg znakowy + + + Character and string literals. + Literały znakowe i łańcuchowe. + + + Primitive Type + Typ prosty + + + Name of a primitive data type. + Nazwa prostego typu danych. + + + Type + Typ + + + Name of a type. + Nazwy typów. + + + Concept + + + + Name of a concept. + + + + Namespace + + + + Name of a namespace. + + + + Local + Zmienna lokalna + + + Local variables. + Zmienne lokalne. + + + Parameter + + + + Function or method parameters. + + + + Field + Pole + + + Class' data members. + Składniki klas. + + + Global + Globalne + + + Global variables. + Zmienne globalne. + + + Enumeration + Typ wyliczeniowy + + + Applied to enumeration items. + Zastosowane do elementów typów wyliczeniowych. + + + Style adjustments to declarations. + + + + Function Definition + + + + Name of function at its definition. + + + + Virtual Function + Funkcja wirtualna + + + Name of function declared as virtual. + Nazwa funkcji zadeklarowanej jako wirtualna. + + + QML item id within a QML file. + Identyfikator elementu QML w pliku QML. + + + QML property of a parent item. + Właściwość QML rodzica elementu. + + + Property of the same QML item. + Właściwość tego samego elementu QML. + + + Static Member + + + + Names of static fields or member functions. + + + + Code Coverage Added Code + + + + New code that was not checked for tests. + + + + Partially Covered Code + + + + Partial branch/condition coverage. + + + + Uncovered Code + + + + Not covered at all. + + + + Fully Covered Code + + + + Fully covered code. + + + + Manually Validated Code + + + + User added validation. + + + + Code Coverage Dead Code + + + + Unreachable code. + + + + Code Coverage Execution Count Too Low + + + + Minimum count not reached. + + + + Implicitly Not Covered Code + + + + PLACEHOLDER + + + + Implicitly Covered Code + + + + Implicit Manual Coverage Validation + + + + Function + Funkcja + + + Displayed when matching parentheses, square brackets or curly brackets are found. + Wyświetlane, gdy pasujące nawiasy okrągłe, kwadratowe lub klamrowe zostaną odnalezione. + + + Occurrences of the symbol under the cursor. +(Only the background will be applied.) + Wystąpienia symbolu pod kursorem. +(Stosowane jest tylko tło.) + + + Occurrences of unused variables. + Wystąpienia nieużywanych zmiennych. + + + Occurrences of a symbol that will be renamed. + Wystąpienia symbolu, którego nazwa zostanie zmieniona. + + + Name of a function. + Nazwa funkcji. + + + QML Binding + Powiązanie QML + + + QML item property, that allows a binding to another property. + Właściwość elementu QML, która pozwala na powiązanie z inną właściwością. + + + QML Local Id + Lokalny identyfikator QML + + + QML Root Object Property + Właściwość obiektu "Root" QML + + + QML Scope Object Property + Właściwość obiektu "Scope" QML + + + QML State Name + Nazwa stanu QML + + + Name of a QML state. + Nazwa stanu QML. + + + QML Type Name + Nazwa typu QML + + + Name of a QML type. + Nazwa typu QML. + + + QML External Id + Zewnętrzny identyfikator QML + + + QML id defined in another QML file. + Identyfikator QML zdefiniowany w innym pliku QML. + + + QML External Object Property + Właściwość obiektu "External" QML + + + QML property defined in another QML file. + Właściwość QML zdefiniowana w innym pliku QML. + + + JavaScript Scope Var + Zmienne w zakresie JavaScript + + + Variables defined inside the JavaScript file. + Zmienne zdefiniowane wewnątrz pliku JavaScript. + + + JavaScript Import + Import JavaScript + + + Name of a JavaScript import inside a QML file. + Nazwa importu JavaScript wewnątrz pliku QML. + + + JavaScript Global Variable + Globalna zmienna JavaScript + + + Variables defined outside the script. + Zmienne zdefiniowane na zewnątrz skryptu. + + + Keyword + Słowo kluczowe + + + Operator + Operator + + + Preprocessor + Preprocesor + + + Preprocessor directives. + Dyrektywy preprocesora. + + + Label + Etykieta + + + Labels for goto statements. + Etykiety wyrażeń goto. + + + Comment + Komentarz + + + All style of comments except Doxygen comments. + Styl komentarzy z wyjątkiem komentarzy Doxygen. + + + Doxygen Comment + Komentarz Doxygena + + + Doxygen comments. + Komentarze Doxygena. + + + Doxygen Tag + Tag Doxygena + + + Visual Whitespace + Widoczny biały znak + + + Applied to added lines in differences (in diff editor). + Stosowane do dodanych linii w edytorze różnic. + + + Applied to removed lines in differences (in diff editor). + Stosowane do usuniętych linii w edytorze różnic. + + + Disabled Code + Zablokowany kod + + + Reserved keywords of the programming language except keywords denoting primitive types. + Zarezerwowane słowa kluczowe języka programowania, z wyjątkiem słów oznaczających typy proste. + + + Punctuation + + + + Punctuation excluding operators. + + + + Non user-defined language operators. +To style user-defined operators, use Overloaded Operator. + + + + Overloaded Operators + + + + Calls and declarations of overloaded (user-defined) operators. + + + + Macro + Makro + + + Macros. + + + + Doxygen tags. + Tagi Doxygena. + + + Whitespace. +Will not be applied to whitespace in comments and strings. + Białe znaki. +Nie zostanie zastosowane do białych znaków w komentarzach i ciągach znakowych. + + + Code disabled by preprocessor directives. + Kod zablokowany przez dyrektywy preprocesora. + + + Added Line + Dodana linia + + + Removed Line + Usunięta linia + + + Diff File + Plik różnic + + + Compared files (in diff editor). + Porównane pliki w edytorze różnic. + + + Diff Location + Lokalizacja różnic + + + Location in the files where the difference is (in diff editor). + Lokalizacje różnic w plikach w edytorze różnic. + + + Diff File Line + Linia z plikiem w różnicach + + + Applied to lines with file information in differences (in side-by-side diff editor). + Stosowane do linii z informacją o plikach (w edytorze różnic wyświetlającym zawartość sąsiadująco). + + + Diff Context Line + Linia z kontekstem w różnicach + + + Applied to lines describing hidden context in differences (in side-by-side diff editor). + Stosowane do linii opisujących ukryty kontekst (w edytorze różnic wyświetlającym zawartość sąsiadująco). + + + Diff Source Line + Linia źródłowa w różnicach + + + Applied to source lines with changes in differences (in side-by-side diff editor). + Stosowane do źródłowych linii w których zaszły zmiany (w edytorze różnic wyświetlającym zawartość sąsiadująco). + + + Diff Source Character + Znak źródłowy w różnicach + + + Applied to removed characters in differences (in side-by-side diff editor). + Stosowane do usuniętych znaków (w edytorze różnic wyświetlającym zawartość sąsiadująco). + + + Diff Destination Line + Linia wynikowa w różnicach + + + Applied to destination lines with changes in differences (in side-by-side diff editor). + Stosowane do wynikowych linii w których zaszły zmiany (w edytorze różnic wyświetlającym zawartość sąsiadująco). + + + Diff Destination Character + Znak wynikowy w różnicach + + + Applied to added characters in differences (in side-by-side diff editor). + Stosowane do dodanych znaków (w edytorze różnic wyświetlającym zawartość sąsiadująco). + + + Log Change Line + Linia logu zmian + + + Applied to lines describing changes in VCS log. + Stosowane do linii opisujących zmiany w logu systemu kontroli wersji. + + + Log Author Name + + + + Applied to author names in VCS log. + + + + Log Commit Date + + + + Applied to commit dates in VCS log. + + + + Log Commit Hash + + + + Applied to commit hashes in VCS log. + + + + Log Decoration + + + + Applied to commit decorations in VCS log. + + + + Log Commit Subject + + + + Applied to commit subjects in VCS log. + + + + Underline color of error diagnostics. + Kolor podkreślenia błędów. + + + Error Context + Kontekst błędów + + + Underline color of the contexts of error diagnostics. + Kolor podkreślenia kontekstów błędów. + + + Warning + Ostrzeżenia + + + Underline color of warning diagnostics. + Kolor podkreślenia ostrzeżeń. + + + Warning Context + Kontekst ostrzeżeń + + + Underline color of the contexts of warning diagnostics. + Kolor podkreślenia kontekstów ostrzeżeń. + + + Declaration + Deklaracja + + + Output Argument + Argument wyjściowy + + + Writable arguments of a function call. + Argumenty modyfikowalne w wywołaniu funkcji. + + + Behavior + Zachowanie + + + Display + Wyświetlanie + + + Remove + Usuń + + + Bookmark + Zakładka + + + Text Editor + Edytor tekstu + + + <html><head/><body><p>Highlight definitions are provided by the <a href="https://api.kde.org/frameworks/syntax-highlighting/html/index.html">KSyntaxHighlighting</a> engine.</p></body></html> + + + + Download missing and update existing syntax definition files. + + + + Reload Definitions + + + + Reload externally modified definition files. + + + + Reset Remembered Definitions + + + + Reset definitions remembered for files that can be associated with more than one highlighter definition. + + + + User Highlight Definition Files + + + + Download finished + + + + Generic Highlighter + Ogólne podświetlanie + + + Download Definitions + Pobierz definicje + + + No outline available + Konspekt nie jest dostępny + + + Synchronize with Editor + Synchronizuj z edytorem + + + Filter tree + Przefiltruj drzewo + + + Outline + Konspekt + + + Error + Błąd + + + Trigger + Wyzwalacz + + + Trigger Variant + Wariant wyzwalacza + + + Error reverting snippet. + Nie można odwrócić urywku. + + + Group: + Grupa: + + + Snippets + Urywki + + + Error While Saving Snippet Collection + Błąd zapisu kolekcji urywków + + + No snippet selected. + Nie wybrano urywku. + + + Global + Settings + Globalne + + + %1 of %2 + %1 z %2 + + + Cannot create user snippet directory %1 + Nie można utworzyć katalogu z urywkami użytkownika %1 + + + Edit preview contents to see how the current settings are applied to custom code snippets. Changes in the preview do not affect the current settings. + Zmodyfikuj zawartość podglądu, aby zobaczyć, jak bieżące ustawienia zostaną zastosowane do własnych fragmentów kodu. Zmiany w podglądzie nie wpływają na bieżące ustawienia. + + + Code style name: + Nazwa stylu kodu: + + + %1 (Copy) + %1 (Kopia) + + + Copy Code Style + Skopiuj styl kodu + + + Delete Code Style + Usuń styl kodu + + + Are you sure you want to delete this code style permanently? + Czy usunąć ten styl kodu bezpowrotnie? + + + Import Code Style + Zaimportuj styl kodu + + + Code styles (*.xml);;All files (*) + Style kodu (*.xml);;Wszystkie pliki (*) + + + Cannot import code style from "%1". + Nie można zaimportować stylu kodu z "%1". + + + Export Code Style + Wyeksportuj styl kodu + + + %1 [proxy: %2] + %1 [pośredniczące: %2] + + + %1 [built-in] + %1 [wbudowane] + + + Files in File System + Pliki w systemie plików + + + %1 "%2": + %1 "%2": + + + Path: %1 +Filter: %2 +Excluding: %3 +%4 + the last arg is filled by BaseFileFind::runNewSearch + Ścieżka: %1 +Filtr: %2 +Wykluczenia: %3 +%4 + + + Search engine: + Wyszukiwarka: + + + Director&y: + &Katalog: + + + Directory to Search + Is it directory to search "in" or search "for"? + Katalog do przeszukania + + + Typing + Pisanie + + + Enable automatic &indentation + Odblokuj automatyczne wc&ięcia + + + Backspace indentation: + Reakcja klawisza "Backspace" na wcięcia: + + + <html><head/><body> +Specifies how backspace interacts with indentation. + +<ul> +<li>None: No interaction at all. Regular plain backspace behavior. +</li> + +<li>Follows Previous Indents: In leading white space it will take the cursor back to the nearest indentation level used in previous lines. +</li> + +<li>Unindents: If the character behind the cursor is a space it behaves as a backtab. +</li> +</ul></body></html> + + <html><head/><body> +Ustala, jak klawisz "Backspace" reaguje na wcięcia. + +<ul> +<li>Brak: brak interakcji, jest to zwykłe zachowanie klawisza "Backspace". +</li> + +<li>Podążaj za poprzednimi wcięciami: jeśli kursor jest poprzedzony spacjami, przeniesie go z powrotem do najbliższego poziomu wcięć, użytego w poprzednich liniach. +</li> + +<li>Usuwaj wcięcia: jeśli kursor jest poprzedzony spacjami, zachowa się jak "Backtab". +</li> +</ul></body></html> + + + + None + Brak + + + Follows Previous Indents + Podążaj za poprzednimi wcięciami + + + Unindents + Usuwaj wcięcia + + + Tab key performs auto-indent: + Klawisz "Tab" wykonuje automatyczne wcięcia: + + + Never + Nigdy + + + Always + Zawsze + + + In Leading White Space + Jeśli poprzedzony jest spacjami + + + Cleanup actions which are automatically performed right before the file is saved to disk. + Akcje sprzątające, wykonywane automatycznie, zanim plik zostanie zachowany na dysku. + + + Cleanups Upon Saving + Sprzątanie przed zapisem + + + Removes trailing whitespace upon saving. + Usuwa białe znaki na końcu linii przed zapisem. + + + &Clean whitespace + &Usuwaj białe znaki + + + In entire &document + W całym &dokumencie + + + Clean indentation + Poprawiaj wcięcia + + + &Ensure newline at end of file + Wstawiaj znak now&ej linii na końcu pliku + + + File Encodings + Kodowania plików + + + Default encoding: + Domyślne kodowanie: + + + Add If Encoding Is UTF-8 + Dodawaj, w przypadku kodowania UTF-8 + + + Keep If Already Present + Zachowuj, jeśli już istnieje + + + Always Delete + Zawsze usuwaj + + + UTF-8 BOM: + UTF-8 BOM: + + + Mouse and Keyboard + Mysz i klawiatura + + + Prefer single line comments + + + + Automatic + Automatyczny + + + At Line Start + + + + After Whitespace + + + + Specifies where single line comments should be positioned. + + + + %1: The highlight definition for the file determines the position. If no highlight definition is available, the comment is placed after leading whitespaces. + + + + %1: The comment is placed at the start of the line. + + + + %1: The comment is placed after leading whitespaces. + + + + Preferred comment position: + + + + Skip clean whitespace for file types: + + + + For the file patterns listed, do not trim trailing whitespace. + + + + List of wildcard-aware file patterns, separated by commas or semicolons. + + + + <html><head/><body> +<p>How text editors should deal with UTF-8 Byte Order Marks. The options are:</p> +<ul ><li><i>Add If Encoding Is UTF-8:</i> always add a BOM when saving a file in UTF-8 encoding. Note that this will not work if the encoding is <i>System</i>, as the text editor does not know what it actually is.</li> +<li><i>Keep If Already Present: </i>save the file with a BOM if it already had one when it was loaded.</li> +<li><i>Always Delete:</i> never write an UTF-8 BOM, possibly deleting a pre-existing one.</li></ul> +<p>Note that UTF-8 BOMs are uncommon and treated incorrectly by some editors, so it usually makes little sense to add any.</p> +<p>This setting does <b>not</b> influence the use of UTF-16 and UTF-32 BOMs.</p></body></html> + + + + Enable &mouse navigation + Odblokuj nawigację &myszy + + + Enable scroll &wheel zooming + Odblokuj powiększanie poprzez obracanie &kółkiem myszy +(wraz z przyciśniętym CTRL) + + + Enable built-in camel case &navigation + + + + On Mouseover + Po najechaniu myszą + + + On Shift+Mouseover + Po najechaniu myszą wraz z przytrzymanym klawiszem shift + + + Show help tooltips using keyboard shortcut (Alt) + Pokazuj podpowiedzi przy pomocy skrótów klawiszowych (Alt) + + + Default line endings: + + + + Show help tooltips using the mouse: + Pokazuj podpowiedzi przy pomocy myszy: + + + Cleans whitespace in entire document instead of only for changed parts. + Usuwa białe znaki w całym dokumencie, zamiast tylko w zmienionych częściach. + + + Corrects leading whitespace according to tab settings. + Poprawia białe znaki stosownie do ustawień tabulatorów. + + + Always writes a newline character at the end of the file. + Zawsze wstawia znak nowej linii na końcu pliku. + + + Hide mouse cursor while typing + Ukrywaj wskaźnik myszy podczas pisania + + + Pressing Alt displays context-sensitive help or type information as tooltips. + Naciśnięcie Alt spowoduje wyświetlenie pomocy kontekstowej lub informacji o typie w podpowiedzi. + + + Using Select Block Up / Down actions will now provide smarter selections. + + + + Enable smart selection changing + + + + Current settings: + Bieżące ustawienia: + + + Export... + Eksportuj... + + + Import... + Importuj... + + + Display line &numbers + Wyświetlaj &numery linii + + + Highlight current &line + Podświetlaj bieżącą &linię + + + Display &folding markers + Wyświetlaj znaczniki &składania bloków + + + Highlight &blocks + Podświetlaj &bloki + + + <i>Set <a href="font zoom">font line spacing</a> to 100% to enable text wrapping option.</i> + + + + Tint whole margin area + + + + Use context-specific margin + + + + If available, use a different margin. For example, the ColumnLimit from the ClangFormat plugin. + + + + Mark &text changes + Zaznaczaj zmiany w &tekście + + + Visualize indent + + + + Display file line ending + + + + &Visualize whitespace + Pokazuj białe &znaki + + + Between lines + + + + Line annotations + + + + Margin + Margines + + + Wrapping + + + + &Animate matching parentheses + Pokazuj &animację pasujących nawiasów + + + Auto-fold first &comment + Zwijaj automatycznie początkowy &komentarz + + + Center &cursor on scroll + Wyśrodkowuj przy &przewijaniu + + + Enable text &wrapping + Odblokuj za&wijanie tekstu + + + Display right &margin at column: + Wyświetlaj prawy &margines w kolumnie: + + + &Highlight matching parentheses + Podświetlaj pasujące n&awiasy + + + Always open links in another split + Zawsze otwieraj linki w sąsiadującym oknie + + + Display file encoding + Pokazuj kodowanie plików + + + Shows tabs and spaces. + Pokazuje tabulatory i spacje. + + + Highlight search results on the scrollbar + Podświetlaj rezultaty wyszukiwań na pasku przewijania + + + Animate navigation within file + + + + Next to editor content + Obok zawartości edytora + + + Next to right margin + Obok prawego marginesu + + + Aligned at right side + Wyrównane do prawej strony + + + Syntax Highlight Definition Files + Pliki z definicjami podświetleń składni + + + Ignored file patterns: + Ignorowane wzorce plików: + + + Add + Dodaj + + + Revert Built-in + Odwróć zmiany we wbudowanych + + + Not a valid trigger. A valid trigger can only contain letters, numbers, or underscores, where the first character is limited to letter or underscore. + + + + Restore Removed Built-ins + Przywróć usunięte wbudowane + + + Reset All + Przywróć wszystko + + + Tabs And Indentation + Tabulatory i wcięcia + + + Tab policy: + Stosowanie tabulatorów: + + + Spaces Only + Tylko spacje + + + Tabs Only + Tylko tabulatory + + + Mixed + Mieszane + + + Ta&b size: + Rozmiar +ta&bulatorów: + + + &Indent size: + Rozmiar +wc&ięć: + + + Align continuation lines: + Wyrównanie przeniesionych linii: + + + <html><head/><body> +Influences the indentation of continuation lines. + +<ul> +<li>Not At All: Do not align at all. Lines will only be indented to the current logical indentation depth. +<pre> +(tab)int i = foo(a, b +(tab)c, d); +</pre> +</li> + +<li>With Spaces: Always use spaces for alignment, regardless of the other indentation settings. +<pre> +(tab)int i = foo(a, b +(tab) c, d); +</pre> +</li> + +<li>With Regular Indent: Use tabs and/or spaces for alignment, as configured above. +<pre> +(tab)int i = foo(a, b +(tab)(tab)(tab) c, d); +</pre> +</li> +</ul></body></html> + <html><head/><body> +Wpływa na wcięcia przeniesionych linii. + +<ul> +<li>Brak: Nie wyrównuje. Linie będą wyrównane tylko do bieżącej logicznej głębokości wcięcia. +<pre> +(tab)int i = foo(a, b +(tab)c, d); +</pre> +</li> + +<li>Ze spacjami: Zawsze używa spacji do wyrównywania, bez względu na inne ustawienia wcięć. +<pre> +(tab)int i = foo(a, b +(tab) c, d); +</pre> +</li> + +<li>Z regularnymi wcięciami: Używa tabulatorów albo spacji do wyrównywania, zależnie od konfiguracji powyżej. +<pre> +(tab)int i = foo(a, b +(tab)(tab)(tab) c, d); +</pre> +</li> +</ul></body></html> + + + Not At All + Brak + + + With Spaces + Ze spacjami + + + With Regular Indent + Z regularnymi wcięciami + + + The text editor indentation setting is used for non-code files only. See the C++ and Qt Quick coding style settings to configure indentation for code files. + Ustawienia wcięć edytora tekstu są używane do plików niezawierających kodu źródłowego. Wcięcia dla plików z kodem źródłowym można skonfigurować w ustawieniach stylu kodu C++ i Qt Quick. + + + <i>Code indentation is configured in <a href="C++">C++</a> and <a href="QtQuick">Qt Quick</a> settings.</i> + <i>Wcięcia w kodzie można skonfigurować w ustawieniach <a href="C++">C++</a> i <a href="QtQuick">Qt Quick</a>.</i> Alt+Meta+M Alt+Meta+M - Ctrl+Shift+B - Ctrl+Shift+B + Alt+M + Alt+M - Activate Help Search View - Uaktywnij widok z przeszukiwaniem pomocy + Open Documents + Otwarte dokumenty - Meta+/ - Meta+/ + Open documents: + Otwarte dokumenty: - Ctrl+Shift+/ - Ctrl+Shift+/ + Open Documents +%1 + Otwarte dokumenty: +%1 - Activate Open Help Pages View - Uaktywnij widok ze stronami otwartej pomocy + Note text: + Tekst notatki: - Meta+O - Meta+O + Line number: + Numer linii: - Ctrl+Shift+O - Ctrl+Shift+O + Displays context-sensitive help or type information on mouseover. + Pokazuje pomoc kontekstową lub informację o typie po najechaniu kursorem myszy. - Help - %1 - Pomoc - %1 + Displays context-sensitive help or type information on Shift+Mouseover. + Pokazuje pomoc kontekstową lub informację o typie po naciśnięciu klawisza Shift i najechaniu kursorem myszy. - Print Documentation - Wydruk dokumentacji + Refactoring cannot be applied. + Nie można zrefaktoryzować. - Get Help Online - Sięgnij po pomoc online + Unused variable + Nieużywana zmienna - Regenerate Index - Ponownie wygeneruj indeks - - - - QtC::Mercurial - - &Annotate %1 - Dołącz &adnotację do %1 - - - Annotate &parent revision %1 - Dołącz adnotację do &wersji macierzystej "%1" - - - - QtC::Perforce - - Annotate change list "%1" - Dołącz adnotację do listy zmian "%1" - - - - QtC::ProjectExplorer - - Local File Path - Ścieżka do lokalnego pliku - - - Remote Directory - Zdalny katalog - - - Field is not an object. - Pole nie jest obiektem. - - - Field has no name. - Pole nie posiada nazwy. - - - Label data is not an object. - Dane etykiety nie są obiektem. - - - No text given for Label. - Brak tekstu na etykiecie. - - - Spacer data is not an object. - Dane dystansu nie są obiektem. - - - Line Edit Validator Expander - - - - The text edit input to fix up. - - - - Field "%1" has no type. - Pole "%1" nie posiada typu. - - - Field "%1" has unsupported type "%2". - Pole "%1" posiada nieobsługiwany type "%2". - - - When parsing Field "%1": %2 - Podczas parsowania pola "%1": %2 - - - "factor" is no integer value. - "factor" nie jest liczbą całkowitą. - - - LineEdit data is not an object. - Dane LineEdit nie są obiektem. - - - Invalid regular expression "%1" in "validator". - Niepoprawne wyrażenie regularne "%1" w polu "validator". - - - TextEdit data is not an object. - Dane TextEdit nie są obiektem. - - - PathChooser data is not an object. - Dane PatchChooser nie są obiektem. - - - kind "%1" is not one of the supported "existingDirectory", "directory", "file", "saveFile", "existingCommand", "command", "any". - Rodzaj "%1" nie jest obsługiwany. Obsługiwane rodzaje: "existingDirectory", "directory", "file", "saveFile", "existingCommand", "command" i "any". - - - No "key" found in ComboBox items. - - - - ComboBox "index" is not an integer value. - "index" w polu wyboru nie jest liczbą naturalną. - - - ComboBox "disabledIndex" is not an integer value. - "disabledIndex" w polu wyboru nie jest liczbą naturalną. - - - ComboBox "items" missing. - Brak "items" w polu wyboru. - - - ComboBox "items" is not a list. - "items" w polu wyboru nie jest listą. - - - Internal Error: ComboBox items lists got mixed up. - Błąd wewnętrzny: listy elementów pól wyboru zostały pomieszane. - - - CheckBox data is not an object. - Dane przycisku wyboru nie są obiektem. - - - CheckBox values for checked and unchecked state are identical. - Jednakowe wartości przycisku wyboru dla stanów: zaznaczony i niezaznaczony. - - - No lists allowed inside ComboBox items list. - Listy są niedozwolone wewnątrz listy elementów pola wyboru. - - - ComboBox data is not an object. - Dane pola wyboru nie są obiektem. - - - Files data list entry is not an object. - - - - Source and target are both empty. - Oba pliki, źródłowy i docelowy, są jednocześnie puste. - - - Failed to Commit to Version Control - Nie można utworzyć poprawki w systemie kontroli wersji - - - Error message from Version Control System: "%1". - Komunikat o błędzie z systemu kontroli wersji: "%1". - - - Failed to Add to Project - Nie można dodać do projektu - - - Generator is not a object. - Generator nie jest obiektem. - - - Generator has no typeId set. - Brak ustawionego typeId w generatorze. - - - TypeId "%1" of generator is unknown. Supported typeIds are: "%2". - Nieznany typeid "%1" generatora. Obsługiwane typy: "%2". - - - Page is not an object. - Strona nie jest obiektem. - - - Page has no typeId set. - Brak ustawionego typeId w stronie. - - - TypeId "%1" of page is unknown. Supported typeIds are: "%2". - Nieznany typeid "%1" strony. Obsługiwane typy: "%2". - - - Page with typeId "%1" has invalid "index". - Strona z typeid "%1" posiada niepoprawny "index". - - - Path "%1" does not exist when checking Json wizard search paths. - - Ścieżka "%1" nie istnieje podczas sprawdzania ścieżek poszukiwań kreatora Json. - - - - Checking "%1" for %2. - - Sprawdzanie "%1" dla "%2". - - - - * Failed to parse "%1":%2:%3: %4 - - * Nie można sparsować "%1":%2:%3: %4 - - - - * Did not find a JSON object in "%1". - - * Nie odnaleziono obiektu JSON w "%1". - - - - * Configuration found and parsed. - - * Konfiguracja odnaleziona i przeparsowana. - - - - * Version %1 not supported. - - * Wersja %1 nieobsługiwana. - - - - The platform selected for the wizard. - Wybrana platforma dla kreatora. - - - The features available to this wizard. - Funkcje dostępne w tym kreatorze. - - - The plugins loaded. - Załadowane wtyczki. - - - "kind" value "%1" is not "class" (deprecated), "file" or "project". - Wartość "%1" pola "kind" jest inna niż "class" (wartość zarzucona), "file" lub "project". - - - "kind" is "file" or "class" (deprecated) and "%1" is also set. - Wartością pola "kind" jest "file" lub "class" (wartość zarzucona) i jednocześnie ustawiono "%1". - - - Icon file "%1" not found. - Brak ikony "%1". - - - Image file "%1" not found. - Brak pliku graficznego "%1". - - - * Failed to create: %1 - - * Nie można utworzyć: %1 - - - - JsonWizard: "%1" not found - - JsonWizard: Nie znaleziono "%1" - - - - key not found. - brak klucza. - - - Expected an object or a list. - Oczekiwano obiektu lub listy. - - - No id set. - Brak ustawionego identyfikatora. - - - No category is set. - Brak ustawionej kategorii. - - - No displayName set. - Brak ustawionego pola displayName. - - - No displayCategory set. - Brak ustawionego pola displayCategory. - - - No description set. - Brak ustawionego opisu. - - - When parsing "generators": %1 - W trakcie parsowania "generators": %1 - - - When parsing "pages": %1 - W trakcie parsowania "pages": %1 - - - %1 [folder] - %1 [katalog] - - - %1 [symbolic link] - %1 [dowiązanie symboliczne] - - - %1 [read only] - %1 [tylko do odczytu] - - - The directory %1 contains files which cannot be overwritten: -%2. - Katalog %1 zawiera pliki które nie mogą być nadpisane: -%2. - - - The environment setting value is invalid. - Niepoprawna wartość ustawienia środowiska. - - - Change... - Zmień... - - - Environment: - Środowisko: - - - Additional build environment settings when using this kit. - Dodatkowe ustawienia środowiska budowania w czasie używania tego zestawu narzędzi. - - - No changes to apply. - Brak zmian do zastosowania. - - - Project Name - Nazwa projektu - - - Incompatible Kit - Niekompatybilny zestaw narzędzi - - - Kit %1 is incompatible with kit %2. - Zestaw narzędzi %1 nie jest kompatybilny z zestawem %2. - - - Build configurations: - Konfiguracje budowania: - - - Deploy configurations: - Konfiguracje instalacji: - - - Run configurations: - Konfiguracje uruchamiania: - - - Partially Incompatible Kit - Częściowo niekompatybilny zestaw narzędzi - - - Some configurations could not be copied. - Nie można skopiować niektórych konfiguracji. - - - The files are implicitly added to the projects: - Pliki, które zostały niejawnie dodane do projektów: - - - <Implicitly Add> - <Niejawnie dodaj> - - - - QtC::Utils - - No Valid Settings Found - Brak poprawnych ustawień - - - <p>No valid settings file could be found.</p><p>All settings files found in directory "%1" were either too new or too old to be read.</p> - <p>Brak poprawnego pliku z ustawieniami.</p><p>Napotkane pliki z ustawieniami w katalogu "%1" były albo zbyt nowe, albo zbyt stare, aby je odczytać.</p> - - - Using Old Settings - Użycie starych ustawień - - - <p>The versioned backup "%1" of the settings file is used, because the non-versioned file was created by an incompatible version of Qt Creator.</p><p>Settings changes made since the last time this version of Qt Creator was used are ignored, and changes made now will <b>not</b> be propagated to the newer version.</p> - <p>Użyta zostanie kopia zapasowa "%1" pliku z ustawieniami .user, ponieważ w międzyczasie oryginalny plik z ustawieniami został zachowany przez niekompatybilną wersję Qt Creatora.</p><p>Jeżeli nastąpią teraz zmiany w ustawieniach projektu to <b>nie</b> zostaną one zastosowane w nowszej wersji Qt Creatora.</p> - - - - QtC::ProjectExplorer - - <p>No .user settings file created by this instance of Qt Creator was found.</p><p>Did you work with this project on another machine or using a different settings path before?</p><p>Do you still want to load the settings file "%1"?</p> - <p>Brak pliku .user z ustawieniami, utworzonego przez tego Qt Creatora.</p><p>Czy pracowałeś z tym projektem na innej maszynie lub używałeś innej ścieżki do ustawień?</p><p>Czy załadować plik "%1" z ustawieniami?</p> - - - Settings File for "%1" from a different Environment? - Plik z ustawieniami dla "%1" z innego środowiska? - - - Target Settings - Katalog docelowy - - - Source directory - Katalog źródłowy - - - Qt Creator needs a compiler set up to build. Configure a compiler in the kit options. - Do budowy Qt Creator wymaga ustawionego kompilatora. Skonfiguruj go w opcjach zestawu narzędzi. - - - Qt Creator needs a build configuration set up to build. Configure a build configuration in the project settings. - Do budowy Qt Creator wymaga konfiguracji budowania. Dodaj konfigurację w opcjach zestawu narzędzi. - - - You asked to build the current Run Configuration's build target only, but it is not associated with a build target. Update the Make Step in your build settings. - - - - Replacing signature - Zastępowanie podpisu - - - Xcodebuild failed. - Xcodebuild zakończony błędem. - - - - QtC::Android - - Deploy to device - Zainstaluj na urządzeniu - - - Copy application data - Skopiuj dane aplikacji - - - Removing directory %1 - Usuwanie katalogu %1 - - - <b>Make install</b> - - - - Make install - - - - No application .pro file found in this project. - Brak pliku .pro aplikacji w tym projekcie. - - - No Application .pro File - Brak pliku .pro aplikacji - - - Select the .pro file for which you want to create the Android template files. - Wybierz plik .pro dla którego utworzyć pliki szablonu Android. - - - .pro file: - Plik .pro: - - - Select a .pro File - Wybierz plik .pro - - - The Android package source directory cannot be the same as the project directory. - Katalog ze źródłami pakietu Android nie może być taki sam jak katalog projektu. - - - Android package source directory: - Katalog źródłowy pakietu Android: - - - It is highly recommended if you are planning to extend the Java part of your Qt application. - Jest to rekomendowane w przypadku rozszerzania kodu Java w aplikacji Qt. - - - Select the Android package source directory. - -The files in the Android package source directory are copied to the build directory's Android directory and the default files are overwritten. - Wybierz katalog źródłowy pakietu Android. - -Pliki z katalogu źródłowego pakietu Android są kopiowane do katalogu budowania i domyślne pliki są nadpisywane. - - - The Android template files will be created in the ANDROID_PACKAGE_SOURCE_DIR set in the .pro file. - Pliki z szablonami Android będą utworzone w ANDROID_PACKAGE_SOURCE_DIR, który jest ustawiony w pliku .pro. - - - Copy the Gradle files to Android directory - Skopiuj pliki Gradle do katalogu Android - - - Create Android Template Files Wizard - Tworzenie kreatora plików szablonowych Androida - - - Overwrite %1 file - Nadpisz plik %1 - - - Overwrite existing "%1"? - Nadpisać istniejący "%1"? - - - File Creation Error - Błąd tworzenia pliku - - - Could not copy file "%1" to "%2". - Nie można skopiować pliku "%1" do "%2". - - - Project File not Updated - Nieaktualny plik projektu - - - Could not update the .pro file %1. - Nie można uaktualnić pliku .pro %1. - - - Android build SDK not defined. Check Android settings. - - - - No application .pro file found, not building an APK. - Brak pliku .pro aplikacji, budowanie APK wstrzymane. - - - The .pro file "%1" is currently being parsed. - Trwa parsowanie pliku .pro "%1". - - - - QmlDesigner::CrumbleBar - - Save the changes to preview them correctly. - Zachowaj zmiany aby utworzyć poprawny podgląd. - - - Always save when leaving subcomponent - Zawsze zachowuj przy opuszczaniu podkomponentu - - - - NavigatorTreeModel - - Warning - Ostrzeżenie - - - Reparenting the component %1 here will cause the component %2 to be deleted. Do you want to proceed? - Przeniesienie komponentu %1 tutaj spowoduje usunięcie komponentu %2. Czy kontynuować? - - - - QmlDesigner::AddTabDesignerAction - - Naming Error - Błąd nazwy - - - Component already exists. - Komponent już istnieje. - - - - PuppetCreator - - QML Emulation Layer (QML Puppet) Building was Unsuccessful - Nie można zbudować emulatora QML (QML Puppet) - - - The QML emulation layer (QML Puppet) cannot be built. The fallback emulation layer, which does not support all features, will be used. - Nie można zbudować emulatora QML (QML Puppet). Zostanie użyty zastępczy emulator, który nie obsługuje wszystkich funkcji. - - - Qt Version is not supported - Wersja Qt nie jest obsługiwana - - - The QML emulation layer (QML Puppet) cannot be built because the Qt version is too old or it cannot run natively on your computer. The fallback emulation layer, which does not support all features, will be used. - Nie można zbudować emulatora QML (QML Puppet) ponieważ wersja Qt jest zbyt stara lub nie może ona zostać uruchomiona wprost na komputerze. Zostanie użyty zastępczy emulator, który nie obsługuje wszystkich funkcjonalności. - - - Kit is invalid - Niepoprawny zestaw narzędzi - - - The QML emulation layer (QML Puppet) cannot be built because the kit is not configured correctly. For example the compiler can be misconfigured. Fix the kit configuration and restart Qt Creator. Otherwise, the fallback emulation layer, which does not support all features, will be used. - Nie można zbudować emulatora QML (QML Puppet), ponieważ zestaw narzędzi nie jest skonfigurowany poprawnie. Na przykład kompilator może być skonfigurowany niewłaściwie. Popraw konfigurację i uruchom ponownie Qt Creatora. W przeciwnym wypadku zostanie użyty zastępczy emulator, który nie obsługuje wszystkich funkcji. - - - - QtC::QmlJSEditor - - Show Qt Quick ToolBar - Pokaż pasek narzędzi Qt Quick - - - Code Model Not Available - Model kodu niedostępny - - - Code model not available. - Model kodu niedostępny - - - Code Model of %1 - Model kodu "%1" - - - Refactoring - Refaktoryzacja - - - - QtC::Qnx - - The following errors occurred while activating the QNX configuration: - Wystąpiły następujące błędy podczas aktywowania konfiguracji QNX: - - - Cannot Set Up QNX Configuration - Nie można ustawić konfiguracji QNX - - - Debugger for %1 (%2) - Debugger dla %1 (%2) - - - QCC for %1 (%2) - QCC dla %1 (%2) - - - Kit for %1 (%2) - Zestaw narzędzi dla %1 (%2) - - - - No targets found. - - - - - No GCC compiler found. - - Brak kompilatora GCC. - - - - QtC::Qnx - - Attach to remote QNX application... - Dołącz do zdalnej aplikacji QNX... - - - - QtC::Qnx - - QNX - QNX - - - - QtC::RemoteLinux - - The remote executable must be set in order to run a custom remote run configuration. - W celu uruchomienia własnej, zdalnej konfiguracji uruchamiania, należy ustawić zdalny plik wykonywalny. - - - Run "%1" on Linux Device - Uruchom "%1" na urządzeniu linuksowym - - - Custom Executable (on Remote Generic Linux Host) - Własny plik wykonywalny (na zdalnym ogólnym hoście linuksowym) - - - - QtC::ResourceEditor - - - QtC::Subversion - - Annotate revision "%1" - Dołącz adnotację do wersji "%1" - - - - QtC::ProjectExplorer - - Cannot open task file %1: %2 - Nie można otworzyć pliku z zadaniem %1: %2 - - - File Error - Błąd pliku - - - My Tasks - Moje zadania - - - - QtC::TextEditor - - Downloading Highlighting Definitions - Pobieranie definicji podświetleń - - - Error downloading selected definition(s). - Błąd pobierania wybranych definicji. - - - Error downloading one or more definitions. - Błąd pobierania jednej lub wielu definicji. - - - Please check the directory's access rights. - Sprawdź prawa dostępu do katalogu. - - - Download Error - Błąd pobierania + Diff Against Current File + Pokaż różnice w stosunku do bieżącego pliku Opening File Otwieranie pliku + + Cursors: %2 + + + + Cursor position: %1 + + + + (Sel: %1) + + + + Cursors: + + + + Line: + Linia: + + + Column: + + + + Selection length: + + + + Position in document: + + + + Anchor: + + + + Unix Line Endings (LF) + + + + Windows Line Endings (CRLF) + + + + Other annotations + + Print Document Wydruk dokumentu @@ -31145,10 +53072,34 @@ Pliki z katalogu źródłowego pakietu Android są kopiowane do katalogu budowan File Error Błąd pliku + + LF + + + + CRLF + + The text is too large to be displayed (%1 MB). Tekst jest zbyt obszerny aby mógł zostać wyświetlony (%1 MB). + + Snippet Parse Error + + + + A highlight definition was not found for this file. Would you like to download additional highlight definition files? + + + + More than one highlight definition was found for this file. Which one should be used to highlight this file? + + + + Remember My Choice + + Zoom: %1% Powiększenie:%1% @@ -31161,1173 +53112,10 @@ Pliki z katalogu źródłowego pakietu Android są kopiowane do katalogu budowan Add UTF-8 BOM on Save Dodawaj UTF-8 BOM przy zachowywaniu - - - QtC::VcsBase - Open "%1" - Otwórz "%1" - - - Clear - Wyczyść - - - Running: %1 %2 - Uruchamianie: %1 %2 - - - Running in "%1": %2 %3. - Uruchamianie w "%1": %2 %3. - - - - WinRt::Internal::WinRtDebugSupport - - Not enough free ports for QML debugging. - Niewystarczająca ilość wolnych portów do debugowania QML. - - - The WinRT debugging helper is missing from your Qt Creator installation. It was assumed to be located at %1 - Brak zainstalowanego programu pomocniczego debuggera WinRT. Zakładano, że jest on zlokalizowany w: %1 - - - Cannot start the WinRT Runner Tool. - Nie można uruchomić narzędzia WinRT Runner. - - - Cannot establish connection to the WinRT debugging helper. - Nie można ustanowić połączenia z programem pomocniczym debuggera WinRT. - - - Cannot extract the PID from the WinRT debugging helper. (output: %1) - Nie można uzyskać PID programu pomocniczego debuggera WinRT. (Wyjście: %1) - - - Cannot create an appropriate run control for the current run configuration. + Could not find definition. - - - WinRt::Internal::WinRtRunnerHelper - - The current kit has no Qt version. - Brak wersji Qt w bieżącym zestawie narzędzi. - - - Cannot find winrtrunner.exe in "%1". - Brak winrtrunner.exe w "%1". - - - Cannot determine the executable file path for "%1". - Nie można określić ścieżki do pliku wykonywalnego dla "%1". - - - Error while executing the WinRT Runner Tool: %1 - - Błąd uruchamiania narzędzia WinRT Runner: %1 - - - - - QtC::Help - - &Look for: - Wy&szukaj: - - - - QtC::Tracing - - [unknown] - [nieznany] - - - - QtC::QbsProjectManager - - Custom Properties - Własne właściwości - - - &Add - &Dodaj - - - &Remove - &Usuń - - - Key - Klucz - - - Value - Wartość - - - Form - Formularz - - - Kit: - Zestaw narzędzi: - - - Associated profile: - Skojarzony profil: - - - Profile properties: - Właściwości profilu: - - - E&xpand All - &Rozwiń wszystko - - - &Collapse All - &Zwiń wszystko - - - Store profiles in Qt Creator settings directory - Przechowuj profile w katalogu z ustawieniami Qt Creatora - - - Qbs version: - Wersja Qbs: - - - TextLabel - Etykietka - - - - QtC::Todo - - Excluded Files - Wyłączone pliki - - - Regular expressions for file paths to be excluded from scanning. - Wyrażenie regularne dla plików, które mają być wyłączone ze skanowania. - - - Add - Dodaj - - - Remove - Usuń - - - To-Do - "To-Do" - - - <Enter regular expression to exclude> - <Podaj wyrażenie regularne do wykluczenia> - - - - LayoutPoperties - - Alignment - Wyrównanie - - - Alignment of an item within the cells it occupies. - Wyrównanie elementu w zajmowanych komórkach. - - - Fill layout - - - - The item will expand as much as possible while respecting the given constraints if true. - - - - Fill width - Wypełnij szerokość - - - Fill height - Wypełnij wysokość - - - Preferred size - Preferowany rozmiar - - - Preferred size of an item in a layout. If the preferred height or width is -1, it is ignored. - Preferowany rozmiar elementu w rozmieszczeniu. Jeśli preferowana wysokość lub szerokość wynosi -1 to jest ona ignorowana. - - - Minimum size - Minimalny rozmiar - - - Minimum size of an item in a layout. - Minimalny rozmiar elementu w rozmieszczeniu. - - - Maximum size - Maksymalny rozmiar - - - Maximum size of an item in a layout. - Maksymalny rozmiar elementu w rozmieszczeniu. - - - Row span - Zajętość rzędów - - - Row span of an item in a GridLayout. - Liczba rzędów zajętych przez element w rozmieszczeniu. - - - Column span - Zajętość kolumn - - - Column span of an item in a GridLayout. - Liczba kolumn zajętych przez element w rozmieszczeniu. - - - - QtC::Utils - - UNKNOWN - NIEZNANY - - - Unknown - Nieznany - - - Command started... - Komenda uruchomiona... - - - Run Command - Uruchom komendę - - - No job running, please abort. - Brak uruchomionych zadań, przerwij. - - - Succeeded. - Poprawnie zakończone. - - - Failed. - Niepoprawnie zakończone. - - - - QtC::Android - - OpenGL enabled - OpenGL odblokowany - - - OpenGL disabled - OpenGL zablokowany - - - - QtC::BareMetal - - Work directory: - Katalog roboczy: - - - The remote executable must be set in order to run a custom remote run configuration. - W celu uruchomienia własnej, zdalnej konfiguracji uruchamiania, należy ustawić zdalny plik wykonywalny. - - - Custom Executable (on GDB server or hardware debugger) - Własny plik wykonywalny (na serwerze GDB lub debuggerze sprzętowym) - - - Cannot debug: Kit has no device. - Nie można debugować: brak urządzenia w zestawie narzędzi. - - - Cannot debug: Local executable is not set. - Nie można debugować: brak ustawionego lokalnego pliku wykonywalnego. - - - Cannot debug: Could not find executable for "%1". - Nie można debugować: nie można odnaleźć pliku wykonywalnego dla "%1". - - - Default - Domyślny - - - Host: - Host: - - - Init commands: - Komendy inicjalizujące: - - - Reset commands: - Komendy resetujące: - - - Clone of %1 - Klon %1 - - - Enter the name of the GDB server provider. - Podaj nazwę dostawcy serwera GDB. - - - Choose the desired startup mode of the GDB server provider. - Wybierz tryb startowy dostarczyciela serwera GDB. - - - Startup mode: - Tryb startowy: - - - No Startup - Brak startu - - - Startup in TCP/IP Mode - Start w trybie TCP/IP - - - Startup in Pipe Mode - Start w trybie potokowym - - - Enter TCP/IP hostname of the GDB server provider, like "localhost" or "192.0.2.1". - Podaj nazwę TCP/IP hosta dostawcy serwera GDB, np. "localhost" lub "192.0.2.1". - - - Enter TCP/IP port which will be listened by the GDB server provider. - Podaj port TCP/IP, na którym będzie nasłuchiwał dostawca serwera GDB. - - - Manage... - Zarządzaj... - - - None - Brak - - - Name - Nazwa - - - Type - Typ - - - Duplicate Providers Detected - Wykryto powielonych dostawców - - - The following providers were already configured:<br>&nbsp;%1<br>They were not configured again. - Następujący dostawcy zostali już skonfigurowani:<br>&nbsp;%1<br>Nie zostali oni ponownie skonfigurowani. - - - Add - Dodaj - - - Clone - Sklonuj - - - Remove - Usuń - - - GDB Server Providers - Dostawcy serwera GDB - - - OpenOCD - OpenOCD - - - Executable file: - Plik wykonywalny: - - - Root scripts directory: - Korzeń katalogu ze skryptami: - - - Configuration file: - Plik z konfiguracją: - - - Additional arguments: - Dodatkowe argumenty: - - - ST-LINK Utility - Narzędzie ST-LINK - - - Specify the verbosity level (0..99). - Poziom gadatliwości (0..99). - - - Verbosity level: - Poziom gadatliwości: - - - Continue listening for connections after disconnect. - Kontynuuj nasłuchiwanie nowych połączeń po rozłączeniu. - - - Extended mode: - Tryb rozszerzony: - - - Reset board on connection. - Zresetuj płytę po połączeniu. - - - Reset on connection: - Zresetuj po połączeniu: - - - Transport layer type. - Typ warstwy transportu. - - - Version: - Wersja: - - - ST-LINK/V1 - ST-LINK/V1 - - - ST-LINK/V2 - ST-LINK/V2 - - - - QtC::CMakeProjectManager - - CMake Tool: - Narzędzie CMake: - - - The CMake Tool to use when building a project with CMake.<br>This setting is ignored when using other build systems. - Narzędzie CMake używane podczas budowania projektu CMake.<br>Ustawienie to jest ignorowane podczas budowania za pomocą innych systemów budowania. - - - <No CMake Tool available> - <Brak narzędzia CMake> - - - CMake version %1 is unsupported. Please update to version 3.0 or later. - Wersja CMake %1 nie jest obsługiwana. Należy zainstalować wersję 3.0 lub nowszą. - - - Unconfigured - Nieskonfigurowane - - - Path to the cmake executable - Ścieżka do pliku wykonywalnego cmake - - - (Default) - what default??? - (domyślny) - - - Name - Nazwa - - - Location - Położenie - - - Auto-detected - Automatycznie wykryte - - - Manual - Ustawione ręcznie - - - Autorun CMake - Automatyczne uruchamianie CMake - - - Automatically run CMake after changes to CMake project files. - Automatycznie uruchamia CMake po zmianach w plikach projektów CMake. - - - Name: - Nazwa: - - - Path: - Ścieżka: - - - Add - Dodaj - - - Clone - Sklonuj - - - Remove - Usuń - - - Make Default - Ustaw jako domyślny - - - Set as the default CMake Tool to use when creating a new kit or when no value is set. - Ustaw jako domyślne narzędzie CMake, które będzie używane podczas tworzenia nowego zestawu narzędzi lub gdy wartość pozostanie nieustawiona. - - - Clone of %1 - Klon %1 - - - New CMake - Nowy CMake - - - CMake at %1 - CMake w %1 - - - System CMake at %1 - Systemowy CMake w %1 - - - - QtC::Core - - Keyboard Shortcuts - Skróty klawiszowe - - - Shortcut - Skrót - - - Enter key sequence as text - Wprowadź sekwencję klawiszy jako tekst - - - Key sequence: - Sekwencja klawiszy: - - - Use "Cmd", "Opt", "Ctrl", and "Shift" for modifier keys. Use "Escape", "Backspace", "Delete", "Insert", "Home", and so on, for special keys. Combine individual keys with "+", and combine multiple shortcuts to a shortcut sequence with ",". For example, if the user must hold the Ctrl and Shift modifier keys while pressing Escape, and then release and press A, enter "Ctrl+Shift+Escape,A". - - - - Use "Ctrl", "Alt", "Meta", and "Shift" for modifier keys. Use "Escape", "Backspace", "Delete", "Insert", "Home", and so on, for special keys. Combine individual keys with "+", and combine multiple shortcuts to a shortcut sequence with ",". For example, if the user must hold the Ctrl and Shift modifier keys while pressing Escape, and then release and press A, enter "Ctrl+Shift+Escape,A". - - - - Reset to default. - Przywróć domyślny. - - - Key sequence has potential conflicts. <a href="#conflicts">Show.</a> - Sekwencja klawiszy potencjalnie w konflikcie. <a href="#conflicts">Pokaż.</a> - - - Invalid key sequence. - Niepoprawna sekwencja klawiszy. - - - Import Keyboard Mapping Scheme - Zaimportuj schemat mapowania klawiatury - - - Keyboard Mapping Scheme (*.kms) - Schemat mapowania klawiatury (*.kms) - - - Export Keyboard Mapping Scheme - Wyeksportuj schemat mapowania klawiatury - - - %n occurrences replaced. - - Zastąpiono %n wystąpienie. - Zastąpiono %n wystąpienia. - Zastąpiono %n wystąpień. - - - - Factory with id="%1" already registered. Deleting. - Fabryka o identyfikatorze "%1" już zarejestrowana. Nowa fabryka zostanie usunięta. - - - Reload All Wizards - Przeładuj wszystkie kreatory - - - Inspect Wizard State - Przejrzyj stan kreatora - - - Run External Tool - Uruchom zewnętrzne narzędzie - - - Name - Nazwa - - - Prefix - Przedrostek - - - Default - Domyślny - - - Built-in - Wbudowany - - - Custom - Własny - - - - QtC::CppEditor - - Sort Alphabetically - Posortuj alfabetycznie - - - All Included C/C++ Files - Wszystkie dołączone pliki C/C++ - - - - QtC::Debugger - - Attempting to interrupt. - Próba przerwania. - - - No Memory Viewer Available - Brak dostępnej przeglądarki pamięci - - - The memory contents cannot be shown as no viewer plugin for binary data has been loaded. - Zawartość pamięci nie może zostać pokazana, ponieważ nie załadowano żadnej wtyczki obsługującej dane binarne. - - - Launching Debugger - Uruchamianie debuggera - - - Setup failed. - Niepoprawna konfiguracja. - - - Loading finished. - Zakończono ładowanie. - - - Run failed. - Nieudane uruchomienie. - - - Running. - Uruchomiono. - - - Stopped. - Zatrzymano. - - - Run requested... - Zażądano uruchomienia... - - - The %1 process terminated. - Proces %1 zakończył pracę. - - - The %2 process terminated unexpectedly (exit code %1). - Proces %2 nieoczekiwanie zakończył pracę (kod %1). - - - Unexpected %1 Exit - Nieoczekiwane zakończenie %1 - - - Debugging complex command lines is currently not supported on Windows. - Debugowanie złożonych linii komend nie jest obecnie obsługiwane w systemie Windows. - - - Taking notice of pid %1 - Zwracanie uwagi na pid %1 - - - Could not find a widget. - Nie można odnaleźć widżetu. - - - This debugger cannot handle user input. - Ten debugger nie obsługuje poleceń wejściowych użytkownika. - - - Stopped: "%1". - Zatrzymano: "%1". - - - Stopped: %1 (Signal %2). - Zatrzymano: %1 (sygnał %2). - - - Stopped in thread %1 by: %2. - Zatrzymano w wątku %1 przez %2. - - - Interrupted. - Przerwano. - - - <Unknown> - name - <Nieznana> - - - <Unknown> - meaning - <Nieznane> - - - <p>The inferior stopped because it received a signal from the operating system.<p><table><tr><td>Signal name : </td><td>%1</td></tr><tr><td>Signal meaning : </td><td>%2</td></tr></table> - <p>Podproces zatrzymany, ponieważ otrzymał on sygnał z systemu operacyjnego.<p><table><tr><td>Nazwa sygnału: </td><td>%1</td></tr><tr><td>Znaczenie sygnału: </td><td>%2</td></tr></table> - - - Signal Received - Otrzymano sygnał - - - <p>The inferior stopped because it triggered an exception.<p>%1 - <p>Podproces zatrzymany z powodu rzuconego wyjątku.<p>%1 - - - Exception Triggered - Rzucono wyjątek - - - The inferior is in the Portable Executable format. -Selecting %1 as debugger would improve the debugging experience for this binary format. - - - - The selected debugger may be inappropriate for the inferior. -Examining symbols and setting breakpoints by file name and line number may fail. - - - - - The inferior is in the ELF format. -Selecting GDB or LLDB as debugger would improve the debugging experience for this binary format. - - - - Found. - Znaleziono. - - - Not found. - Nie znaleziono. - - - Section %1: %2 - Sekcja %1: %2 - - - This does not seem to be a "Debug" build. -Setting breakpoints by file name and line number may fail. - To nie jest wersja debugowa. -Ustawianie pułapek w liniach plików może się nie udać. - - - Finished retrieving data - Zakończono pobieranie danych - - - Run to Address 0x%1 - Uruchom do adresu 0x%1 - - - Run to Line %1 - Uruchom do linii %1 - - - Jump to Address 0x%1 - Skocz do adresu 0x%1 - - - Jump to Line %1 - Skocz do linii %1 - - - Clone - Sklonuj - - - Remove - Usuń - - - Clone of %1 - Klon %1 - - - New Debugger - Nowy debugger - - - Restore - Przywróć - - - Debuggers - Debuggery - - - Debugger Settings - Ustawienia debuggera - - - Enable C++ - Odblokuj C++ - - - Enable QML - Odblokuj QML - - - Debug port: - Port debugowania: - - - <a href="qthelp://org.qt-project.qtcreator/doc/creator-debugging-qml.html">What are the prerequisites?</a> - <a href="qthelp://org.qt-project.qtcreator/doc/creator-debugging-qml.html">Jakie są wymagania?</a> - - - Enable Debugging of Subprocesses - Odblokuj debugowanie podprocesów - - - Terminal: Cannot open /dev/ptmx: %1 - Terminal: Nie można otworzyć /dev/ptmx: %1 - - - Terminal: ptsname failed: %1 - Terminal: ptsname zakończył pracę błędem: %1 - - - Terminal: Error: %1 - Terminal: Błąd: %1 - - - Terminal: Slave is no character device. - - - - Terminal: grantpt failed: %1 - Terminal: grantpt zakończył pracę błędem: %1 - - - Terminal: unlock failed: %1 - Terminal: unlock zakończył pracę błędem: %1 - - - Terminal: Read failed: %1 - Terminal: błąd odczytu: %1 - - - - QtC::DiffEditor - - Context lines: - Linie z kontekstem: - - - Ignore Whitespace - Ignoruj białe znaki - - - Reload Diff - Przeładuj różnice - - - [%1] vs. [%2] %3 - [%1] vs [%2] %3 - - - %1 vs. %2 - %1 vs %2 - - - [%1] %2 vs. [%3] %4 - [%1] %2 vs [%3] %4 - - - Hide Change Description - Ukryj opis zmiany - - - Show Change Description - Pokaż opis zmiany - - - Could not parse patch file "%1". The content is not of unified diff format. - Nie można sparsować pliku z łatami "%1". Zawartość nie jest w formacie ujednoliconym (unified diff). - - - Switch to Unified Diff Editor - Przełącz do edytora różnic wyświetlającego zawartość w formacie ujednoliconym (unified diff) - - - Waiting for data... - Oczekiwanie na dane... - - - Retrieving data failed. - Błąd pobierania danych. - - - Switch to Side By Side Diff Editor - Przełącz do edytora różnic wyświetlającego zawartość sąsiadująco - - - Synchronize Horizontal Scroll Bars - Synchronizuj poziome paski przesuwania - - - Skipped %n lines... - - Opuszczono %n linię... - Opuszczono %n linie... - Opuszczono %n linii... - - - - Binary files differ - Pliki binarne różnią się - - - Skipped unknown number of lines... - Pominięto nieznaną ilość linii... - - - No difference. - Brak różnic. - - - [%1] %2 - [%1] %2 - - - No document - Brak dokumentu - - - - QtC::ImageViewer - - Image format not supported. - Nieobsługiwany format pliku graficznego. - - - Failed to read SVG image. - Błąd odczytu pliku graficznego SVG. - - - Failed to read image. - Błąd odczytu pliku graficznego. - - - - QtC::ProjectExplorer - - Feature list is set and not of type list. - Ustawiono listę funkcjonalności, lecz wartość nie jest typu listy. - - - No "%1" key found in feature list object. - Brak klucza "%1" na liście funkcjonalności. - - - Feature list element is not a string or object. - Element listy funkcjonalności nie jest ciągiem tekstowym ani obiektem. - - - Key is not an object. - Klucz nie jest obiektem. - - - Pattern "%1" is no valid regular expression. - Wzorzec "%1" jest niepoprawnym wyrażeniem regularnym. - - - ScannerGenerator: Binary pattern "%1" not valid. - ScannerGenerator: niepoprawny wzorzec binarny "%1". - - - <b>Warning:</b> This file is outside the project directory. - <b>Ostrzeżenie:</b> Ten plik leży poza katalogiem projektu. - - - Terminal - Terminal - - - Run in terminal - Uruchom w terminalu - - - Working Directory - Katalog roboczy - - - Select Working Directory - Wybierz katalog roboczy - - - Reset to Default - Przywróć domyślny - - - Arguments - Argumenty - - - Command line arguments: - Argumenty linii komend: - - - - QtC::Python - - Run %1 - Uruchom %1 - - - (disabled) - (zablokowany) - - - The script is currently disabled. - Skrypt jest aktualnie zablokowany. - - - Interpreter: - Interpreter: - - - Script: - Skrypt: - - - - QtC::QbsProjectManager - - Qbs - Qbs - - - Qbs files - Pliki qbs - - - Failed to set up kit for Qbs: %1 - Nie można ustawić zestawu narzędzi dla Qbs: %1 - - - - QtC::QmlProfiler - - Duration - Czas trwania - - - Framerate - Klatki na sekundę - - - Context - Kontekst - - - Details - Szczegóły - - - Location - Położenie - - - - QtC::ResourceEditor - - %1 Prefix: %2 - %1 Przedrostek: %2 - - - - GenericHighlighter - - Element name is empty. - Nazwa elementu jest pusta. - - - Duplicate element name "%1". - Powielona nazwa elementu "%1". - - - Name "%1" not found. - Brak nazwy "%1". - - - Generic highlighter error: - Błąd ogólnego podświetlacza: - - - Reached empty context. - Osiągnięto pusty kontekst. - - - Generic highlighter warning: - Ostrzeżenie ogólnego podświetlacza: - - - - QtC::TextEditor &Undo &Cofnij @@ -32356,6 +53144,10 @@ Ustawianie pułapek w liniach plików może się nie udać. Delete Line up to Cursor Usuń od początku linii do kursora + + Ctrl+Backspace + + Delete Word up to Cursor Usuń od początku słowa do kursora @@ -32464,6 +53256,42 @@ Ustawianie pułapek w liniach plików może się nie udać. Ctrl+E, F2 Ctrl+E, F2 + + Follow Type Under Cursor + + + + Ctrl+Shift+F2 + + + + Follow Type Under Cursor in Next Split + + + + Meta+E, Shift+F2 + Meta+E, Shift+F2 + + + Ctrl+E, Ctrl+Shift+F2 + + + + Find References to Symbol Under Cursor + + + + Ctrl+Shift+U + Ctrl+Shift+U + + + Rename Symbol Under Cursor + Zmień nazwę symbolu pod kursorem + + + Ctrl+Shift+R + Ctrl+Shift+R + Jump to File Under Cursor Skocz do pliku pod kursorem @@ -32472,6 +53300,10 @@ Ustawianie pułapek w liniach plików może się nie udać. Jump to File Under Cursor in Next Split Skocz do pliku pod kursorem w sąsiadującym oknie + + Open Call Hierarchy + + Move the View a Page Up and Keep the Cursor Position Przesuń widok o cały ekran do góry i zachowaj pozycję kursora @@ -32516,6 +53348,14 @@ Ustawianie pułapek w liniach plików może się nie udać. Ctrl+Shift+V Ctrl+Shift+V + + Paste Without Formatting + + + + Ctrl+Alt+Shift+V + + Auto-&indent Selection Sformatuj wc&ięcia w zaznaczonym tekście @@ -32524,6 +53364,14 @@ Ustawianie pułapek w liniach plików może się nie udać. Ctrl+I Ctrl+I + + Auto-&format Selection + + + + Ctrl+; + + &Rewrap Paragraph Zawiń &paragraf @@ -32588,6 +53436,26 @@ Ustawianie pułapek w liniach plików może się nie udać. Ctrl+Ins Ctrl+Ins + + Copy With Highlighting + + + + Create Cursors at Selected Line Ends + + + + Alt+Shift+I + + + + Add Next Occurrence to Selection + + + + Ctrl+D + + &Duplicate Selection &Powiel zaznaczony tekst @@ -32620,6 +53488,18 @@ Ustawianie pułapek w liniach plików może się nie udać. Alt+U Alt+U + + &Sort Selected Lines + + + + Meta+Shift+S + + + + Alt+Shift+S + + Fold Zwiń @@ -32704,6 +53584,14 @@ Ustawianie pułapek w liniach plików może się nie udać. Select Word Under Cursor Zaznacz słowo pod kursorem + + Go to Document Start + + + + Go to Document End + + Go to Line Start Przejdź do początku linii @@ -32784,9 +53672,747 @@ Ustawianie pułapek w liniach plików może się nie udać. Go to Next Word Camel Case with Selection Zaznacz do następnej zbitki Camel Case + + Activate completion: + Uaktywniaj uzupełnianie: + + + &Case-sensitivity: + Uwzględnianie &wielkości liter: + + + Full + Pełne + + + First Letter + Tylko pierwsza litera + + + Manually + Ręcznie + + + When Triggered + Po wyzwoleniu + + + Timeout in ms: + Limit czasu +oczekiwania w ms: + + + Character threshold: + + + + Inserts the common prefix of available completion items. + Wprowadza wspólny przedrostek dla istniejących elementów dopełnienia. + + + Autocomplete common &prefix + Automatycznie dopełniaj wspólny &przedrostek + + + Splits a string into two lines by adding an end quote at the cursor position when you press Enter and a start quote to the next line, before the rest of the string. + +In addition, Shift+Enter inserts an escape character at the cursor position and moves the rest of the string to the next line. + Naciśnięcie klawisza "Enter" dzieli ciąg tekstowy na dwa, umieszcza drugi w nowej linii i dodaje znaki końca i początku ciągu w miejscu podziału. + +Ponadto, naciśnięcie kombinacji "Shift+Enter" powoduje wstawienie znaku ucieczki w pozycji kursora i przeniesienie reszty ciągu do następnej linii. + + + Automatically split strings + Automatycznie dziel ciągi tekstowe +po naciśnięciu klawisza Enter + + + Skip automatically inserted character if re-typed manually after completion or by pressing tab. + + + + Overwrite closing punctuation + + + + Automatically overwrite closing parentheses and quotes. + + + + &Automatically insert matching characters + &Automatyczne wstawianie znaków + + + Insert opening or closing brackets + Wstawiaj nawiasy otwierające i zamykające + + + Insert closing quote + Wstawiaj znak końca ciągów tekstowych + + + When typing a matching bracket and there is a text selection, instead of removing the selection, surrounds it with the corresponding characters. + Gdy zaznaczono tekst, wpisanie nawiasu spowoduje, że zostanie on otoczony nawiasami, zamiast usunięty. + + + Surround text selection with brackets + Otaczaj zaznaczony tekst nawiasami + + + Insert &space after function name + Wstawiaj &spację po nazwie funkcji + + + When typing a matching quote and there is a text selection, instead of removing the selection, surrounds it with the corresponding characters. + Gdy zaznaczono tekst, wpisanie cudzysłowu spowoduje, że zostanie on otoczony cudzysłowami, zamiast usunięty. + + + Surround text selection with quotes + Otaczaj zaznaczony tekst cudzysłowami + + + Show a visual hint when for example a brace or a quote is automatically inserted by the editor. + Podkreśla wizualnie nawias bądź cudzysłów gdy jest on wstawiany automatycznie przez edytor. + + + Animate automatically inserted text + Animuj wstawiany tekst + + + Highlight automatically inserted text + Podświetlaj automatycznie wstawiony tekst + + + Skip automatically inserted character when typing + Opuszczaj automatycznie wstawione znaki +jeśli wpisano je ręcznie + + + Remove the automatically inserted character if the trigger is deleted by backspace after the completion. + Usuwa automatycznie wstawiony znak, jeśli po uzupełnieniu naciśnięto klawisz backspace. + + + Remove automatically inserted text on backspace + Usuwaj automatycznie wstawione znaki +po naciśnięciu klawisza backspace + + + Documentation Comments + Komentarze dokumentacji + + + Automatically creates a Doxygen comment upon pressing enter after a '/**', '/*!', '//!' or '///'. + Automatycznie wstawia komentarz Doxygen po naciśnięciu klawisza enter następującego po "/**", "/*!", "//!" lub "///". + + + Enable Doxygen blocks + Odblokuj bloki Doxygen + + + Generates a <i>brief</i> command with an initial description for the corresponding declaration. + Generuje komendy </>brief</i> ze wstępnymi opisami odpowiednich deklaracji. + + + Doxygen command prefix: + + + + Doxygen allows "@" and "\" to start commands. +By default, "@" is used if the surrounding comment starts with "/**" or "///", and "\" is used +if the comment starts with "/*!" or "//! + + + + Generate brief description + Generuj skrócone opisy + + + Adds leading asterisks when continuing C/C++ "/*", Qt "/*!" and Java "/**" style comments on new lines. + Dodaje wiodące gwiazdki, gdy komentarze C/C++ "/*", Qt "/*!" i Java "/**" przechodzą do nowych linii. + + + Add leading asterisks + Dodawaj wiodące gwiazdki + + + Completion + Uzupełnianie + + + <b>Error:</b> Could not decode "%1" with "%2"-encoding. Editing not possible. + <b>Błąd:</b> Nie można odkodować "%1" używając kodowania "%2". Edycja nie jest możliwa. + + + Select Encoding + Wybierz kodowanie + + + Line: %1, Col: %2 + Linia: %1, kolumna: %2 + + + Internal + Wewnętrzny + + + example + group:'Text' trigger:'global' + + + + derived from QObject + group:'C++' trigger:'class' + + + + derived from QWidget + group:'C++' trigger:'class' + + + + template + group:'C++' trigger:'class' + + + + with if + group:'C++' trigger:'else' + + + + range-based + group:'C++' trigger:'for' + + + + and else + group:'C++' trigger:'if' + + + + with closing brace comment + group:'C++' trigger:'namespace' + + + + and catch + group:'C++' trigger:'try' + + + + namespace + group:'C++' trigger:'using' + + + + template + group:'C++' trigger:'struct' + + + + (type name READ name WRITE setName NOTIFY nameChanged FINAL) + group:'C++' trigger:'Q_PROPERTY' + + + + with targets + group:'QML' trigger:'NumberAnimation' + + + + with target + group:'QML' trigger:'NumberAnimation' + + + + with targets + group:'QML' trigger:'PropertyAction' + + + + with target + group:'QML' trigger:'PropertyAction' + + + + QuickTest Test Case + group:'QML' trigger:'TestCase' + + + + GTest Function + group:'C++' trigger:'TEST' + + + + GTest Fixture + group:'C++' trigger:'TEST_F' + + + + GTest Parameterized + group:'C++' trigger:'TEST_P' + + + + Test Case + group:'C++' trigger:'BOOST_AUTO_TEST_CASE' + + + + Test Suite + group:'C++' trigger:'BOOST_AUTO_TEST_SUITE' + + + + Catch Test Case + group:'C++' trigger:'TEST_CASE' + + + + Catch Scenario + group:'C++' trigger:'SCENARIO' + + + + Copy to Clipboard + Skopiuj do schowka + + + Copy SHA1 to Clipboard + + + + Sort Alphabetically + Posortuj alfabetycznie + + + Unix (LF) + + + + Windows (CRLF) + + + + Cannot create temporary file "%1": %2. + Nie można utworzyć tymczasowego pliku "%1": %2. + + + Failed to format: %1. + Nie można sformatować: %1. + + + Cannot read file "%1": %2. + Nie można odczytać pliku "%1": %2. + + + Cannot call %1 or some other error occurred. Timeout reached while formatting file %2. + Nie można wywołać %1 lub wystąpił inny błąd. Przekroczono limit czasu oczekiwania na sformatowanie pliku %2. + + + Error in text formatting: %1 + + + + Could not format file %1. + Nie można sformatować pliku %1. + + + File %1 was closed. + Zamknięto plik %1. + + + File was modified. + Zmodyfikowano plik. + + + Highlighter updates: done + + + + Highlighter updates: + + + + Highlighter updates: starting + + + + Emphasis + + + + Strong + + + + Inline Code + + + + Hyperlink + + + + Show Editor + + + + Show Preview + + + + Swap Views + + + + Expected delimiter after mangler ID. + + + + Expected mangler ID "l" (lowercase), "u" (uppercase), or "c" (titlecase) after colon. + + + + Missing closing variable delimiter for: + + + + Show inline annotations for %1 + + + + Temporarily hide inline annotations for %1 + + + + Show Diagnostic Settings + + + + JSON Editor + + + + + QtC::Todo + + Keyword + Słowo kluczowe + + + Icon + Ikona + + + Color + Kolor + + + errorLabel + errorLabel + + + Keyword cannot be empty, contain spaces, colons, slashes or asterisks. + Słowo kluczowe nie może być puste i nie może zawierać spacji, dwukropków, ukośnych kresek ani gwiazdek. + + + There is already a keyword with this name. + Istnieje już słowo kluczowe o tej nazwie. + + + Keywords + Słowa kluczowe + + + Edit + Zmodyfikuj + + + Reset + Zresetuj + + + Scanning scope + Zakres skanowania + + + Scan the whole active project + Skanuj cały aktywny projekt + + + Scan only the currently edited document + Skanuj tylko bieżąco edytowany dokument + + + Scan the current subproject + Skanuj bieżący podprojekt + + + Description + Opis + + + File + Plik + + + Line + Linia + + + To-Do Entries + Wpisy "To-Do" + + + Current Document + Bieżący dokument + + + Scan only the currently edited document. + Skanuj tylko bieżąco edytowany dokument. + + + Active Project + Aktywny projekt + + + Scan the whole active project. + Skanuj cały aktywny projekt. + + + Subproject + Podprojekt + + + Scan the current subproject. + Skanuj bieżący podprojekt. + + + Show "%1" entries + Pokazuje wpisy "%1" + + + Excluded Files + Wyłączone pliki + + + Regular expressions for file paths to be excluded from scanning. + Wyrażenie regularne dla plików, które mają być wyłączone ze skanowania. + + + Add + Dodaj + + + Remove + Usuń + + + To-Do + "To-Do" + + + <Enter regular expression to exclude> + <Podaj wyrażenie regularne do wykluczenia> + + + + QtC::Tracing + + Selection + Selekcja + + + Start + Początek + + + End + Koniec + + + Duration + Czas trwania + + + Close + Zamknij + + + Jump to previous event. + Skocz do poprzedniego zdarzenia. + + + Jump to next event. + Skocz do następnego zdarzenia. + + + Show zoom slider. + Pokaż suwak powiększania. + + + Select range. + Wybierz zakres. + + + View event information on mouseover. + Pokazuj informacje o zdarzeniach po najechaniu myszą. + + + Collapse category + Zwiń kategorię + + + Expand category + Rozwiń kategorię + + + [unknown] + [nieznany] + + + others + + + + unknown + + + + No data available + Brak danych + + + Edit note + + + + Collapse + Zwiń + + + Expand + Rozwiń + + + Could not open %1 for writing. + Nie można otworzyć "%1" do zapisu. + + + Could not open %1 for reading. + Nie można otworzyć "%1" do odczytu. + + + Could not re-read events from temporary trace file: %1 +The trace data is lost. + + QtC::UpdateInfo + + Checking for Updates + + + + %1 and other updates are available. Check the <a %2>Qt blog</a> for details. + + + + %1 is available. Check the <a %2>Qt blog</a> for details. + + + + New updates are available. Start the update? + + + + Open Settings + + + + Start Package Manager + + + + Start Update + + + + %1 (%2) + Package name and version + %1 (%2) + + + Available updates: + + + + No updates found. + + + + Could not determine location of maintenance tool. Please check your installation if you did not enable this plugin manually. + Nie można określić położenia aktualizatora. Sprawdź w instalacji, czy ta wtyczka nie została odblokowana ręcznie. + + + The maintenance tool at "%1" is not an executable. Check your installation. + Aktualizator "%1" nie jest plikiem wykonywalnym. Sprawdź instalację. + + + Qt Maintenance Tool + + + + Check for Updates + Sprawdź dostępność aktualizacji + + + Start Maintenance Tool + + + + Configure Filters + Konfiguracja filtrów + + + Automatic Check for Updates + Automatyczne sprawdzanie dostępnych aktualizacji + + + Automatically runs a scheduled check for updates on a time interval basis. The automatic check for updates will be performed at the scheduled date, or the next startup following it. + + + + Check for new Qt versions + + + + Check interval basis: + Częstość sprawdzania: + + + Next check date: + Data najbliższego sprawdzenia: + + + Last check date: + Data ostatniego sprawdzenia: + + + Not checked yet + Jeszcze nie sprawdzano + + + Check Now + Sprawdź teraz + + + Update + Uaktualnij + Daily Codziennie @@ -32812,8 +54438,2730 @@ Ustawianie pułapek w liniach plików może się nie udać. Sprawdzanie dostępności aktualizacji... + + QtC::Utils + + Do not &ask again + Nie &pytaj ponownie + + + Do not &show again + Nie po&kazuj ponownie + + + Name: + Nazwa: + + + File name: + Nazwa pliku: + + + Path: + Ścieżka: + + + The default suffix if you do not explicitly specify a file extension is ".%1". + + + + Choose the Location + Wybierz położenie + + + Create in: + Utwórz w: + + + Location + Położenie + + + Enter project name + + + + Directory "%1" will be created. + + + + The project already exists. + Projekt już istnieje. + + + A file with that name already exists. + Plik o tej samej nazwie już istnieje. + + + Project name is invalid. + + + + Name is empty. + Nazwa jest pusta. + + + Invalid character "%1" found. + Niepoprawny znak "%1". + + + Invalid character ".". + Niepoprawny znak ".". + + + Use as default project location + Ustaw jako domyślne położenie projektów + + + Introduction and Project Location + Nazwa oraz położenie projektu + + + The class name must not contain namespace delimiters. + Nazwa klasy nie może zawierać separatorów przestrzeni nazw. + + + Please enter a class name. + Wprowadź nazwę klasy. + + + The class name contains invalid characters. + Nazwa klasy zawiera niepoprawne znaki. + + + Cannot set up communication channel: %1 + Nie można ustawić kanału komunikacyjnego: %1 + + + Press <RETURN> to close this window... + Naciśnij <RETURN> aby zamknąć to okno... + + + Cannot create temporary file: %1 + Nie można utworzyć tymczasowego pliku: %1 + + + Cannot write temporary file. Disk full? + Nie można zapisać pliku tymczasowego. Być może brak wolnego miejsca na dysku? + + + Cannot create temporary directory "%1": %2 + Nie można utworzyć tymczasowego katalogu "%1": %2 + + + Cannot change to working directory "%1": %2 + Nie można zmienić katalogu roboczego na "%1": %2 + + + Cannot execute "%1": %2 + Nie można uruchomić "%1": %2 + + + Failed to start terminal process. The stub exited before the inferior was started. + + + + Cannot set permissions on temporary directory "%1": %2 + + + + Unexpected output from helper program (%1). + Nieoczekiwany komunikat od programu pomocniczego (%1). + + + Cannot create socket "%1": %2 + Nie można utworzyć gniazda "%1": %2 + + + Details + Szczegóły + + + Name contains white space. + Nazwa zawiera spację. + + + Invalid character "%1". + Niepoprawny znak: "%1". + + + Invalid characters "%1". + Niepoprawne znaki: "%1". + + + Name matches MS Windows device (CON, AUX, PRN, NUL, COM1, COM2, ..., COM9, LPT1, LPT2, ..., LPT9) + + + + File extension %1 is required: + Wymagane jest rozszerzenie %1 pliku: + + + File extensions %1 are required: + Wymagane są rozszerzenia %1 plików: + + + %1: canceled. %n occurrences found in %2 files. + + %1: anulowano. Znaleziono %n wystąpienie w %2 plikach. + %1: anulowano. Znaleziono %n wystąpienia w %2 plikach. + %1: anulowano. Znaleziono %n wystąpień w %2 plikach. + + + + %1: %n occurrences found in %2 files. + + %1: anulowano. Znaleziono %n wystąpienie w %2 plikach. + %1: anulowano. Znaleziono %n wystąpienia w %2 plikach. + %1: anulowano. Znaleziono %n wystąpień w %2 plikach. + + + + Fi&le pattern: + Wzorzec &pliku: + + + Excl&usion pattern: + Wzorzec w&ykluczenia: + + + List of comma separated wildcard filters. + + + + Files with file name or full file path matching any filter are included. + + + + Files with file name or full file path matching any filter are excluded. + + + + Choose... + Wybierz... + + + Browse... + Przeglądaj... + + + Choose Directory + Wybierz katalog + + + Choose Executable + Wybierz plik wykonywalny + + + Choose File + Wybierz plik + + + The path "%1" expanded to an empty string. + Ścieżka "%1" rozwinięta do pustej nazwy. + + + The path "%1" does not exist. + Ścieżka "%1" nie istnieje. + + + Local + + + + Remote + + + + The path "%1" is not a directory. + Ścieżka "%1" nie wskazuje na katalog. + + + The path "%1" is not a file. + Ścieżka "%1" nie wskazuje na plik. + + + The directory "%1" does not exist. + Katalog "%1" nie istnieje. + + + The path "%1" is not an executable file. + Ścieżka "%1" nie wskazuje na plik wykonywalny. + + + Invalid path "%1". + + + + Cannot execute "%1". + Nie można uruchomić "%1". + + + The path must not be empty. + Ścieżka nie może być pusta. + + + Insert... + Wstaw... + + + Delete Line + Usuń linię + + + Clear + Wyczyść + + + File Changed + Plik został zmieniony + + + &Close + &Zamknij + + + No to All && &Diff + Nie dla wszystkich i pokaż &różnice + + + The unsaved file <i>%1</i> has been changed on disk. Do you want to reload it and discard your changes? + + + + The file <i>%1</i> has been changed on disk. Do you want to reload it? + + + + The default behavior can be set in %1 > Preferences > Environment > System. + macOS + + + + The default behavior can be set in Edit > Preferences > Environment > System. + + + + File Has Been Removed + + + + The file %1 has been removed from disk. Do you want to save it under a different name, or close the editor? + + + + C&lose All + Zamknij &wszystko + + + Save &as... + Zachowaj j&ako... + + + &Save + &Zachowaj + + + <table border=1 cellspacing=0 cellpadding=3><tr><th>Variable</th><th>Expands to</th></tr><tr><td>%d</td><td>directory of current file</td></tr><tr><td>%f</td><td>file name (with full path)</td></tr><tr><td>%n</td><td>file name (without path)</td></tr><tr><td>%%</td><td>%</td></tr></table> + <table border=1 cellspacing=0 cellpadding=3><tr><th>Zmienna</th><th>Rozwinięcie</th></tr><tr><td>%d</td><td>katalog bieżącego pliku</td></tr><tr><td>%f</td><td>nazwa pliku (z pełną ścieżką)</td></tr><tr><td>%n</td><td>nazwa pliku (bez ścieżki)</td></tr><tr><td>%%</td><td>%</td></tr></table> + + + ... + ... + + + Central Widget + Centralny Widżet + + + Reset to Default Layout + Przywróć domyślne rozmieszczenie + + + Automatically Hide View Title Bars + Automatycznie ukrywaj paski tytułowe widoków + + + The program "%1" does not exist or is not executable. + + + + The program "%1" could not be found. + + + + Failed to create process interface for "%1". + + + + Process Not Responding + + + + Terminate the process? + + + + The command "%1" finished successfully. + Komenda "%1" poprawnie zakończona. + + + The command "%1" terminated with exit code %2. + Komenda "%1" zakończona kodem wyjściowym %2. + + + The command "%1" terminated abnormally. + Komenda "%1" niepoprawnie zakończona. + + + The command "%1" could not be started. + Komenda "%1" nie może zostać uruchomiona. + + + The command "%1" did not respond within the timeout limit (%2 s). + Komenda "%1" nie odpowiedziała w określonym czasie (%2 s). + + + The process is not responding. + Proces nie odpowiada. + + + The process "%1" is not responding. + Proces "%1" nie odpowiada. + + + <UNSET> + <USUNIĘTO> + + + Variable + Zmienna + + + Value + Wartość + + + <VARIABLE> + Name when inserting a new variable + <ZMIENNA> + + + <VALUE> + Value when inserting a new variable + <WARTOŚĆ> + + + Error in command line. + Błąd w linii komend. + + + Path "%1" exists but is not a writable directory. + + + + copyFile is not implemented for "%1". + + + + Cannot copy from "%1", it is not a directory. + + + + Cannot copy "%1" to "%2": %3 + + + + Failed to copy recursively from "%1" to "%2" while trying to create tar archive from source: %3 + + + + Failed to copy recursively from "%1" to "%2" while trying to extract tar archive to target: %3 + + + + fileContents is not implemented for "%1". + + + + writeFileContents is not implemented for "%1". + + + + createTempFile is not implemented for "%1". + + + + Refusing to remove root directory. + Odmowa usunięcia katalogu głównego. + + + Refusing to remove your home directory. + Odmowa usunięcia katalogu domowego. + + + Failed to remove directory "%1". + Nie można usunąć katalogu "%1". + + + Failed to remove file "%1". + Nie można usunąć pliku "%1". + + + Failed to copy file "%1" to "%2": %3 + + + + File "%1" does not exist. + + + + Could not open File "%1". + + + + Cannot read "%1": %2 + + + + Could not open file "%1" for writing. + + + + Could not write to file "%1" (only %2 of %n byte(s) written). + + + + + + + + Could not create temporary file in "%1" (%2). + + + + Failed reading file "%1": %2 + + + + Failed writing file "%1": %2 + + + + Failed creating temporary file "%1": %2 + + + + Failed creating temporary file "%1" (too many tries). + + + + Failed to create directory "%1". + Nie można utworzyć katalogu "%1". + + + Could not copy file "%1" to "%2". + Nie można skopiować pliku "%1" do "%2". + + + File Error + Błąd pliku + + + Cannot write file %1: %2 + Nie można zapisać pliku %1: %2 + + + Cannot write file %1. Disk full? + Nie można zapisać pliku %1. Pełny dysk? + + + %1: Is a reserved filename on Windows. Cannot save. + Nie można zachować pliku %1, jego nazwa jest zarezerwowaną nazwą pliku w systemie Windows. + + + Cannot overwrite file %1: %2 + Nie można nadpisać pliku %1: %2 + + + Cannot create file %1: %2 + Nie można utworzyć pliku "%1": %2 + + + Cannot create temporary file in %1: %2 + Nie można utworzyć tymczasowego pliku w %1: %2 + + + Overwrite File? + + + + Overwrite existing file "%1"? + + + + Out of memory. + Brak pamięci. + + + An encoding error was encountered. + Napotkano błąd kodowania. + + + "%1" is an invalid ELF object (%2) + "%1" nie jest poprawnym obiektem ELF (%2) + + + "%1" is not an ELF object (file too small) + "%1" nie jest obiektem ELF (za mały plik) + + + "%1" is not an ELF object + "%1" nie jest obiektem ELF + + + odd cpu architecture + nietypowa architektura cpu + + + odd endianness + nietypowa kolejność bajtów + + + unexpected e_shsize + nieoczekiwany e_shsize + + + unexpected e_shentsize + nieoczekiwany e_shentsize + + + announced %n sections, each %1 bytes, exceed file size + + zapowiedziana %n sekcja, %1 bajtowa, przekracza rozmiar pliku + zapowiedziane %n sekcje, każda %1 bajtowa, przekraczają rozmiar pliku + zapowiedzianych %n sekcji, każda %1 bajtowa, przekracza rozmiar pliku + + + + string table seems to be at 0x%1 + wygląda na to, że tablica ciągów znakowych leży pod adresem: 0x%1 + + + section name %1 of %2 behind end of file + nazwa sekcji %1 z %2 poza EOF + + + Reset + + + + Enable + + + + Disable + Zablokuj + + + Leave at Default + + + + Add + Dodaj + + + Remove + Usuń + + + Rename + Zmień nazwę + + + Do you really want to delete the configuration <b>%1</b>? + Czy na pewno usunąć konfigurację <b>%1</b>? + + + New name for configuration <b>%1</b>: + Nowa nazwa dla konfiguracji <b>%1</b>: + + + Rename... + Zmień nazwę... + + + Delete + Usunięto + + + Insert + Wstawiono + + + Equal + Brak zmian + + + Filter + Filtr + + + Clear text + Wyczyść tekst + + + Show/Hide Password + + + + User: + Użytkownik: + + + Password: + Hasło: + + + Infinite recursion error + Błąd: nieskończona pętla + + + %1: Full path including file name. + %1: Pełna ścieżka zawierająca nazwę pliku. + + + %1: Full path excluding file name. + %1: Pełna ścieżka bez nazwy pliku. + + + %1: Full path including file name, with native path separator (backslash on Windows). + %1: Pełna ścieżka włącznie z nazwą pliku, z natywnymi separatorami (backslashe na Windowsie). + + + %1: Full path excluding file name, with native path separator (backslash on Windows). + %1: Pełna ścieżka bez nazwy pliku, z natywnymi separatorami (backslashe na Windowsie). + + + %1: File name without path. + %1: Nazwa pliku bez ścieżki. + + + %1: File base name without path and suffix. + %1: Bazowa nazwa pliku bez ścieżki i rozszerzenia. + + + Global variables + Zmienne globalne + + + Access environment variables. + Dostęp do zmiennych środowiskowych. + + + Failed to Read File + + + + Could not open "%1". + + + + Failed to Write File + + + + There was nothing to write. + + + + No Valid Settings Found + Brak poprawnych ustawień + + + <p>No valid settings file could be found.</p><p>All settings files found in directory "%1" were unsuitable for the current version of %2, for instance because they were written by an incompatible version of %2, or because a different settings path was used.</p> + + + + <p>No valid settings file could be found.</p><p>All settings files found in directory "%1" were either too new or too old to be read.</p> + <p>Brak poprawnego pliku z ustawieniami.</p><p>Napotkane pliki z ustawieniami w katalogu "%1" były albo zbyt nowe, albo zbyt stare, aby je odczytać.</p> + + + Using Old Settings + Użycie starych ustawień + + + <p>The versioned backup "%1" of the settings file is used, because the non-versioned file was created by an incompatible version of %2.</p><p>Settings changes made since the last time this version of %2 was used are ignored, and changes made now will <b>not</b> be propagated to the newer version.</p> + + + + Settings File for "%1" from a Different Environment? + + + + <p>No settings file created by this instance of %1 was found.</p><p>Did you work with this project on another machine or using a different settings path before?</p><p>Do you still want to load the settings file "%2"?</p> + + + + Unsupported Merge Settings File + + + + "%1" is not supported by %2. Do you want to try loading it anyway? + + + + Cannot create OpenGL context. + Nie można utworzyć kontekstu OpenGL. + + + Edit Environment + Modyfikacja środowiska + + + Enter one environment variable per line. +To set or change a variable, use VARIABLE=VALUE. +To append to a variable, use VARIABLE+=VALUE. +To prepend to a variable, use VARIABLE=+VALUE. +Existing variables can be referenced in a VALUE with ${OTHER}. +To clear a variable, put its name on a line with nothing else on it. +To disable a variable, prefix the line with "#". + + + + Show %1 Column + + + + No clangd executable specified. + + + + Failed to retrieve clangd version: Unexpected clangd output. + + + + The clangd version is %1, but %2 or greater is required. + + + + The process failed to start. + Błąd uruchamiania procesu. + + + Failed to install shell script: %1 +%2 + + + + Timeout while trying to check for %1. + + + + Command "%1" was not found. + + + + Script installation was forced to fail. + + + + Timeout while waiting for shell script installation. + + + + Failed to install shell script: %1 + + + + Failed to open temporary script file. + + + + Failed to start terminal process: "%1". + + + + %1 on %2 + File on device + + + + %1 %2 on %3 + File and args on device + + + + Error while trying to copy file: %1 + + + + Could not copy file: %1 + + + + Could not set permissions on "%1" + + + + No "localSource" device hook set. + + + + Failed copying file. + + + + Failed reading file. + + + + Failed writing file. + + + + My Computer + + + + Computer + + + + Name + Nazwa + + + Size + Rozmiar + + + Kind + Match OS X Finder + + + + Type + All other platforms + Typ + + + Date Modified + + + + &Show Details + &Pokaż szczegóły + + + Do Not Show Again + Nie pokazuj ponownie + + + Close + Zamknij + + + Null + + + + Bool + + + + Double + + + + String + Ciąg znakowy + + + Array + + + + Object + Obiekt + + + Undefined + Niezdefiniowana + + + %n Items + + + + + + + + Failed to start process launcher at "%1": %2 + + + + Process launcher closed unexpectedly: %1 + + + + Process launcher socket error. + + + + Internal socket error: %1 + + + + Socket error: %1 + + + + Internal protocol error: invalid packet size %1. + + + + Internal protocol error: invalid packet type %1. + + + + Launcher socket closed unexpectedly. + + + + Minimize + Zminimalizuj + + + &OK + + + + &Cancel + &Anuluj + + + Remove File + Usuń plik + + + Remove Folder + + + + &Delete file permanently + &Skasuj plik bezpowrotnie + + + &Remove from version control + + + + File to remove: + Plik do usunięcia: + + + Folder to remove: + + + + Elapsed time: %1. + Czas trwania: %1. + + + Could not find any shell. + + + + File format not supported. + + + + Could not find any unarchiving executable in PATH (%1). + + + + No source file set. + + + + No destination directory set. + + + + Command failed. + + + + Running %1 +in "%2". + + + Running <cmd> in <workingdirectory> + + + + Insert Variable + Wstaw zmienną + + + Current Value: %1 + Bieżąca wartość: %1 + + + Insert Unexpanded Value + Wstaw zwiniętą wartość + + + Insert "%1" + Wstaw "%1" + + + Insert Expanded Value + Wstaw rozwiniętą wartość + + + Select a variable to insert. + Wybierz zmienną do wstawienia. + + + Variables + Zmienne + + + Invalid command + + + + + QtC::Valgrind + + Location + Położenie + + + Issue + Problem + + + %1 in function %2 + %1 w funkcji %2 + + + Location: + Położenie: + + + Instruction pointer: + Wskaźnik do instrukcji: + + + Could not parse hex number from "%1" (%2) + Błąd parsowania liczby szesnastkowej z "%1" (%2) + + + Parsing canceled. + + + + Premature end of XML document. + + + + Could not parse hex number from "%1" (%2). + + + + Trying to read element text although current position is not start of element. + + + + Unexpected child element while reading element text + Nieoczekiwany podelement podczas odczytu elementu tekstowego + + + Unexpected token type %1 + Nieoczekiwany typ znaku %1 + + + Could not parse protocol version from "%1" + Błąd parsowania wersji protokołu z "%1" + + + XmlProtocol version %1 not supported (supported version: 4) + Nieobsługiwana wersja XmlProtocol %1 (obsługiwana wersja: 4) + + + Valgrind tool "%1" not supported + Narzędzie Valgrind "%1" nie jest obsługiwane + + + Unknown %1 kind "%2" + + + + Could not parse error kind, tool not yet set. + Nie można sparsować rodzaju błędu, narzędzie nie zostało jeszcze ustawione. + + + Unknown state "%1" + Nieznany stan "%1" + + + Unexpected exception caught during parsing. + Złapano nieoczekiwany wyjątek podczas parsowania. + + + Description + Opis + + + Instruction Pointer + Wskaźnik do instrukcji + + + Object + Obiekt + + + Directory + Katalog + + + File + Plik + + + Line + Linia + + + Suppression File: + Plik tłumienia: + + + Suppression: + Tłumienie: + + + Select Suppression File + Wybierz plik tłumienia + + + Save Suppression + Zachowaj tłumienie + + + Valgrind executable: + Plik wykonywalny valgrind: + + + Valgrind Command + Komenda valgrind + + + Valgrind Suppression Files + Pliki tłumienia valgrinda + + + Valgrind Suppression File (*.supp);;All Files (*) + Plik tłumienia valgrind'a (*.supp);;Wszystkie pliki (*) + + + Backtrace frame count: + Głębokość stosu: + + + Suppression files: + Plik tłumienia: + + + Add... + Dodaj... + + + Remove + Usuń + + + Track origins of uninitialized memory + Śledź źródła niezainicjalizowanej pamięci + + + Limits the amount of results the profiler gives you. A lower limit will likely increase performance. + Ogranicza liczbę rezultatów dostarczanych przez profilera. Niższy limit zwiększa wydajność. + + + Result view: Minimum event cost: + Widok z wynikami: Minimalny koszt zdarzeń: + + + % + % + + + Show additional information for events in tooltips + Pokazuj dodatkowe informacje o zdarzeniach w podpowiedziach + + + Valgrind arguments: + + + + Extra Memcheck arguments: + + + + KCachegrind executable: + + + + KCachegrind Command + + + + Extra Callgrind arguments: + + + + Enable cache simulation + Odblokuj symulację cache'a + + + <p>Does full cache simulation.</p> +<p>By default, only instruction read accesses will be counted ("Ir").</p> +<p> +With cache simulation, further event counters are enabled: +<ul><li>Cache misses on instruction reads ("I1mr"/"I2mr").</li> +<li>Data read accesses ("Dr") and related cache misses ("D1mr"/"D2mr").</li> +<li>Data write accesses ("Dw") and related cache misses ("D1mw"/"D2mw").</li></ul> +</p> + + + + Enable branch prediction simulation + Odblokuj symulację "branch prediction" + + + <p>Does branch prediction simulation.</p> +<p>Further event counters are enabled: </p> +<ul><li>Number of executed conditional branches and related predictor misses ( +"Bc"/"Bcm").</li> +<li>Executed indirect jumps and related misses of the jump address predictor ( +"Bi"/"Bim").)</li></ul> + + + + Collect system call time + Pokazuj czas systemowy + + + Collect the number of global bus events that are executed. The event type "Ge" is used for these events. + + + + Valgrind Generic Settings + + + + Memcheck Memory Analysis Options + + + + Callgrind Profiling Options + + + + Collect global bus events + + + + Visualization: Minimum event cost: + Wizualizacja: Minimalny koszt zdarzeń: + + + Detect self-modifying code: + Wykrywanie samomodyfikującego się kodu: + + + No + Nie + + + Show reachable and indirectly lost blocks + Pokazuj osiągalne i pośrednio utracone bloki + + + Check for leaks on finish: + Sprawdzanie wycieków przy wyjściu: + + + Summary Only + Skrótowe + + + Full + Pełne + + + Collects information for system call times. + Zbieraj informacje o czasie wywołań funkcji systemowych. + + + Callee + Zawołana + + + Caller + Wołająca + + + Cost + Koszt + + + Calls + Wywołania + + + Previous command has not yet finished. + Poprzednia komenda jeszcze się nie zakończyła. + + + Dumping profile data... + Zrzucanie danych profilera... + + + Resetting event counters... + Resetowanie liczników zdarzeń... + + + Pausing instrumentation... + Zatrzymywanie instrumentalizacji... + + + Unpausing instrumentation... + Kontynuowanie instrumentalizacji... + + + An error occurred while trying to run %1: %2 + Wystąpił błąd podczas uruchamiania %1: %2 + + + Callgrind dumped profiling info + Callgrind zrzucił informacje profilera + + + Callgrind unpaused. + Callgrind wznowił pracę. + + + Failed opening temp file... + + + + Function: + Funkcja: + + + File: + Plik: + + + Object: + Obiekt: + + + Called: + Zawołano: + + + %n time(s) + + %n raz + %n razy + %n razy + + + + Events + Zdarzenia + + + Self costs + Własny koszt + + + (%) + (%) + + + Incl. costs + Łączny koszt + + + (%1%) + (%1%) + + + %1 cost spent in a given function excluding costs from called functions. + %1 koszt spędzony w danej funkcji nie wliczając kosztów funkcji zawołanych. + + + %1 cost spent in a given function including costs from called functions. + %1 koszt spędzony w danej funkcji wliczając koszty funkcji zawołanych. + + + Function + Funkcja + + + Called + Zawołano + + + Self Cost: %1 + Własny koszt: %1 + + + Incl. Cost: %1 + Łączny koszt: %1 + + + %1 in %2 + %1 w %2 + + + %1:%2 in %3 + %1: %2 w %3 + + + Last-level + Ostatni poziom + + + Instruction + Instrukcja + + + Cache + Cache + + + Conditional branches + Gałęzie warunkowe + + + Indirect branches + Gałęzie pośrednie + + + level %1 + poziom %1 + + + read + odczyt + + + write + zapis + + + mispredicted + nieprzewidziany + + + executed + wykonany + + + miss + opuszczony + + + access + dostęp + + + Line: + Linia: + + + Position: + Pozycja: + + + All functions with an inclusive cost ratio higher than %1 (%2 are hidden) + Wszystkie funkcje ze współczynnikiem łącznego kosztu wyższym niż %1 (ilość ukrytych: %2) + + + %1%2 + %1%2 + + + in %1 + w %1 + + + Suppress Error + Wytłum błąd + + + External Errors + Błędy zewnętrzne + + + Suppressions + Stłumienia + + + Definite Memory Leaks + Wyraźne wycieki pamięci + + + Possible Memory Leaks + Prawdopodobne wycieki pamięci + + + Use of Uninitialized Memory + Użycie niezainicjalizowanej pamięci + + + Invalid Calls to "free()" + Niepoprawne wywołania "free()" + + + Memcheck + Memcheck + + + Valgrind Analyze Memory uses the Memcheck tool to find memory leaks. + Analizator pamięci Valgrind używa narzędzia Memcheck do wykrywania przecieków pamięci. + + + Valgrind Memory Analyzer + Analizator pamięci Valgrind + + + Valgrind Memory Analyzer with GDB + Analizator pamięci Valgrind z GDB + + + Valgrind Analyze Memory with GDB uses the Memcheck tool to find memory leaks. +When a problem is detected, the application is interrupted and can be debugged. + Analizator pamięci Valgrind z GDB używa narzędzia Memcheck do wykrywania przecieków pamięci. +Kiedy zostaje wykryty problem, aplikacja jest zatrzymywana i może zostać zdebugowana. + + + Heob + + + + Ctrl+Alt+H + + + + Valgrind Memory Analyzer (External Application) + Analizator pamięci Valgrind (zewnętrza aplikacja) + + + Heob: No local run configuration available. + + + + Heob: No toolchain available. + + + + Heob: No executable set. + + + + Heob: Cannot find %1. + + + + The %1 executables must be in the appropriate location. + + + + Heob used with MinGW projects needs the %1 DLLs for proper stacktrace resolution. + + + + Heob: Cannot create %1 process (%2). + + + + A Valgrind Memcheck analysis is still in progress. + Trwa analiza Memcheck Valgrinda. + + + Start a Valgrind Memcheck analysis. + Uruchom analizę Memcheck Valgrinda. + + + Start a Valgrind Memcheck with GDB analysis. + Uruchom analizę Memcheck Valgrinda wraz z GDB. + + + Memcheck: Failed to open file for reading: %1 + Memcheck: Nie można otworzyć pliku do odczytu: %1 + + + Memcheck: Error occurred parsing Valgrind output: %1 + Memcheck: Błąd podczas parsowania komunikatów Valgrind'a: %1 + + + Memory Analyzer Tool finished. %n issues were found. + + + + + + + + Log file processed. %n issues were found. + + + + + + + + New + Nowy + + + Delete + + + + XML output file: + + + + Handle exceptions: + + + + Off + + + + On + + + + Only + + + + Page protection: + + + + After + + + + Before + + + + Freed memory protection + + + + Raise breakpoint exception on error + + + + Leak details: + + + + None + Brak + + + Simple + + + + Detect Leak Types + + + + Detect Leak Types (Show Reachable) + + + + Fuzzy Detect Leak Types + + + + Fuzzy Detect Leak Types (Show Reachable) + + + + Minimum leak size: + + + + Control leak recording: + + + + On (Start Disabled) + + + + On (Start Enabled) + + + + Run with debugger + + + + Extra arguments: + Dodatkowe argumenty: + + + Heob path: + + + + The location of heob32.exe and heob64.exe. + + + + Save current settings as default. + + + + OK + OK + + + Default + + + + New Heob Profile + + + + Heob profile name: + + + + %1 (copy) + %1 (kopia) + + + Delete Heob Profile + + + + Are you sure you want to delete this profile permanently? + + + + Process %1 + Proces %1 + + + Process finished with exit code %1 (0x%2). + + + + Unknown argument: -%1 + + + + Cannot create target process. + + + + Wrong bitness. + + + + Process killed. + + + + Only works with dynamically linked CRT. + + + + Process stopped with unhandled exception code 0x%1. + + + + Not enough memory to keep track of allocations. + + + + Application stopped unexpectedly. + + + + Extra console. + + + + Unknown exit reason. + + + + Heob stopped unexpectedly. + + + + Heob: %1 + + + + Heob: Failure in process attach handshake (%1). + + + + Memory Issues + Problemy pamięci + + + Load External XML Log File + Załaduj zewnętrzny plik logu XML + + + Go to previous leak. + Przejdź do poprzedniego wycieku. + + + Go to next leak. + Przejdź do następnego wycieku. + + + Show issues originating outside currently opened projects. + Pokaż problemy mające źródło na zewnątrz otwartych projektów. + + + These suppression files were used in the last memory analyzer run. + Te pliki tłumienia były użyte podczas ostatniego uruchomienia analizatora pamięci. + + + Error Filter + Filtr błędów + + + Open Memcheck XML Log File + Otwórz plik XML logu Memchecka + + + XML Files (*.xml);;All Files (*) + Pliki XML (*.xml);;Wszystkie pliki (*) + + + Valgrind + Valgrind + + + Valgrind Settings + Ustawienia Valgrinda + + + Valgrind Function Profiler uses the Callgrind tool to record function calls when a program runs. + Valgrind Function Profiler używa narzędzia Callgrind do śledzenia wywołań funkcji w trakcie działania programu. + + + Valgrind Function Profiler + Valgrind Function Profiler + + + Valgrind Function Profiler (External Application) + Valgrind Function Profiler (aplikacja zewnętrzna) + + + Profile Costs of This Function and Its Callees + + + + Visualization + Wizualizacja + + + Callers + Wołające + + + Callees + Zawołane + + + Functions + Funkcje + + + Load External Log File + Ładuje zewnętrzny plik logu + + + Open results in KCachegrind. + + + + Request the dumping of profile information. This will update the Callgrind visualization. + Żąda zrzutu informacji i odświeża widok Callgrinda. + + + Reset all event counters. + Resetuje wszystkie liczniki zdarzeń. + + + Pause event logging. No events are counted which will speed up program execution during profiling. + Wstrzymuje logowanie zdarzeń. Żadne zdarzenia nie będą zliczane, co spowoduje przyśpieszenie wykonywania programu podczas profilowania. + + + Discard Data + + + + Go back one step in history. This will select the previously selected item. + Przechodzi wstecz o jeden krok w historii. Spowoduje to zaznaczenie uprzednio wybranego elementu. + + + Go forward one step in history. + Przechodzi naprzód o jeden krok w historii. + + + Selects which events from the profiling data are shown and visualized. + Wybiera, które zdarzenia z profilowanych danych zostaną zwizualizowane. + + + Absolute Costs + Koszty bezwzględne + + + Show costs as absolute numbers. + Pokazuje koszty jako wartości bezwzględne. + + + Relative Costs + Koszty względne + + + Show costs relative to total inclusive cost. + Pokaż koszty względne do wszystkich łącznych kosztów. + + + Relative Costs to Parent + Koszty względem rodzica + + + Show costs relative to parent function's inclusive cost. + Pokaż koszty względne do łącznych kosztów funkcji macierzystej. + + + Cost Format + Format kosztu + + + Enable cycle detection to properly handle recursive or circular function calls. + Odblokowuje detekcję cykli w celu poprawnej obsługi rekurencyjnych wywołań funkcji. + + + Remove template parameter lists when displaying function names. + Ukrywaj listy parametrów szablonów w wyświetlanych nazwach funkcji. + + + Show Project Costs Only + Pokaż jedynie koszty projektu + + + Show only profiling info that originated from this project source. + Pokazuje informacje o profilowaniu pochodzące tylko z tego projektu. + + + Filter... + Filtr... + + + Callgrind + Callgrind + + + %1 (Called: %2; Incl. Cost: %3) + + + + A Valgrind Callgrind analysis is still in progress. + Trwa analiza Callgrind Valgrinda. + + + Start a Valgrind Callgrind analysis. + Uruchom analizę Callgrind Valgrinda. + + + Profiling aborted. + Przerwano profilowanie. + + + Parsing finished, no data. + Zakończono parsowanie, brak danych. + + + Parsing finished, total cost of %1 reported. + Zakończono parsowanie, całkowity koszt wyniósł %1. + + + Parsing failed. + Błąd parsowania. + + + Select This Function in the Analyzer Output + Wybierz tę funkcję na wyjściu analizatora + + + Populating... + Wypełnianie... + + + Open Callgrind Log File + Otwórz plik logu Callgrinda + + + Callgrind Output (callgrind.out*);;All Files (*) + Wyjście Callgrind (callgrind.out*);;Wszystkie pliki (*) + + + Callgrind: Failed to open file for reading: %1 + Callgrind: Nie można otworzyć pliku do odczytu: %1 + + + Parsing Profile Data... + Parsowanie danych profilera... + + + Profiling + Profilowanie + + + Profiling %1 + Profilowanie %1 + + + Analyzing Memory + Analiza pamięci + + + Valgrind executable "%1" not found or not executable. +Check settings or ensure Valgrind is installed and available in PATH. + + + + Analyzing finished. + Zakończono analizę. + + + Error: "%1" could not be started: %2 + Błąd: nie można uruchomić "%1": %2 + + + Error: no Valgrind executable set. + Błąd: nie ustawiono pliku wykonywalnego valgrind. + + + Process terminated. + Zakończono proces. + + + Process exited with return value %1 + + + + + XmlServer on %1: + XmlServer na %1: + + + LogServer on %1: + LogServer na %1: + + + + QtC::Vcpkg + + Copy paste the required lines into your CMakeLists.txt: + + + + Add vcpkg Package... + + + + CMake Code... + + + + Vcpkg Manifest Editor + + + + Add vcpkg Package + + + + This package is already a project dependency. + + + + Packages: + + + + Package Details + + + + Name: + Nazwa: + + + Version: + Wersja: + + + License: + Licencja: + + + Description: + Opis: + + + Homepage: + + + + Vcpkg installation + + + QtC::VcsBase + + Email + E-mail + + + Alias email + Alias e-mail + + + Alias + Alias + + + State + Stan + + + File + Plik + + + Version Control + System kontroli wersji + + + General + Ogólne + + + Check Message + Sprawdź opis + + + Insert Name... + Wstaw nazwę... + + + &Close + &Zamknij + + + &Keep Editing + + + + Submit Message Check Failed + Błąd podczas sprawdzania opisu poprawki + + + Executing %1 + Wykonywanie %1 + + + Executing [%1] %2 + Wykonywanie [%1] %2 + + + The directory %1 could not be deleted. + Nie można usunąć katalogu "%1". + + + The file %1 could not be deleted. + Nie można usunąć pliku "%1". + + + There were errors when cleaning the repository %1: + Wystąpiły błędy podczas czyszczenia repozytorium %1: + + + Delete... + Usuń... + + + Name + Nazwa + + + Repository: %1 + Repozytorium: %1 + + + %n bytes, last modified %1. + + %n bajt, ostatnio zmodyfikowano %1. + %n bajty, ostatnio zmodyfikowano %1. + %n bajtów, ostatnio zmodyfikowano %1. + + + + Delete + Usuń + + + Do you want to delete %n files? + + Czy usunąć %n plik? + Czy usunąć %n pliki? + Czy usunąć %n plików? + + + + Cleaning "%1" + Czyszczenie %1 + + + CVS Commit Editor + Edytor poprawek CVS + + + CVS Command Log Editor + Edytor logu komend CVS + + + CVS File Log Editor + Edytor logu plików CVS + + + CVS Annotation Editor + Edytor adnotacji CVS + + + CVS Diff Editor + Edytor różnic CVS + + + Git SVN Log Editor + + + + Git Log Editor + + + + Git Reflog Editor + + + + Git Annotation Editor + Edytor adnotacji Git + + + Git Commit Editor + Edytor poprawek Git + + + Git Rebase Editor + + + + Git Submit Editor + Edytor opisu poprawek w Git + + + Mercurial File Log Editor + Edytor logu plików Mercurial + + + Mercurial Annotation Editor + Edytor adnotacji Mercurial + + + Mercurial Diff Editor + Edytor różnic Mercurial + + + Mercurial Commit Log Editor + Edytor poprawek Mercurial + + + Perforce.SubmitEditor + Edytor opisu poprawek w Perforce + + + Perforce Log Editor + Edytor logu plików Perforce + + + Perforce Diff Editor + Edytor różnic Perforce + + + Perforce Annotation Editor + Edytor adnotacji Perforce + + + Subversion Commit Editor + Edytor poprawek Subversion + + + Subversion File Log Editor + Edytor logu plików Subversion + + + Subversion Annotation Editor + Edytor adnotacji Subversion + + + Bazaar File Log Editor + Edytor logu plików Bazaar + + + Bazaar Annotation Editor + Edytor adnotacji Bazaar + + + Bazaar Diff Editor + Edytor różnic Bazaar + + + Bazaar Commit Log Editor + Edytor poprawek Bazaar + + + ClearCase Check In Editor + Edytor wrzucanych zmian ClearCase + + + ClearCase File Log Editor + Edytor logu plików ClearCase + + + ClearCase Annotation Editor + Edytor adnotacji ClearCase + + + ClearCase Diff Editor + Edytor różnic ClearCase + + + Choose Repository Directory + Wybierz katalog repozytorium + + + The file "%1" could not be deleted. + Nie można usunąć pliku "%1". + + + Commit + name of "commit" action of the VCS. + Name of the "commit" action of the VCS + Utwórz poprawkę + + + Close Commit Editor + Zamknij edytor poprawek + + + Closing this editor will abort the commit. + + + + Cannot commit. + + + + Cannot commit: %1. + + + + Save before %1? + + + + The directory "%1" is already managed by a version control system (%2). Would you like to specify another directory? + Katalog "%1" jest już zarządzany przez system kontroli wersji (%2). Czy chcesz podać inny katalog? + + + Repository already under version control + Repozytorium znajduje się już w systemie kontroli wersji + + + Repository Created + Utworzono repozytorium + + + Repository Creation Failed + Błąd podczas tworzenia repozytorium + + + A version control repository has been created in %1. + Repozytorium systemu kontroli wersji została utworzona w %1. + + + A version control repository could not be created in %1. + Nie można utworzyć repozytorium systemu kontroli wersji w %1. + + + Annotate "%1" + Dołącz adnotację do "%1" + + + Copy "%1" + Skopiuj "%1" + + + &Describe Change %1 + &Opisz zmianę %1 + + + Send to CodePaster... + Wyślij do Codepaster... + + + Apply Chunk... + Zastosuj fragment... + + + Revert Chunk... + Zastosuj odwrotny fragment... + + + Failed to retrieve data. + Nie można odebrać danych. + + + Configuration + Konfiguracja + + + No version control set on "VcsConfiguration" page. + Do not translate "VcsConfiguration", because it is the id of a page. + Then "VcsConfiguration" shouldn't be included in the source message + Nie ustawiono systemu kontroli wersji na stronie "VcsConfiguration". + + + "vcsId" ("%1") is invalid for "VcsConfiguration" page. Possible values are: %2. + Do not translate "VcsConfiguration", because it is the id of a page. + "vcsid" ("%1") nie jest poprawną wartością dla strony "VcsConfiguration"). Możliwe wartości: %2. + + + Please configure <b>%1</b> now. + Skonfiguruj teraz <b>%1</b>. + + + No known version control selected. + Nie wybrano poprawnego systemu kontroli wersji. + + + Clean Repository + Wyczyść repozytorium + + + Wrap submit message at: + Zawijaj opisy poprawek po: + + + characters + znakach + + + An executable which is called with the submit message in a temporary file as first argument. It should return with an exit != 0 and a message on standard error to indicate failure. + Plik wykonywalny, który jest uruchamiany z nazwą pliku tymczasowego, przechowującego opis zmiany, jako pierwszy argument. Powinien on zwrócić wartość różną od 0 i standardowy komunikat o błędzie w razie niepowodzenia. + + + Submit message &check script: + Skrypt sprawdzający &opisy poprawek: + + + User/&alias configuration file: + Plik z konfiguracją użytkownika / &aliasu: + + + A simple file containing lines with field names like "Reviewed-By:" which will be added below the submit editor. + Plik z liniami zawierającymi pola takie jak: "Reviewed-By:", który zostanie dodany w edytorze opisów poprawek. + + + User &fields configuration file: + Plik z konfiguracją &pól użytkownika: + + + &SSH prompt command: + Komenda monitu &SSH: + + + Specifies a command that is executed to graphically prompt for a password, +should a repository require SSH-authentication (see documentation on SSH and the environment variable SSH_ASKPASS). + W przypadku, gdy repozytorium wymaga autoryzacji SSH, pole to definiuje komendę, która będzie pytała o hasło. +Sprawdź dokumentację SSH i zmienną środowiskową SSH_ASKPASS. + + + A file listing nicknames in a 4-column mailmap format: +'name <email> alias <email>'. + Plik z listą przydomków użytkowników w 4 kolumnach (format mailmap): +"nazwa <e-mail> alias <e-mail>". + + + Reset information about which version control system handles which directory. + Usuń informację o tym, który system kontroli wersji zarządza poszczególnymi katalogami. + + + Reset VCS Cache + Zresetuj cache'a VCS + + + Open URL in Browser... + Otwórz URL w przeglądarce... + + + Copy URL Location + Skopiuj położenie URL + + + Send Email To... + Wyślij e-mail do... + + + Copy Email Address + Skopiuj adres e-mail + + + Subversion Submit + Utwórz poprawkę w Subversion + + + Descriptio&n + &Opis + + + F&iles + Pl&iki + + + %1 %2/%n File(s) + + %1 %2 z %n pliku + %1 %2 z %n plików + %1 %2 z %n plików + + + + Warning: The commit subject is very short. + + + + Warning: The commit subject is too long. + + + + Hint: Aim for a shorter commit subject. + + + + Hint: The second line of a commit message should be empty. + + + + <p>Writing good commit messages</p><ul><li>Avoid very short commit messages.</li><li>Consider the first line as a subject (like in emails) and keep it shorter than 72 characters.</li><li>After an empty second line, a longer description can be added.</li><li>Describe why the change was done, not how it was done.</li></ul> + + + + Update in progress + + + + Description is empty + + + + No files checked + + + + &Commit + &Utwórz poprawkę + + + Select All + Check all for submit + Zaznacz wszystko + + + Unselect All + Uncheck all for submit + Odznacz wszystko + + + Select a&ll + Zaznacz &wszystko + + + Name of the version control system in use by the current project. + Nazwa systemu kontroli wersji używana w bieżącym projekcie. + + + The current version control topic (branch or tag) identification of the current project. + + + + The top level path to the repository the current project is in. + Ścieżka do repozytorium do którego przynależy bieżący projekt. + + + Open "%1" + Otwórz "%1" + + + Clear + Wyczyść + + + Running: %1 + + + + Running in "%1": %2. + + Working... Przetwarzanie... @@ -32846,6 +57194,10 @@ Ustawianie pułapek w liniach plików może się nie udać. Job in "VcsCommand" page has no "%1" set. Brak ustawionego "%1" w zadaniu na stronie "VcsCommand". + + Command started... + Komenda uruchomiona... + Checkout Kopia robocza @@ -32870,280 +57222,304 @@ Ustawianie pułapek w liniach plików może się nie udać. "%1" (%2) does not exist. "%1" (%2) nie istnieje. - - - QtC::Debugger - Anonymous Function - Anonimowa funkcja - - - - QtC::Core - - System - System + No job running, please abort. + Brak uruchomionych zadań, przerwij. - Terminal: - Terminal: + Succeeded. + Poprawnie zakończone. - Warn before opening text files greater than - Ostrzegaj przed otwieraniem plików tekstowych większych niż + Failed. + Niepoprawnie zakończone. - MB - MB - - - Automatically creates temporary copies of modified files. If Qt Creator is restarted after a crash or power failure, it asks whether to recover the auto-saved content. - Automatycznie tworzy kopie tymczasowe zmodyfikowanych plików. Jeśli Qt Creator zostanie uruchomiony po uprzednim przerwaniu pracy, możliwe będzie przywrócenie automatycznie zachowanej zawartości. - - - Auto-save modified files - Automatycznie zachowuj zmodyfikowane pliki - - - Interval: - Interwał: - - - min - unit for minutes - min - - - When files are externally modified: - W przypadku zewnętrznej modyfikacji plików: - - - Always Ask - Zawsze pytaj - - - Reload All Unchanged Editors - Przeładowuj wszystkie niezmienione edytory - - - Ignore Modifications - Ignoruj modyfikacje - - - Patch command: - Komenda "patch": - - - ? - ? - - - Reset to default. - File Browser - Przywróć domyślną. - - - Reset - Zresetuj - - - External file browser: - Zewnętrzna przeglądarka plików: - - - Reset to default. - Terminal - Przywróć domyślny. - - - File system case sensitivity: - Uwzględnianie wielkości liter w nazwach plików: - - - Command used for reverting diff chunks. - Komenda użyta do odwracania fragmentów różnicowych. - - - Case Sensitive (Default) - Uwzględniaj wielkość liter (domyślne) - - - Case Insensitive (Default) - Nie uwzględniaj wielkości liter (domyślne) - - - Case Insensitive - Nie uwzględniaj wielkości liter - - - Influences how file names are matched to decide if they are the same. - Wpływa na sposób, w jaki nazwy plików są ze sobą porównywane, w celu stwierdzenia, że są to te same pliki. - - - Automatically free resources of old documents that are not visible and not modified. They stay visible in the list of open documents. - Automatycznie zwalnia zasoby zajmowane przez dokumenty które nie są widoczne i nie zostały zmodyfikowane. Dokumenty te nadal będą widoczne na liście otwartych dokumentów. - - - Auto-suspend unmodified files - Automatycznie usypiaj niezmodyfikowane pliki - - - Minimum number of open documents that should be kept in memory. Increasing this number will lead to greater resource usage of Qt Creator when not manually closing documents. - Minimalna liczba otwartych dokumentów trzymanych w pamięci. Zwiększenie tej liczby spowoduje większe zużycie zasobów Qt Creatora w przypadku braku ręcznego zamykania dokumentów. - - - Files to keep open: - Liczba nieuśpionych plików: - - - - QmlDesigner::DebugViewWidget - - Debug - Debug - - - Model Log - Log modelu - - - Clear - Wyczyść - - - Instance Notifications - Powiadomienia - - - Instance Errors - Błędy - - - Enabled - Odblokowany - - - - ApplicationWindowSpecifics - - Window - Okno - - - Title - Tytuł - - - Size - Rozmiar - - - Color - Kolor - - - Visible - Widoczny - - - Opacity - Nieprzezroczystość - - - - QmlDesigner::PuppetBuildProgressDialog - - Build Progress - Postęp budowania - - - Build Adapter for the current Qt. Happens only once for every Qt installation. - Budowanie adaptera dla bieżącego Qt. Wymagane tylko raz dla każdej instalacji Qt. - - - Open error output file - Otwórz plik z błędami wyjściowymi - - - Use Fallback QML Emulation Layer - Użyj zastępczego emulatora QML - - - OK - OK - - - - QmlDesigner::PuppetDialog - - Dialog - Dialog - - - - QmlDesigner::ConnectionViewWidget - - Connections - Połączenia - - - - QtC::QmlProfiler - - Flush data while profiling: - Przepychaj dane podczas profilowania: - - - Flush interval (ms): - Częstość przepychania (ms): - - - Process data only when process ends: - Przetwarzaj dane tylko po zakończeniu procesu: - - - Only process data when the process being profiled ends, not when the current recording -session ends. This way multiple recording sessions can be aggregated in a single trace, -for example if multiple QML engines start and stop sequentially during a single run of -the program. + Fossil File Log Editor - Periodically flush pending data to Qt Creator. This reduces the delay when loading the -data and the memory usage in the application. It distorts the profile as the flushing -itself takes time. + Fossil Annotation Editor + + + + Fossil Diff Editor + + + + Fossil Commit Log Editor + + + + &Undo + &Cofnij + + + &Redo + &Przywróć + + + Diff &Selected Files + Pokaż różnice w &zaznaczonych plikach + + + Log count: + Licznik logu: + + + Timeout: + Limit czasu oczekiwania: + + + s + s + + + Reload + Przeładuj + + + &Open "%1" + + + + &Copy to clipboard: "%1" - GridLayoutSpecifics + QtC::WebAssembly - GridLayout - Rozmieszczenie w siatce - - - Columns - Kolumny - - - Rows - Wiersze - - - Flow + Web Browser - Layout Direction - Kierunek rozmieszczania + WebAssembly Runtime + - Row Spacing - Odstępy między wierszami + Setup Emscripten SDK for WebAssembly? To do it later, select Edit > Preferences > Devices > WebAssembly. + - Column Spacing - Odstępy między kolumnami + Setup Emscripten SDK + + + + WebAssembly + Qt Version is meant for WebAssembly + + + + %1 does not support Qt for WebAssembly below version %2. + + + + Default Browser + + + + Web browser: + + + + Effective emrun call: + + + + Adding directories to PATH: + + + + Setting environment variables: + + + + Select the root directory of an installed %1. Ensure that the activated SDK version is compatible with the %2 or %3 version that you plan to develop against. + + + + Note: %1 supports Qt %2 for WebAssembly and higher. Your installed lower Qt version(s) are not supported. + + + + Emscripten SDK path: + + + + Emscripten SDK environment: + + + + The activated version %1 is not supported by %2. Activate version %3 or higher. + + + + Activated version: %1 + + + + WebAssembly + + + + Emscripten Compiler + + + + Emscripten Compiler %1 for %2 + + + + Emscripten + + + + + QtC::Welcome + + Welcome + Powitanie + + + New to Qt? + Nowicjusz? + + + UI Tour + + + + Create Project... + + + + Open Project... + + + + Get Started + + + + Get Qt + + + + Qt Account + Konto Qt + + + Online Community + Społeczność online + + + Blogs + Blogi + + + User Guide + Przewodnik użytkownika + + + Would you like to take a quick UI tour? This tour highlights important user interface elements and shows how they are used. To take the tour later, select Help > UI Tour. + + + + Take UI Tour + + + + Mode Selector + + + + Select different modes depending on the task at hand. + + + + <p style="margin-top: 30px"><table><tr><td style="padding-right: 20px">Welcome:</td><td>Open examples, tutorials, and recent sessions and projects.</td></tr><tr><td>Edit:</td><td>Work with code and navigate your project.</td></tr><tr><td>Design:</td><td>Visually edit Widget-based user interfaces, state charts and UML models.</td></tr><tr><td>Debug:</td><td>Analyze your application with a debugger or other analyzers.</td></tr><tr><td>Projects:</td><td>Manage project settings.</td></tr><tr><td>Help:</td><td>Browse the help database.</td></tr></table></p> + + + + Kit Selector + + + + Select the active project or project configuration. + + + + Run Button + + + + Run the active project. By default this builds the project first. + + + + Debug Button + + + + Run the active project in a debugger. + + + + Build Button + + + + Build the active project. + + + + Locator + Lokalizator + + + Type here to open a file from any open project. + + + + Or:<ul><li>type <code>c&lt;space&gt;&lt;pattern&gt;</code> to jump to a class definition</li><li>type <code>f&lt;space&gt;&lt;pattern&gt;</code> to open a file from the file system</li><li>click on the magnifier icon for a complete list of possible options</li></ul> + + + + Output + Komunikaty + + + Find compile and application output here, as well as a list of configuration and build issues, and the panel for global searches. + + + + Progress Indicator + + + + Progress information about running tasks is shown here. + + + + Escape to Editor + + + + Pressing the Escape key brings you back to the editor. Press it multiple times to also hide context help and output, giving the editor more space. + + + + The End + + + + You have now completed the UI tour. To learn more about the highlighted controls, see <a style="color: #41CD52" href="qthelp://org.qt-project.qtcreator/doc/creator-quick-tour.html">User Interface</a>. + + + + UI Introduction %1/%2 > + @@ -33404,6 +57780,14 @@ itself takes time. Relationship: Relacja: + + Connection + Połączenie + + + Connections + Połączenia + Position and size: Pozycja i rozmiar: @@ -33436,6 +57820,10 @@ itself takes time. Outline Konspekt + + Flat + + Emphasized @@ -33492,6 +57880,14 @@ itself takes time. Shape: Kształt: + + Intermediate points: + + + + none + + Annotation Adnotacja @@ -33525,8 +57921,16 @@ itself takes time. Granice - <font color=red>Invalid syntax.</font> - <font color=red>Niepoprawna składnia</font> + Swimlane + + + + Swimlanes + + + + Invalid syntax. + Multi-Selection @@ -33553,17 +57957,17 @@ itself takes time. Utwórz związek - New Item - Nowy element - - - New %1 - Nowy %1 + Create Connection + Drop Element Upuść element + + Add Related Element + + Add Element Dodaj element @@ -33572,735 +57976,6 @@ itself takes time. Relocate Relation Przenieś relację - - - QtC::Utils - - Cannot create OpenGL context. - Nie można utworzyć kontekstu OpenGL. - - - - QtC::CMakeProjectManager - - No cmake tool set. - Nie ustawiono narzędzia cmake. - - - Scan "%1" project tree - Przeskanuj drzewo projektu "%1" - - - - QtC::CppEditor - - The file name. - Nazwa pliku. - - - The class name. - Nazwa klasy. - - - - QtC::ModelEditor - - &Remove - &Usuń - - - &Delete - &Usuń - - - Model Editor - Edytor modeli - - - Export Diagram... - Wyeksportuj diagram... - - - Zoom In - Powiększ - - - Zoom Out - Pomniejsz - - - Reset Zoom - Zresetuj powiększenie - - - Open Parent Diagram - Otwórz diagram rodzica - - - Add Package - Dodaj pakiet - - - Add Component - Dodaj komponent - - - Add Class - Dodaj klasę - - - Add Canvas Diagram - Dodaj diagram płótna - - - Synchronize Browser and Diagram<br><i><small>Press&Hold for options</small></i> - - - - Edit Element Properties - Modyfikuj właściwości elementu - - - Shift+Return - Shift+Return - - - Edit Item on Diagram - Zmodyfikuj element w diagramie - - - Return - Powróć - - - No model loaded. Cannot save. - Brak załadowanego projektu. Nie można zachować. - - - Cannot reload model file. - Nie można przeładować pliku modelu. - - - Could not open "%1" for reading: %2. - Nie można otworzyć "%1" do odczytu: %2. - - - <html><body style="color:#909090; font-size:14px"><div align='center'><div style="font-size:20px">Open a diagram</div><table><tr><td><hr/><div style="margin-top: 5px">&bull; Double-click on diagram in model tree</div><div style="margin-top: 5px">&bull; Select "Open Diagram" from package's context menu in model tree</div></td></tr></table></div></body></html> - - - - Images (*.png *.jpeg *.jpg *.tif *.tiff);;PDF (*.pdf) - Pliki graficzne (*.png *.jpeg *.jpg *.tif *.tiff);;PDF (*.pdf) - - - ;;SVG (*.svg) - ;;SVG (*.svg) - - - Export Diagram - Wyeksportuj diagram - - - Exporting Diagram Failed - Błąd eksportowania diagramu - - - Exporting the diagram into file<br>"%1"<br>failed. - Błąd eksportowania diagramu "%1" do pliku. - - - Package - Pakiet - - - Component - Komponent - - - Class - Klasa - - - Item - Element - - - Annotation - Adnotacja - - - Boundary - Granice - - - Modeling - Modelowanie - - - Open Diagram - Otwórz diagram - - - Add Component %1 - Dodaj komponent %1 - - - Add Class %1 - Dodaj klasę %1 - - - Add Package %1 - Dodaj pakiet %1 - - - Add Package and Diagram %1 - Dodaj pakiet i diagram %1 - - - Add Component Model - Dodaj model komponentu - - - Create Component Model - Utwórz model komponentu - - - Drop Node - Upuść węzeł - - - - QtC::ProjectExplorer - - Synchronize configuration - Zsynchronizuj konfigurację - - - Synchronize active kit, build, and deploy configuration between projects. - Zsynchronizuj aktywny zestaw narzędzi, konfigurację budowania i instalacji pomiędzy projektami. - - - Variable already exists. - Zmienna już istnieje. - - - No 'key' in options object. - Brak "klucza" w opcjach obiektu. - - - Source directory: - Katalog źródłowy: - - - Start Parsing - Rozpocznij parsowanie - - - Show files matching: - Pokaż pliki pasujące do: - - - Hide files matching: - Ukryj pliki pasujące do: - - - Apply Filter - Zastosuj filtr - - - Generating file list... - -%1 - Generowanie listy plików... - -%1 - - - Not showing %n files that are outside of the base directory. -These files are preserved. - - Ukryto %n plik który jest na zewnątrz katalogu bazowego. -Ten plik jest zabezpieczony. - Ukryto %n pliki które są na zewnątrz katalogu bazowego. -Te pliki są zabezpieczone. - Ukryto %n plików które są na zewnątrz katalogu bazowego. -Te pliki są zabezpieczone. - - - - Waiting for Applications to Stop - Oczekiwanie na zatrzymanie aplikacji - - - Cancel - Anuluj - - - Waiting for applications to stop. - Oczekiwanie na zatrzymanie aplikacji. - - - - ModelNodeOperations - - Go to Implementation - Przejdź do implementacji - - - Invalid item. - Niepoprawny element. - - - Cannot find an implementation. - Nie można odnaleźć implementacji. - - - Cannot Set Property %1 - Nie można ustawić właściwości %1 - - - The property %1 is bound to an expression. - Właściwość %1 jest powiązana z wyrażeniem. - - - - EnterTabDesignerAction - - Step into: %1 - Wskocz do wnętrza: %1 - - - - ColorToolAction - - Edit Color - Modyfikuj kolor - - - - QmlDesigner::ColorTool - - Color Tool - Narzędzie do kolorów - - - - QmlDesigner::Internal::BindingModel - - Item - Element - - - Property - Właściwość - - - Source Item - Element źródłowy - - - Source Property - Właściwość źródłowa - - - Error - Błąd - - - - QmlDesigner::Internal::ConnectionModel - - Target - Cel - - - Signal Handler - Obsługa sygnału - - - Action - Akcja - - - Error - Błąd - - - - QmlDesigner::Internal::ConnectionDelegate - - Change to default state - Przywróć do stanu domyślnego - - - Change state to %1 - Przywróć stan do %1 - - - - QmlDesigner::Internal::ConnectionView - - Connection View - Widok połączeń - - - - QmlDesigner::Internal::ConnectionViewWidget - - Connections - Title of connection view - Połączenia - - - Bindings - Title of connection view - Powiązania - - - Properties - Title of dynamic properties view - Właściwości - - - Backends - Title of dynamic properties view - Back-endy - - - Add binding or connection. - Dodaj powiązanie lub połączenie. - - - Remove selected binding or connection. - Usuń zaznaczone powiązanie lub połączenie. - - - - QmlDesigner::Internal::DynamicPropertiesModel - - Item - Element - - - Property - Właściwość - - - Property Type - Typ właściwości - - - Property Value - Wartość właściwości - - - Error - Błąd - - - - QmlDesigner::PathItem - - Closed Path - Zamknięta ścieżka - - - Split Segment - Podziel segment - - - Make Curve Segment Straight - Wyprostuj segment - - - Remove Edit Point - Usuń punkt edycji - - - - PathToolAction - - Edit Path - Modyfikuj ścieżkę - - - - PathTool - - Path Tool - Narzędzie do ścieżek - - - - SourceToolAction - - Change Source URL... - Zmień źródłowy URL... - - - - QmlDesigner::SourceTool - - Open File - Otwórz plik - - - Source Tool - Narzędzie źródłowe - - - - TextToolAction - - Edit Text - Modyfikuj tekst - - - - TextTool - - Text Tool - Narzędzie do tekstów - - - - QtC::QmlJSEditor - - This file should only be edited in <b>Design</b> mode. - Ten plik powinien być modyfikowany jedynie w trybie <b>Design</b>. - - - Switch Mode - Przełącz tryb - - - - QtC::QmlProfiler - - Analyzer - Analizator - - - QML Profiler Settings - Ustawienia profilera QML - - - - QtC::Autotest - - General - Ogólne - - - Hides internal messages by default. You can still enable them by using the test results filter. - Domyślnie ukrywa wewnętrzne komunikaty. Wciąż możliwe jest ich odblokowanie przy użyciu filtra rezultatów testów. - - - Omit internal messages - Pomijaj komunikaty wewnętrzne - - - Hides warnings related to a guessed run configuration. - Ukrywa ostrzeżenia związane z przypuszczalną konfiguracją uruchamiania. - - - Omit run configuration warnings - Pomijaj ostrzeżenia konfiguracji uruchamiania - - - Limit result output - Ogranicz komunikaty z rezultatami - - - Automatically scroll results - Automatycznie przewijaj rezultaty - - - Timeout used when executing each test case. - Limit czasu oczekiwania na zakończenie każdego testu. - - - Timeout: - Limit czasu oczekiwania: - - - Timeout used when executing test cases. This will apply for each test case on its own, not the whole project. - Limit czasu oczekiwania na zakończenie wariantu testu. Ma to zastosowanie do każdego wykonywanego testu, a nie do całego projektu. - - - s - s - - - Active Test Frameworks - Aktywne frameworki testowe - - - Limits result output to 100000 characters. - Ogranicza komunikaty z rezultatami do 100000 znaków. - - - Automatically scrolls down when new items are added and scrollbar is at bottom. - Automatycznie przewija w dół po dodaniu nowych elementów, gdy pasek przewijania jest na dole. - - - Selects the test frameworks to be handled by the AutoTest plugin. - Wybiera frameworki testowe, które mają zostać obsłużone przez wtyczkę AutoTest. - - - Global Filters - Globalne filtry - - - Filters used on directories when scanning for tests.<br/>If filtering is enabled, only directories that match any of the filters will be scanned. - Filtry użyte do katalogów podczas skanowania w poszukiwaniu testów.<br/>Jeśli filtrowanie jest włączone, to jedynie katalogi, których nazwy pasują do jakiegokolwiek filtra, zostaną przeskanowane. - - - Add... - Dodaj... - - - Edit... - Modyfikuj... - - - Remove - Usuń - - - - ClangStaticAnalyzer::Internal::ClangStaticAnalyzerConfigWidget - - Form - Formularz - - - General - Ogólne - - - Clang executable: - Plik wykonywalny clang: - - - Simultaneous processes: - Procesy równoległe: - - - Clang Command - Komenda clang - - - Version: %1, supported. - Wersja: %1, obsługiwana. - - - Version: %1, unsupported (supported version is %2). - Wersja: %1, nieobsługiwana (obsługiwana wersja to %2). - - - Version: Could not determine version. - Wersja: nie można określić wersji. - - - Version: Set valid executable first. - Wersja: ustaw najpierw poprawny plik wykonywalny. - - - TextLabel - Etykietka - - - - ClangStaticAnalyzer::Internal::ProjectSettingsWidget - - Form - Formularz - - - Suppressed diagnostics: - Stłumione diagnostyki: - - - Remove Selected - Usuń zaznaczone - - - Remove All - Usuń wszystko - - - - MainWindow - - MainWindow - MainWindow - - - - QtC::CppEditor - - Configuration to use: - Użyta konfiguracja: - - - Copy... - Kopiuj... - - - Remove - Usuń - - - For appropriate options, consult the GCC or Clang manual pages or the [GCC online documentation](%1). - Sposoby konfigurowania opisane są w podręczniku GCC lub Clang lub w [dokumentacji online GCC](%1). - - - Copy Diagnostic Configuration - Skopiuj konfigurację diagnostyki - - - Diagnostic configuration name: - Nazwa konfiguracji diagnostyki: - - - %1 (Copy) - %1 (Kopia) - - - - AddSignalHandlerDialog - - Implement Signal Handler - Zaimplementuj obsługę sygnału - - - Frequently used signals - Często używane sygnały - - - Property changes - Zmiany właściwości - - - All signals - Wszystkie sygnały - - - Signal: - Sygnał: - - - Choose the signal you want to handle: - Wybierz sygnał do obsługi: - - - The item will be exported automatically. - Element zostanie automatycznie wyeksportowany. - - - - QtC::qmt Create Diagram Utwórz diagram @@ -34349,2571 +58024,30 @@ Te pliki są zabezpieczone. Same Size Taki sam rozmiar - - - QtC::Autotest - &Tests - &Testy - - - Run &All Tests - Uruchom &wszystkie testy - - - Alt+Shift+T,Alt+A - Alt+Shift+T,Alt+A - - - &Run Selected Tests - Uruchom &zaznaczone testy - - - Alt+Shift+T,Alt+R - Alt+Shift+T,Alt+R - - - Re&scan Tests - &Odśwież zbiór testów - - - Alt+Shift+T,Alt+S - Alt+Shift+T,Alt+S - - - AutoTest Plugin WARNING: No files left after filtering test scan folders. Check test filter settings. - Ostrzeżenie wtyczki AutoTest: Brak plików po przeskanowaniu przefiltrowanych katalogów z testami. Sprawdź ustawienia filtra testów. - - - Scanning for Tests - Odświeżanie zbioru testów - - - Tests - Testy - - - Run This Test - Uruchom ten test - - - Run Without Deployment - Uruchom z pominięciem instalowania - - - Debug This Test - Zdebuguj ten test - - - Debug Without Deployment - Zdebuguj bez instalowania - - - Select All - Zaznacz wszystko - - - Deselect All - Odznacz wszystko - - - Filter Test Tree - Przefiltruj drzewo testów - - - Sort Naturally - Posortuj naturalnie - - - Expand All - Rozwiń wszystko - - - Collapse All - Zwiń wszystko - - - Sort Alphabetically - Posortuj alfabetycznie - - - Show Init and Cleanup Functions - Pokaż funkcje "Init" i "Cleanup" - - - Show Data Functions - Pokaż funkcje z danymi - - - %1 %2 per iteration (total: %3, iterations: %4) - %1 %2 na iterację (w sumie: %3, ilość iteracji: %4) - - - Executing test case %1 - Wykonywanie wariantu testu %1 - - - Executing test function %1 - Wykonywanie funkcji testowej %1 - - - Entering test function %1::%2 - Wejście do funkcji testowej %1::%2 - - - Qt version: %1 - Wersja Qt: %1 - - - Qt build: %1 + Layout Objects - QTest version: %1 - Wersja QTest: %1 - - - Test function finished. - Zakończono test funkcji. - - - Execution took %1 ms. - Wykonanie zajęło %1 ms. - - - Test finished. - Zakończono test. - - - Test execution took %1 ms. - Wykonanie testu zajęło %1 ms. - - - (iteration %1) - (iteracja %1) - - - You have %n disabled test(s). - - %n test jest zablokowany. - %n testy są zablokowane. - %n testów jest zablokowanych. - - - - Test execution took %1 - Wykonanie testu zajęło %1 - - - Repeating test case %1 (iteration %2) - Powtarzanie wariantu testu %1 (iteracja %2) - - - Entering test set %1 - Wejście do zestawu testów %1 - - - Execution took %1. - Wykonanie zajęło %1. - - - Run All Tests - Uruchom wszystkie testy - - - Run Selected Tests - Uruchom zaznaczone testy - - - Stop Test Run - Zatrzymaj uruchomiony test - - - Filter Test Results - Przefiltruj wyniki testu - - - Switch Between Visual and Text Display - Text is usually visual too, isn't it? + Equal Horizontal Distance - Test Results - Wyniki testu - - - Pass - Zdany - - - Fail - Niezdany - - - Expected Fail - Oczekiwanie niezdany - - - Unexpected Pass - Nieoczekiwanie zdany - - - Skip - Pomiń - - - Benchmarks - Testy wydajności - - - Debug Messages - Komunikaty debugowe - - - Warning Messages - Komunikaty z ostrzeżeniami - - - Internal Messages - Komunikaty wewnętrzne - - - Check All Filters - Zaznacz wszystkie filtry - - - passes - zdanych - - - fails - niezdanych - - - unexpected passes - nieoczekiwanie zdanych - - - expected fails - oczekiwanie niezdanych - - - fatals - błędnych - - - blacklisted - na czarnej liście - - - , %1 disabled - , %1 zablokowanych - - - Copy - Skopiuj - - - Copy All - Skopiuj wszystko - - - Save Output to File... - Zachowaj wyjście w pliku... - - - Save Output To - Zachowaj wyjście w - - - Error - Błąd - - - Failed to write "%1". - -%2 - Błąd zapisu pliku "%1". - -%2 - - - Test run canceled by user. - Wykonywanie testów anulowane przez użytkownika. - - - Run configuration: - Konfiguracja uruchamiania: - - - guessed from - na podstawie - - - Project's run configuration was guessed for "%1". -This might cause trouble during execution. -(guessed from "%2") - Konfiguracja uruchamiania "%1" projektu została skonstruowana na podstawie "%2". -Może to powodować problemy podczas uruchamiania. - - - Project is null for "%1". Removing from test run. -Check the test environment. + Equal Vertical Distance - Executable path is empty. (%1) - Ścieżka do pliku wykonywalnego jest pusta. (%1) - - - Failed to start test for project "%1". - Nie można uruchomić testu dla projektu "%1". - - - Test for project "%1" crashed. - Test dla projektu "%1" przerwał pracę. - - - Could not find command "%1". (%2) - Brak komendy "%1". (%2) - - - Test case canceled due to timeout. -Maybe raise the timeout? - Anulowano wykonywanie wariantu testu ze względu na przekroczenie limitu czasu oczekiwania na jego zakończenie. -Podwyższenie limitu czasowego może zapewnić poprawny przebieg testu. - - - No tests selected. Canceling test run. - Nie zaznaczono testów. Anulowano uruchomienie. - - - Project is null. Canceling test run. -Only desktop kits are supported. Make sure the currently active kit is a desktop kit. + Equal Horizontal Space - Project is not configured. Canceling test run. - Projekt nie jest skonfigurowany. Anulowano uruchomienie testów. - - - Running Tests - Uruchomiono testy - - - Failed to get run configuration. - Brak konfiguracji uruchamiania. - - - Failed to create run configuration. -%1 - Nie można utworzyć konfiguracji uruchamiania. -%1 - - - Unable to display test results when using CDB. - Nie można wyświetlić rezultatów testu w trakcie pracy CDB. - - - Build failed. Canceling test run. - Błąd budowania. Anulowano uruchomienie testów. - - - - ClangStaticAnalyzer::Internal::ClangStaticAnalyzerDiagnosticModel - - Issue - Problem - - - Location - Położenie - - - - ClangStaticAnalyzer::Diagnostic - - Category: - Kategoria: - - - Type: - Typ: - - - Context: - Kontekst: - - - Location: - Położenie: - - - - ClangStaticAnalyzer::ExplainingStep - - Message: - Komunikat: - - - Extended message: - Rozszerzony komunikat: - - - Location: - Położenie: - - - - ClangStaticAnalyzer::Internal::ClangStaticAnalyzerDiagnosticView - - Suppress This Diagnostic - Wytłum diagnostykę - - - - ClangStaticAnalyzer::Internal::ClangStaticAnalyzerOptionsPage - - Clang Static Analyzer - Statyczny analizator Clang - - - - ClangStaticAnalyzer::Internal::ClangStaticAnalyzerPlugin - - Clang Static Analyzer - Statyczny analizator Clang - - - - ClangStaticAnalyzer::Internal::SuppressedDiagnosticsModel - - File - Plik - - - Context - Kontekst - - - Diagnostic - Diagnostyka - - - Function "%1" - Funkcja "%1" - - - - ClangStaticAnalyzer::Internal::DummyRunConfiguration - - Clang Static Analyzer - Statyczny analizator Clang - - - - ClangStaticAnalyzer::Internal::ClangStaticAnalyzerTool - - Clang Static Analyzer Issues - Problemy znalezione przez statycznego analizatora Clang - - - Go to previous bug. - Przejdź do poprzedniego błędu. - - - Go to next bug. - Przejdź do następnego błędu. - - - Clang Static Analyzer uses the analyzer from the Clang project to find bugs. - Statyczny analizator Clang używa analizatora z projektu Clang do wykrywania błędów. - - - Clang Static Analyzer - Statyczny analizator Clang - - - Release - Release - - - Run %1 in %2 Mode? - Uruchomić %1 w trybie %2? - - - <html><head/><body><p>You are trying to run the tool "%1" on an application in %2 mode. The tool is designed to be used in Debug mode since enabled assertions can reduce the number of false positives.</p><p>Do you want to continue and run the tool in %2 mode?</p></body></html> + Equal Vertical Space - Clang Static Analyzer is still running. - Statyczny analizator Clang jest wciąż uruchomiony. - - - Start Clang Static Analyzer. - Uruchom statyczny analizator Clang. - - - Clang Static Analyzer is running. - Statyczny analizator Clang jest uruchomiony. - - - Clang Static Analyzer finished. - Statyczny analizator Clang zakończył pracę. - - - No issues found. - Brak błędów. - - - %n issues found (%1 suppressed). - - Wykryto %n problem (%1 stłumiono). - Wykryto %n problemy (%1 stłumiono). - Wykryto %n problemów (%1 stłumiono). - - - - - ClangStaticAnalyzer - - The chosen file "%1" seems to point to an icecc binary not suitable for analyzing. -Please set a real Clang executable. - Wybrany plik "%1" pokazuje na plik wykonywalny icecc, nienadający się do analizy. -Ustaw prawdziwy plik wykonywalny Clang. - - - - QtC::CMakeProjectManager - - Failed to create temporary directory "%1". - Nie można utworzyć katalogu tymczasowego "%1". - - - CMakeCache.txt file not found. - Nie odnaleziono pliku CMakeCache.txt. - - - <removed> - <usunięto> - - - <empty> - <pusty> - - - CMake configuration has changed on disk. - Konfiguracja CMake została zmieniona na dysku. - - - The CMakeCache.txt file has changed: %1 - Plik CMakeCache.txt został zmieniony: %1 - - - Overwrite Changes in CMake - Nadpisz zmiany w CMake - - - Apply Changes to Project - Zastosuj zmiany w projekcie - - - CMake configuration set by the kit was overridden in the project. - Konfiguracja CMake, ustawiona przez zestaw narzędzi, została nadpisana przez projekt. - - - CMake Build - Default display name for the cmake make step. - Wersja CMake - - - Qt Creator needs a CMake Tool set up to build. Configure a CMake Tool in the kit options. - Qt Creator wymaga do budowania ustawionego narzędzia CMake, które można skonfigurować w ustawieniach zestawu narzędzi. - - - There is a CMakeCache.txt file in "%1", which suggest an in-source build was done before. You are now building in "%2", and the CMakeCache.txt file might confuse CMake. - Plik CMakeCache.txt istnieje w katalogu ze źródłami "%1", co sugeruje, że został tam uprzednio zbudowany projekt. Aktualnie budowanie projektu jest wykonywane w "%2" i plik CMakeCache.txt może uniemożliwić poprawne jego zbudowanie. - - - Persisting CMake state... - Trwały stan CMake... - - - Running CMake in preparation to build... - Uruchamianie CMake'a przed właściwym budowaniem... - - - Error parsing CMake: %1 - - Błąd parsowania QMake: %1 - - - - The build configuration is currently disabled. - Konfiguracja budowania aktualnie wyłączona. - - - Tool arguments: - Argumenty narzędzia: - - - Targets: - Produkty docelowe: - - - Build - CMakeProjectManager::CMakeBuildStepConfigWidget display name. - Budowanie - - - <b>No build configuration found on this kit.</b> - <b>Brak konfiguracji budowania dla tego zestawu narzędzi.</b> - - - Build - Display name for CMakeProjectManager::CMakeBuildStep id. - Budowanie - - - Change... - Zmień... - - - CMake generator: - Generator CMake: - - - %1 - %2, Platform: %3, Toolset: %4 - %1 - %2, Platforma: %3, Zestaw narzędzi: %4 - - - <none> - <brak> - - - CMake generator defines how a project is built when using CMake.<br>This setting is ignored when using other build systems. - Generator CMake definiuje, w jaki sposób projekt jest budowany przy użyciu CMake.<br>Ustawienie to jest ignorowane przez inne systemy budowania. - - - CMake Generator - Generator CMake - - - Generator: - Generator: - - - Extra generator: - Dodatkowy generator: - - - Platform: - Platforma: - - - Toolset: - Zestaw narzędzi: - - - CMake Configuration - Konfiguracja CMake - - - Default configuration passed to CMake when setting up a project. - Domyślna konfiguracja przekazywana do CMake podczas konfigurowania projektu. - - - Edit CMake Configuration - Edycja konfiguracji CMake - - - Enter one variable per line with the variable name separated from the variable value by "=".<br>You may provide a type hint by adding ":TYPE" before the "=". - W każdej linii podaj jedną zmienną. Nazwa zmiennej powinna być oddzielona od wartości zmiennej przy użyciu "=".<br>Informacje o typie można dodać poprzez umieszczenie ":TYP" przed "=". - - - CMake Tool is unconfigured, CMake generator will be ignored. - Narzędzie CMake nie jest skonfigurowane. Generator CMake zostanie zignorowany. - - - CMake Tool does not support the configured generator. - Narzędzie CMake nie obsługuje skonfigurowanego generatora. - - - Platform is not supported by the selected CMake generator. - Brak obsługi platformy przez wybrany generator CMake. - - - Toolset is not supported by the selected CMake generator. - Brak obsługi zestawu narzędzi przez wybrany generator CMake. - - - The selected CMake binary has no server-mode and the CMake generator does not generate a CodeBlocks file. Qt Creator will not be able to parse CMake projects. + Add Related Elements - - Generator: %1<br>Extra generator: %2 - Generator: %1<br>Dodatkowy generator: %2 - - - <br>Platform: %1 - <br>Platforma: %1 - - - <br>Toolset: %1 - <br>Zestaw narzędzi: %1 - - - <Use Default Generator> - <Użyj domyślnego generatora> - - - CMake configuration has no path to qmake binary set, even though the kit has a valid Qt version. - Brak ścieżki do pliku wykonywalnego qmake w konfiguracji CMake, mimo że zestaw narzędzi posiada poprawną wersję Qt. - - - CMake configuration has a path to a qmake binary set, even though the kit has no valid Qt version. - Konfiguracja CMake posiada ustawioną ścieżkę do pliku wykonywalnego qmake, mimo że zestaw narzędzi nie posiada poprawnej wersji Qt. - - - CMake configuration has a path to a qmake binary set that does not match the qmake binary path configured in the Qt version. - Konfiguracja CMake posiada ustawioną ścieżkę do pliku wykonywalnego qmake, która nie odpowiada ścieżce skonfigurowanej w wersji Qt. - - - CMake configuration has no CMAKE_PREFIX_PATH set that points to the kit Qt version. - Brak ustawionej zmiennej CMAKE_PREFIX_PATH w konfiguracji CMake, która wskazuje na wersję zestawu narzędzi Qt. - - - CMake configuration has no path to a C compiler set, even though the kit has a valid tool chain. - Brak ścieżki do kompilatora C w konfiguracji CMake, mimo że zestaw narzędzi posiada poprawną ścieżkę. - - - CMake configuration has a path to a C compiler set, even though the kit has no valid tool chain. - Konfiguracja CMake posiada ustawioną ścieżkę do kompilatora C, mimo że zestaw narzędzi nie posiada poprawnej ścieżki. - - - CMake configuration has a path to a C compiler set that does not match the compiler path configured in the tool chain of the kit. - Konfiguracji CMake posiada ustawioną ścieżkę do kompilatora C, która nie odpowiada ścieżce skonfigurowanej w zestawie narzędzi. - - - CMake configuration has a path to a C++ compiler set that does not match the compiler path configured in the tool chain of the kit. - Konfiguracji CMake posiada ustawioną ścieżkę do kompilatora C++, która nie odpowiada ścieżce skonfigurowanej w zestawie narzędzi. - - - CMake configuration has no path to a C++ compiler set, even though the kit has a valid tool chain. - Brak ścieżki do kompilatora C++ w konfiguracji CMake, mimo że zestaw narzędzi posiada poprawną ścieżkę. - - - CMake configuration has a path to a C++ compiler set, even though the kit has no valid tool chain. - Konfiguracja CMake posiada ustawioną ścieżkę do kompilatora C++, mimo że zestaw narzędzi nie posiada poprawnej ścieżki. - - - Kit value: %1 - Wartość zestawu narzędzi: %1 - - - Setting - Ustawienie - - - Value - Wartość - - - - QtC::Core - - Current theme: %1 - Bieżący motyw: %1 - - - The theme change will take effect after a restart of Qt Creator. - Zmiana motywu nastąpi po restarcie Qt Creatora. - - - - QtC::TextEditor - - Create Getter and Setter Member Functions - Dodaj metodę zwracającą (getter) i ustawiającą (setter) - - - Create Getter Member Function - Dodaj metodę zwracającą (getter) - - - Create Setter Member Function - Dodaj metodę ustawiającą (setter) - - - Convert to Stack Variable - Przekształć do zmiennej na stosie - - - Convert to Pointer - Przekształć do wskaźnika - - - Generate Missing Q_PROPERTY Members - Wygeneruj brakujące składniki Q_PROPERTY - - - - QtC::CppEditor - - Warnings for questionable constructs - Ostrzeżenia o niejasnych konstrukcjach - - - Pedantic Warnings - Pedantyczne ostrzeżenia - - - Warnings for almost everything - Ostrzeżenia prawie o wszystkim - - - %1 [built-in] - %1 [wbudowane] - - - - QtC::Debugger - - Use Customized Settings - Użyj własnych ustawień - - - Use Global Settings - Użyj globalnych ustawień - - - Copy - Skopiuj - - - Start Remote Analysis - Rozpocznij zdalną analizę - - - Kit: - Zestaw narzędzi: - - - Executable: - Plik wykonywalny: - - - Arguments: - Argumenty: - - - Working directory: - Katalog roboczy: - - - Show debug, log, and info messages. - Pokazuj komunikaty debugowe, log i informacje. - - - Show warning messages. - Pokazuj komunikaty z ostrzeżeniami. - - - Show error messages. - Pokazuj komunikaty z błędami. - - - Can only evaluate during a debug session. - Wykonanie możliwe jedynie podczas debugowania. - - - Debugger Console - Konsola debuggera - - - &Copy - S&kopiuj - - - &Show in Editor - &Pokaż w edytorze - - - C&lear - Wy&czyść - - - - QtC::Utils - - &Views - &Widoki - - - Toolbar - Pasek narzędzi - - - Editor - Edytor - - - Start - Start - - - Stop - Stop - - - - QtC::Debugger - - <not in scope> - Value of variable in Debugger Locals display for variables out of scope (stopped above initialization). - <poza zakresem> - - - %1 <shadowed %2> - Display of variables shadowed by variables of the same name in nested scopes: Variable %1 is the variable name, %2 is a simple count. - %1 <przykryło %2> - - - - QtC::Git - - Tree (optional) - Drzewo (opcjonalnie) - - - Can be HEAD, tag, local or remote branch, or a commit hash. -Leave empty to search through the file system. - Może to być HEAD, tag, lokalna bądź zdalna gałąź lub hasz poprawki. -Może pozostać puste w celu wyszukania w systemie plików. - - - Git Grep - Git Grep - - - Ref: %1 -%2 - Ref: %1 -%2 - - - Git Show %1:%2 - Git Show %1:%2 - - - - QtC::ImageViewer - - File: - Plik: - - - x - Multiplication, as in 32x32 - x - - - Size: - Rozmiar: - - - %1 already exists. -Would you like to overwrite it? - %1 już istnieje. -Czy nadpisać go? - - - Export %1 - Wyeksportuj %1 - - - Exported "%1", %2x%3, %4 bytes - Wyeksportowano "%1", %2x%3, %4 bajtów - - - Export Image - Wyeksportuj plik graficzny - - - Could not write file "%1". - Nie można zapisać pliku "%1". - - - Ctrl++ - Ctrl++ - - - Ctrl+- - Ctrl+- - - - Meta+0 - Meta+0 - - - Ctrl+0 - Ctrl+0 - - - Ctrl+= - Ctrl+= - - - Switch Background - Przełącz tło - - - Ctrl+[ - Ctrl+[ - - - Switch Outline - Przełącz konspekt - - - Ctrl+] - Ctrl+] - - - Toggle Animation - Przełącz animację - - - - QtC::ModelEditor - - Select Custom Configuration Folder - Wybierz katalog z własną konfiguracją - - - Config path: - Ścieżka konfiguracji: - - - <font color=red>Model file must be reloaded.</font> - <font color=red>Plik modelu musi zostać przeładowany.</font> - - - - QtC::ProjectExplorer - - Initialization: - Inicjalizacja: - - - LLVM: - LLVM: - - - - QtC::QmlProfiler - - <program> - <program> - - - Main Program - Główny program - - - Source code not available - Kod źródłowy nie jest dostępny - - - +%1 in recursive calls - +%1 w wywołaniach rekurencyjnych - - - Statistics - Statystyki - - - Copy Row - Skopiuj wiersz - - - Copy Table - Skopiuj tabelę - - - Extended Event Statistics - Rozszerzona statystyka zdarzeń - - - Show Full Range - Pokaż pełen zakres - - - called recursively - wywołany rekurencyjnie - - - Debug Message - Komunikat debugowy - - - Warning Message - Komunikat z ostrzeżeniem - - - Critical Message - Komunikat o błędzie krytycznym - - - Fatal Message - Komunikat o błędzie fatalnym - - - Info Message - Komunikat informacyjny - - - - QtC::QtSupport - - [Inexact] - [niedokładny] - - - - QtC::Valgrind - - Valgrind Function Profiler uses the Callgrind tool to record function calls when a program runs. - Valgrind Function Profiler używa narzędzia Callgrind do śledzenia wywołań funkcji w trakcie działania programu. - - - Valgrind Function Profiler - Valgrind Function Profiler - - - Valgrind Function Profiler (External Application) - Valgrind Function Profiler (aplikacja zewnętrzna) - - - Profile Costs of This Function and Its Callees - - - - Visualization - Wizualizacja - - - Callers - Wołające - - - Callees - Zawołane - - - Functions - Funkcje - - - Load External Log File - Ładuje zewnętrzny plik logu - - - Request the dumping of profile information. This will update the Callgrind visualization. - Żąda zrzutu informacji i odświeża widok Callgrinda. - - - Reset all event counters. - Resetuje wszystkie liczniki zdarzeń. - - - Pause event logging. No events are counted which will speed up program execution during profiling. - Wstrzymuje logowanie zdarzeń. Żadne zdarzenia nie będą zliczane, co spowoduje przyśpieszenie wykonywania programu podczas profilowania. - - - Go back one step in history. This will select the previously selected item. - Przechodzi wstecz o jeden krok w historii. Spowoduje to zaznaczenie uprzednio wybranego elementu. - - - Go forward one step in history. - Przechodzi naprzód o jeden krok w historii. - - - Selects which events from the profiling data are shown and visualized. - Wybiera, które zdarzenia z profilowanych danych zostaną zwizualizowane. - - - Absolute Costs - Koszty bezwzględne - - - Show costs as absolute numbers. - Pokazuje koszty jako wartości bezwzględne. - - - Relative Costs - Koszty względne - - - Show costs relative to total inclusive cost. - Pokaż koszty względne do wszystkich łącznych kosztów. - - - Relative Costs to Parent - Koszty względem rodzica - - - Show costs relative to parent function's inclusive cost. - Pokaż koszty względne do łącznych kosztów funkcji macierzystej. - - - Cost Format - Format kosztu - - - Enable cycle detection to properly handle recursive or circular function calls. - Odblokowuje detekcję cykli w celu poprawnej obsługi rekurencyjnych wywołań funkcji. - - - Remove template parameter lists when displaying function names. - Ukrywaj listy parametrów szablonów w wyświetlanych nazwach funkcji. - - - Show Project Costs Only - Pokaż jedynie koszty projektu - - - Show only profiling info that originated from this project source. - Pokazuje informacje o profilowaniu pochodzące tylko z tego projektu. - - - Filter... - Filtr... - - - Callgrind - Callgrind - - - A Valgrind Callgrind analysis is still in progress. - Trwa analiza Callgrind Valgrinda. - - - Start a Valgrind Callgrind analysis. - Uruchom analizę Callgrind Valgrinda. - - - Profiling aborted. - Przerwano profilowanie. - - - Parsing finished, no data. - Zakończono parsowanie, brak danych. - - - Parsing finished, total cost of %1 reported. - Zakończono parsowanie, całkowity koszt wyniósł %1. - - - Parsing failed. - Błąd parsowania. - - - Select This Function in the Analyzer Output - Wybierz tę funkcję na wyjściu analizatora - - - Populating... - Wypełnianie... - - - Open Callgrind Log File - Otwórz plik logu Callgrinda - - - Callgrind Output (callgrind.out*);;All Files (*) - Wyjście Callgrind (callgrind.out*);;Wszystkie pliki (*) - - - Callgrind: Failed to open file for reading: %1 - Callgrind: Nie można otworzyć pliku do odczytu: %1 - - - Parsing Profile Data... - Parsowanie danych profilera... - - - - QtC::Beautifier - - Automatic Formatting on File Save - Automatyczne formatowanie przy zachowywaniu plików - - - Enable auto format on file save - Odblokuj automatyczne formatowanie przy zachowywaniu plików - - - Tool: - Narzędzie: - - - Restrict to files contained in the current project - Zastosuj jedynie do plików zawartych w bieżącym projekcie - - - General - Ogólne - - - - QtC::Nim - - Form - Formularz - - - Target: - Cel: - - - Extra arguments: - Dodatkowe argumenty: - - - Command: - Komenda: - - - Default arguments: - Domyślne argumenty: - - - None - Brak - - - Debug - Debug - - - Release - Release - - - Working directory: - Katalog roboczy: - - - - QmlDesigner::OpenUiQmlFileDialog - - Open ui.qml file - Otwórz plik ui.qml - - - You are opening a .qml file in the designer. Do you want to open a .ui.qml file instead? - Otwieranie pliku .qml w designerze. Czy otworzyć w zamian plik .ui.qml? - - - Do not show this dialog again - Nie pokazuj ponownie tego dialogu - - - Cancel - Anuluj - - - - QtC::TextEditor - - Activate completion: - Uaktywniaj uzupełnianie: - - - &Case-sensitivity: - Uwzględnianie &wielkości liter: - - - Full - Pełne - - - First Letter - Tylko pierwsza litera - - - Manually - Ręcznie - - - When Triggered - Po wyzwoleniu - - - Timeout in ms: - Limit czasu -oczekiwania w ms: - - - Inserts the common prefix of available completion items. - Wprowadza wspólny przedrostek dla istniejących elementów dopełnienia. - - - Autocomplete common &prefix - Automatycznie dopełniaj wspólny &przedrostek - - - Splits a string into two lines by adding an end quote at the cursor position when you press Enter and a start quote to the next line, before the rest of the string. - -In addition, Shift+Enter inserts an escape character at the cursor position and moves the rest of the string to the next line. - Naciśnięcie klawisza "Enter" dzieli ciąg tekstowy na dwa, umieszcza drugi w nowej linii i dodaje znaki końca i początku ciągu w miejscu podziału. - -Ponadto, naciśnięcie kombinacji "Shift+Enter" powoduje wstawienie znaku ucieczki w pozycji kursora i przeniesienie reszty ciągu do następnej linii. - - - Automatically split strings - Automatycznie dziel ciągi tekstowe -po naciśnięciu klawisza Enter - - - &Automatically insert matching characters - &Automatyczne wstawianie znaków - - - Insert opening or closing brackets - Wstawiaj nawiasy otwierające i zamykające - - - Insert closing quote - Wstawiaj znak końca ciągów tekstowych - - - When typing a matching bracket and there is a text selection, instead of removing the selection, surrounds it with the corresponding characters. - Gdy zaznaczono tekst, wpisanie nawiasu spowoduje, że zostanie on otoczony nawiasami, zamiast usunięty. - - - Surround text selection with brackets - Otaczaj zaznaczony tekst nawiasami - - - Insert &space after function name - Wstawiaj &spację po nazwie funkcji - - - When typing a matching quote and there is a text selection, instead of removing the selection, surrounds it with the corresponding characters. - Gdy zaznaczono tekst, wpisanie cudzysłowu spowoduje, że zostanie on otoczony cudzysłowami, zamiast usunięty. - - - Surround text selection with quotes - Otaczaj zaznaczony tekst cudzysłowami - - - Show a visual hint when for example a brace or a quote is automatically inserted by the editor. - Podkreśla wizualnie nawias bądź cudzysłów gdy jest on wstawiany automatycznie przez edytor. - - - Animate automatically inserted text - Animuj wstawiany tekst - - - Highlight automatically inserted text - Podświetlaj automatycznie wstawiony tekst - - - Skip automatically inserted character if re-typed manually after completion. - Opuszcza automatycznie wstawiony znak jeśli został on ponownie ręcznie wprowadzony po uzupełnieniu. - - - Skip automatically inserted character when typing - Opuszczaj automatycznie wstawione znaki -jeśli wpisano je ręcznie - - - Remove the automatically inserted character if the trigger is deleted by backspace after the completion. - Usuwa automatycznie wstawiony znak, jeśli po uzupełnieniu naciśnięto klawisz backspace. - - - Remove automatically inserted text on backspace - Usuwaj automatycznie wstawione znaki -po naciśnięciu klawisza backspace - - - Documentation Comments - Komentarze dokumentacji - - - Automatically creates a Doxygen comment upon pressing enter after a '/**', '/*!', '//!' or '///'. - Automatycznie wstawia komentarz Doxygen po naciśnięciu klawisza enter następującego po "/**", "/*!", "//!" lub "///". - - - Enable Doxygen blocks - Odblokuj bloki Doxygen - - - Generates a <i>brief</i> command with an initial description for the corresponding declaration. - Generuje komendy </>brief</i> ze wstępnymi opisami odpowiednich deklaracji. - - - Generate brief description - Generuj skrócone opisy - - - Adds leading asterisks when continuing C/C++ "/*", Qt "/*!" and Java "/**" style comments on new lines. - Dodaje wiodące gwiazdki, gdy komentarze C/C++ "/*", Qt "/*!" i Java "/**" przechodzą do nowych linii. - - - Add leading asterisks - Dodawaj wiodące gwiazdki - - - Completion - Uzupełnianie - - - - AnchorButtons - - Anchor item to the top. - Zakotwicz element do górnej krawędzi. - - - Anchor item to the bottom. - Zakotwicz element do dolnej krawędzi. - - - Anchor item to the left. - Zakotwicz element do lewej krawędzi. - - - Anchor item to the right. - Zakotwicz element do prawej krawędzi. - - - Fill parent item. - Wypełnij element macierzysty. - - - Anchor item vertically. - Zakotwicz element pionowo. - - - Anchor item horizontally. - Zakotwicz element poziomo. - - - - ExtendedFunctionButton - - Reset - Reset - - - Set Binding - Powiąż - - - Export Property as Alias - Wyeksportuj właściwość jako alias - - - Binding Editor - Edytor powiązań - - - - QtC::Utils - - Enter one variable per line with the variable name separated from the variable value by "=".<br>Environment variables can be referenced with ${OTHER}. - W każdej linii podaj jedną zmienną. Nazwa zmiennej powinna być oddzielona od wartości zmiennej przy użyciu "=".<br>Wartość zmiennej może odwoływać się do innych zmiennych w następujący sposób: ${INNA_ZMIENNA}. - - - Change environment by assigning one environment variable per line: - Zmodyfikuj środowisko poprzez przypisanie jednej zmiennej środowiskowej w każdej dodanej linii: - - - Edit Environment - Modyfikacja środowiska - - - - QtC::Autotest - - Google Test - Google Test - - - parameterized - sparametryzowany - - - typed - - - - Qt Test - Qt Test - - - Quick Tests - Testy Quick - - - <unnamed> - <nienazwany> - - - <p>Give all test cases a name to ensure correct behavior when running test cases and to be able to select them.</p> - <p>Nadanie nazw wszystkim wariantom testu zapewnia poprawne zachowanie podczas wykonywania wariantów testu i daje możliwość wyboru poszczególnych z nich.</p> - - - AutoTest Debug - - - - No active test frameworks. - Brak aktywnych frameworków testowych. - - - You will not be able to use the AutoTest plugin without having at least one active test framework. - Nie można użyć wtyczki AutoTest bez aktywnego frameworku testowego. - - - Add Filter - Dodaj filtr - - - <p>Specify a filter expression to be added to the list of filters.<br/>Wildcards are not supported.</p> - <p>Podaj wyrażenie określające filtr, który zostanie dodany do listy.<br/>Brak obsługi symboli wieloznacznych.</p> - - - Edit Filter - Zmodyfikuj filtr - - - <p>Specify a filter expression that will replace "%1".<br/>Wildcards are not supported.</p> - <p>Podaj wyrażenie określające filtr, który zastąpi "%1".<br/>Brak obsługi symboli wieloznacznych.</p> - - - %1 (none) - %1 (brak) - - - - QtC::Beautifier - - Cannot save styles. %1 does not exist. - Nie można zachować stylów. %1 nie istnieje. - - - Cannot open file "%1": %2. - Nie można otworzyć pliku "%1": %2. - - - Cannot save file "%1": %2. - Nie można zachować pliku "%1": %2. - - - No documentation file specified. - Nie podano pliku z dokumentacją. - - - Cannot open documentation file "%1". - Nie można otworzyć pliku z dokumentacją "%1". - - - The file "%1" is not a valid documentation file. - Plik "%1" nie jest poprawnym plikiem z dokumentacją. - - - Cannot read documentation file "%1": %2. - Nie można odczytać pliku z dokumentacją "%1": %2. - - - &Artistic Style - Styl &Artistic - - - ClangFormat - ClangFormat - - - &ClangFormat - &ClangFormat - - - No description available. - Brak opisu. - - - Uncrustify - Uncrustify - - - &Uncrustify - &Uncrustify - - - - QtC::ClangCodeModel - - Inspect available fixits - - - - - ClangStaticAnalyzer::Internal::LogFileReader - - File "%1" does not exist or is not readable. - Plik "%1" nie istnieje lub nie jest plikiem do odczytu. - - - Could not read file "%1": UnexpectedElementError. - Błąd odczytu pliku "%1": UnexpectedElementError. - - - Could not read file "%1": CustomError. - Błąd odczytu pliku "%1": CustomError. - - - Could not read file "%1": NotWellFormedError. - Błąd odczytu pliku "%1": NotWellFormedError. - - - Could not read file "%1": PrematureEndOfDocumentError. - Błąd odczytu pliku "%1": PrematureEndOfDocumentError. - - - - ClangStaticAnalyzer::Internal::ClangStaticAnalyzerLogFileReader - - File is not a plist version 1.0 file. - Plik nie jest plikiem plist wersji 1.0. - - - Expected a string element. - Oczekiwano elementu o typie ciągu znakowego. - - - Expected an array element. - Oczekiwano elementu o typie tablicowym. - - - Expected an integer element. - Oczekiwano elementu o typie liczbowym. - - - - ClangStaticAnalyzer::Internal::ClangStaticAnalyzerRunner - - An error occurred with the Clang Static Analyzer process. - Błąd procesu statycznego analizatora Clang. - - - Clang Static Analyzer crashed. - Statyczny analizator Clang przerwał pracę. - - - Clang Static Analyzer finished with exit code: %1. - Statyczny analizator Clang zakończył pracę kodem wyjściowym: %1. - - - Command line: %1 -Process Error: %2 -Output: -%3 - Komenda: "%1" -Błąd procesu: %2 -Komunikat: -%3 - - - - QtC::CMakeProjectManager - - CMake Editor - Edytor CMake - - - - QtC::Core - - Click and type the new key sequence. - Kliknij i wpisz nową sekwencję klawiszy. - - - Stop Recording - Zatrzymaj nagrywanie - - - Record - Rozpocznij nagrywanie - - - <no document> - <brak dokumentu> - - - No document is selected. - Brak zaznaczonego dokumentu. - - - &Find/Replace - Z&najdź / zastąp - - - Advanced Find - Zaawansowane przeszukiwanie - - - Open Advanced Find... - Otwórz zaawansowane przeszukiwanie... - - - Ctrl+Shift+F - Ctrl+Shift+F - - - Spotlight File Name Index - - - - - QtC::CppEditor - - No include hierarchy available - Brak dostępnej hierarchii dołączeń - - - - QtC::ModelEditor - - Zoom: %1% - Powiększenie:%1% - - - - QtC::Nim - - Current Build Target - Bieżący cel budowania - - - General - Ogólne - - - Nim Compiler Build Step - Krok budowania kompilatora Nim - - - Nim build step - Krok budowania Nim - - - Nim Compiler Clean Step - Krok czyszczenia kompilatora Nim - - - Nim clean step - Krok czyszczenia Nim - - - Code Style - Styl kodu - - - Nim - Nim - - - Build - - - - Build directory: - Katalog budowania: - - - Nim Clean Step - Krok czyszczenia Nim - - - Build directory "%1" does not exist. - Katalog budowania "%1" nie istnieje. - - - Failed to delete the cache directory. - Nie można usunąć katalogu cache'a. - - - Failed to delete the out file. - Nie można usunąć pliku wyjściowego. - - - Clean step completed successfully. - Krok czyszczenia poprawnie zakończony. - - - Global - Settings - Globalne - - - - QtC::ProjectExplorer - - Executable: - Plik wykonywalny: - - - Could not find the executable, please specify one. - Nie można odnaleźć pliku wykonywalnego. Podaj go. - - - No executable. - Brak pliku wykonywalnego. - - - The executable -%1 -cannot be found in the path. - Nie można odnaleźć pliku wykonywalnego -%1 -w ścieżce. - - - Custom Executable - Własny plik wykonywalny - - - - QtC::QmakeProjectManager - - Files - Pliki - - - Import Existing Project - Import istniejącego projektu - - - Project Name and Location - Nazwa projektu i położenie - - - Project name: - Nazwa projektu: - - - Location: - Położenie: - - - File Selection - Wybór pliku - - - Import as qmake Project (Limited Functionality) - Zaimportuj jako projekt qmake (ograniczona funkcjonalność) - - - Imports existing projects that do not use qmake, CMake or Autotools.<p>This creates a qmake .pro file that allows you to use Qt Creator as a code editor and as a launcher for debugging and analyzing tools. If you want to build the project, you might need to edit the generated .pro file. - Importuje istniejące projekty, które nie używają qmake, CMake ani Autotools.<p>Zostanie utworzony plik .pro qmake'a, który pozwoli użyć Qt Creatora jako edytora kodu i umożliwi mu wystartowanie debuggera lub narzędzi analizy. Aby zbudować projekt, niezbędna może okazać się modyfikacja wygenerowanego pliku .pro. - - - - QmlDesigner::BackgroundAction - - Set the color of the canvas. - Ustawia kolor płótna. - - - - QtC::QmlProfiler - - Unknown Message %1 - Nieznany komunikat %1 - - - Timestamp - Znacznik czasu - - - Message - Komunikat - - - Could not re-read events from temporary trace file. - - - - Compile - Kompilacja - - - Create - Tworzenie - - - Signal - Sygnalizowanie - - - Flame Graph - - - - Mouse Events - Zdarzenia myszy - - - Keyboard Events - Zdarzenia klawiatury - - - Key Press - Naciśnięcie klawisza - - - Key Release - Zwolnienie klawisza - - - Key - Klucz - - - Modifiers - Modyfikatory - - - Double Click - Podwójne kliknięcie - - - Mouse Press - Naciśnięcie przycisku myszy - - - Mouse Release - Zwolnienie przycisku myszy - - - Button - Przycisk - - - Result - Wynik - - - Mouse Move - Ruch myszy - - - X - X - - - Y - Y - - - Mouse Wheel - Obrót kółka myszy - - - Angle X - Kąt X - - - Angle Y - Kąt Y - - - Keyboard Event - Zdarzenie klawiatury - - - Mouse Event - Zdarzenie myszy - - - Memory Allocation - Alokacja pamięci - - - Memory Allocated - Przydzielona pamięć - - - Memory Freed - Zwolniona pamięć - - - Total - Łącznie - - - %n bytes - - %n bajt - %n bajty - %n bajtów - - - - %1 bytes - %1 bajtów - - - Allocated - Przydzielone - - - Allocations - Liczba przydziałów pamięci - - - Deallocated - Zwolnione - - - Deallocations - Liczba zwolnień pamięci - - - Heap Allocation - Alokacja na stercie - - - Large Item Allocation - Alokacja wielkiego elementu - - - Heap Usage - Zajętość sterty - - - Type - Typ - - - Cache Size - Rozmiar cache'a - - - Image Cached - Plik graficzny włożono do cache - - - Image Loaded - Załadowano plik graficzny - - - Load Error - Błąd ładowania - - - File - Plik - - - Width - Szerokość - - - Height - Wysokość - - - Stage - - - - Glyphs - Glify - - - - QtC::Qnx - - Deploy Qt libraries... - Instaluj biblioteki Qt... - - - - QtC::Qnx - - QNX Device - Urządzenie QNX - - - New QNX Device Configuration Setup - Nowa konfiguracja urządzenia QNX - - - - QtC::Autotest - - Break on failure while debugging - Zatrzymuj na błędach podczas debugowania - - - Executes disabled tests when performing a test run. - Wykonuje zablokowane testy po uruchomieniu. - - - Run disabled tests - Uruchamiaj zablokowane testy - - - Throw on failure - Rzucaj wyjątki na błędach - - - Iterations: - Iteracje: - - - Shuffle tests - Mieszaj testy - - - Repeats a test run (you might be required to increase the timeout to avoid canceling the tests). - Powtarza testy (konieczne może okazać się zwiększenie limitu czasu oczekiwania na zakończenie testu). - - - Repeat tests - Powtarzaj testy - - - Seed: - Ziarno: - - - A seed of 0 generates a seed based on the current timestamp. - Ziarno o wartości 0 generuje ziarno na podstawie aktualnego czasu. - - - Turns failures into debugger breakpoints. - Tworzy pułapki w miejscach z błędami. - - - Turns assertion failures into C++ exceptions. - Tworzy wyjątki C++ w miejscach błędnych asercji. - - - Shuffles tests automatically on every iteration by the given seed. - Automatycznie miesza testy przy każdej iteracji na podstawie podanego ziarna. - - - Form - Formularz - - - Enables interrupting tests on assertions. - Odblokowuje przerywanie testów w asercjach. - - - Disable crash handler while debugging - - - - Benchmark Metrics - Miary wydajności testów - - - Uses walltime metrics for executing benchmarks (default). - Używa czasu zegarowego podczas wykonywania testów wydajności. - - - Walltime - Czas zegarowy - - - Uses tick counter when executing benchmarks. - Używa licznika zegara systemowego podczas wykonywania testów wydajności. - - - Tick counter - Licznik zegara systemowego - - - Uses event counter when executing benchmarks. - Używa licznika zdarzeń podczas wykonywania testów wydajności. - - - Event counter - Licznik zdarzeń - - - Uses Valgrind Callgrind when executing benchmarks (it must be installed). - Używa Valgrind Callgrind podczas wykonywania testów wydajności (musi być on zainstalowany). - - - Callgrind - Callgrind - - - Uses Perf when executing benchmarks (it must be installed). - Używa Perf podczas wykonywania testów wydajności (musi być on zainstalowany). - - - Perf - Perf - - - XML output recommended as it avoids parsing issues, while plain text is more human readable. - -Warning: Plain text output is missing some information (e.g. duration) - W celu uniknięcia kłopotów przy parsowaniu, zalecane jest używanie XML jako formatu wyjściowego, podczas gdy zwykły format tekstowy poprawia jedynie czytelność. - -Uwaga: podczas używania zwykłego formatu tekstowego może brakować niektórych informacji, takich jak np. czas trwania. - - - Use XML output - Używaj XML na wyjściu - - - Verbose benchmarks - - - - Log every signal emission and resulting slot invocations. - Loguj każdą emisję sygnału i każde wywołanie slotu pobudzonego sygnałem. - - - Log signals and slots - Loguj sygnały i sloty - - - - QmlDesigner::AddNewBackendDialog - - Add New C++ Backend - Dodaj nowy back-end C++ - - - Type - Typ - - - Define object locally - Zdefiniuj obiekt lokalnie - - - Required import - Wymagany import - - - Choose a type that is registered using qmlRegisterType or qmlRegisterSingletonType. The type will be available as a property in the current .qml file. - Wybierz typ, który jest zarejestrowany przy użyciu qmlRegisterType lub qmlRegisterSingletonType. Typ ten będzie dostępny jako właściwość w bieżącym pliku .qml. - - - - QtC::QmlProfiler - - Total Time - Czas całkowity - - - Calls - Wywołania - - - Mean Time - Czas średni - - - In Percent - W procentach - - - Memory - Pamięć - - - Various Events - Różne zdarzenia - - - No data available - Brak danych - - - Visualize %1 - Pokaż %1 - - - - QtC::ScxmlEditor - - Frame - Ramka - - - Basic Colors - Kolory podstawowe - - - Last used colors - Ostatnio używane kolory - - - Form - Formularz - - - + - + - - - - - - - - - Create New Color Theme - Utwórz nowy motyw kolorów - - - Theme ID - Identyfikator motywu - - - Cannot Create Theme - Nie można utworzyć motywu - - - Theme %1 is already available. - Motyw %1 jest już dostępny. - - - Remove Color Theme - Usuń motyw kolorów - - - Are you sure you want to delete color theme %1? - Czy usunąć motyw kolorów %1? - - - Dialog - Dialog - - - OK - OK - - - Cancel - Anuluj - - - Apply - Zastosuj - - - Enter search term - Wprowadź tekst do wyszukania - - - Search - Wyszukaj - - - Back - Wstecz - - - Time - Czas - - - 0 - 0 - - - File - Plik - - - Max. levels - Maks. poziomów - - - yyyy/MM/dd hh:mm:ss - yyyy/MM/dd hh:mm:ss - - - Document Statistics - Statystyka dokumentu - - - - PaddingSection - - Padding - Margines wewnętrzny - - - Vertical - W pionie - - - Top - Górny - - - Padding between the content and the top edge of the item. - Margines wewnętrzny pomiędzy wnętrzem elementu a jego górnym brzegiem. - - - Bottom - Dolny - - - Padding between the content and the bottom edge of the item. - Margines wewnętrzny pomiędzy wnętrzem elementu a jego dolnym brzegiem. - - - Horizontal - W poziomie - - - Left - Lewy - - - Padding between the content and the left edge of the item. - Margines wewnętrzny pomiędzy wnętrzem elementu a jego lewym brzegiem. - - - Right - Prawy - - - Padding between the content and the right edge of the item. - Margines wewnętrzny pomiędzy wnętrzem elementu a jego prawym brzegiem. - - - Padding between the content and the edges of the items. - Margines wewnętrzny pomiędzy wnętrzem elementu a jego brzegami. - - - - StatesDelegate - - Set when Condition - Ustaw przy spełnionym warunku - - - Reset when Condition - Zresetuj przy spełnionym warunku - - - - QtC::qmt Unacceptable null object. Niedopuszczalny zerowy obiekt. @@ -36944,2846 +58078,2315 @@ Uwaga: podczas używania zwykłego formatu tekstowego może brakować niektóryc - QtC::Android + RadioButtonSpecifics - No free ports available on host for QML debugging. - Brak wolnych portów w hoście do debugowania QML. + Radio Button + Przycisk opcji - "%1" died. - "%1" zakończył pracę. + Text + Tekst - Unable to start "%1". - Nie można uruchomić "%1". + Text label for the radio button. + Tekst etykiety przycisku opcji. - Failed to forward C++ debugging ports. Reason: %1. - Nie można przesłać portów debugujących C++. Przyczyna: %1. + Checked + Wciśnięty - Failed to forward ping pong ports. Reason: %1. - Nie można przesłać portów ping pong. Przyczyna: %1. + Determines whether the radio button is checked or not. + Określa, czy przycisk jest wybieralny. - Failed to forward QML debugging ports. Reason: %1. - Nie można przesłać portów debugujących QML. Przyczyna: %1. + Focus on press + Fokus po naciśnięciu - Failed to start the activity. Reason: %1. - Nie można rozpocząć aktywności. Przyczyna: %1. - - - Failed to contact debugging port. - Nie można nawiązać połączenia z portem debugującym. + Determines whether the radio button gets focus if pressed. + Określa, czy przycisk otrzymuje fokus po naciśnięciu. - QtC::Autotest + RangeSliderSpecifics - Test Settings - Ustawienia testu - - - - QtC::BinEditor - - Memory at 0x%1 - Pamięć w 0x%1 - - - Decimal&nbsp;unsigned&nbsp;value: - Wartość&nbsp;dziesiętna&nbsp;bez&nbsp;znaku: - - - Decimal&nbsp;signed&nbsp;value: - Wartość&nbsp;dziesiętna&nbsp;ze&nbsp;znakiem: - - - Previous&nbsp;decimal&nbsp;unsigned&nbsp;value: - Poprzednia&nbsp;wartość&nbsp;dziesiętna&nbsp;bez&nbsp;znaku: - - - Previous&nbsp;decimal&nbsp;signed&nbsp;value: - Poprzednia&nbsp;wartość&nbsp;dziesiętna&nbsp;ze&nbsp;znakiem: - - - %1-bit&nbsp;Integer&nbsp;Type - %1-bitowy&nbsp;typ&nbsp;całkowity - - - Little Endian - Little Endian - - - Big Endian - Big Endian - - - Binary&nbsp;value: - Wartość&nbsp;binarna: - - - Octal&nbsp;value: - Wartość&nbsp;ósemkowa: - - - Previous&nbsp;binary&nbsp;value: - Poprzednia&nbsp;wartość&nbsp;binarna: - - - Previous&nbsp;octal&nbsp;value: - Poprzednia&nbsp;wartość&nbsp;ósemkowa: - - - <i>double</i>&nbsp;value: - Wartość&nbsp;<i>double</i>: - - - Previous <i>double</i>&nbsp;value: - Poprzednia&nbsp;wartość&nbsp;<i>double</i>: - - - <i>float</i>&nbsp;value: - Wartość&nbsp;<i>float</i>: - - - Previous <i>float</i>&nbsp;value: - Poprzednia&nbsp;wartość&nbsp;<i>float</i>: - - - Copying Failed - Błąd kopiowania - - - You cannot copy more than 4 MB of binary data. - Nie można skopiować więcej niż 4 MB danych binarnych. - - - Copy Selection as ASCII Characters - Skopiuj jako znaki ASCII - - - Copy Selection as Hex Values - Skopiuj jako wartości szesnastkowe - - - Set Data Breakpoint on Selection - Ustaw pułapkę danych na selekcji - - - Jump to Address in This Window - Skocz do adresu w tym oknie - - - Jump to Address in New Window - Skocz do adresu w nowym oknie - - - Jump to Address 0x%1 in This Window - Skocz do adresu 0x%1 w tym oknie - - - Jump to Address 0x%1 in New Window - Skocz do adresu 0x%1 w nowym oknie - - - - QtC::ClangCodeModel - - Clang Code Model: Error: The clangbackend executable "%1" does not exist. - Model kodu Clang: Błąd: Plik wykonywalny "%1" clangbackendu nie istnieje. - - - Clang Code Model: Error: The clangbackend executable "%1" could not be started (timeout after %2ms). - Model kodu Clang: Błąd: Nie można uruchomić pliku wykonywalnego "%1" clangbackendu (przekroczony limit czasu oczekiwania po %2ms). - - - Clang Code Model: Error: The clangbackend process has finished unexpectedly and was restarted. - Model kodu Clang: Błąd: Proces clangbackend nieoczekiwanie zakończony i zrestartowany. - - - Code Model Warning - Ostrzeżenie modelu kodu - - - Code Model Error - Błąd modelu kodu - - - - QtC::CppEditor - - C++ Indexer: Skipping file "%1" because it is too big. - Indekser C++: plik "%1" posiada zbyt duży rozmiar, zostanie on pominięty. - - - - QtC::Debugger - - No - Nie - - - Yes - Tak - - - Plain - Zwykłe - - - Fast - Szybkie - - - debuglnk - debuglnk - - - buildid - buildid - - - It is unknown whether this module contains debug information. -Use "Examine Symbols" from the context menu to initiate a check. - Nie wiadomo, czy ten moduł zawiera informację debugową. -Użyj "Sprawdź symbole" z podręcznego menu, aby rozpocząć sprawdzanie. - - - This module neither contains nor references debug information. -Stepping into the module or setting breakpoints by file and line will not work. - Ten moduł nie zawiera ani nie odwołuje się do informacji debugowej. -Wskakiwanie do wnętrza modułu lub ustawianie pułapek w plikach nie zadziała. - - - This module contains debug information. -Stepping into the module or setting breakpoints by file and line is expected to work. - Ten moduł zawiera informację debugową. -Wskakiwanie do wnętrza modułu lub ustawianie pułapek w plikach powinno działać. - - - This module does not contain debug information itself, but contains a reference to external debug information. - Ten moduł nie zawiera samodzielnie informacji debugowej, ale zawiera odwołanie do zewnętrznej informacji debugowej. - - - <unknown> - address - End address of loaded module - <nieznany> - - - Update Module List - Uaktualnij listę modułów - - - Show Source Files for Module "%1" - Pokaż pliki źródłowe modułu "%1" - - - Show Source Files for Module - Pokaż źródłowe pliki modułu - - - Show Dependencies of "%1" - Pokaż zależności dla "%1" - - - Show Dependencies - Pokaż zależności - - - Load Symbols for All Modules - Załaduj symbole ze wszystkich modułów - - - Examine All Modules - Sprawdź wszystkie moduły - - - Load Symbols for Module "%1" - Załaduj symbole z modułu "%1" - - - Load Symbols for Module - Załaduj symbole z modułu - - - Edit File "%1" - Zmodyfikuj plik "%1" - - - Edit File - Zmodyfikuj plik - - - Show Symbols in File "%1" - Pokaż symbole z pliku "%1" - - - Show Symbols - Pokaż symbole - - - Show Sections in File "%1" - Pokaż sekcje z pliku "%1" - - - Show Sections - Pokaż sekcje - - - - QtC::DiffEditor - - Saved - Zachowany - - - Modified - Zmodyfikowany - - - Diff Files - Pokaż różnice w plikach - - - Diff Modified Files - Pokaż różnice w zmodyfikowanych plikach - - - Revert Chunk - Odwróć zmiany we fragmencie - - - Apply Chunk - Zastosuj fragment - - - Would you like to revert the chunk? - Czy zastosować odwrotny fragment? - - - Would you like to apply the chunk? - Czy zastosować fragment? - - - Send Chunk to CodePaster... - Wyślij fragment do CodePaster... - - - Apply Chunk... - Zastosuj fragment... - - - Revert Chunk... - Zastosuj odwrotny fragment... - - - - QtC::ProjectExplorer - - Project Settings - Ustawienia projektu - - - Import Existing Build... - Zaimportuj istniejącą wersję... - - - Manage Kits... - Zarządzaj zestawami narzędzi... - - - Import Directory - Zaimportuj katalog - - - Project Selector - Wybór projektu - - - Active Project - Aktywny projekt - - - Configure Project - Skonfiguruj projekt - - - The project <b>%1</b> is not yet configured.<br/>Qt Creator cannot parse the project, because no kit has been set up. - Projekt <b>%1</b> nie jest jeszcze skonfigurowany.<br/>Qt Creator nie może przeparsować projektu, ponieważ nie ustawiono żadnych zestawów narzędzi. - - - The project <b>%1</b> is not yet configured.<br/>Qt Creator uses the kit <b>%2</b> to parse the project. - Projekt <b>%1</b> nie jest jeszcze skonfigurowany.<br/>Qt Creator używa zestawu narzędzi <b>%2</b> do przeparsowania projektu. - - - The project <b>%1</b> is not yet configured.<br/>Qt Creator uses the <b>invalid</b> kit <b>%2</b> to parse the project. - Projekt <b>%1</b> nie jest jeszcze skonfigurowany.<br/>Qt Creator użyje <b>niepoprawnego</b> zestawu narzędzi <b>%2</b> do przeparsowania projektu. - - - Click to activate: - Kliknij aby uaktywnić: - - - Enable Kit "%1" for Project "%2" - Odblokuj zestaw narzędzi "%1" dla projektu "%2" - - - Disable Kit "%1" for Project "%2" - Zablokuj zestaw narzędzi "%1" dla projektu "%2" - - - Cancel Build and Disable Kit in This Project - Anuluj budowanie i zablokuj zestaw narzędzi w tym projekcie - - - Disable Kit %1 in This Project? - Czy zablokować zestaw narzędzi %1 w tym projekcie? - - - The kit <b>%1</b> is currently being built. - Trwa budowanie zestawu narzędzi <b>%1</b>. - - - Do you want to cancel the build process and remove the kit anyway? - Czy przerwać budowanie i usunąć zestaw narzędzi? - - - Copy Steps From Another Kit... - Kopiuj kroki z innego zestawu narzędzi... - - - Enable Kit - Odblokuj zestaw narzędzi - - - No kit defined in this project. - Brak zdefiniowanego zestawu narzędzi dla tego projektu. - - - - QtC::QbsProjectManager - - C and C++ compiler paths differ. C compiler may not work. - Ścieżki do kompilatorów C i C++ są różne, Kompilator C może działać niepoprawnie. - - - Generated files - Wygenerowane pliki - - - - QtC::QmakeProjectManager - - "%1" is used by qmake, but "%2" is configured in the kit. -Please update your kit or choose a mkspec for qmake that matches your target environment better. - "%1" jest używane przez qmake, a "%2" jest skonfigurowane w zestawie narzędzi. -Zmień konfigurację zestawu narzędzi lub wybierz mkspec qmake'a pasujący do docelowego środowiska. - - - - QmlDesigner::Internal::BackendModel - - Type - Typ - - - Name - Nazwa - - - Singleton - Singleton - - - Local - Lokalny - - - - QtC::ScxmlEditor - - Modify Color Themes... - Modyfikuj motywy kolorów... - - - Modify Color Theme - Zmodyfikuj motyw kolorów - - - Select Color Theme - Wybierz motyw kolorów - - - Factory Default - Ustawienia fabryczne - - - Colors from SCXML Document - Kolory z dokumentu SCXML - - - Pick Color - Wybierz kolor - - - Automatic Color - Kolor automatyczny - - - More Colors... - Więcej kolorów... - - - SCXML Generation Failed - Błąd generowania SCXML - - - Loading document... - Ładowanie dokumentu... - - - State Color - Kolor stanu - - - Font Color - Kolor czcionki - - - Align Left - Wyrównaj do lewej - - - Adjust Width - Dopasuj szerokość - - - Alignment - Wyrównanie - - - Adjustment - Dopasowanie - - - Images (%1) - Pliki graficzne (%1) - - - Untitled - Nienazwany - - - Export Canvas to Image - Wyeksportuj obraz do pliku graficznego - - - Export Failed - Błąd eksportowania - - - Could not export to image. - Nie można wyeksportować do pliku graficznego. - - - Save Screenshot - Zachowaj zrzut ekranu - - - Saving Failed - Błąd zapisu - - - Could not save the screenshot. - Nie można zachować zrzutu ekranu. - - - Navigator - Nawigator - - - Type - Typ - - - Name - Nazwa - - - Attributes - Atrybuty - - - Content - Zawartość - - - Tag - Tag - - - Count - Ilość - - - Common states - Wspólne stany - - - Metadata - Metadane - - - Other tags - Inne tagi - - - Unknown tags - Nieznane tagi - - - Remove items - Usuń elementy - - - Structure - Struktura - - - Expand All - Rozwiń wszystko - - - Collapse All - Zwiń wszystko - - - Add child - Dodaj dziecko - - - Change parent - Zmień rodzica - - - Errors(%1) / Warnings(%2) / Info(%3) - Błędy (%1) / Ostrzeżenia (%2) / Informacje (%3) - - - CSV files (*.csv) - Pliki CSV (*.csv) - - - Export to File - Wyeksportuj do pliku - - - Cannot open file %1. - Nie można otworzyć pliku %1. - - - Severity - Ciężkość - - - Reason - Przyczyna - - - Description - Opis - - - Error - Błąd - - - Warning - Ostrzeżenie - - - Info - Informacja - - - Unknown - Nieznany - - - Severity: %1 -Type: %2 -Reason: %3 -Description: %4 - Ciężkość: %1 -Typ: %2 -Przyczyna: %3 -Opis: %4 - - - Add new state - Dodaj nowy stan - - - Move State - Przenieś stan - - - Align states - Wyrównaj stany - - - Adjust states - Dopasuj stany - - - Cut - Wytnij - - - Remove item(s) - Usuń element(y) - - - Relayout - Rozmieść ponownie - - - State - Stan - - - Each state must have a unique ID. - Każdy stan musi posiadać unikatowy identyfikator. - - - Missing ID - Brak identyfikatora - - - Duplicate ID (%1) - Powielony identyfikator (%1) - - - Initial - Stan początkowy - - - One level can contain only one initial state. - Jeden poziom może posiadać tylko jeden stan początkowy. - - - Too many initial states at the same level - Zbyt wiele stanów początkowych na tym samym poziomie - - - H - H - - - Value - Wartość - - - - name - - - nazwa - - - - - value - - - wartość - - - - Common States - Wspólne stany - - - Final - Stan finalny - - - Parallel - Stan równoległy - - - History - Stan historyczny - - - Error in reading XML. -Type: %1 (%2) -Description: %3 - -Row: %4, Column: %5 -%6 - Błąd odczytu pliku XML. -Typ: %1 (%2) -Opis: %3 - -Wiersz: %4, kolumna: %5 -%6 - - - Pasted data is empty. - Wklejone dane są puste. - - - Unexpected element. - Nieoczekiwany element. - - - Not well formed. - Niepoprawnie sformatowany. - - - Premature end of document. - Dokument przedwcześnie zakończony. - - - Custom error. - Własny błąd. - - - Current tag is not selected. - Bieżący tag nie jest zaznaczony. - - - Paste items - Wklej elementy - - - Cannot save XML to the file %1. - Nie można zachować pliku XML %1. - - - Add Tag - Dodaj tag - - - Remove Tag - Usuń tag - - - Error in reading XML - Błąd odczytu XML - - - New Tag - Nowy tag - - - Item - Element - - - Remove - Usuń - - - Created editor-instance. - Utworzono instancję edytora. - - - Editor-instance is not of the type ISCEditor. - Instancja edytora nie jest typu ISCEditor. - - - Set as Initial - Ustaw jako początkowy - - - Zoom to State - Powiększ do stanu - - - Re-Layout - Rozmieść ponownie - - - Change initial state - Zmień stan początkowy - - - Draw some transitions to state. - Narysuj przejścia do stanu. - - - No input connection - Brak połączenia wejściowego - - - No input or output connections (%1) - Brak połączenia wejściowego lub wyjściowego (%1) - - - Draw some transitions to or from state. - Narysuj przejścia do stanu lub ze stanu. - - - No output connections (%1) - Brak połączeń wyjściowych (%1) - - - Draw some transitions from state. - Narysuj przejścia ze stanu. - - - No input connections (%1) - Brak połączeń wejściowych (%1) - - - Remove Point - Usuń punkt - - - Transition - Przejście - - - Transitions should be connected. - Przejścia powinny być połączone. - - - Not Connected (%1) - Niepołączone (%1) - - - Undo (Ctrl + Z) - Cofnij (Ctrl+Z) - - - Redo (Ctrl + Y) - Przywróć (Ctrl+Y) - - - This file can only be edited in <b>Design</b> mode. - Ten plik może być modyfikowany jedynie w trybie <b>Design</b>. - - - Switch Mode - Przełącz tryb - - - - QtC::TextEditor - - <b>Error:</b> Could not decode "%1" with "%2"-encoding. Editing not possible. - <b>Błąd:</b> Nie można odkodować "%1" używając kodowania "%2". Edycja nie jest możliwa. - - - Select Encoding - Wybierz kodowanie - - - Line: %1, Col: %2 - Linia: %1, kolumna: %2 - - - Line: 9999, Col: 999 - Linia: 9999, kolumna: 999 - - - - QtC::ScxmlEditor - - Zoom In - Powiększ - - - Zoom In (Ctrl + + / Ctrl + Wheel) - Powiększ (Ctrl + + / Ctrl + Kółko myszy) - - - Zoom Out - Pomniejsz - - - Zoom Out (Ctrl + - / Ctrl + Wheel) - Pomniejsz (Ctrl + - / Ctrl + Kółko myszy) - - - Fit to View - Dopasuj do widoku - - - Fit to View (F11) - Dopasuj do widoku (F11) - - - Panning + Range Slider - Panning (Shift) + Value 1 - Magnifier - Lupa + Sets the value of the first range slider handle. + - Magnifier Tool (Alt) - Lupa (Alt) + Live + - Navigator (Ctrl+E) - Nawigator (Ctrl+E) + Toggles if the range slider provides live value updates. + - Copy - Skopiuj + Value 2 + - Copy (Ctrl + C) - Skopiuj (Ctrl+C) + Sets the value of the second range slider handle. + - Cut (Ctrl + X) - Wytnij (Ctrl+X) + From + Od - Paste - Wklej + Sets the minimum value of the range slider. + - Paste (Ctrl + V) - Wklej (Ctrl+V) + To + Do - Screenshot - Zrzut ekranu + Sets the maximum value of the range slider. + - Screenshot (Ctrl + Shift + C) - Zrzut ekranu (Ctrl+Shift+C) + Step size + Rozmiar kroku - Export to Image - Wyeksportuj do pliku graficznego + Sets the interval between the steps. +This functions if <b>Snap mode</b> is selected. + - Toggle Full Namespace - Przełącz pokazywanie pełnych przestrzeni nazw + Drag threshold + - Align Left (Ctrl+L,1) - Wyrównaj do lewej (Ctrl+L,1) + Sets the threshold at which a drag event begins. + - Align Right - Wyrównaj do prawej + Snap mode + Tryb przyciągania - Align Right (Ctrl+L,2) - Wyrównaj do prawej (Ctrl+L,2) + Sets how the slider handles snaps to the steps +defined in step size. + - Align Top - Wyrównaj do góry + Orientation + Orientacja - Align Top (Ctrl+L,3) - Wyrównaj do góry (Ctrl+L,3) - - - Align Bottom - Wyrównaj do dołu - - - Align Bottom (Ctrl+L,4) - Wyrównaj do dołu (Ctrl+L,4) - - - Align Horizontal - Wyrównaj w poziomie - - - Align Horizontal (Ctrl+L,5) - Wyrównaj w poziomie (Ctrl+L,5) - - - Align Vertical - Wyrównaj w pionie - - - Align Vertical (Ctrl+L,6) - Wyrównaj w pionie (Ctrl+L,6) - - - Adjust Width (Ctrl+L,7) - Dopasuj szerokość (Ctrl+L,7) - - - Adjust Height - Dopasuj wysokość - - - Adjust Height (Ctrl+L,8) - Dopasuj wysokość (Ctrl+L,8) - - - Adjust Size - Dopasuj rozmiar - - - Adjust Size (Ctrl+L,9) - Dopasuj rozmiar (Ctrl+L,9) - - - Show Statistics... - Pokaż statystyki... - - - Show Statistics - Pokaż statystyki + Sets the orientation of the range slider. + - QtC::Git + RectangleSpecifics - Authentication - Autoryzacja - - - <html><head/><body><p>Gerrit server with HTTP was detected, but you need to set up credentials for it.</p><p>To get your password, <a href="LINK_PLACEHOLDER"><span style=" text-decoration: underline; color:#007af4;">click here</span></a> (sign in if needed). Click Generate Password if the password is blank, and copy the user name and password to this form.</p><p>Choose Anonymous if you do not want authentication for this server. In this case, changes that require authentication (like draft changes or private projects) will not be displayed.</p></body></html> + Rectangle - &Password: - H&asło: + Fill color + - Server: - Serwer: + Sets the color for the background. + - Anonymous - Anonimowo + Border color + + + + Sets the color for the border. + + + + Border width + + + + Sets the border width. + + + + Radius + Promień + + + Sets the radius by which the corners get rounded. + - QtC::Ios + RemoteLinux::SshProcessInterface - Form - Formularz + Can't send control signal to the %1 device. The device might have been disconnected. + + + + + RenameFolderDialog + + Rename Folder + Zmień nazwę katalogu - Reset - Reset - - - Automatically manage signing - Automatycznie zarządzaj podpisami - - - Development team: - Zespół deweloperski: - - - iOS Settings - Ustawienia iOS - - - Provisioning profile: + Folder name cannot be empty. - Default - Domyślny - - - None - Brak - - - Development team is not selected. - Nie wybrano zespołu deweloperskiego. - - - Provisioning profile is not selected. + Could not rename folder. Make sure no folder with the same name exists. - Using default development team and provisioning profile. + If the folder has assets in use, renaming it might cause the project to not work correctly. - - Development team: %1 (%2) - Zespół deweloperski: %1 (%2) - - - Settings defined here override the QMake environment. - Ustawienia zdefiniowane tutaj nadpisują środowisko QMake. - - - %1 not configured. Use Xcode and Apple developer account to configure the provisioning profiles and teams. - - - - Development teams - Zespoły deweloperskie - - - Provisioning profiles - - - - No provisioning profile found for the selected team. - - - - Provisioning profile expired. Expiration date: %1 - - - - iOS Configuration - Konfiguracja iOS - - - Ask about devices not in developer mode - Pytaj o urządzenia nie będące w trybie deweloperskim - - - Devices - Urządzenia - - - Simulator - Symulator - - - Rename a simulator device. - Zmienia nazwę symulatora. - Rename - Zmień nazwę + Zmień nazwę - Delete simulator devices. - Usuwa symulatory. - - - Delete - Usuń - - - Reset contents and settings of simulator devices. - Resetuje zawartości i ustawienia symulatorów. - - - Screenshot directory: - Katalog ze zrzutami ekranu: - - - Create a new simulator device. - Tworzy nowy symulator. - - - Create - Utwórz - - - Start simulator devices. - Uruchamia symulator. - - - Start - Uruchom - - - Screenshot - Zrzut ekranu - - - You are trying to launch %n simulators simultaneously. This will take significant system resources. Do you really want to continue? - - Próba uruchomienia %n symulatora. To w znacznym stopniu wyczerpie zasoby systemu. Czy kontynuować? - Próba uruchomienia %n symulatorów jednocześnie. To w znacznym stopniu wyczerpie zasoby systemu. Czy kontynuować? - Próba uruchomienia %n symulatorów jednocześnie. To w znacznym stopniu wyczerpie zasoby systemu. Czy kontynuować? - - - - Simulator Start - Uruchomienie symulatora - - - Starting simulator devices... - - Uruchamianie symulatora... - Uruchamianie symulatorów... - Uruchamianie symulatorów... - - - - Cannot start simulator (%1, %2) in current state: %3 - Nie można uruchomić symulatora (%1, %2) w bieżącym stanie: %3 - - - simulator start - uruchomienie symulatora - - - Creating simulator device... - Tworzenie symulatora... - - - Simulator device (%1) created. -UDID: %2 - Utworzono symulator (%1). -UDID: %2 - - - Simulator device (%1) creation failed. -Error: %2 - Błąd tworzenia symulatora (%1). -Błąd: %2 - - - Do you really want to reset the contents and settings of the selected devices? - - Czy zresetować zawartość i ustawienia w zaznaczonym urządzeniu? - Czy zresetować zawartości i ustawienia w zaznaczonych urządzeniach? - Czy zresetować zawartości i ustawienia w zaznaczonych urządzeniach? - - - - Resetting contents and settings... - Resetowanie zawartości i ustawień... - - - simulator reset - reset symulatora - - - Rename %1 - Zmień nazwę %1 - - - Enter new name: - Wprowadź nową nazwę: - - - Renaming simulator device... - Zmienianie nazwy symulatora... - - - simulator rename - zmiana nazwy symulatora - - - Delete Device - Usuń urządzenie - - - Do you really want to delete the selected devices? - - Czy usunąć zaznaczone urządzenie? - Czy usunąć zaznaczone urządzenia? - Czy usunąć zaznaczone urządzenia? - - - - Deleting simulator devices... - - usuwanie zaznaczonego urządzenia... - usuwanie zaznaczonych urządzeń... - usuwanie zaznaczonych urządzeń... - - - - simulator delete - usuwanie urządzenia - - - Capturing screenshots from devices... - - Pobieranie zrzutów ekranu z urządzenia... - Pobieranie zrzutów ekranu z urządzeń... - Pobieranie zrzutów ekranu z urządzeń... - - - - simulator screenshot - pobieranie zrzutów ekranu + Cancel + Anuluj - QtC::QmlJSEditor + RepeaterSpecifics - Form - Formularz - - - Qt Quick Toolbars - Paski narzędzi Qt Quick - - - If enabled, the toolbar will remain pinned to an absolute position. - Jeśli odblokowane, pasek narzędzi pozostanie przypięty w pozycji bezwzględnej. - - - Pin Qt Quick Toolbar - Przypnij pasek narzędzi Qt Quick - - - Always show Qt Quick Toolbar - Zawsze pokazuj paski narzędzi Qt Quick - - - Automatic Formatting on File Save - Automatyczne formatowanie przy zachowywaniu plików - - - Enable auto format on file save - Odblokuj automatyczne formatowanie przy zachowywaniu plików - - - Restrict to files contained in the current project - Zastosuj jedynie do plików zawartych w bieżącym projekcie - - - QML/JS Editing - Edycja QML / JS - - - - MarginSection - - Margin - Margines - - - Vertical - W pionie - - - Top - Górny - - - The margin above the item. - Margines nad elementem. - - - Bottom - Dolny - - - The margin below the item. - Margines pod elementem. - - - Horizontal - W poziomie - - - Left - Lewy - - - The margin left of the item. - Margines po lewej stronie elementu. - - - Right - Prawy - - - The margin right of the item. - Margines po prawej stronie elementu. - - - Margins - Marginesy - - - The margins around the item. - Marginesy wokół elementu. - - - - DialogSpecifics - - Dialog - Dialog - - - Title - Tytuł - - - - DrawerSpecifics - - Drawer - Szuflada - - - Edge - Krawędź - - - Defines the edge of the window the drawer will open from. - Definiuje krawędź okna z której wysunie się szuflada. - - - Drag Margin - Margines przeciągania - - - Defines the distance from the screen edge within which drag actions will open the drawer. - Definiuje obszar od krawędzi ekranu w którym przeciąganie spowoduje wysunięcie szuflady. - - - - PopupSection - - Popup + Repeater - Size - Rozmiar + Model + Model - Visibility - Widoczność - - - Is visible - Jest widoczny - - - Clip - Przycięcie - - - Behavior - Zachowanie - - - Modal - Modalny - - - Defines the modality of the popup. + The model providing data for the repeater. This can simply specify the number of delegate instances to create or it can be bound to an actual model. - Dim + Delegate - Defines whether the popup dims the background. + The delegate provides a template defining each object instantiated by the repeater. + + + + + ResetEdit3DColorsAction + + Reset Colors - Opacity - Nieprzezroczystość + Reset the background color and the color of the grid lines of the 3D view to the default values. + + + + + ResetView + + Reset View + + + + + RotateToolAction + + Activate Rotate Tool + + + + + RoundButtonSpecifics + + Round Button + - Scale - Skala + Appearance + + + + Toggles if the button is flat or highlighted. + + + + Flat + + + + Highlight + + + + Radius + Promień + + + Sets the radius of the button. + + + + + RowLayoutSpecifics + + Row Layout + + + + Row spacing + + + + Layout direction + + + + + RowSpecifics + + Row + Wiersz Spacing Odstępy - Spacing between internal elements of the control. - Odstępy pomiędzy wewnętrznymi elementami kontrolki. - - - - QtC::Android - - Cannot create AVD. Invalid input. - Nie można utworzyć AVD. Niepoprawne wejście. - - - Cannot create AVD. Cannot find system image for the ABI %1(%2). - Nie można utworzyć AVD. Nie można odnaleźć systemowego obrazu dla ABI %1(%2). - - - Could not start process "%1 %2" - Nie można uruchomić procesu "%1 %2" - - - Cannot create AVD. Command timed out. - Nie można utworzyć AVD. Przekroczono limit czasu oczekiwania. - - - Incorrect password. - Niepoprawne hasło. - - - Keystore - Magazyn kluczy - - - Enter keystore password - Podaj hasło magazynu kluczy - - - Enter certificate password - Wprowadź hasło certyfikatu - - - - QtC::Autotest - - inherited - dziedziczony - - - - QtC::Bazaar - - Ignore Whitespace - Ignoruj białe znaki - - - Ignore Blank Lines - Ignoruj puste linie - - - Verbose - Gadatliwy - - - Show files changed in each revision. - Pokazuj zmienione pliki w każdej wersji. - - - Forward - Do przodu - - - Show from oldest to newest. - Pokazuj od najstarszego do najnowszego. - - - Include Merges - Dołącz scalenia - - - Show merged revisions. - Pokaż scalone wersje. - - - Detailed - Szczegółowo - - - Moderately Short - Umiarkowanie krótko - - - One Line - Otwórz linię - - - GNU Change Log - Log zmian GNU - - - - QtC::Beautifier - - Uncrustify file (*.cfg) - Plik uncrustify (*.cfg) - - - - QtC::BinEditor - - Zoom: %1% - Powiększenie:%1% - - - - ClangRefactoring::ClangQueryProjectsFindFilter - - Clang Query Project + Sets the spacing between items in the row. - Clang Query + Layout direction + + + + Sets in which direction items in the row are placed. - QtCreatorSearchHandle + ScaleToolAction - Clang Query + Activate Scale Tool - QtC::CMakeProjectManager + ScrollViewSpecifics - Default - The name of the build configuration created by default for a cmake project. - Domyślna - - - Debug - Debug - - - Release - Release - - - Minimum Size Release - Wersja o minimalnym rozmiarze (kosztem prędkości) - - - Release with Debug Information - Wersja z informacją debugową - - - Failed to open %1 for reading. - Błąd otwierania %1 do odczytu. - - - CMake Modules - Moduły CMake - - - Target type: - Typ docelowy: - - - No build artifacts + Scroll View - Build artifacts:<br> + Content size + Rozmiar zawartości + + + Sets the width and height of the view. +This is used for calculating the total implicit size. - CMake - SnippetProvider - CMake + W + width + The width of the object + - Build - Zbuduj + Content width used for calculating the total implicit width. + - Build "%1" - Zbuduj "%1" + H + height + The height of the object + H - Current CMake: %1 - Bieżący CMake: %1 + Content height used for calculating the total implicit height. + - Not in CMakeCache.txt - Brak w CMakeCache.txt - - - Running "%1 %2" in %3. - Uruchamianie "%1 %2" w %3. - - - Running "%1" failed: Timeout waiting for pipe "%2". - Błąd uruchamiania "%1": przekroczono limit czasu oczekiwania na potok "%2". - - - CMake process "%1" crashed. - Proces CMake "%1" przerwał pracę. - - - CMake process "%1" quit with exit code %2. - Proces CMake "%1" zakończył pracę kodem wyjściowym %2. - - - CMake process "%1" quit normally. - Proces CMake "%1" zakończył się normalnie. - - - Failed to parse JSON from CMake server. - Błąd parsowania danych JSON z serwera CMake. - - - JSON data from CMake server was not a JSON object. - Dane JSON z serwera CMake nie są obiektem JSON. - - - Unexpected hello received from CMake server. - Otrzymano niespodziewane "hello" z serwera CMake. - - - Unexpected type "%1" received while waiting for "hello". - Otrzymano niespodziewany typ "%1" podczas oczekiwania na "hello". - - - Received a reply even though no request is open. - Otrzymano odpowiedź, mimo że nie wystosowano o nią żądania. - - - Received a reply to a request of type "%1", when a request of type "%2" was sent. - Otrzymano odpowiedź na żądanie typu "%1", mimo że wysłano żądanie typu "%2". - - - Received a reply with cookie "%1", when "%2" was expected. - Otrzymano odpowiedź zawierającą ciasteczko "%1", mimo że oczekiwano "%2". - - - An error was reported even though no request is open. - Zaraportowano błąd, mimo że nie wystosowano żadnego żądania. - - - Received an error in response to a request of type "%1", when a request of type "%2" was sent. - Otrzymano błąd w odpowiedzi na żądanie typu "%1", mimo że wysłano żądanie typu "%2". - - - Received an error with cookie "%1", when "%2" was expected. - Otrzymano błąd zawierający ciasteczko "%1", mimo że oczekiwano "%2". - - - Received a message in response to a request of type "%1", when a request of type "%2" was sent. - Otrzymano komunikat w odpowiedzi na żądanie typu "%1", mimo że wysłano żądanie typu "%2". - - - Received a message with cookie "%1", when "%2" was expected. - Otrzymano komunikat zawierającą ciasteczko "%1", mimo że oczekiwano "%2". - - - Received a progress report in response to a request of type "%1", when a request of type "%2" was sent. - Otrzymano raport postępu w odpowiedzi na żądanie typu "%1", mimo że wysłano żądanie typu "%2". - - - Received a progress report with cookie "%1", when "%2" was expected. - Otrzymano raport postępu zawierający ciasteczko "%1", mimo że oczekiwano "%2". - - - Received a signal without a name. - Otrzymano sygnał bez nazwy. - - - Received a signal in reply to a request. - Otrzymano sygnał w odpowiedzi na żądanie. - - - Configuring "%1" - Konfiguracja "%1" - - - Parsing of CMake project failed: Connection to CMake server lost. - Błąd parsowania projektu CMake. Utracono połączenie z serwerem CMake. - - - Starting to parse CMake project for Qt Creator. - Rozpoczęcie parsowania projektu CMake dla Qt Creatora. - - - <Build Directory> - <Katalog budowania> - - - <Other Locations> - <Inne położenia> - - - CMake Project was parsed successfully. - Parsowanie projektu CMake poprawnie zakończone. - - - CMake Project parsing failed. - Nie można sparsować projektu CMake. - - - <Headers> - <Nagłówki> - - - The build directory is not for %1 but for %2 - Katalog budowania nie jest przeznaczony dla %1, lecz dla %2 - - - *** cmake process crashed. - *** Proces cmake przerwał pracę. - - - *** cmake process exited with exit code %1. - *** Proces cmake zakończył pracę kodem wyjściowym %1. + Font + Czcionka - QtC::Core + SearchBox - Empty search term - Pusty tekst do wyszukania + Search + Wyszukaj - QtC::CodePaster + Section - Password: - Hasło: + Expand All + Rozwiń wszystko - Pasting to KDE paster needs authentication.<br/>Enter your KDE Identity credentials to continue. - - - - <span style='background-color:LightYellow;color:red'>Login failed</span><br/><br/> - <span style='background-color:LightYellow;color:red'>Błąd logowania</span><br/><br/> + Collapse All + Zwiń wszystko - QtC::CppEditor + SelectBackgroundColorAction - Note: Multiple parse contexts are available for this file. Choose the preferred one from the editor toolbar. + Select Background Color - File is not part of any project. - Plik nie jest częścią żadnego projektu. - - - File contains errors in included files. - Plik zawiera błędy w dowiązanych plikach. - - - Minimize - Zminimalizuj - - - <b>Warning</b>: This file is not part of any project. The code model might have issues to parse this file properly. - <b>Ostrzeżenie</b>: ten plik nie jest częścią żadnego projektu. Model kodu może niepoprawnie przeparsować ten plik. - - - <b>Warning</b>: The code model could not parse an included file, which might lead to slow or incorrect code completion and highlighting, for example. - <b>Ostrzeżenie</b>: Model kodu nie mógł przeparsować dołączonego pliku, może to spowodować powolne lub niepoprawne działanie uzupełniania bądź podświetlania kodu. - - - <p><b>Active Parse Context</b>:<br/>%1</p><p>Multiple parse contexts (set of defines, include paths, and so on) are available for this file.</p><p>Choose a parse context to set it as the preferred one. Clear the preference from the context menu.</p> - - - - Clear Preferred Parse Context + Select a color for the background of the 3D view. - QtC::CVS + SelectGridColorAction - Ignore Whitespace - Ignoruj białe znaki + Select Grid Color + - Ignore Blank Lines - Ignoruj puste linie + Select a color for the grid lines of the 3D view. + - QtC::Debugger + SelectionModeToggleAction + + Toggle Group/Single Selection Mode + + + + + ShowCameraFrustumAction + + Always Show Camera Frustums + + + + Toggle between always showing the camera frustum visualization and only showing it when the camera is selected. + + + + + ShowGridAction + + Show Grid + + + + Toggle the visibility of the helper grid. + + + + + ShowIconGizmoAction + + Show Icon Gizmos + + + + Toggle the visibility of icon gizmos, such as light and camera icons. + + + + + ShowParticleEmitterAction + + Always Show Particle Emitters And Attractors + + + + Toggle between always showing the particle emitter and attractor visualizations and only showing them when the emitter or attractor is selected. + + + + + ShowSelectionBoxAction + + Show Selection Boxes + + + + Toggle the visibility of selection boxes. + + + + + SliderSpecifics + + Slider + + + + Value + Wartość + + + The current value of the slider. + + + + Live + + + + Whether the slider provides live value updates. + + + + From + Od + + + The starting value of the slider range. + + + + To + Do + + + The ending value of the slider range. + + + + The step size of the slider. + + + + Drag threshold + + + + The threshold (in logical pixels) at which a drag event will be initiated. + + + + Snap mode + Tryb przyciągania + + + The snap mode of the slider. + + + + The orientation of the slider. + + + + Current value of the Slider. The default value is 0.0. + Bieżąca wartość suwaka. Domyślną wartością jest 0.0. + + + Maximum value + Maksymalna wartość + + + Maximum value of the slider. The default value is 1.0. + Maksymalna wartość suwaka. Domyślną wartością jest 1.0. + + + Minimum value + Minimalna wartość + + + Minimum value of the slider. The default value is 0.0. + Minimalna wartość suwaka. Domyślną wartością jest 0.0. + + + Orientation + Orientacja + + + Layout orientation of the slider. + Orientacja pozioma / pionowa suwaka. + + + Step size + Rozmiar kroku + + + Indicates the slider step size. + Określa rozmiar kroku suwaka. + + + Active focus on press + Uaktywnij fokus po naciśnięciu + + + Indicates whether the slider should receive active focus when pressed. + Określa, czy suwak powinien otrzymać fokus po naciśnięciu. + + + Tick marks enabled + Skala odblokowana + + + Indicates whether the slider should display tick marks at step intervals. + Określa, czy suwak powinien wyświetlać skalę z naniesionymi znacznikami kroków. + + + Update value while dragging + Odświeżaj wartość podczas przeciągania + + + Determines whether the current value should be updated while the user is moving the slider handle, or only when the button has been released. + Określa, czy bieżąca wartość powinna być odświeżana w trakcie przesuwania uchwytu suwaka, czy jedynie po zwolnieniu uchwytu. + + + + SnapConfigAction + + Open snap configuration dialog + + + + + SnapConfigurationDialog + + Snap Configuration + + + + Interval + + + + Position + Pozycja + + + Snap position. + + + + Snap interval for move gizmo. + + + + Rotation + Rotacja + + + Snap rotation. + + + + Snap interval in degrees for rotation gizmo. + + + + Scale + Skala + + + Snap scale. + + + + Snap interval for scale gizmo in percentage of original scale. + + + + Absolute Position + + + + Toggles if the position snaps to absolute values or relative to object position. + + + + deg + + + + % + % + + + Reset All + + + + + SnapToggleAction + + Toggle snapping during node drag + + + + + SpatialSoundSection + + Spatial Sound + + + + Source + Źródło + + + The source file for the sound to be played. + + + + Volume + + + + Set the overall volume for this sound source. +Values between 0 and 1 will attenuate the sound, while values above 1 provide an additional gain boost. + + + + Loops + + + + Sets how often the sound is played before the player stops. +Bind to SpatialSound.Infinite to loop the current sound forever. + + + + Auto Play + + + + Sets whether the sound should automatically start playing when a source gets specified. + + + + Distance Model + + + + Sets thow the volume of the sound scales with distance to the listener. + + + + Size + Rozmiar + + + Set the size of the sound source. +If the listener is closer to the sound object than the size, volume will stay constant. + + + + Distance Cutoff + + + + Set the distance beyond which sound coming from the source will cutoff. + + + + Manual Attenuation + + + + Set the manual attenuation factor if distanceModel is set to ManualAttenuation. + + + + Occlusion Intensity + + + + Set how much the object is occluded. +0 implies the object is not occluded at all, while a large number implies a large occlusion. + + + + Directivity + + + + Set the directivity of the sound source. +A value of 0 implies that the sound is emitted equally in all directions, while a value of 1 implies that the source mainly emits sound in the forward direction. + + + + Directivity Order + + + + Set the order of the directivity of the sound source. +A higher order implies a sharper localization of the sound cone. + + + + Near Field Gain + + + + Set the near field gain for the sound source. +A near field gain of 1 will raise the volume of the sound signal by approx 20 dB for distances very close to the listener. + + + + + SpinBoxSpecifics + + Spin Box + + + + Value + Wartość + + + Sets the current value of the spin box. + + + + From + Od + + + Sets the lowest value of the spin box range. + + + + To + Do + + + Sets the highest value of the spin box range. + + + + Step size + Rozmiar kroku + + + Sets the number by which the spin box value changes. + + + + Editable + + + + Toggles if the spin box is editable. + + + + Wrap + + + + Toggles if the spin box wraps around when +it reaches the start or end. + + + + + SplitViewSpecifics + + Split View + Podziel widok + + + Orientation + Orientacja + + + Orientation of the split view. + Orientacja podzielonego widoku. + + + + StackLayoutSpecifics + + Stack Layout + + + + Current index + Bieżący indeks + + + + StackViewSpecifics + + Font + Czcionka + + + + StandardTextGroupBox + + + + + + + StandardTextSection + + Text + Tekst + + + Text color + + + + Wrap mode + Tryb zawijania + + + Sets how overflowing text is handled. + + + + Elide + + + + Sets how to indicate that more text is available. + + + + Max line count + + + + Sets the max number of lines that the text component shows. + + + + Alignment H + + + + Alignment V + + + + Sets the rendering type for this component. + + + + Size mode + + + + Sets how the font size is determined. + + + + Min size + + + + Sets the minimum font size to use. This has no effect when <b>Size</b> mode is set to Fixed. + + + + Minimum font pixel size of scaled text. + + + + Minimum font point size of scaled text. + + + + Line height + + + + Line height for the text. + + + + Line height mode + + + + Sets how to calculate the line height based on the <b>Line height</b> value. + + + + Format + Format + + + Sets the formatting method of the text. + + + + Render type + Typ renderingu + + + + StateMenu + + Clone + Sklonuj + + + Delete + + + + Show Thumbnail + + + + Show Changes + + + + Extend + + + + Reset when Condition + Zresetuj przy spełnionym warunku + + + Edit Annotation + + + + Add Annotation + + + + Remove Annotation + + + + + StateSpecifics + + State + Stan + + + When + + + + Sets when the state should be applied. + + Name - Nazwa + Nazwa - Location - Położenie - - - Type - Typ - - - Auto-detected - Automatycznie wykryte - - - Manual - Ustawione ręcznie - - - Auto-detected CDB at %1 - Automatycznie wykryty CDB w %1 - - - System %1 at %2 - %1: Debugger engine type (GDB, LLDB, CDB...), %2: Path - System %1 w %2 - - - Extracted from Kit %1 - Znaleziony w zestawie narzędzi %1 - - - - QtC::DiffEditor - - Calculating diff - Sporządzanie różnic - - - - QtC::Ios - - %1 - Free Provisioning Team : %2 + The name of the state. - Yes - Tak + Extend + - No - Nie + The state that this state extends. + - ProvisioningProfile + StateThumbnail - Team: %1 -App ID: %2 -Expiration date: %3 - Zespół: %1 -Identyfikator aplikacji: %2 -Termin wygaśnięcia: %3 + Default + + + + Set State as default + + + + State Name + + + + Base State + + + + No Property Changes Available + + + + Target + Cel + + + Explicit + + + + Restore values + + + + When Condition + - QtC::Mercurial + StatementEditor - Ignore Whitespace - Ignoruj białe znaki + Item + Element - Ignore Blank Lines - Ignoruj puste linie + Sets the component that is affected by the action of the <b>Target</b> component's <b>Signal</b>. + + + + Method + + + + Sets the item component's method that is affected by the <b>Target</b> component's <b>Signal</b>. + + + + From + Od + + + Sets the component and its property from which the value is copied when the <b>Target</b> component initiates the <b>Signal</b>. + + + + To + Do + + + Sets the component and its property to which the copied value is assigned when the <b>Target</b> component initiates the <b>Signal</b>. + + + + State Group + + + + Sets a <b>State Group</b> that is accessed when the <b>Target</b> component initiates the <b>Signal</b>. + + + + State + Stan + + + Sets a <b>State</b> within the assigned <b>State Group</b> that is accessed when the <b>Target</b> component initiates the <b>Signal</b>. + + + + Property + Właściwość + + + Sets the property of the component that is affected by the action of the <b>Target</b> component's <b>Signal</b>. + + + + Value + Wartość + + + Sets the value of the property of the component that is affected by the action of the <b>Target</b> component's <b>Signal</b>. + + + + Message + Komunikat + + + Sets a text that is printed when the <b>Signal</b> of the <b>Target</b> component initiates. + + + + Custom Connections can only be edited with the binding editor + - QtC::Nim + StudioWelcome::Internal::ProjectModel - Scanning for Nim files - Skanowanie w poszukiwaniu plików Nim + Created with Qt Design Studio version: %1 + - No Nim compiler set. - Brak ustawionego kompilatora Nim. + Resolution: %1x%2 + - Nim compiler does not exist - Brak kompilatora Nim + Created: %1 + - &Compiler path: - Ścieżka do &kompilatora: - - - &Compiler version: - Wersja &kompilatora: + Last Edited: %1 + - QtC::Perforce + StudioWelcome::Internal::UsageStatisticPluginModel - Ignore Whitespace - Ignoruj białe znaki + The change will take effect after restart. + - QtC::ProjectExplorer + StudioWelcome::Internal::WelcomeMode - Failed to retrieve MSVC Environment from "%1": -%2 - Błąd pobierania środowiska MSVC z "%1". -%2 + Welcome + Powitanie - ApplicationLauncher + StudioWelcome::PresetModel - User requested stop. Shutting down... - Użytkownik zażądał zatrzymania. Zamykanie... + Recents + - Failed to start program. Path or permissions wrong? - Nie można uruchomić programu. Sprawdź ścieżkę i prawa dostępu do programu. - - - The program has unexpectedly finished. - Program nieoczekiwanie przerwał pracę. - - - Some error has occurred while running the program. - Pojawiły się błędy podczas działania programu. - - - Cannot run: No device. - Nie można uruchomić: Brak urządzenia. - - - Cannot run: Device is not able to create processes. - Nie można uruchomić: urządzenie nie jest zdolne do tworzenia procesów. - - - Cannot run: No command given. - Nie można uruchomić: nie podano komendy. - - - Application failed to start: %1 - Nie można uruchomić aplikacji: %1 - - - Application finished with exit code %1. - Aplikacja zakończyła się kodem wyjściowym %1. - - - Application finished with exit code 0. - Aplikacja zakończyła się kodem wyjściowym 0. + Custom + Własny - QtC::ProjectExplorer + StudioWelcome::QdsNewDialog - Build Step - Krok budowania + New Project + Nowy projekt - session - Appears in "Open session <name>" - sesja + Failed to initialize data. + - project - Appears in "Open project <name>" - projekt + Choose Directory + Wybierz katalog + + + Save Preset + + + + A preset with this name already exists. + - QtC::QmakeProjectManager + Styles - Headers - Nagłówki + Style + Styl - Sources - Źródła + All + - Forms - Formularze + Light + - State charts - Diagramy stanów - - - Resources - Zasoby - - - QML - QML - - - Other files - Inne pliki - - - Failed - Niepoprawnie zakończone - - - Could not write project file %1. - Nie można zapisać pliku projektu %1. - - - File Error - Błąd pliku - - - Error while parsing file %1. Giving up. - Błąd parsowania pliku %1. Przetwarzanie przerwane. - - - Could not find .pro file for subdirectory "%1" in "%2". - Nie można odnaleźć pliku .pro w podkatalogu "%1" w "%2". + Dark + - ChangeStyleWidgetAction + SubComponentManager::parseDirectory - Change style for Qt Quick Controls 2. - Zmień styl dla Qt Quick Controls 2. - - - Change style for Qt Quick Controls 2. Configuration file qtquickcontrols2.conf not found. - Zmień styl dla Qt Quick Controls 2. Brak pliku konfiguracyjnego qtquickcontrols2.conf. + Invalid meta info + Niepoprawna metainformacja - QmlDesigner::ItemLibraryResourceView + SwipeViewSpecifics - Large Icons - Duże ikony + Swipe View + - Medium Icons - Średnie ikony + Interactive + Interaktywny - Small Icons - Małe ikony + Toggles if the user can interact with the view. + - List - Lista + Orientation + Orientacja + + + Sets the orientation of the view. + + + + Font + Czcionka - QmlDesigner::PropertyEditorContextObject + SyncEnvBackgroundAction - Invalid Type - Niepoprawny typ + Use Scene Environment + - %1 is an invalid type. - %1 jest niepoprawnym typem. + Sets the 3D view to use the Scene Environment color or skybox as background color. + - QmlDesigner::TextEditorView + TabBarSpecifics - Trigger Completion - Rozpocznij uzupełnianie + Tab Bar + - Meta+Space - Meta+Space + Position + Pozycja - Ctrl+Space - Ctrl+Space + Sets the position of the tab bar. + - Text Editor + Content size + Rozmiar zawartości + + + Sets the width and height of the tab bar. +This is used for calculating the total implicit size. + + + + W + width + The width of the object + + + + Content width used for calculating the total implicit width. + + + + H + height + The height of the object + H + + + Content height used for calculating the total implicit height. + + + + + TabViewSpecifics + + Tab View + Widok z zakładkami + + + Current index + Bieżący indeks + + + Frame visible + Ramka widoczna + + + Determines the visibility of the tab frame around contents. + Określa, czy widoczna jest ramka zakładki wokół zawartości. + + + Tabs visible + Zakładki widoczne + + + Determines the visibility of the tab bar. + Określa, czy widoczny jest pasek z zakładkami. + + + Tab position + Pozycja zakładek + + + Determines the position of the tabs. + Określa pozycję zakładek. + + + + TemplateMerge + + Merge With Template + + + + &Browse... + + + + Template: + Szablon: + + + Browse Template + + + + + TextAreaSpecifics + + Text + Tekst + + + Text shown on the text area. + Tekst pokazany w obszarze tekstowym. + + + Read only + Tylko do odczytu + + + Determines whether the text area is read only. + Określa, czy pole tekstowe jest edytowalne. + + + Color + Kolor + + + Document margins + Marginesy dokumentu + + + Text Area + Obszar tekstowy + + + Frame width + Szerokość ramki + + + Margins of the text area. + Marginesy pola tekstowego. + + + Width of the frame. + Szerokość ramki. + + + Contents frame + Ramka wokół tekstu + + + Determines whether the frame around contents is shown. + Określa, czy widoczna jest ramka wokół tekstu. + + + Focus Handling + Obsługa fokusu + + + Highlight on focus + Podświetlenie przy fokusie + + + Determines whether the text area is highlighted on focus. + Określa, czy pole tekstowe jest podświetlone przy fokusie. + + + Tab changes focus + Tabulator zmienia fokus + + + Determines whether tab changes the focus of the text area. + Określa, czy naciśnięcie tabulatora powoduje opuszczenie fokusu z pola tekstowego. + + + Focus on press + Fokus po naciśnięciu + + + Determines whether the text area gets focus if pressed. + Określa, czy pole tekstowe otrzymuje fokus, gdy zostanie naciśnięte. + + + + TextEditor::Internal::Snippets + + + Snippets are text fragments that can be inserted into an editor via the usual completion mechanics using a trigger text. The translated text (trigger variant) is used to disambiguate between snippets with the same trigger. + + + + + TextExtrasSection + + Text Extras + + + + Wrap mode + Tryb zawijania + + + Sets how overflowing text is handled. + + + + Elide + + + + Sets how to indicate that more text is available. + + + + Format + Format + + + Sets the formatting method of the text. + + + + Render type + Typ renderingu + + + Sets the rendering type for this component. + + + + Render type quality + + + + Sets the quality of the render. This only has an effect when <b>Render type</b> is set to QtRendering. + + + + Line height mode + + + + Sets how to calculate the line height based on the <b>Line height</b> value. + + + + Size mode + + + + Sets how the font size is determined. + + + + Min size + + + + Sets the minimum font size to use. This has no effect when <b>Size</b> mode is set to Fixed. + + + + Minimum font pixel size of scaled text. + + + + Minimum font point size of scaled text. + + + + Max line count + + + + Sets the max number of lines that the text component shows. + + + + + TextFieldSpecifics + + Text Field + Pole tekstowe + + + Text + Tekst + + + Placeholder text + Tekst zastępczy + + + Read only + Tylko do odczytu + + + Determines whether the text field is read only. + Określa, czy pole tekstowe jest edytowalne. + + + Text shown on the text field. + Tekst pokazany w polu tekstowym. + + + Placeholder text. + Tekst zastępczy. + + + Input mask + Maska wejściowa + + + Restricts the valid text in the text field. + Ogranicza dozwolone teksty w polu tekstowym. + + + Echo mode + Tryb echo + + + Specifies how the text is displayed in the text field. + Określa w jaki sposób jest wyświetlany tekst w polu tekstowym. + + + + TextInputSection + + Text Input + Wejście tekstu + + + Selection color + + + + Sets the background color of selected text. + + + + Selected text color + + + + Sets the color of selected text. + + + + Selection mode + + + + Sets the way text is selected with the mouse. + + + + Input mask + Maska wejściowa + + + Sets the allowed characters. + + + + Echo mode + Tryb echo + + + Sets the visibility mode. + + + + Password character + + + + Sets which character to display when passwords are entered. + + + + Tab stop distance + + + + Default distance between tab stops in device units. + + + + Text margin + + + + Margin around the text in the Text Edit in pixels. + + + + Maximum length + + + + Sets the maximum length of the text. + + + + Toggles if the cursor is visible. + + + + Focus on press + Fokus po naciśnięciu + + + Toggles if the text is focused on mouse click. + + + + Toggles if the text scrolls when it exceeds its boundary. + + + + Overwrite mode + + + + Toggles if overwriting text is allowed. + + + + Persistent selection + + + + Toggles if the text should remain selected after moving the focus elsewhere. + + + + Select by mouse + + + + Toggles if the text can be selected with the mouse. + + + + Select by keyboard + + + + Read only + Tylko do odczytu + + + Toggles if the text allows edits. + + + + Cursor visible + Kursor widoczny + + + Auto scroll + Automatyczne przewijanie + + + + TextSection + + Text Area + Obszar tekstowy + + + Placeholder text + Tekst zastępczy + + + Placeholder text displayed when the editor is empty. + + + + Placeholder color + + + + Placeholder text color. + + + + Hover + + + + Whether text area accepts hover events. + + + + + TextTool + + Text Tool + Narzędzie do tekstów + + + + TextureBrowserContextMenu + + Apply to selected model + + + + Apply to selected material + + + + Apply as light probe + + + + Duplicate + + + + Delete + + + + Create New Texture + + + + + TextureEditorToolBar + + Apply texture to selected model's material. + + + + Create new texture. + + + + Delete current texture. + + + + Open material browser. + + + + + TimelineBarItem + + Range from %1 to %2 + + + + Override Color + + + + Reset Color + + + + + TimelineKeyframeItem + + Delete Keyframe + + + + Edit Easing Curve... + + + + Edit Keyframe... + + + + + TimerSpecifics + + Timer + + + + Interval + + + + Sets the interval between triggers, in milliseconds. + + + + Repeat + + + + Sets whether the timer is triggered repeatedly at the specified interval or just once. + + + + Running + Uruchomiona + + + Sets whether the timer is running or not. + + + + Triggered on start + + + + Sets the timer to trigger when started. + + + + + ToolBarSpecifics + + Tool Bar + + + + Position + Pozycja + + + Position of the toolbar. + + + + Font + Czcionka + + + + ToolSeparatorSpecifics + + Tool Separator + + + + Orientation + Orientacja + + + Sets the orientation of the separator. + + + + + TumblerSpecifics + + Tumbler + + + + Visible count + + + + Sets the number of items in the model. + + + + Current index + Bieżący indeks + + + Sets the index of the current item. + + + + Wrap + + + + Toggles if the tumbler wraps around when it reaches the +top or bottom. + + + + + UnimportBundleMaterialDialog + + Bundle material might be in use + + + + If the %1 you are removing is in use, it might cause the project to malfunction. + +Are you sure you want to remove the %1? + + + + Remove + Usuń + + + Cancel + Anuluj + + + + UrlChooser + + Built-in primitive + + + + + ValueVec2 + + X + X + + + Y + Y + + + + ValueVec3 + + X + X + + + Y + Y + + + Z + + + + + ValueVec4 + + X + X + + + Y + Y + + + Z + + + + W + + + + + VideoSection + + Video + + + + Source + Źródło + + + Fill mode + Tryb wypełniania + + + Orientation + Orientacja + + + + VisibilityTogglesAction + + Visibility Toggles + + + + + Welcome_splash + + Community Edition + + + + Enterprise Edition + + + + Professional Edition + + + + Before we let you move on to your wonderful designs, help us make Qt Design Studio even better by letting us know how you're using it. To do this, we would like to turn on automatic collection of pseudonymized Analytics and Crash Report Data. + + + + Turn Off + + + + Turn On + + + + Learn More + + + + Qt Design Studio + + + + + WidgetPluginManager + + Failed to create instance of file "%1": %2 + Nie można utworzyć instancji pliku "%1": %2 + + + Failed to create instance of file "%1". + Nie można utworzyć instancji pliku "%1". + + + File "%1" is not a Qt Quick Designer plugin. + Plik "%1" nie jest wtyczką Qt Quick Designera. + + + + WindowSpecifics + + Window + Okno + + + Title + Tytuł + + + Position + Pozycja + + + Size + Rozmiar + + + W + width + The width of the object + + + + H + height + The height of the object + H + + + Minimum size + Minimalny rozmiar + + + Minimum size of the window. + + + + Maximum size + Maksymalny rozmiar + + + Maximum size of the window. + + + + Color + Kolor + + + Visible + Widoczny + + + Opacity + Nieprzezroczystość + + + Content orientation + + + + Flags + Flagi + + + Modality + + + + Visibility + Widoczność + + + + emptyPane + + Select a component to see its properties. + + + + + main + + Continue + Kontynuuj + + + Start Download + + + + Browse + + + + Folder + + + + Cancel + Anuluj + + + Open + Otwórz + + + Details + Szczegóły + + + Finish + + + + Download failed + + + + Recent Projects + Ostatnie projekty + + + Examples + Przykłady + + + Tutorials + Samouczki + + + Welcome to + + + + Qt Design Studio + + + + Create New + + + + Open Project + Otwórz projekt + + + Help + Pomoc + + + Community + + + + Blog + + + + Community Edition + + + + + text + + Text + Tekst + + + + textedit + + Text Edit Edytor tekstu - QmlDesigner::NodeInstanceView + texteditv2 - Qt Quick emulation layer crashed. - Warstwa emulacji Qt Quick przerwała pracę. + Text Edit + Edytor tekstu - QmlDesigner::DocumentMessage + textinput - Error parsing - Błąd parsowania - - - Internal error - Błąd wewnętrzny - - - line %1 - linia %1 - - - column %1 - kolumna %1 + Text + Tekst - QmlDesigner::DocumentWarningWidget + textinputv2 - Ignore always these unsupported Qt Quick Designer warnings. - Zawsze ignoruj te nieobsługiwane ostrzeżenia w Qt Quick Designerze. - - - Cannot open this QML document because of an error in the QML file: - Nie można otworzyć tego dokumentu QML z powodu błędu w pliku QML: - - - OK - OK - - - This QML file contains features which are not supported by Qt Quick Designer at: - Ten plik QML zawiera funkcjonalności, które nie są obsługiwane przez Qt Quick Designera: - - - Ignore - Zignoruj - - - Previous - Poprzedni - - - Next - Następny - - - Go to error - Przejdź do błędu - - - Go to warning - Przejdź do ostrzeżenia + Text + Tekst - QtC::QmlProfiler + textv2 - Could not re-read events from temporary trace file. Saving failed. - - - - Error writing trace file. - - - - - QtC::QtSupport - - Search in Examples... - Szukaj w przykładach... - - - Search in Tutorials... - Poszukaj w samouczkach... - - - - SilverSearcher::FindInFilesSilverSearcher - - Silver Searcher is not available on the system. - Brak dostępnego Silver Searchera w systemie. - - - - QtC::Subversion - - Verbose - Gadatliwy - - - Show files changed in each revision - Pokazuj pliki zmienione w każdej wersji - - - - QtC::TextEditor - - Internal - Wewnętrzny - - - - QtC::Welcome - - New to Qt? - Nowicjusz? - - - Learn how to develop your own applications and explore Qt Creator. - Poznaj Qt Creatora i dowiedz się, jak przy jego pomocy tworzyć aplikacje. - - - Get Started Now - Rozpocznij teraz - - - Qt Account - Konto Qt - - - Online Community - Społeczność online - - - Blogs - Blogi - - - User Guide - Przewodnik użytkownika - - - - QtC::Android - - Widget - Widżet - - - Activity manager start options: - - - - If the "am start" options conflict, the application might not start. - - - - Shell commands to run on Android device before application launch. - - - - Shell commands to run on Android device after application quits. - - - - Android run settings - Ustawienia uruchamiania Androida - - - - Form - - Form - Formularz - - - - QtC::Ios - - Create Simulator - Utwórz symulator - - - Simulator name: - Nazwa symulatora: - - - OS version: - Wersja OS: - - - Simulator Operation Status - Stan operacji symulatora - - - %1, %2 -Operation %3 completed successfully. - %1, %2 -Operacja %3 poprawnie zakończona. - - - %1, %2 -Operation %3 failed. -UDID: %4 -Error: %5 - %1, %2 -Operacja %3 niepoprawnie zakończona. -UDID: %4 -Błąd: %5 - - - Unknown - Nieznany - - - Done. - Zakończone. - - - - QtC::QbsProjectManager - - Install root: - Korzeń instalacji: - - - Remove first - - - - - QSsh::Internal::SshAgent - - Cannot connect to ssh-agent: SSH_AUTH_SOCK is not set. - Brak połączenia z ssh-agentem: nie ustawiono SSH_AUTH_SOCK. - - - Lost connection to ssh-agent for unknown reason. - Utracono połączenie z ssh-agentem z niewiadomego powodu. - - - ssh-agent failed to retrieve keys. - ssh-agent nie może pobrać kluczy. - - - Protocol error when talking to ssh-agent. - Błąd protokołu w trakcie komunikacji z ssh-agentem. - - - - QtC::Utils - - File might be locked. - Plik może być zablokowany. - - - - QtC::Beautifier - - AStyle (*.astylerc) - AStyle (*.astylerc) - - - - ClangStaticAnalyzer::Internal::ClangStaticAnalyzerToolRunner - - Clang Static Analyzer - Statyczny analizator Clang - - - Clang Static Analyzer stopped by user. - Statyczny analizator Clang zatrzymany przez użytkownika. - - - The project configuration changed since the start of the Clang Static Analyzer. Please re-run with current configuration. - Konfiguracja projektu zmieniła się od czasu uruchomienia statycznego analizatora Clang. Uruchom ponownie analizator z bieżącą konfiguracją. - - - Running Clang Static Analyzer on %1 - Uruchamianie statycznego analizatora Clang na %1 - - - Clang Static Analyzer: Invalid executable "%1", stop. - Statyczny analizator Clang: niepoprawny plik wykonywalny "%1", zakończono pracę. - - - Clang Static Analyzer: Running with possibly unsupported version, could not determine version from executable "%1". - Statyczny analizator Clang: uruchomienie z użyciem prawdopodobnie nieobsługiwanej wersji, nie można ustalić wersji w pliku wykonywalnym "%1". - - - Clang Static Analyzer: Running with unsupported version %1, supported version is %2. - Statyczny analizator Clang: uruchomienie z użyciem nieobsługiwanej wersji %1. Obsługiwaną wersją jest %2. - - - Clang Static Analyzer: Failed to create temporary dir, stop. - Statyczny analizator Clang: nie można utworzyć tymczasowego katalogu, zakończono pracę. - - - Analyzing - Analiza - - - Analyzing "%1". - Analiza "%1". - - - Failed to analyze "%1": %2 - Nie można przeanalizować "%1": %2 - - - Clang Static Analyzer finished: Processed %1 files successfully, %2 failed. - Statyczny analizator Clang zakończył pracę: przetworzono pomyślnie %1 plików, %2 plików nie udało się przetworzyć. - - - Clang Static Analyzer: Not all files could be analyzed. - Statyczny analizator Clang: nie udało się przeanalizować wszystkich plików. - - - - QtC::Core - - <type here> - <wpisz tutaj> - - - - QtC::Debugger - - Breakpoint - Pułapka - - - No executable specified. - Nie podano pliku wykonywalnego. - - - &Show this message again. - &Pokazuj ten komunikat ponownie. - - - Debugging starts - Rozpoczęto debugowanie - - - Debugging has failed - Błąd debugowania - - - Debugging has finished - Zakończono debugowanie - - - Close Debugging Session - Zakończ sesję debugową - - - A debugging session is still in progress. Terminating the session in the current state can leave the target in an inconsistent state. Would you still like to terminate it? - Trwa sesja debugowa. Zakończenie jej w teraz może spowodować, że program znajdzie się w niespójnym stanie. Czy zakończyć ją? - - - Debugged executable - Debugowany program - - - Checking available ports... - Sprawdzanie dostępnych portów... - - - Found %1 free ports - Znaleziono %1 wolnych portów - - - Not enough free ports on device for C++ debugging. - Niewystarczająca ilość wolnych portów w urządzeniu do debugowania C++. - - - Not enough free ports on device for QML debugging. - Niewystarczająca ilość wolnych portów w urządzeniu do debugowania QML. - - - - QtC::Git - - Refresh Remote Servers - Odśwież zdalne serwery - - - Fallback - Zastępczy - - - - QtC::Ios - - Starting remote process. - Uruchamianie zdalnego procesu. - - - Could not get necessary ports for the profiler connection. - - - - UDID: %1 - UDID: %1 - - - Simulator Name - Nazwa symulatora - - - Runtime - - - - Current State - Bieżący stan - - - - QtC::ModelEditor - - Update Include Dependencies - Uaktualnij zależności - - - - QtC::Nim - - Nim - SnippetProvider - Nim - - - - QtC::ProjectExplorer - - Checking available ports... - Sprawdzanie dostępnych portów... - - - Found %1 free ports - Znaleziono %1 wolnych portów - - - Unexpected run control state %1 when worker %2 started. - - - - Warning - Ostrzeżenie - - - %1 crashed. - %1 przerwał pracę. - - - %2 exited with code %1 - %2 zakończone kodem %1 - - - Worker start timed out. - - - - Worker stop timed out. - - - - The process failed to start. - Błąd uruchamiania procesu. - - - An unknown error in the process occurred. - Wystąpił nieznany błąd w procesie. - - - Either the invoked program "%1" is missing, or you may have insufficient permissions to invoke the program. - Albo brak programu "%1", albo brak uprawnień do jego wykonania. - - - The process was ended forcefully. - Wymuszono zakończenie procesu. - - - An error occurred when attempting to write to the process. For example, the process may not be running, or it may have closed its input channel. - Wystąpił błąd podczas próby pisania do procesu. Być może proces nie jest uruchomiony lub zamknął on swój kanał wejściowy. - - - An error occurred when attempting to read from the process. For example, the process may not be running. - Wystąpił błąd podczas próby czytania z procesu. Być może proces nie jest uruchomiony. - - - - QtC::QbsProjectManager - - Change... - Zmień... - - - Additional Qbs Profile Settings - Dodatkowe ustawienia profilu Qbs - - - - QmlDesigner::NavigatorTreeView - - Invalid Id - Niepoprawny identyfikator - - - %1 is an invalid id. - %1 nie jest poprawnym identyfikatorem. - - - %1 already exists. - %1 już istnieje. - - - - QtC::QmlJSEditor - - Library at %1 - Biblioteka w %1 - - - Dumped plugins successfully. - Wtyczki poprawnie zrzucone. - - - Read typeinfo files successfully. - Pliki typeinfo poprawnie odczytane. - - - - QtC::RemoteLinux - - Creating remote socket... - Tworzenie zdalnych gniazd... - - - Created fifo: %1 - Utworzono fifo: %1 - - - FIFO for profiling data could not be created. - Nie można utworzyć FIFO dla danych profilowania. - - - - QtC::TextEditor - - Other annotations: - Inne adnotacje: - - - - QtC::Valgrind - - Profiling - Profilowanie - - - Profiling %1 - Profilowanie %1 - - - Analyzing Memory - Analiza pamięci - - - Valgrind options: %1 - Opcje valgrinda: %1 - - - Working directory: %1 - Katalog roboczy: %1 - - - Command line arguments: %1 - Argumenty linii komend: %1 - - - Analyzing finished. - Zakończono analizę. - - - Error: "%1" could not be started: %2 - Błąd: nie można uruchomić "%1": %2 - - - Error: no Valgrind executable set. - Błąd: nie ustawiono pliku wykonywalnego valgrind. - - - Process terminated. - Zakończono proces. - - - XmlServer on %1: - XmlServer na %1: - - - LogServer on %1: - LogServer na %1: - - - - QtC::VcsBase - - Processing diff - Przetwarzanie różnic + Text + Tekst From ea5195afff32a1ecd589cfb3182e1a9850af47e7 Mon Sep 17 00:00:00 2001 From: Jarek Kobus Date: Fri, 13 Oct 2023 14:49:43 +0200 Subject: [PATCH 07/25] Translations: Update Polish translations Change-Id: Ibd4f5736eceed9c2eee4f8e4b6efa17d4b33e539 Reviewed-by: Eike Ziller Reviewed-by: Patryk Stachniak Reviewed-by: Oswald Buddenhagen --- share/qtcreator/translations/qtcreator_pl.ts | 7116 +++++++++--------- 1 file changed, 3572 insertions(+), 3544 deletions(-) diff --git a/share/qtcreator/translations/qtcreator_pl.ts b/share/qtcreator/translations/qtcreator_pl.ts index f5cd343f2f2..91aba3691e2 100644 --- a/share/qtcreator/translations/qtcreator_pl.ts +++ b/share/qtcreator/translations/qtcreator_pl.ts @@ -1,23 +1,23 @@ - + AbstractButtonSection Button Content - + Zawartość przycisku Text - Tekst + Tekst Text displayed on the button. - Tekst pokazany na przycisku. + Tekst pokazany na przycisku. Display - Wyświetlanie + Determines how the icon and text are displayed within the button. @@ -25,7 +25,7 @@ Checkable - Wybieralny + Wybieralny Toggles if the button is checkable. @@ -33,11 +33,11 @@ Checked - Wciśnięty + Wciśnięty Toggles if the button is checked. - + Przełącza stan wciśnięcia przycisku. Exclusive @@ -76,37 +76,37 @@ AccountImage Account - + Konto AddImageToResources File Name - Nazwa pliku + Nazwa pliku Size - Rozmiar + Rozmiar Add Resources - + Dodaj zasoby &Browse... - + &Przeglądaj... Target Directory - + Katalog docelowy AddModuleView Select a Module to Add - + Wybierz moduł do dodania @@ -199,78 +199,78 @@ AlignCamerasToViewAction Align Cameras to View - + Zestrój kamery z widokiem AlignDistributeSection Alignment - Wyrównanie + Wyrównanie Align left edges. - + Wyrównaj lewe krawędzie. Align horizontal centers. - + Wyrównaj poziome środki. Align right edges. - + Wyrównaj prawe krawędzie. Align top edges. - + Wyrównaj górne krawędzie. Align vertical centers. - + Wyrównaj pionowe środki. Align bottom edges. - + Wyrównaj dolne krawędzie. Distribute objects - + Rozmieść obiekty Distribute left edges. - + Rozmieść lewe krawędzie. Distribute horizontal centers. - + Rozmieść poziome środki. Distribute right edges. - + Rozmieść prawe krawędzie. Distribute top edges. - + Rozmieść górne krawędzie. Distribute vertical centers. - + Rozmieść pionowe środki. Distribute bottom edges. - + Rozmieść dolne krawędzie. Distribute spacing - + Rozmieść odstępy Distribute spacing horizontally. - + Rozmieść odstępy poziomo. Distribute spacing vertically. - + Rozmieść odstępy pionowo. Disables the distribution of spacing in pixels. @@ -290,19 +290,19 @@ Pixel spacing - + Odstępy w pikslach Align to - + Wyrównaj do Key object - + Obiekt kluczowy Warning - + Ostrzeżenie - The selection contains the root component. @@ -321,7 +321,7 @@ AlignViewToCameraAction Align View to Camera - + Zestrój widok z kamerą @@ -332,7 +332,7 @@ Source - Źródło + Źródło The source file for the sound to be played. @@ -340,16 +340,17 @@ Volume - + Głośność Set the overall volume for this sound source. Values between 0 and 1 will attenuate the sound, while values above 1 provide an additional gain boost. - + Ustawia całkowitą głośność tego źródła dźwięku. +Wartości pomiędzy 0 a 1 osłabią głośność, zaś wartości powyżej 1 dostarczą dodatkowego wzmocnienia. Loops - + Ilość pętli Sets how often the sound is played before the player stops. @@ -358,7 +359,7 @@ Bind to AmbientSound.Infinite to loop the current sound forever. Auto Play - + Automatyczne odtwarzanie Sets whether the sound should automatically start playing when a source gets specified. @@ -369,39 +370,39 @@ Bind to AmbientSound.Infinite to loop the current sound forever. AnchorButtons Anchors can only be applied to child items. - + Kotwice mogą być zastosowane tylko do elementów potomnych. Anchors can only be applied to the base state. - + Kotwice mogą być zastosowane tylko do stanu bazowego. Anchor component to the top. - + Zakotwicz komponent do górnej krawędzi. Anchor component to the bottom. - + Zakotwicz komponent do dolnej krawędzi. Anchor component to the left. - + Zakotwicz komponent do lewej krawędzi. Anchor component to the right. - + Zakotwicz komponent do prawej krawędzi. Fill parent component. - + Wypełnij komponent macierzysty. Anchor component vertically. - + Zakotwicz komponent pionowo. Anchor component horizontally. - + Zakotwicz komponent poziomo. @@ -412,7 +413,7 @@ Bind to AmbientSound.Infinite to loop the current sound forever. Margin - Margines + Margines Anchor to the top of the target. @@ -443,74 +444,74 @@ Bind to AmbientSound.Infinite to loop the current sound forever. AnimatedImageSpecifics Image - Obrazek + Obrazek Animated image - + Obrazek animowany Speed - + Prędkość Sets the speed of the animation. - + Ustawia prędkość animacji. Playing - + Odtwarzanie Toggles if the animation is playing. - + Przełącza odtwarzanie animacji. AnimationSection Animation - + Animacja Running - Uruchomiona + Odtwarzanie Whether the animation is running and/or paused. - + Wskaźnik odtwarzania / wstrzymania animacji. Loops - + Ilość pętli Number of times the animation should play. - + Ilość odtworzeń animacji. Duration - Czas trwania + Czas trwania Duration of the animation in milliseconds. - + Czas trwania animacji w milisekundach. Run to end - + Odtwórz do końca Runs the animation to completion when it is stopped. - + Odtwarza animację do końca po zatrzymaniu. Easing curve - + Przebieg animacji Defines a custom easing curve. - + Definiuje własny przebieg animacji. @@ -529,7 +530,7 @@ Bind to AmbientSound.Infinite to loop the current sound forever. Property - Właściwość + Właściwość Property to animate. @@ -537,7 +538,7 @@ Bind to AmbientSound.Infinite to loop the current sound forever. Properties - Właściwości + Właściwości Properties to animate. @@ -575,53 +576,53 @@ Bind to AmbientSound.Infinite to loop the current sound forever. AssetDelegate (empty) - + (pusty) Assets Add a new asset to the project. - + Dodaj nowy zasób do projektu. No match found. - + Brak pasującego wyniku. Looks like you don't have any assets yet. - + Brak dodanych zasobów. Drag-and-drop your assets here or click the '+' button to browse assets from the file system. - + Przeciągnij i upuść tutaj swoje zasoby lub klilnij przycisk '+' aby wybrać zasoby z systemu plików. AssetsContextMenu Delete Files - + Usuń pliki Add Textures - + Dodaj tekstury Delete File - Usuń plik + Usuń plik Add Texture - + Dodaj teksturę Expand All - Rozwiń wszystko + Rozwiń wszystko Collapse All - Zwiń wszystko + Zwiń wszystko Add Light Probe @@ -629,26 +630,26 @@ Bind to AmbientSound.Infinite to loop the current sound forever. Rename Folder - Zmień nazwę katalogu + Zmień nazwę katalogu New Folder - Nowy katalog + Nowy katalog Delete Folder - Usuń katalog + Usuń katalog New Effect - + Nowy efekt AudioEngineSection Audio Engine - + Silnik audio Master Volume @@ -661,7 +662,7 @@ Values between 0 and 1 will attenuate the sound, while values above 1 provide an Output Mode - + Tryb wyjściowy Sets the current output mode of the engine. @@ -669,7 +670,7 @@ Values between 0 and 1 will attenuate the sound, while values above 1 provide an Output Device - + Urządzenie wyjściowe Sets the device that is being used for outputting the sound field. @@ -779,26 +780,26 @@ A positive value will increase reverb for higher frequencies and dampen lower fr AudioSection Audio - + Dźwięk Volume - + Głośność Muted - + Wyciszono Axivion Project: - Projekt: + Projekt: Lines of code: - + Linie kodu: Analysis timestamp: @@ -806,15 +807,15 @@ A positive value will increase reverb for higher frequencies and dampen lower fr unknown - + nieznane Total: - + Ogółem: Axivion - + Axivion Show dashboard @@ -826,7 +827,7 @@ A positive value will increase reverb for higher frequencies and dampen lower fr Certificate Error - Błąd certyfikatu + Błąd certyfikatu Server certificate for %1 cannot be authenticated. @@ -864,7 +865,7 @@ Note: This can expose you to man-in-the-middle attack. curl: - + curl: Dashboard URL: @@ -872,11 +873,11 @@ Note: This can expose you to man-in-the-middle attack. Description: - Opis: + Opis: Non-empty description - + Niepusty opis Access token: @@ -888,7 +889,7 @@ Note: This can expose you to man-in-the-middle attack. Edit... - Modyfikuj... + Modyfikuj... Edit Dashboard Configuration @@ -896,7 +897,7 @@ Note: This can expose you to man-in-the-middle attack. General - Ogólne + Ogólne @@ -921,7 +922,7 @@ Note: This can expose you to man-in-the-middle attack. BakeLightsProgressDialog Close - Zamknij + Zamknij Baking lights for 3D view: %1 @@ -933,7 +934,7 @@ Note: This can expose you to man-in-the-middle attack. Cancel - Anuluj + Anuluj @@ -998,11 +999,11 @@ Instead, user is expected to set baking properties manually. Cancel - Anuluj + Anuluj Apply & Close - + Zastosuj i zamknij Bake @@ -1026,7 +1027,7 @@ even if the key is set to a non-empty value. Key - Klucz + Klucz Sets the filename base for baked lightmap files for the model. @@ -1047,37 +1048,37 @@ It should be a relative path. BindingsDialog Owner - Właściciel + Właściciel The owner of the property - + Właściciel właściwości BindingsDialogForm From - Od + Od Sets the component and its property from which the value is copied. - + Ustawia komponent i jego właściwość której wartość jest kopiowana. To - Do + Do Sets the property of the selected component to which the copied value is assigned. - + Ustawia właściwość zaznaczonego komponentu do której przypisywana jest wartość podczas kopiowana. BindingsListView Removes the binding. - + Usuwa powiązanie. @@ -1098,21 +1099,21 @@ It should be a relative path. W width The width of the object - + S Width - Szerokość + Szerokość H height The height of the object - H + W Height - Wysokość + Wysokość Tile mode H @@ -1132,35 +1133,35 @@ It should be a relative path. Border left - + Lewa krawędź Sets the left border. - + Ustawia lewą krawędź. Border right - + Prawa krawędź Sets the right border. - + Ustawia prawą krawędź. Border top - + Górna krawędź Sets the top border. - + Ustawia górną krawędź. Border bottom - + Dolna krawędź Sets the bottom border. - + Ustawia dolną krawędź. Mirror @@ -1172,7 +1173,7 @@ It should be a relative path. Cache - Cache + Cache Toggles if the image is saved to the cache memory. @@ -1199,11 +1200,11 @@ It should be a relative path. BusyIndicatorSpecifics Busy Indicator - + Wskaźnik zajętości Running - Uruchomiona + Uruchomione Toggles if the busy indicator indicates activity. @@ -1218,23 +1219,23 @@ It should be a relative path. ButtonSection Button - Przycisk + Przycisk Appearance - + Wygląd Toggles if the button is flat or highlighted. - + Przełącza wygląd przycisku pomiędzy płaskim a podświetlonym. Flat - + Płaski Highlight - + Podświetlony @@ -1312,7 +1313,7 @@ It should be a relative path. CameraToggleAction Toggle Perspective/Orthographic Camera Mode - + Przełącza pomiędzy perspektywicznym / ortograficznym trybem kamery @@ -1330,63 +1331,63 @@ It should be a relative path. CharacterSection Character - + Znak Text - Tekst + Tekst Sets the text to display. - + Ustawia tekst do wyświetlenia. Font - Czcionka + Czcionka Sets the font of the text. - + Ustawia czcionkę tekstu. Style name - + Nazwa stylu Sets the style of the selected font. This is prioritized over <b>Weight</b> and <b>Emphasis</b>. - + Ustawia styl wybranej czcionki. Ustawienie to ma priorytet przed <b>Grubością pisma</b> i <b>Emfazą</b>. Size - Rozmiar + Rozmiar Sets the font size in pixels or points. - + Ustawia rozmiar czcionki w pikslach lub punktach. Text color - + Kolor tekstu Sets the text color. - + Ustawia kolor tekstu. Weight - + Grubość pisma Sets the overall thickness of the font. - + Ustawia całkowitą grubość czcionki. Emphasis - + Emfaza Sets the text to bold, italic, underlined, or strikethrough. - + Ustawia wytłuszczenie, kursywę, podkreślenie lub przekreślenie tekstu. Alignment H @@ -1406,27 +1407,27 @@ It should be a relative path. Letter spacing - + Odstępy między literami Sets the letter spacing for the text. - + Ustawia odstępy pomiędzy literami w tekście. Word spacing - + Odstępy między słowami Sets the word spacing for the text. - + Ustawia odstępy pomiędzy słowami w tekście. Line height - + Wysokość linii Sets the line height for the text. - + Ustawia wysokość linii tekstu. @@ -1464,103 +1465,103 @@ It should be a relative path. CheckSection Check Box - Przycisk wyboru + Przycisk wyboru Check state - + Stan wyboru Sets the state of the check box. - + Ustawia stan przycisku wyboru. Tri-state - + Trójstanowy Toggles if the check box can have an intermediate state. - + Przełącza możliwość ustawienia przycisku wyboru do stanu pośredniego. ChooseMaterialProperty Select material: - + Wybierz materiał: Select property: - + Wybierz właściwość: Cancel - Anuluj + Anuluj Apply - Zastosuj + Zastosuj CollectionItem Delete - + Usuń Rename - Zmień nazwę + Zmień nazwę Deleting whole collection - + Usuwanie całej kolekcji Cancel - Anuluj + Anuluj Rename collection - + Zmień nazwę kolekcji New name: - + Nowa nazwa: CollectionView Collections - + Kolekcje Import Json - + Zaimportuj json Import CSV - + Zaimportuj CSV Add new collection - + Dodaj nową kolekcję ColorAnimationSpecifics Color Animation - + Animacja koloru From color - + Od koloru To color - + Do koloru @@ -1571,19 +1572,19 @@ It should be a relative path. Linear - + Liniowy Radial - + Radialny Conical - + Stożkowy Open Color Dialog - + Otwórz dialog wyboru koloru Fill type can only be changed in base state. @@ -1591,11 +1592,11 @@ It should be a relative path. Transparent - Przezroczystość + Przezroczystość Gradient Picker - + Selektor gradientów Eye Dropper @@ -1607,89 +1608,89 @@ It should be a relative path. New - Nowy + Nowy Add to Favorites - + Dodaj do ulubionych Color Details - + Szczegóły koloru Palette - + Paleta Gradient Controls - + Kontrolki gradientu Vertical - W pionie + W pionie Horizontal - W poziomie + W poziomie Defines the direction of the gradient. - + Definiuje kierunek gradientu. Defines the start point for color interpolation. - + Definiuje punkt startowy do interpolacji koloru. Defines the end point for color interpolation. - + Definiuje punkt końcowy do interpolacji koloru. Defines the center point. - + Definiuje punkt środkowy. Defines the focal point. - + Definiuje punkt ogniskowy. Defines the center radius. - + Definiuje promień środkowy. Defines the focal radius. Set to 0 for simple radial gradients. - + Definiuje promień ogniskowy. Ustaw wartość 0 aby uzyskać zwykły gradient radialny. Defines the start angle for the conical gradient. The value is in degrees (0-360). - + Definiuje początkowy kąt gradientu stożkowego. Wartość wyrażona w stopniach (0-360). ColorPalette Remove from Favorites - + Usuń z ulubionych Add to Favorites - + Dodaj do ulubionych ColumnLayoutSpecifics Column Layout - + Rozmieszczenie w pionie Column spacing - + Odstępy pomiędzy kolumnami Layout direction - + Kierunek rozmieszczenia @@ -1704,7 +1705,7 @@ It should be a relative path. Sets the spacing between column items. - + Ustawia odstęp pomiędzy kolumnami. @@ -1723,23 +1724,23 @@ It should be a relative path. Display text - + Wyświetlany tekst Sets the initial display text for the combo box. - + Ustawia początkowy tekst do wyświetlenia w polu wyboru. Current index - Bieżący indeks + Bieżący indeks Sets the current item. - + Ustawia bieżący element. Flat - + Płaski Toggles if the combo box button is flat. @@ -1747,11 +1748,11 @@ It should be a relative path. Editable - + Modyfikowalny Toggles if the combo box is editable. - + Przełącza możliwość edytowania pola wyboru. Determines whether the combobox gets focus if pressed. @@ -1766,314 +1767,314 @@ It should be a relative path. Component Error exporting node %1. Cannot parse type %2. - + Błąd eksportowania węzła %1. Nie można sparsować typu %2. ComponentButton This is an instance of a component - + Jest to instancja komponentu Edit Component - + Zmodyfikuj komponent ComponentSection Component - Komponent + Komponent Type - Typ + Typ Sets the QML type of the component. - + Ustawia typ komponentu QML. ID - Identyfikator + Identyfikator Sets a unique identification or name. - + Ustawia unikatowy identyfikator lub nazwę. id - identyfikator + identyfikator Exports this component as an alias property of the root component. - + Eksportuje ten komponent jako alias właściwości komponentu głównego. State - Stan + Stan Sets the state of the component. - + Ustawia stan komponentu. Annotation - Adnotacja + Adnotacja Adds a note with a title to explain the component. - + Ustawia notatkę z nagłówkiem jako opis komponentu. Descriptive text - + Opis Edit Annotation - + Zmodyfikuj adnotację Remove Annotation - + Usuń adnotację Add Annotation - + Dodaj adnotację ConfirmDeleteFilesDialog Confirm Delete Files - + Potwierdź usunięcie plików Some files might be in use. Delete anyway? - + Niektóre pliki mogą być aktualnie używane. Czy usunąć je? Do not ask this again - + Nie pytaj ponownie Delete - + Usuń Cancel - Anuluj + Anuluj ConfirmDeleteFolderDialog Folder Not Empty - + Katalog nie jest pusty Folder "%1" is not empty. Delete it anyway? - + Katalog nie jest pusty. Czy usunąć go? If the folder has assets in use, deleting it might cause the project to not work correctly. - + Jeśli katalog zawiera zasoby w użyciu, usunięcie go może spowodować błędne działanie projektu. Delete - + Usuń Cancel - Anuluj + Anuluj ConnectionsDialog Target - Cel + Docelowy komponent Sets the Component that is connected to a <b>Signal</b>. - + Ustawia komponent odbiorczy <b>Sygnału</b>. ConnectionsDialogForm Signal - Sygnalizowanie + Sygnał Sets an interaction method that connects to the <b>Target</b> component. - + Ustawia metodę interakcji podłączoną do <b>Docelowego komponentu</b>. Action - Akcja + Akcja Sets an action that is associated with the selected <b>Target</b> component's <b>Signal</b>. - + Ustawia akcję skojarzoną z wybranym <b>Sygnałem</b> <b>Komponentu Docelowego</b>. Call Function - + Wywołaj funkcję Assign - + Przypisz Change State - + Zmień stan Set Property - + Ustaw właściwość Print Message - + Wydrukuj komunikat Custom - Własny + Własne Add Condition - + Dodaj warunek Sets a logical condition for the selected <b>Signal</b>. It works with the properties of the <b>Target</b> component. - + Ustawia warunek logiczy dla wybranego <b>Sygnału</b>. Działa to z właściwościami <b>Docelowego komponentu</b>. Remove Condition - + Usuń warunek Removes the logical condition for the <b>Target</b> component. - + Usuwa warunek logiczny dla <b>Docelowego komponentu</b>. Add Else Statement - + Dodaj alternatywny warunek (else) Sets an alternate condition for the previously defined logical condition. - + Ustawia alternatywny warunek do poprzednio zdefiniowanego warunku logicznego. Remove Else Statement - + Usuń alternatywny warunek (else) Removes the alternate logical condition for the previously defined logical condition. - + Usuwa alternatywny warunek do poprzednio zdefiniowanego warunku logicznego. Write the conditions for the components and the signals manually. - + Napisz własne warunki dla komponentów i sygnałów. ConnectionsListView Removes the connection. - + Usuwa połączenie. ConnectionsSpecifics Connections - Połączenia + Połączenia Enabled - + Odblokowany Sets whether the component accepts change events. - + Ustawia czy komponent akceptuje zdarzenia informujące o zmianach. Ignore unknown signals - + Ignoruj nieznane sygnały Ignores runtime errors produced by connections to non-existent signals. - + Ignoruje błędy w trybie runtime spowodowane połączeniami do nieistniejących sygnałów. Target - Cel + Docelowy komponent Sets the component that sends the signal. - + Ustawia komponent nadawczy <b>Sygnału</b>. ContainerSection Container - + Pojemnik Current index - Bieżący indeks + Bieżący indeks Sets the index of the current item. - + Ustawia indeks bieżącego elementu. ContentLibrary Materials - + Materiały Textures - + Tekstury Environments - + Środowiska Effects - + Efekty ContentLibraryEffect Effect is imported to project - + Efekt zaimportowany do projektu ContentLibraryEffectContextMenu Add an instance - + Dodaj instancję Remove from project - + Usuń z projektu ContentLibraryEffectsView No effects available. - + Brak efektów. <b>Content Library</b> effects are not supported in Qt5 projects. @@ -2127,7 +2128,7 @@ It should be a relative path. Remove from project - + Usuń z projektu @@ -2154,14 +2155,14 @@ It should be a relative path. No match found. - + Brak pasującego wyniku. ContentLibraryTabButton Materials - + Materiały @@ -2184,19 +2185,19 @@ It should be a relative path. Updating... - + Uaktualnianie... Progress: - + Postęp: % - % + % Downloading... - + Pobieranie... Update texture @@ -2211,11 +2212,11 @@ It should be a relative path. ContentLibraryTextureContextMenu Add image - + Dodaj obraz Add texture - + Dodaj teksturę Add light probe @@ -2230,42 +2231,42 @@ It should be a relative path. No match found. - + Brak pasującego wyniku. ContextMenu Undo - Cofnij + Cofnij Redo - Przywróć + Przywróć Copy - Skopiuj + Skopiuj Cut - Wytnij + Wytnij Paste - Wklej + Wklej Delete - + Usuń Clear - Wyczyść + Wyczyść Select All - Zaznacz wszystko + Zaznacz wszystko @@ -2276,7 +2277,7 @@ It should be a relative path. Enable - + Odblokuj Toggles if the component can receive hover events. @@ -2296,7 +2297,7 @@ It should be a relative path. Spacing - Odstępy + Odstępy Sets the spacing between internal elements of the component. @@ -2331,11 +2332,11 @@ It should be a relative path. File name: - + Nazwa pliku: Open - Otwórz + Otwórz Collection name: @@ -2351,11 +2352,11 @@ It should be a relative path. Import - Zaimportuj + Zaimportuj Cancel - Anuluj + Anuluj @@ -2366,7 +2367,7 @@ It should be a relative path. Delay - + Opóźnienie Sets the delay before the button activates. @@ -2381,7 +2382,7 @@ It should be a relative path. DesignerActionManager Document Has Errors - + Dokument zawiera błędy The document which contains the list model contains errors. So we cannot edit it. @@ -2400,23 +2401,23 @@ It should be a relative path. Details Details - Szczegóły + Szczegóły Use as default project location - Ustaw jako domyślne położenie projektów + Ustaw jako domyślne położenie projektów Width - Szerokość + Szerokość Height - Wysokość + Wysokość Orientation - Orientacja + Orientacja Use Qt Virtual Keyboard @@ -2451,7 +2452,7 @@ It should be a relative path. Value - Wartość + Wartość Sets the value of the dial. @@ -2463,7 +2464,7 @@ It should be a relative path. From - Od + Od Sets the minimum value of the dial. @@ -2471,7 +2472,7 @@ It should be a relative path. To - Do + Do Sets the maximum value of the dial. @@ -2479,7 +2480,7 @@ It should be a relative path. Step size - Rozmiar kroku + Rozmiar kroku Sets the number by which the dial value changes. @@ -2487,7 +2488,7 @@ It should be a relative path. Snap mode - Tryb przyciągania + Tryb przyciągania Sets how the dial's handle snaps to the steps @@ -2496,7 +2497,7 @@ defined in <b>Step size</b>. Input mode - + Tryb wejściowy Sets how the user can interact with the dial. @@ -2526,15 +2527,15 @@ defined in <b>Step size</b>. DownloadPane Downloading... - + Pobieranie... Progress: - + Postęp: % - % + % @@ -2553,7 +2554,7 @@ defined in <b>Step size</b>. Drag margin - Margines przeciągania + Margines przeciągania Defines the distance from the screen edge within which drag actions will open the drawer. @@ -2572,19 +2573,19 @@ defined in <b>Step size</b>. Add New Property - + Dodaj nową właściwość Name - Nazwa + Nazwa Type - Typ + Typ Add Property - + Dodaj właściwość @@ -2598,11 +2599,11 @@ defined in <b>Step size</b>. EffectCompositionNode Remove - Usuń + Usuń Enable/Disable Node - + Odblokuj / zablokuj węzeł @@ -2620,30 +2621,30 @@ defined in <b>Step size</b>. EffectMakerPreview Zoom out - + Pomniejsz Zoom In - Powiększ + Powiększ Zoom Fit - + Dopasuj powiększenie Restart Animation - + Zrestartuj animację Play Animation - Odtwórz animację + Odtwórz animację EffectMakerTopBar Save in Library - + Zachowaj w bibliotece How to use Effect Maker: @@ -2659,7 +2660,7 @@ defined in <b>Step size</b>. EffectNodesComboBox + Add Effect - + + Dodaj efekt @@ -2704,7 +2705,7 @@ defined in <b>Step size</b>. ErrorDialog Close - Zamknij + Zamknij @@ -2743,26 +2744,26 @@ defined in <b>Step size</b>. Condition - Warunek + Warunek ExtendedFunctionLogic Reset - + Zresetuj Set Binding - Powiąż + Ustaw powiązanie Export Property as Alias - Wyeksportuj właściwość jako alias + Wyeksportuj właściwość jako alias Insert Keyframe - + Wstaw klatkę kluczową @@ -2776,7 +2777,7 @@ defined in <b>Step size</b>. FitToViewAction Fit Selected Object to View - + Dopasuj zaznaczony obiekt do widoku @@ -2787,7 +2788,7 @@ defined in <b>Step size</b>. Content size - Rozmiar zawartości + Rozmiar zawartości Sets the size of the content (the surface controlled by the flickable). @@ -2797,7 +2798,7 @@ defined in <b>Step size</b>. W width The width of the object - + S Content width used for calculating the total implicit width. @@ -2807,7 +2808,7 @@ defined in <b>Step size</b>. H height The height of the object - H + W Content height used for calculating the total implicit height. @@ -2815,7 +2816,7 @@ defined in <b>Step size</b>. Content - Zawartość + Zawartość Sets the current position of the component. @@ -2839,7 +2840,7 @@ defined in <b>Step size</b>. Left margin - + Lewy margines Sets an additional left margin in the flickable area. @@ -2847,7 +2848,7 @@ defined in <b>Step size</b>. Right margin - + Prawy margines Sets an additional right margin in the flickable area. @@ -2855,7 +2856,7 @@ defined in <b>Step size</b>. Top margin - + Górny margines Sets an additional top margin in the flickable area. @@ -2863,7 +2864,7 @@ defined in <b>Step size</b>. Bottom margin - + Dolny margines Sets an additional bottom margin in the flickable area. @@ -2953,7 +2954,7 @@ defined in <b>Step size</b>. FlipableSpecifics Flipable - + Element odwracalny @@ -2999,7 +3000,7 @@ defined in <b>Step size</b>. Style - Styl + Styl Sets the font style. @@ -3007,11 +3008,11 @@ defined in <b>Step size</b>. Style color - + Kolor stylu Sets the color for the font style. - + Ustawia kolor czcionki stylu. Hinting @@ -3046,7 +3047,7 @@ defined in <b>Step size</b>. Sets the font of the text. - + Ustawia czcionkę tekstu. Size @@ -3058,7 +3059,7 @@ defined in <b>Step size</b>. Emphasis - + Emfaza Sets the text to bold, italic, underlined, or strikethrough. @@ -3066,7 +3067,7 @@ defined in <b>Step size</b>. Capitalization - + Kapitaliki Sets capitalization rules for the text. @@ -3074,7 +3075,7 @@ defined in <b>Step size</b>. Weight - + Waga Sets the overall thickness of the font. @@ -3082,7 +3083,7 @@ defined in <b>Step size</b>. Style name - + Nazwa stylu Sets the style of the selected font. This is prioritized over <b>Weight</b> and <b>Emphasis</b>. @@ -3090,11 +3091,11 @@ defined in <b>Step size</b>. Sets the font style. - + Ustawia styl czcionki. Style color - + Kolor stylu Sets the color for the font style. @@ -3110,7 +3111,7 @@ defined in <b>Step size</b>. Letter spacing - + Odstępy między literami Sets the letter spacing for the text. @@ -3118,7 +3119,7 @@ defined in <b>Step size</b>. Word spacing - + Odstępy między słowami Sets the word spacing for the text. @@ -3149,18 +3150,18 @@ defined in <b>Step size</b>. FrameSpecifics Frame - Ramka + Ramka Font - Czcionka + Czcionka GeometrySection Geometry - 2D - + Geometria - 2D This property is defined by an anchor or a layout. @@ -3194,25 +3195,25 @@ defined in <b>Step size</b>. W width The width of the object - + S Width - Szerokość + Szerokość H height The height of the object - H + W Height - Wysokość + Wysokość Rotation - Rotacja + Rotacja Rotate the component at an angle. @@ -3220,11 +3221,11 @@ defined in <b>Step size</b>. Angle (in degree) - + Kąt (w stopniach) Scale - Skala + Skala Sets the scale of the component by percentage. @@ -3275,15 +3276,15 @@ defined in <b>Step size</b>. Close - Zamknij + Zamknij Save - Zachowaj + Zachowaj Apply - Zastosuj + Zastosuj @@ -3294,11 +3295,11 @@ defined in <b>Step size</b>. Columns & Rows - + Kolumny i wiersze Spacing - Odstępy + Odstępy Flow @@ -3306,7 +3307,7 @@ defined in <b>Step size</b>. Layout direction - + Kierunek rozmieszczenia @@ -3345,7 +3346,7 @@ defined in <b>Step size</b>. Layout direction - + Kierunek rozmieszczenia Alignment H @@ -3376,7 +3377,7 @@ defined in <b>Step size</b>. Cell size - + Rozmiar komórek Sets the dimensions of cells in the grid. @@ -3386,21 +3387,21 @@ defined in <b>Step size</b>. W width The width of the object - + S Width - Szerokość + Szerokość H height The height of the object - H + W Height - Wysokość + Wysokość Sets the directions of the cells. @@ -3408,7 +3409,7 @@ defined in <b>Step size</b>. Layout direction - + Kierunek rozmieszczenia Sets in which direction items in the grid view are placed. @@ -3499,7 +3500,7 @@ a highlight component. Title - Tytuł + Tytuł Sets the title for the group box. @@ -3510,11 +3511,11 @@ a highlight component. IconSection Icon - Ikona + Ikona Source - Źródło + Źródło Sets a background image for the icon. @@ -3522,15 +3523,15 @@ a highlight component. Color - Kolor + Kolor Sets the color for the icon. - + Ustawia kolor ikony. Size - Rozmiar + Rozmiar Sets the height and width of the icon. @@ -3540,25 +3541,25 @@ a highlight component. W width The width of the object - + S Width - Szerokość + Szerokość H height The height of the object - H + W Height - Wysokość + Wysokość Cache - Cache + Cache Toggles if the icon is saved to the cache memory. @@ -3569,11 +3570,11 @@ a highlight component. ImageSection Image - Obrazek + Obrazek Source - Źródło + Źródło Adds an image from the local file system. @@ -3581,7 +3582,7 @@ a highlight component. Fill mode - Tryb wypełniania + Tryb wypełniania Sets how the image fits in the content box. @@ -3589,7 +3590,7 @@ a highlight component. Source size - Rozmiar źródła + Rozmiar źródła Sets the width and height of the image. @@ -3599,21 +3600,21 @@ a highlight component. W width The width of the object - + S Width. - + Szerokość. H height The height of the object - H + W Height. - + Wysokość. Alignment H @@ -3649,7 +3650,7 @@ a highlight component. Cache - Cache + Cache Caches the image. @@ -3680,7 +3681,7 @@ a highlight component. Vertical - W pionie + W pionie Sets the space from the top and bottom of the area to the background top and bottom. @@ -3696,7 +3697,7 @@ a highlight component. Horizontal - W poziomie + W poziomie Sets the space from the left and right of the area to the background left and right. @@ -3719,15 +3720,15 @@ a highlight component. [None] - + [Brak] Category - + Kategoria Object name - + Nazwa obiektu Sets the object name of the component. @@ -3761,7 +3762,7 @@ Identyfikatory muszą rozpoczynać się małą literą. Highlight - + Podświetlenie Toggles if the delegate is highlighted. @@ -3772,7 +3773,7 @@ Identyfikatory muszą rozpoczynać się małą literą. ItemFilterComboBox [None] - + [Brak] @@ -3783,7 +3784,7 @@ Identyfikatory muszą rozpoczynać się małą literą. Visible - Widoczny + Widoczny Clip @@ -3796,7 +3797,7 @@ Identyfikatory muszą rozpoczynać się małą literą. Sets the transparency of the component. - + Ustawia przezroczystość komponentu. Layout @@ -3807,19 +3808,19 @@ Identyfikatory muszą rozpoczynać się małą literą. ItemsView Remove Module - + Usuń moduł Expand All - Rozwiń wszystko + Rozwiń wszystko Collapse All - Zwiń wszystko + Zwiń wszystko Hide Category - + Ukryj kategorię Show Module Hidden Categories @@ -3831,15 +3832,15 @@ Identyfikatory muszą rozpoczynać się małą literą. Add Module: - + Dodaj moduł: Edit Component - + Zmodyfikuj komponent Add a module. - + Dodaj moduł. @@ -3862,23 +3863,23 @@ Identyfikatory muszą rozpoczynać się małą literą. File name: - + Nazwa pliku: Open - Otwórz + Otwórz File name cannot be empty. - + Nazwa pliku nie może być pusta. Import - Zaimportuj + Zaimportuj Cancel - Anuluj + Anuluj @@ -3892,18 +3893,18 @@ Identyfikatory muszą rozpoczynać się małą literą. Language None - Brak + Brak LayerSection Layer - + Warstwa Enabled - + Odblokowane Toggles if the component is layered. @@ -3919,7 +3920,7 @@ Identyfikatory muszą rozpoczynać się małą literą. Samples - + Próbki Sets the number of multisample renderings in the layer. @@ -3927,7 +3928,7 @@ Identyfikatory muszą rozpoczynać się małą literą. Effect - + Efekt Sets which effect is applied. @@ -3935,7 +3936,7 @@ Identyfikatory muszą rozpoczynać się małą literą. Format - Format + Format Sets the internal OpenGL format for the texture. @@ -3943,7 +3944,7 @@ Identyfikatory muszą rozpoczynać się małą literą. Texture size - + Rozmiar tekstury Sets the requested pixel size of the layer's texture. @@ -3953,21 +3954,21 @@ Identyfikatory muszą rozpoczynać się małą literą. W width The width of the object - + S Width. - + Szerokość. H height The height of the object - H + W Height. - + Wysokość. Texture mirroring @@ -3979,7 +3980,7 @@ Identyfikatory muszą rozpoczynać się małą literą. Wrap mode - Tryb zawijania + Tryb zawijania Sets the OpenGL wrap modes associated with the texture. @@ -3995,7 +3996,7 @@ Identyfikatory muszą rozpoczynać się małą literą. Smooth - Gładki + Gładki Toggles if the layer transforms smoothly. @@ -4015,7 +4016,7 @@ be rendered into the texture. LayoutProperties Alignment - Wyrównanie + Wyrównanie Alignment of a component within the cells it occupies. @@ -4031,15 +4032,15 @@ be rendered into the texture. Width - Szerokość + Szerokość Height - Wysokość + Wysokość Preferred size - Preferowany rozmiar + Preferowany rozmiar Preferred size of a component in a layout. If the preferred height or width is -1, it is ignored. @@ -4049,17 +4050,17 @@ be rendered into the texture. W width The width of the object - + S H height The height of the object - H + W Minimum size - Minimalny rozmiar + Minimalny rozmiar Minimum size of a component in a layout. @@ -4067,7 +4068,7 @@ be rendered into the texture. Maximum size - Maksymalny rozmiar + Maksymalny rozmiar Maximum size of a component in a layout. @@ -4075,7 +4076,7 @@ be rendered into the texture. Row span - Zajętość rzędów + Zajętość rzędów Row span of a component in a Grid Layout. @@ -4083,7 +4084,7 @@ be rendered into the texture. Column span - Zajętość kolumn + Zajętość kolumn Column span of a component in a Grid Layout. @@ -4248,7 +4249,7 @@ a highlight component. Source - Źródło + Źródło URL of the component to instantiate. @@ -4256,7 +4257,7 @@ a highlight component. Source component - + Komponent źródłowy Component to instantiate. @@ -4275,7 +4276,7 @@ a highlight component. Main Connections - Połączenia + Połączenia Sets logical connection between the components and the signals. @@ -4283,7 +4284,7 @@ a highlight component. Bindings - Powiązania + Powiązania Sets the relation between the properties of two components to bind them together. @@ -4291,7 +4292,7 @@ a highlight component. Properties - Właściwości + Właściwości Sets an additional property for the component. @@ -4315,11 +4316,11 @@ a highlight component. Enabled - + Odblokowane Disabled - Zablokowana + Zablokowane Token @@ -4403,7 +4404,7 @@ a highlight component. Kit - Zestaw narzędzi + Zestaw narzędzi Choose a predefined kit for the runtime configuration of the project. @@ -4411,7 +4412,7 @@ a highlight component. Style - Styl + Styl Choose a style for the Qt Quick Controls of the project. @@ -4439,19 +4440,19 @@ a highlight component. Go Back - Wstecz + Wstecz Go Forward - W przód + W przód Close - Zamknij + Zamknij Workspace - + Obszar roboczy Edit Annotations @@ -4536,11 +4537,11 @@ a highlight component. Materials - + Materiały No match found. - + Brak pasującego wyniku. There are no materials in this project.<br>Select '<b>+</b>' to create one. @@ -4548,7 +4549,7 @@ a highlight component. Textures - + Tekstury There are no textures in this project. @@ -4575,15 +4576,15 @@ a highlight component. Duplicate - + Powiel Rename - Zmień nazwę + Zmień nazwę Delete - + Usuń Create New Material @@ -4633,7 +4634,7 @@ a highlight component. Color - Kolor + Kolor Studio @@ -4653,15 +4654,15 @@ a highlight component. Name - Nazwa + Nazwa Material name - + Nazwa materiału Type - Typ + Typ @@ -4695,7 +4696,7 @@ a highlight component. Message Close - Zamknij + Zamknij @@ -4760,27 +4761,27 @@ Error: ModelSourceItem Delete - + Usuń Rename - Zmień nazwę + Zmień nazwę Deleting source - + Usuwanie źródła Cancel - Anuluj + Anuluj Rename source - + Zmień nazwę źródła New name: - + Nowa nazwa: @@ -4867,7 +4868,7 @@ Error: Axis - + Osie Sets in which directions the dragging work. @@ -4924,30 +4925,30 @@ Error: NewCollectionDialog Add a new Collection - + Dodaj nową kolekcję Collection name: - + Nazwa kolekcji: Collection name can not be empty - + Nazwa kolekcji nie może być pusta Create - + Utwórz Cancel - Anuluj + Anuluj NewEffectDialog Create New Effect - + Utwórz nowy efekt Could not create effect @@ -4959,7 +4960,7 @@ Error: Effect name: - + Nazwa efektu: Effect name cannot be empty. @@ -4975,22 +4976,22 @@ Error: Create - + Utwórz Cancel - Anuluj + Anuluj NewFolderDialog Create New Folder - + Utwórz nowy katalog Could not create folder - + Nie można utworzyć katalogu An error occurred while trying to create the folder. @@ -4998,11 +4999,11 @@ Error: Folder name: - + Nazwa katalogu: Folder name cannot be empty. - + Nazwa katalogu nie może być pusta. Folder path is too long. @@ -5010,15 +5011,15 @@ Error: Create - + Utwórz Cancel - Anuluj + Anuluj New folder - + Nowy katalog @@ -5029,7 +5030,7 @@ Error: Qt Design Studio! - + Qt Design Studio! Create new project by selecting a suitable Preset and then adjust details. @@ -5041,18 +5042,18 @@ Error: Cancel - Anuluj + Anuluj Create - + Utwórz NodeSection Visibility - Widoczność + Widoczność Sets the local visibility of the node. @@ -5060,11 +5061,11 @@ Error: Visible - Widoczny + Widoczny Opacity - Nieprzezroczystość + Nieprzezroczystość Sets the local opacity value of the node. @@ -5084,7 +5085,7 @@ Error: Rotation - Rotacja + Rotacja Sets the rotation of the node in degrees. @@ -5092,7 +5093,7 @@ Error: Scale - Skala + Skala Sets the scale of the node. @@ -5115,7 +5116,7 @@ Error: From - Od + Od Start value for the animation. @@ -5123,7 +5124,7 @@ Error: To - Do + Do End value for the animation. @@ -5192,7 +5193,7 @@ Error: Count - Ilość + Ilość Sets the number of pages. @@ -5219,11 +5220,11 @@ Error: PageSpecifics Page - + Strona Title - Tytuł + Tytuł Sets the title of the page. @@ -5231,7 +5232,7 @@ Error: Content size - Rozmiar zawartości + Rozmiar zawartości Sets the size of the page. This is used to @@ -5242,7 +5243,7 @@ calculate the total implicit size. W width The width of the object - + S Content width used for calculating the total implicit width. @@ -5252,7 +5253,7 @@ calculate the total implicit size. H height The height of the object - H + W Content height used for calculating the total implicit height. @@ -5267,7 +5268,7 @@ calculate the total implicit size. Content size - Rozmiar zawartości + Rozmiar zawartości Sets the size of the %1. This is used to calculate @@ -5278,7 +5279,7 @@ the total implicit size. W width The width of the object - + S Content width used for calculating the total implicit width. @@ -5288,7 +5289,7 @@ the total implicit size. H height The height of the object - H + W Content height used for calculating the total implicit height. @@ -5299,7 +5300,7 @@ the total implicit size. PaneSpecifics Font - Czcionka + Czcionka @@ -5357,7 +5358,7 @@ the total implicit size. Flick deceleration - Opóźnienie przerzucania + Opóźnienie przerzucania Sets the highlight range mode. @@ -5429,11 +5430,11 @@ a highlight component. PerfKallsyms Invalid address: %1 - + Niepoprawny adres: %1 Mapping is empty. - + Pusty mapping. @@ -5455,14 +5456,14 @@ a highlight component. PluginManager Failed Plugins - Niezaładowane wtyczki + Niezaładowane wtyczki PopupLabel missing - + brakujące @@ -5479,13 +5480,13 @@ a highlight component. W width The width of the object - + S H height The height of the object - H + W Visibility @@ -5493,7 +5494,7 @@ a highlight component. Visible - Widoczny + Widoczne Clip @@ -5547,11 +5548,11 @@ a highlight component. ProgressBarSpecifics Progress Bar - + Pasek postępu Value - Wartość + Wartość Sets the value of the progress bar. @@ -5559,7 +5560,7 @@ a highlight component. From - Od + Od Sets the minimum value of the progress bar. @@ -5567,7 +5568,7 @@ a highlight component. To - Do + Do Sets the maximum value of the progress bar. @@ -5588,18 +5589,18 @@ operation is in progress. PropertiesDialog Owner - Właściciel + Właściciel The owner of the property - + Właściciel właściwości PropertiesDialogForm Type - Typ + Typ Sets the category of the <b>Local Custom Property</b>. @@ -5607,7 +5608,7 @@ operation is in progress. Name - Nazwa + Nazwa Sets a name for the <b>Local Custom Property</b>. @@ -5615,7 +5616,7 @@ operation is in progress. Value - Wartość + Wartość Sets a valid <b>Local Custom Property</b> value. @@ -5626,29 +5627,29 @@ operation is in progress. PropertiesListView Removes the property. - + Usuwa właściwość. PropertyActionSpecifics Property Action - + Akcja właściwości Value - Wartość + Wartość Value of the property. - + Wartość właściwości. PropertyLabel This property is not available in this configuration. - + Właściwość jest niedostępna w tej konfiguracji. @@ -5672,7 +5673,7 @@ operation is in progress. Folder All other platforms - + Katalog @@ -5711,7 +5712,7 @@ operation is in progress. <Filter> Library search input hint text - <Filtr> + <Filtr> Effect %1 is not complete. @@ -5800,14 +5801,14 @@ Do you want to edit this effect? QmlDesigner::AbstractEditorDialog Untitled Editor - + Niezatytułowany edytor QmlDesigner::ActionEditorDialog Connection Editor - + Edytor połączeń @@ -5848,33 +5849,33 @@ Do you want to edit this effect? QmlDesigner::AnnotationCommentTab Title - Tytuł + Tytuł Text - Tekst + Tekst Author - + Autor QmlDesigner::AnnotationEditor Annotation - Adnotacja + Adnotacja Delete this annotation? - + Usunąć adnotację? QmlDesigner::AnnotationEditorDialog Annotation Editor - + Edytor adnotacji @@ -5893,7 +5894,7 @@ Do you want to edit this effect? Done - + Zakończone Tab view @@ -5909,7 +5910,7 @@ Do you want to edit this effect? Name - Nazwa + Nazwa Tab 1 @@ -5924,41 +5925,41 @@ Do you want to edit this effect? QmlDesigner::AnnotationTabWidget Add Comment - + Dodaj komentarz Remove Comment - + Usuń komentarz Delete this comment? - + Usunąć ten komentarz? Annotation - Adnotacja + Adnotacja QmlDesigner::AnnotationTableView Title - Tytuł + Tytuł Author - + Autor Value - Wartość + Wartość QmlDesigner::AssetExportDialog Advanced Options - + Zaawansowane opcje Choose Export File @@ -5970,7 +5971,7 @@ Do you want to edit this effect? Open - Otwórz + Otwórz Export assets @@ -5982,7 +5983,7 @@ Do you want to edit this effect? Export - + Wyeksportuj @@ -5994,11 +5995,11 @@ Exporting assets: %2 Yes - Tak + Tak No - Nie + Nie Each component is exported separately. @@ -6010,7 +6011,7 @@ Exporting assets: %2 Unknown error. - Nieznany błąd. + Nieznany błąd. Loading file is taking too long. @@ -6034,7 +6035,7 @@ Exporting assets: %2 Unknown - Nieznany + Nieznane Cannot preprocess file: %1. Error %2 @@ -6167,15 +6168,15 @@ Exporting assets: %2 QmlDesigner::BackendModel Type - Typ + Typ Name - Nazwa + Nazwa Singleton - Singleton + Singleton Local @@ -6212,11 +6213,11 @@ Exporting assets: %2 QmlDesigner::BakeLightsDataModel Lights - + Światła Models - Modele + Modele Components with unexposed models and/or lights @@ -6227,11 +6228,11 @@ Exporting assets: %2 QmlDesigner::BindingEditorDialog Binding Editor - Edytor powiązań + Edytor powiązań NOT - + NIE Invert the boolean expression. @@ -6242,15 +6243,15 @@ Exporting assets: %2 QmlDesigner::BindingEditorWidget Trigger Completion - Rozpocznij uzupełnianie + Rozpocznij uzupełnianie Meta+Space - Meta+Space + Meta+Spacja Ctrl+Space - Ctrl+Space + Ctrl+Spacja @@ -6268,11 +6269,11 @@ Exporting assets: %2 QmlDesigner::ChooseFromPropertyListDialog Select Property - + Wybierz właściwość Bind to property: - + Powiąż z właściwością: Binds this component to the parent's selected property. @@ -6283,11 +6284,11 @@ Exporting assets: %2 QmlDesigner::CollectionView Collection Editor - + Edytor kolekcji Collection Editor view - + Widok edytora kolekcji @@ -6295,7 +6296,7 @@ Exporting assets: %2 Collection View Title of collection view widget - + Widok kolekcji @@ -6316,7 +6317,7 @@ Exporting assets: %2 QmlDesigner::ConditionListModel No Valid Condition - + Brak poprawnego warunku Invalid token %1 @@ -6331,11 +6332,11 @@ Exporting assets: %2 QmlDesigner::ConnectionEditorStatements Function - Funkcja + Funkcja Assignment - + Przypisanie Set Property @@ -6366,36 +6367,36 @@ Exporting assets: %2 Signal Handler - Obsługa sygnału + Obsługa sygnału Action - Akcja + Akcja Error - Błąd + Błąd QmlDesigner::ConnectionModelBackendDelegate Error - Błąd + Błąd QmlDesigner::ConnectionModelStatementDelegate Base State - + Stan bazowy QmlDesigner::ConnectionView Connections - Połączenia + Połączenia @@ -6451,11 +6452,11 @@ Exporting assets: %2 Zoom Out - Pomniejsz + Pomniejsz Zoom In - Powiększ + Powiększ Not supported for MCUs @@ -6478,7 +6479,7 @@ Exporting assets: %2 QmlDesigner::CurveEditorView Curves - + Krzywe @@ -6540,12 +6541,14 @@ Exporting assets: %2 line %1 - + linia %1 + column %1 - + kolumna %1 + @@ -6602,19 +6605,19 @@ Exporting assets: %2 QmlDesigner::Edit3DView 3D - + 3D 3D view - + Widok 3D Cameras - + Kamery Lights - + Światła Primitives @@ -6637,27 +6640,27 @@ Exporting assets: %2 QmlDesigner::Edit3DWidget Edit Component - + Zmodyfikuj komponent Edit Material - + Zmodyfikuj materiał Copy - Skopiuj + Skopiuj Paste - Wklej + Wklej Delete - + Usuń Duplicate - + Powiel Fit Selected Items to View @@ -6697,7 +6700,7 @@ Exporting assets: %2 Create - + Utwórz @@ -6708,47 +6711,47 @@ Exporting assets: %2 Connect - + Połącz QmlDesigner::EventListDialog Add Event - + Dodaj zdarzenie Remove Selected Events - + Usuń zaznaczone zdarzenia QmlDesigner::EventListModel Event ID - + Identyfikator zdarzenia Shortcut - Skrót + Skrót Description - Opis + Opis QmlDesigner::EventListPluginView Event List - + Lista zdarzeń QmlDesigner::FileExtractor Choose Directory - Wybierz katalog + Wybierz katalog @@ -6762,15 +6765,15 @@ Exporting assets: %2 QmlDesigner::FormEditorAnnotationIcon Annotation - Adnotacja + Adnotacja Edit Annotation - + Zmodyfikuj adnotację Remove Annotation - + Usuń adnotację By: @@ -6782,18 +6785,18 @@ Exporting assets: %2 Delete this annotation? - + Usunąć tę adnotację? QmlDesigner::FormEditorView 2D - + 2D 2D view - + Widok 2D %1 is not supported as the root element by the 2D view. @@ -6836,11 +6839,11 @@ Exporting assets: %2 Zoom In - Powiększ + Powiększ Zoom Out - Pomniejsz + Pomniejsz Zoom screen to fit all content. @@ -6848,7 +6851,7 @@ Exporting assets: %2 Ctrl+Alt+0 - + Ctrl+Alt+0 Zoom screen to fit current selection. @@ -6856,7 +6859,7 @@ Exporting assets: %2 Ctrl+Alt+i - + Ctrl+Alt+i Reload View @@ -6879,15 +6882,15 @@ Exporting assets: %2 A timeout occurred running "%1". - Przekroczono limit czasu oczekiwania na odpowiedź od uruchomionego "%1". + Przekroczono limit czasu oczekiwania na odpowiedź od uruchomionego "%1". "%1" crashed. - "%1" przerwał pracę. + "%1" przerwał pracę. "%1" failed (exit code %2). - '%1' zakończone błędem (kod wyjściowy %2). + '%1' zakończone błędem (kod wyjściowy %2). Generate QRC Resource File... @@ -6972,11 +6975,11 @@ Exporting assets: %2 QmlDesigner::HyperlinkDialog Link - Odsyłacz + Odsyłacz Anchor - + Kotwica @@ -7006,26 +7009,26 @@ Exporting assets: %2 QmlDesigner::InteractiveConnectionManager Cannot Connect to QML Emulation Layer (QML Puppet) - Nie można podłączyć emulatora QML (QML Puppet) + Nie można połączyć się z warstwą emulatora QML (QML Puppet) The executable of the QML emulation layer (QML Puppet) may not be responding. Switching to another kit might help. - Emulator QML (QML Puppet) pozostaje bez odpowiedzi. Pomocne może być przełączenie się na inny zestaw narzędzi. + Plik wykonywalny warstwy emulator QML (QML Puppet) pozostaje bez odpowiedzi. Pomocne może być przełączenie się na inny zestaw narzędzi. QmlDesigner::Internal::AssetImportUpdateDialog Select Files to Update - + Wybierz pliki do uaktualnienia Expand All - Rozwiń wszystko + Rozwiń wszystko Collapse All - Zwiń wszystko + Zwiń wszystko @@ -7051,11 +7054,11 @@ Exporting assets: %2 QmlDesigner::Internal::DesignModeWidget &Workspaces - + &Obszar roboczy Output - Komunikaty + Komunikaty Edit global annotation for current file. @@ -7063,7 +7066,7 @@ Exporting assets: %2 Manage... - Zarządzaj... + Zarządzaj... Reset Active @@ -7109,7 +7112,7 @@ Exporting assets: %2 Unknown property for ExtraFile %1 - + Nieznana właściwość dla "ExtraFile" %1 Invalid or duplicate library entry %1 @@ -7353,7 +7356,7 @@ Exporting assets: %2 Import - Zaimportuj + Zaimportuj Select import options and press "Import" to import the following files: @@ -7377,11 +7380,11 @@ Exporting assets: %2 Cancel - Anuluj + Anuluj Close - Zamknij + Zamknij Import interrupted. @@ -7473,7 +7476,7 @@ Exporting assets: %2 Skip - Pomiń + Pomiń Failed to start import 3D asset process. @@ -7515,11 +7518,11 @@ Exporting assets: %2 QmlDesigner::ItemLibraryView Components - Komponenty + Komponenty Components view - + Widok komponentów @@ -7527,46 +7530,46 @@ Exporting assets: %2 Components Library Title of library view - + Biblioteka komponentów QmlDesigner::ListModelEditorDialog Add Row - + Dodaj wiersz Remove Columns - + Usuń kolumny Add Column - + Dodaj kolumnę Move Down (Ctrl + Down) - + Przenieś w dół (CTRL + Down). Move Up (Ctrl + Up) - + Przenieś w górę (CTRL + Up). Add Property - + Dodaj właściwość Property name: - + Nazwa właściwości: Change Property - + Zmień właściwość Column name: - + Nazwa kolumny: @@ -7600,7 +7603,7 @@ Exporting assets: %2 Material Browser Title of material browser widget - + Przeglądarka materiałów @@ -7645,7 +7648,7 @@ Exporting assets: %2 QmlDesigner::NavigatorSearchWidget Search - Wyszukaj + Wyszukaj @@ -7688,11 +7691,11 @@ Locked components cannot be modified or selected. QmlDesigner::NavigatorView Navigator - Nawigator + Nawigator Navigator view - + Widok nawigatora @@ -7746,19 +7749,19 @@ Locked components cannot be modified or selected. QmlDesigner::NodeListModel ID - Identyfikator + Identyfikator Type - Typ + Typ From - Od + Od To - Do + Do @@ -7807,7 +7810,7 @@ Locked components cannot be modified or selected. Name - Nazwa + Nazwa @@ -7844,7 +7847,7 @@ Locked components cannot be modified or selected. Invalid ID - + Niepoprawny identyfikator %1 already exists. @@ -7916,11 +7919,11 @@ Locked components cannot be modified or selected. QmlDesigner::RichTextEditor &Undo - &Cofnij + &Cofnij &Redo - &Przywróć + &Przywróć &Bold @@ -7928,11 +7931,11 @@ Locked components cannot be modified or selected. &Italic - + &Kursywa &Underline - + &Podkreślenie Select Image @@ -7940,7 +7943,7 @@ Locked components cannot be modified or selected. Image files (*.png *.jpg) - + Pliki graficzne (*.png *.jpg) Insert &Image @@ -7976,58 +7979,58 @@ Locked components cannot be modified or selected. &Color... - + &Kolor... &Table Settings - + Ustawienia &tabeli Create Table - + Utwórz tabelę Remove Table - + Usuń tabelę Add Row - + Dodaj wiersz Add Column - + Dodaj kolumnę Remove Row - + Usuń wiersz Remove Column - + Usuń kolumnę Merge Cells - + Scal komórki Split Row - + Podziel wiersz Split Column - + Podziel kolumnę QmlDesigner::SetFrameValueDialog Edit Keyframe - + Zmodyfikuj klatkę kluczową Frame - Ramka + Ramka @@ -8038,7 +8041,7 @@ Locked components cannot be modified or selected. Take Screenshot - + Wykonaj rzut ekranu &Undo @@ -8070,11 +8073,11 @@ Locked components cannot be modified or selected. &Duplicate - + &Powiel Edit Global Annotations... - + Modyfikuj globalne adnotacje... Save %1 As... @@ -8098,7 +8101,7 @@ Locked components cannot be modified or selected. Close Others - Zamknij inne + Zamknij pozostałe @@ -8116,7 +8119,7 @@ Locked components cannot be modified or selected. Connect - + Połącz @@ -8161,7 +8164,7 @@ Locked components cannot be modified or selected. Reset Zoom - Zresetuj powiększenie + Zresetuj powiększenie @@ -8189,7 +8192,7 @@ Locked components cannot be modified or selected. %1 already exists. - %1 już istnieje. + %1 już istnieje. The empty string as a name is reserved for the base state. @@ -8200,7 +8203,7 @@ Locked components cannot be modified or selected. QmlDesigner::StatesEditorView States - Stany + Stany Remove State @@ -8278,7 +8281,7 @@ Locked components cannot be modified or selected. Examples - Przykłady + Przykłady Examples path: @@ -8286,7 +8289,7 @@ Locked components cannot be modified or selected. Reset Path - Zresetuj ścieżkę + Zresetuj ścieżkę Bundles @@ -8309,7 +8312,7 @@ Locked components cannot be modified or selected. QmlDesigner::SubComponentManager My 3D Components - + Moje komponenty 3D @@ -8339,11 +8342,11 @@ Locked components cannot be modified or selected. Code - Kod + Kod Code view - + Widok kodu @@ -8476,19 +8479,19 @@ Locked components cannot be modified or selected. Invalid Id - Niepoprawny identyfikator + Niepoprawny identyfikator %1 is an invalid id. - %1 nie jest poprawnym identyfikatorem. + %1 nie jest poprawnym identyfikatorem. %1 already exists. - %1 już istnieje. + %1 już istnieje. Base State - + Stan bazowy @@ -8543,26 +8546,26 @@ Locked components cannot be modified or selected. Invalid Id - Niepoprawny identyfikator + Niepoprawny identyfikator %1 is an invalid id. - %1 nie jest poprawnym identyfikatorem. + %1 nie jest poprawnym identyfikatorem. %1 already exists. - %1 już istnieje. + %1 już istnieje. QmlDesigner::TimelinePropertyItem Previous Frame - + Poprzednia klatka Next Frame - + Następna klatka Auto Record @@ -8570,23 +8573,23 @@ Locked components cannot be modified or selected. Insert Keyframe - + Wstaw klatkę kluczową Delete Keyframe - + Usuń klatkę kluczową Edit Easing Curve... - + Modyfikuj przebieg animacji... Edit Keyframe... - + Modyfikuj klatkę kluczową... Remove Property - + Usuń właściwość @@ -8620,19 +8623,19 @@ Locked components cannot be modified or selected. QmlDesigner::TimelineSettingsModel None - Brak + Brak State - Stan + Stan Timeline - Oś czasu + Oś czasu Animation - + Animacja Fixed Frame @@ -8640,18 +8643,18 @@ Locked components cannot be modified or selected. Base State - + Stan bazowy Error - Błąd + Błąd QmlDesigner::TimelineToolBar Base State - + Stan bazowy Not Supported for MCUs @@ -8663,7 +8666,7 @@ Locked components cannot be modified or selected. To Start - + Do początku Previous @@ -8695,26 +8698,26 @@ Locked components cannot be modified or selected. Zoom Out - Pomniejsz + Pomniejsz Zoom In - Powiększ + Powiększ Easing Curve Editor - + Edytor przebiegu animacji QmlDesigner::TimelineView Timeline - Oś czasu + Oś czasu Timeline view - + Widok z osią czasu @@ -8722,11 +8725,11 @@ Locked components cannot be modified or selected. Timeline Title of timeline view - Oś czasu + Oś czasu Add Timeline - + Dodaj oś czasu This file does not contain a timeline. <br><br>To create an animation, add a timeline by clicking the + button. @@ -8741,49 +8744,49 @@ Locked components cannot be modified or selected. QmlDesigner::TransitionEditorSettingsDialog Transition Settings - + Ustawienia przejścia Add Transition - + Dodaj przejście Remove Transition - + Usuń przejście No Transition - + Brak przejścia QmlDesigner::TransitionEditorToolBar Transition Settings - + Ustawienia przejścia Easing Curve Editor - + Edytor przebiegu animacji Curve Editor - + Edytor krzywych Zoom Out - Pomniejsz + Pomniejsz Zoom In - Powiększ + Powiększ QmlDesigner::TransitionEditorView No States Defined - + Brak zdefiniowanych stanów There are no states defined in this component. @@ -8799,11 +8802,11 @@ Locked components cannot be modified or selected. Transitions - + Przejśćia Transitions view - + Widok przejść @@ -8811,11 +8814,11 @@ Locked components cannot be modified or selected. Transition Title of transition view - Przejście + Przejście Add Transition - + Dodaj przejście This file does not contain transitions. <br><br> To create an animation, add a transition by clicking the + button. @@ -8830,30 +8833,30 @@ Locked components cannot be modified or selected. QmlDesigner::TransitionForm Invalid ID - + Niepoprawny identyfikator %1 is an invalid ID. - + %1 nie jest poprawnym identyfikatorem. %1 already exists. - %1 już istnieje. + %1 już istnieje. QmlDesigner::TransitionTool Add Transition - + Dodaj przejście Remove Transitions - + Usuń przejścia Remove All Transitions - + Usuń wszystkie przejścia Do you really want to remove all transitions? @@ -8872,19 +8875,19 @@ Locked components cannot be modified or selected. QmlDesignerAddResources Image Files - + Pliki graficzne Font Files - + Pliki czcionek Sound Files - + Pliki dźwiękowe Video Files - + Pliki wideo Shader Files @@ -8987,7 +8990,7 @@ Locked components cannot be modified or selected. Connections - Połączenia + Połączenia Connect @@ -9007,11 +9010,11 @@ Locked components cannot be modified or selected. Group - + Grupa Snapping - Przyciąganie + Przyciąganie Flow @@ -9071,7 +9074,7 @@ Locked components cannot be modified or selected. Merge with Template - + Scal z szablonem Create Component @@ -9079,11 +9082,11 @@ Locked components cannot be modified or selected. Edit Material - + Zmodyfikuj materiał Edit Annotations - + Zmodyfikuj adnotację Add Mouse Area @@ -9263,7 +9266,7 @@ Locked components cannot be modified or selected. Add Component - Dodaj komponent + Dodaj komponent Column Layout @@ -9287,23 +9290,23 @@ Locked components cannot be modified or selected. Timeline - Oś czasu + Oś czasu Copy All Keyframes - + Skopiuj wszystkie klatki kluczowe Paste Keyframes - + Wklej klatki kluczowe Add Keyframe - + Dodaj klatkę kluczową Delete All Keyframes - + Usuń wszystkie klatki kluczowe @@ -9314,7 +9317,7 @@ Locked components cannot be modified or selected. Keyframe %1 - + Klatka kluczowa %1 @@ -9424,283 +9427,283 @@ Locked components cannot be modified or selected. QtC::ADS Detach - + Odłącz Pin To... - + Przypnij do... Top - Górny + Góry Left - Lewy + Lewej Right - Prawy + Prawej Bottom - Dolny + Dołu Unpin (Dock) - + Odepnij (okno dokowalne) Close - Zamknij + Zamknij List All Tabs - + Lista wszystkich kart Detach Group - + Odłącz grupę Close Active Tab - + Zamknij aktywną kartę Close Group - + Zamknij grupę Pin Group - + Przypnij grupę Pin Group To... - + Przypnij grupę do... Close Other Groups - + Zamknij pozostałe grupy Pin Active Tab (Press Ctrl to Pin Group) - + Przypnij aktywną kartę (naciśnij Ctrl aby przypiąć grupę) Workspace "%1" does not exist. - + Brak obszaru roboczego "%1". Cannot restore "%1". - + Nie można przywrócić "%1". Cannot reload "%1". It is not in the list of workspaces. - + Nie można przeładować "%1" ponieważ brak go na liście obszarów roboczych. Could not clone "%1" due to: %2 - + Nie można sklonować "%1" z powodu: %2 Workspace "%1" is not a preset. - + Brak obszaru roboczego "%1". Cannot remove "%1". - + Nie można usunąć "%1". Cannot save workspace while in mode change state. - + Nie można zachować obszaru roboczego w trakcie zmiany trybu. File "%1" does not exist. - + Plik "%1" nie istnieje. Could not copy "%1" to "%2" due to: %3 - + Nie można skopiować pliku %1 do %2 z powodu: %3 Could not remove "%1". - + Nie można usunąć "%1". The directory "%1" does not exist. - Katalog "%1" nie istnieje. + Katalog "%1" nie istnieje. The workspace "%1" does not exist - + Brak obszaru roboczego "%1" Cannot write to "%1". - + Nie można zapisać pliku %1. Cannot write to "%1" due to: %2 - + Nie można zapisać pliku %1 z powodu: %2 Close Tab - Zamknij kartę + Zamknij kartę Pin - + Przypnij Close Others - Zamknij inne + Zamknij pozostałe &New - + &Nowy &Rename - + Zmień &nazwę C&lone - + Sk&lonuj &Delete - &Usuń + &Usuń Reset - + Zresetuj &Switch To - + &Przełącz do Import - Zaimportuj + Zaimportuj Export - + Wyeksportuj Move Up - Przenieś do góry + Przenieś do góry Move Down - Przenieś na dół + Przenieś na dół Restore last workspace on startup - + Przywracaj ostatni obszar roboczy po uruchomieniu Workspace Manager - + Zarządzanie obszarami roboczymi <a href="qthelp://org.qt-project.qtcreator/doc/creator-project-managing-workspaces.html">What is a Workspace?</a> - + <a href="qthelp://org.qt-project.qtcreator/doc/creator-project-managing-workspaces.html">Co to jest obszar roboczy?</a> Enter the name of the workspace: - + Podaj nazwę obszaru roboczego: Workspace - + Obszar roboczy File Name - Nazwa pliku + Nazwa pliku Last Modified - Ostatnio zmodyfikowana + Ostatnio zmodyfikowano New Workspace Name - + Nazwa nowego obszaru roboczego &Create - &Utwórz + &Utwórz Create and &Open - Utwórz i &otwórz + Utwórz i &otwórz Cannot Create Workspace - + Nie można utworzyć obszaru roboczego &Clone - S&klonuj + S&klonuj Clone and &Open - Sklonuj i &otwórz + Sklonuj i &otwórz %1 Copy - + Kopia %1 Cannot Clone Workspace - + Nie można sklonować obszaru roboczego Rename Workspace - + Zmień nazwę obszaru roboczego Rename and &Open - Zmień nazwę i &otwórz + Zmień nazwę i &otwórz Cannot Rename Workspace - + Nie można zmienić nazwy obszaru roboczego Cannot Switch Workspace - + Nie można przełączyć obszaru roboczego Import Workspace - + Zaimportuj obszar roboczy Cannot Import Workspace - + Nie można zaimportować obszaru roboczego Export Workspace - + Wyeksportuj obszar roboczy Cannot Export Workspace - + Nie można wyeksportować obszaru roboczego Delete Workspace - + Usuń obszar roboczy Delete Workspaces - + Usuń obszary robocze Delete workspace "%1"? - + Usunąć obszar roboczy "%1"? Delete these workspaces? - + Usunąć te obszary robocze? @@ -9775,27 +9778,27 @@ Locked components cannot be modified or selected. Open Android SDK download URL in the system's browser. - + Otwórz URL do pobrania Android SDK w przeglądarce systemowej. Add the selected custom NDK. The toolchains and debuggers will be created automatically. - + Dodaj własne NDK. Zestawy narzędzi i debuggery zostaną utworzone automatycznie. Remove the selected NDK if it has been added manually. - + Usuń wybrane NDK jeśli zostało ono dodane ręcznie. Force a specific NDK installation to be used by all Android kits.<br/>Note that the forced NDK might not be compatible with all registered Qt versions. - + Wymusza użycie podanej instalacji NDK przez wszystkie zestawy narzędzi Androida.<br/>Wymuszone NDK może nie być kompatybilne ze wszystkimi wersjami Qt. Open JDK download URL in the system's browser. - + Otwórz URL do pobrania JDK w przeglądarce systemowej. Set Up SDK - + Ustaw SDK Automatically download Android SDK Tools to selected location. @@ -9809,19 +9812,19 @@ packages required for Qt to build for Android. SDK Manager - + Menedżer SDK Open Android NDK download URL in the system's browser. - + Otwórz URL do pobrania Android NDK w przeglądarce systemowej. Select the path of the prebuilt OpenSSL binaries. - + Wybierz ścieżkę do zbudowanych plików binarnych OpenSSL. Download OpenSSL - + Pobierz OpenSSL Automatically download OpenSSL prebuilt libraries. @@ -9835,31 +9838,31 @@ in the system's browser for manual download. JDK path exists and is writable. - + Ścieżka JDK istnieje i posiada prawa do zapisu. Android SDK path exists and is writable. - + Ścieżka Android SDK istnieje i posiada prawa do zapisu. Android SDK Command-line Tools installed. - + Zainstalowano narzędzia command-line dla Android SDK. Android SDK Command-line Tools runs. - + Uruchomiono narzędzie command-line dla Android SDK. Android SDK Platform-Tools installed. - + Zainstalowano narzędzia platformowe dla Android SDK. All essential packages installed for all installed Qt versions. - + Zainstalowano wszystkie niezbędne pakiety dla wszystkich zainstalowanych wersji Qt. Android SDK Build-Tools installed. - + Zainstalowano narzędzia budowania Android SDK. Android Platform SDK (version) installed. @@ -9867,15 +9870,15 @@ in the system's browser for manual download. Android settings are OK. - + Ustawienia Androida są OK. Android settings have errors. - + Ustawienia Androida są błędne. OpenSSL path exists. - + Ścieżka do OpenSSL istnieje. QMake include project (openssl.pri) exists. @@ -9887,15 +9890,15 @@ in the system's browser for manual download. OpenSSL Settings are OK. - + Ustawienia OpenSSL są OK. OpenSSL settings have errors. - + Ustawienia OpenSSL są błędne. Select Android SDK Folder - + Wybierz katalog z Android SDK Select OpenSSL Include Project File @@ -9903,7 +9906,7 @@ in the system's browser for manual download. Android Settings - + Ustawienia Androida Android SDK location: @@ -9911,15 +9914,15 @@ in the system's browser for manual download. Android NDK list: - + Lista Android NDK: Android OpenSSL settings (Optional) - + Ustawienia Android OpenSSL (opcjonalne) OpenSSL binaries location: - + Położenie plików binarnych OpenSSL: Failed to create the SDK Tools path %1. @@ -9927,11 +9930,11 @@ in the system's browser for manual download. Select an NDK - + Wybierz NDK Add Custom NDK - + Dodaj własne NDK The selected path has an invalid NDK. This might mean that the path contains space characters, or that it does not have a "toolchains" sub-directory, or that the NDK version could not be retrieved because of a missing "source.properties" or "RELEASE.TXT" file @@ -9939,11 +9942,11 @@ in the system's browser for manual download. OpenSSL Cloning - + Klonowanie OpenSSL OpenSSL prebuilt libraries repository is already configured. - + Repozytorium ze zbudowanymi bibliotekami OpenSSL zostało skonfigurowane. The selected download path (%1) for OpenSSL already exists and the directory is not empty. Select a different path or make sure it is an empty directory. @@ -9971,7 +9974,7 @@ in the system's browser for manual download. (SDK Version: %1, NDK Version: %2) - + (Wersja SDK: %1, wersja NDK: %2) Unset Default @@ -9979,7 +9982,7 @@ in the system's browser for manual download. Make Default - Ustaw jako domyślny + Ustaw jako domyślne The selected path already has a valid SDK Tools package. @@ -10043,35 +10046,35 @@ in the system's browser for manual download. Device name: - + Nazwa urządzenia: Device type: - Typ urządzenia: + Typ urządzenia: Unknown - Nieznany + Nieznane Serial number: - + Numer seryjny: CPU architecture: - + Architektura CPU: OS version: - Wersja OS: + Wersja OS: Yes - Tak + Tak No - Nie + Nie Authorized: @@ -10087,7 +10090,7 @@ in the system's browser for manual download. OpenGL status: - + Status OpenGL: Android Device Manager @@ -10099,11 +10102,11 @@ in the system's browser for manual download. Refresh - Odśwież + Odśwież Start AVD - + Uruchom AVD Erase AVD @@ -10111,23 +10114,23 @@ in the system's browser for manual download. AVD Arguments - + Argumenty AVD Set up Wi-Fi - + Ustaw Wi-Fi Emulator for "%1" - + Emulator dla "%1" Physical device - + Urządzenie fizyczne None - Brak + Brak Erase the Android AVD "%1"? @@ -10205,7 +10208,7 @@ This cannot be undone. Beta - + Beta Dev @@ -10221,23 +10224,23 @@ This cannot be undone. Available - Dostępne + Dostępne Installed - Zainstalowane + Zainstalowane All - + Wszystko Advanced Options... - + Zaawansowane opcje... Expand All - Rozwiń wszystko + Rozwiń wszystko Do you want to accept the Android SDK license? @@ -10245,11 +10248,11 @@ This cannot be undone. Show Packages - + Pokaż pakiety Channel: - + Kanał: Android SDK Changes @@ -10310,7 +10313,7 @@ Install them manually after the current operation is done. options - + opcje Updating installed packages... @@ -10324,23 +10327,28 @@ Install them manually after the current operation is done. Operation cancelled. - + Operacja anulowana. + No pending operations to cancel... - + +Brak oczekujących operacji do anulowania... + Cancelling pending operations... - + +Anulowanie oczekujących operacji... + SDK Manager Arguments - + Argumenty menedżera SDK Cannot load available arguments for "sdkmanager" command. @@ -10348,11 +10356,11 @@ Cancelling pending operations... SDK manager arguments: - + Argumenty menedżera SDK: Available arguments: - + Dostępne argumenty: General @@ -10456,15 +10464,15 @@ Cancelling pending operations... Screen orientation: - + Orientacja ekranu: Advanced - Zaawansowane + Zaawansowane Application icon - + Ikona aplikacji Splash screen @@ -10492,11 +10500,11 @@ Cancelling pending operations... Device definition: - + Definicja urządzenia: Architecture (ABI): - + Architektura (ABI): Target API: @@ -10524,7 +10532,7 @@ Cancelling pending operations... Could not open "%1" for writing: %2. - + Nie można otworzyć "%1" do zapisu: %2. The SDK Tools download URL is empty. @@ -10544,7 +10552,7 @@ Cancelling pending operations... Download from %1 was redirected. - + Pobieranie z %1 zostało przekierowane. Downloading Android SDK Tools from URL %1 has failed: %2. @@ -10564,7 +10572,7 @@ Cancelling pending operations... Download SDK Tools - + Pobierz narzędzia SDK Deploy to Android device @@ -10604,7 +10612,7 @@ Cancelling pending operations... Uninstall the existing app before deployment - + Odinstaluj istniejącą aplikację przed instalacją No Android architecture (ABI) is set by the project. @@ -10616,27 +10624,27 @@ Cancelling pending operations... The kit's run configuration is invalid. - + Niepoprawna konfiguracja uruchamiania w zestawie narzędzi. The kit's build configuration is invalid. - + Niepoprawna konfiguracja budowania w zestawie narzędzi. The kit's build steps list is invalid. - + Niepoprawna lista kroków budowania w zestawie narzędzi. The kit's deploy configuration is invalid. - + Niepoprawna konfiguracja instalacji w zestawie narzędzi. No valid deployment device is set. - + Brak ustawionego poprawnego urządzenia do instalacji. The deployment device "%1" is invalid. - + Niepoprawne urządzenie do instalacji "%1". The deployment device "%1" does not support the architectures used by the kit. @@ -10645,7 +10653,7 @@ The kit supports "%2", but the device uses "%3". The deployment device "%1" is disconnected. - + Urządzenie do instalacji "%1" jest odłączone. Android: The main ABI of the deployment device (%1) is not selected. The app execution or debugging might not work properly. Add it from Projects > Build > Build Steps > qmake > ABIs. @@ -10653,7 +10661,7 @@ The kit supports "%2", but the device uses "%3". Deploying to %1 - + Instalowanie na %1 The deployment step's project node is invalid. @@ -10669,27 +10677,27 @@ The kit supports "%2", but the device uses "%3". Uninstalling the previous package "%1". - + Deinstalacja poprzedniego pakietu "%1". Starting: "%1" - + Uruchamianie: "%1" Installing the app failed even after uninstalling the previous one. - + Błąd instalacji aplikacji po uprzednim zdeinstalowaniu. Installing the app failed with an unknown error. - + Błąd instalacji, przyczyna nieznana. Uninstalling the installed package may solve the issue. Do you want to uninstall the existing package? -Odinstalowanie uprzednio zainstalowanego pakietu może rozwiązać problem. -Czy odinstalować istniejący pakiet? +Deinstalacja uprzednio zainstalowanego pakietu może rozwiązać problem. +Czy zdeinstalować istniejący pakiet? The deployment AVD "%1" cannot be started. @@ -10701,15 +10709,15 @@ Czy odinstalować istniejący pakiet? Package deploy: Running command "%1". - + Instalacja pakietu: uruchomiono komendę "%1". Install an APK File - + Zainstaluj plik APK Qt Android Installer - + Instalator Qt Android Android package (*.apk) @@ -10725,11 +10733,11 @@ Czy odinstalować istniejący pakiet? Android Debugger (%1, NDK %2) - + Debugger Androida (%1, NDK %2) Android %1 Clang %2 - + Android %1 Clang %2 Configure Android... @@ -10798,7 +10806,7 @@ Czy odinstalować istniejący pakiet? Android customization: - + Dostosowanie Androida: Additional Libraries @@ -10868,7 +10876,8 @@ The minimum API level required by the kit is %1. Android package installation failed. %1 - + Błąd instalacji pakietu Androida. +%1 Allowed characters are: a-z A-Z 0-9 and . _ - @@ -10929,7 +10938,7 @@ The minimum API level required by the kit is %1. Could not update the project file %1. - + Nie można uaktualnić pliku projektu %1. Android package source directory: @@ -10997,7 +11006,7 @@ Pliki z katalogu źródłowego pakietu Android są kopiowane do katalogu budowan Failed to start debugger server. - + Błąd uruchamiania serwera debugowego. Failed to forward C++ debugging ports. @@ -11009,11 +11018,11 @@ Pliki z katalogu źródłowego pakietu Android są kopiowane do katalogu budowan Failed to start JDB. - + Błąd uruchamiania JDB. Cannot attach JDB to the running application. - + Błąd dołączania JDB do uruchomionej aplikacji. "%1" died. @@ -11025,11 +11034,11 @@ Pliki z katalogu źródłowego pakietu Android są kopiowane do katalogu budowan Could not start process "%1". - + Nie można uruchomić procesu "%1". Emulator Tool Is Missing - + Brak narzędzia emulującego Install the missing emulator tool (%1) to the installed Android SDK. @@ -11037,7 +11046,7 @@ Pliki z katalogu źródłowego pakietu Android są kopiowane do katalogu budowan AVD Start Error - + Błąd uruchamiania AVD Cannot create AVD. Command timed out. @@ -11049,7 +11058,7 @@ Pliki z katalogu źródłowego pakietu Android są kopiowane do katalogu budowan Application Signature - + Sygnatura aplikacji Include prebuilt OpenSSL libraries @@ -11073,7 +11082,7 @@ Pliki z katalogu źródłowego pakietu Android są kopiowane do katalogu budowan The Qt version for kit %1 is invalid. - + Niepoprawna wersja Qt dla zestawu narzędzi %1. The minimum Qt version required for Gradle build to work is %1. It is recommended to install the latest Qt version. @@ -11081,7 +11090,7 @@ Pliki z katalogu źródłowego pakietu Android są kopiowane do katalogu budowan No valid input file for "%1". - + Brak poprawnego pliku wejściowego dla "%1". Android build SDK version is not defined. Check Android settings. @@ -11141,7 +11150,7 @@ Pliki z katalogu źródłowego pakietu Android są kopiowane do katalogu budowan LDPI icon - + Ikona LDPI Select an icon suitable for low-density (ldpi) screens (~120dpi). @@ -11149,7 +11158,7 @@ Pliki z katalogu źródłowego pakietu Android są kopiowane do katalogu budowan MDPI icon - + Ikona MDPI Select an icon for medium-density (mdpi) screens (~160dpi). @@ -11157,7 +11166,7 @@ Pliki z katalogu źródłowego pakietu Android są kopiowane do katalogu budowan HDPI icon - + Ikona HDPI Select an icon for high-density (hdpi) screens (~240dpi). @@ -11165,7 +11174,7 @@ Pliki z katalogu źródłowego pakietu Android są kopiowane do katalogu budowan XHDPI icon - + Ikona XHDPI Select an icon for extra-high-density (xhdpi) screens (~320dpi). @@ -11173,7 +11182,7 @@ Pliki z katalogu źródłowego pakietu Android są kopiowane do katalogu budowan XXHDPI icon - + Ikona XXHDPI Select an icon for extra-extra-high-density (xxhdpi) screens (~480dpi). @@ -11181,7 +11190,7 @@ Pliki z katalogu źródłowego pakietu Android są kopiowane do katalogu budowan XXXHDPI icon - + Ikona XXXHDPI Select an icon for extra-extra-extra-high-density (xxxhdpi) screens (~640dpi). @@ -11193,20 +11202,20 @@ Pliki z katalogu źródłowego pakietu Android są kopiowane do katalogu budowan Click to select... - + Kliknij aby zaznaczyć... Images %1 %1 expands to wildcard list for file dialog, do not change order - + Pliki graficzne %1 Deploy to Android Device - + Zainstaluj na urządzeniu Android Java Language Server - + Serwer języka Java Would you like to configure Android options? This will ensure Android kits can be usable and all essential packages are installed. To do it later, select Edit > Preferences > Devices > Android. @@ -11214,35 +11223,35 @@ Pliki z katalogu źródłowego pakietu Android są kopiowane do katalogu budowan Configure Android - + Konfiguruj Androida %1 has been stopped. - + %1 zostało zatrzymane. Selected device is invalid. - + Zaznaczono niepoprawne urządzenie. Selected device is disconnected. - + Zaznaczono odłączone urządzenie. Launching AVD. - + Uruchamianie AVD. Could not start AVD. - + Nie można uruchomić AVD. No valid AVD has been selected. - + Brak zaznaczonego poprawnego AVD. Checking if %1 app is installed. - + Sprawdzanie, czy aplikacja %1 została zainstalowana. ABI of the selected device is unknown. Cannot install APK. @@ -11254,7 +11263,7 @@ Pliki z katalogu źródłowego pakietu Android są kopiowane do katalogu budowan Installing %1 APK. - + Instalowanie %1 APK. Too many .qmlproject files in your project. Open directly the .qmlproject file you want to work with and then run the preview. @@ -11270,11 +11279,11 @@ Pliki z katalogu źródłowego pakietu Android są kopiowane do katalogu budowan Could not create file for %1 "%2". - + Nie można utworzyć pliku dla %1 "%2". A timeout occurred running "%1". - Przekroczono limit czasu oczekiwania na odpowiedź od uruchomionego "%1". + Przekroczono limit czasu oczekiwania na odpowiedź od uruchomionego "%1". Crash while creating file for %1 "%2". @@ -11286,15 +11295,15 @@ Pliki z katalogu źródłowego pakietu Android są kopiowane do katalogu budowan Uploading files. - + Przesyłanie plików. Starting %1. - + Uruchamianie %1. %1 is running. - + %1 jest uruchomione. NDK is not configured in Devices > Android. @@ -11310,7 +11319,7 @@ Pliki z katalogu źródłowego pakietu Android są kopiowane do katalogu budowan Clean Environment - Czyste środowisko + Czyste środowisko Activity manager start arguments: @@ -11330,27 +11339,27 @@ Pliki z katalogu źródłowego pakietu Android są kopiowane do katalogu budowan Updating installed packages. - + Uaktualnianie zainstalowanych pakietów. Failed. - Niepoprawnie zakończone. + Niepoprawnie zakończone. Done - + Zakończone Installing - + Instalacja Uninstalling - + Deinstalacja Failed - Niepoprawnie zakończone + Niepoprawnie zakończone License command failed. @@ -11362,27 +11371,27 @@ Pliki z katalogu źródłowego pakietu Android są kopiowane do katalogu budowan API - + API Tools - + Narzędzia SDK Platform - + Platforma SDK Android Clang - + Android Clang Java: - + Java: Java Language Server: - + Serwer języka Java: Path to equinox launcher jar @@ -11390,7 +11399,7 @@ Pliki z katalogu źródłowego pakietu Android są kopiowane do katalogu budowan Images (*.png *.jpg *.jpeg) - + Pliki graficzne (*.png *.jpg *.jpeg) Select splash screen image @@ -11414,7 +11423,7 @@ Pliki z katalogu źródłowego pakietu Android są kopiowane do katalogu budowan Clear All - + Wyczyść wszystko A non-sticky splash screen is hidden automatically when an activity is drawn. @@ -11435,7 +11444,7 @@ To hide a sticky splash screen, invoke QtAndroid::hideSplashScreen(). Background color: - + Kolor tła: Select master image to use. @@ -11463,27 +11472,27 @@ To hide a sticky splash screen, invoke QtAndroid::hideSplashScreen(). LDPI - + LDPI MDPI - + MDPI HDPI - + HDPI XHDPI - + XHDPI XXHDPI - + XXHDPI XXXHDPI - + XXXHDPI An image is used for the splashscreen. Qt Creator manages @@ -11493,11 +11502,11 @@ the manifest file by overriding your settings. Allow override? Convert - + Skonwertuj Select background color - + Wybierz kolor tła Select master image @@ -11513,30 +11522,30 @@ the manifest file by overriding your settings. Allow override? Images - + Pliki graficzne QtC::Autotest Scan threads: - + Wątki skanujące: Framework - Framework + Framework Group - + Grupa Enables grouping of test cases. - + Odblokowuje grupowanie wartiantów testu. Reset Cached Choices - + Zresetuj zapamiętane wybory Clear all cached choices of run configurations for tests where the executable could not be deduced. @@ -11548,7 +11557,7 @@ the manifest file by overriding your settings. Allow override? Automatically run - + Automatyczne uruchamianie Enable or disable test frameworks to be handled by the AutoTest plugin. @@ -11580,7 +11589,7 @@ the manifest file by overriding your settings. Allow override? Number of worker threads used when scanning for tests. - + Ilość wątków roboczych używanych do skanowania testów. Omit run configuration warnings @@ -11588,15 +11597,15 @@ the manifest file by overriding your settings. Allow override? Hides warnings related to a deduced run configuration. - + Ukrywa ostrzeżenia odnośnie wywnioskowanych konfiguracji uruchamiania. Limit result output - Ogranicz komunikaty z rezultatami + Ograniczenie komunikatu z rezultatem Limit result description: - + Ograniczenie opisu rezultatu: Limit number of lines shown in test result tooltip and description. @@ -11608,7 +11617,7 @@ the manifest file by overriding your settings. Allow override? Process arguments - + Argumenty procesu Allow passing arguments specified on the respective run configuration. @@ -11617,11 +11626,11 @@ Warning: this is an experimental feature and might lead to failing to execute th Group results by application - + Grupowanie rezultatów dla aplikacji Open results when tests start - + Otwieraj rezultaty przy uruchamianiu testów Displays test results automatically when tests are started. @@ -11629,7 +11638,7 @@ Warning: this is an experimental feature and might lead to failing to execute th Open results when tests finish - + Otwieraj rezultaty po zakończeniu testów Displays test results automatically when tests are finished. @@ -11637,7 +11646,7 @@ Warning: this is an experimental feature and might lead to failing to execute th Only for unsuccessful test runs - + Tylko dla testów zakończonych błędem Displays test results only if the test run contains failed, fatal or unexpectedly passed tests. @@ -11649,7 +11658,7 @@ Warning: this is an experimental feature and might lead to failing to execute th Timeout used when executing each test case. - Limit czasu oczekiwania na zakończenie każdego testu. + Limit czasu oczekiwania na zakończenie każdego wariantu testu. Timeout: @@ -11681,7 +11690,7 @@ Warning: this is an experimental feature and might lead to failing to execute th Testing - + Testowanie &Tests @@ -11697,7 +11706,7 @@ Warning: this is an experimental feature and might lead to failing to execute th Ctrl+Meta+T, Ctrl+Meta+A - + Ctrl+Meta+T, Ctrl+Meta+A Run All Tests Without Deployment @@ -11705,11 +11714,11 @@ Warning: this is an experimental feature and might lead to failing to execute th Ctrl+Meta+T, Ctrl+Meta+E - + Ctrl+Meta+T, Ctrl+Meta+E Alt+Shift+T,Alt+E - + Alt+Shift+T,Alt+E &Run Selected Tests @@ -11721,7 +11730,7 @@ Warning: this is an experimental feature and might lead to failing to execute th Ctrl+Meta+T, Ctrl+Meta+R - + Ctrl+Meta+T, Ctrl+Meta+R &Run Selected Tests Without Deployment @@ -11733,11 +11742,11 @@ Warning: this is an experimental feature and might lead to failing to execute th Ctrl+Meta+T, Ctrl+Meta+W - + Ctrl+Meta+T, Ctrl+Meta+W Alt+Shift+T,Alt+W - + Alt+Shift+T,Alt+W Run &Failed Tests @@ -11749,11 +11758,11 @@ Warning: this is an experimental feature and might lead to failing to execute th Ctrl+Meta+T, Ctrl+Meta+F - + Ctrl+Meta+T, Ctrl+Meta+F Alt+Shift+T,Alt+F - + Alt+Shift+T,Alt+F Run Tests for &Current File @@ -11765,11 +11774,11 @@ Warning: this is an experimental feature and might lead to failing to execute th Ctrl+Meta+T, Ctrl+Meta+C - + Ctrl+Meta+T, Ctrl+Meta+C Alt+Shift+T,Alt+C - + Alt+Shift+T,Alt+C Disable Temporarily @@ -11789,35 +11798,35 @@ Warning: this is an experimental feature and might lead to failing to execute th Ctrl+Meta+T, Ctrl+Meta+S - + Ctrl+Meta+T, Ctrl+Meta+S Run Test Under Cursor - + Uruchom test pod kursorem &Run Test - + U&ruchom test Run Test Without Deployment - + Uruchom test z pominięciem instalowania &Debug Test - + Z&debuguj test Debug Test Without Deployment - + Zdebuguj test z pominięciem instalowania Cannot debug multiple tests at once. - + Nie można zdebugować wielu testów jednocześnie. Selected test was not found (%1). - + Nie odnaleziono wybranego testu (%1). Scanning for Tests @@ -11893,7 +11902,7 @@ Warning: this is an experimental feature and might lead to failing to execute th Test execution took %1. - + Wykonanie testu zajęło %1. Test suite execution took %1. @@ -12114,7 +12123,7 @@ Executable: %2 Save Output to File... - Zachowaj wyjście w pliku... + Zachowaj komunikaty w pliku... Run This Test Without Deployment @@ -12126,7 +12135,7 @@ Executable: %2 Save Output To - Zachowaj wyjście w + Zachowaj komunikaty w Error @@ -12250,15 +12259,15 @@ This might cause trouble during execution. Executable: - Plik wykonywalny: + Plik wykonywalny: Arguments: - Argumenty: + Argumenty: Working Directory: - + Katalog roboczy: Unable to display test results when using CDB. @@ -12306,7 +12315,7 @@ This might cause trouble during execution. <unnamed> - <nienazwany> + <nienazwane> Give all test cases a name to ensure correct behavior when running test cases and to be able to select them @@ -12338,11 +12347,11 @@ This might cause trouble during execution. ms - ms + ms Abort after - + Przerywaj po Aborts after the specified number of failures. @@ -12350,7 +12359,7 @@ This might cause trouble during execution. Benchmark samples - + Próbki testów wydajności Number of samples to collect while running benchmarks. @@ -12382,7 +12391,7 @@ This might cause trouble during execution. Disable analysis - + Zablokuj analizę Disables statistical analysis and bootstrapping. @@ -12390,7 +12399,7 @@ This might cause trouble during execution. Show success - + Pokazuj pomyślne zakończenia Show success for tests. @@ -12402,7 +12411,7 @@ This might cause trouble during execution. Skip throwing assertions - + Pomijaj rzucane asercje Skips all assertions that test for thrown exceptions. @@ -12410,7 +12419,7 @@ This might cause trouble during execution. Visualize whitespace - + Pokazuj białe znaki Makes whitespace visible. @@ -12418,7 +12427,7 @@ This might cause trouble during execution. Warn on empty tests - + Ostrzegaj przy pustych testach Warns if a test section does not check any assertion. @@ -12450,11 +12459,11 @@ This might cause trouble during execution. Directory - Katalog + Katalog GTest Filter - + Filtr GTest Group mode: @@ -12466,7 +12475,7 @@ This might cause trouble during execution. Active filter: - + Aktywny filtr: Set the GTest filter to be used for grouping. @@ -12480,15 +12489,15 @@ See also Google Test settings. CTest - + CTest Repeat tests - Powtarzaj testy + Powtarzanie testów Run in parallel - + Uruchomianie równoległe Output on failure @@ -12496,39 +12505,39 @@ See also Google Test settings. Output mode - + Tryb komunikatów Default - + Domyślny Verbose - Gadatliwy + Gadatliwy Very Verbose - + Bardzo gadatliwy Repetition mode - + Tryb repetycji Until Fail - + Aż do błędu Until Pass - + Aż do przejścia After Timeout - + Aż do przekroczenia czasu oczekiwania Count - Ilość + Ilość Number of re-runs for the test. @@ -12548,7 +12557,7 @@ See also Google Test settings. Jobs - + Ilość zadań Test load @@ -12564,7 +12573,7 @@ See also Google Test settings. Log format: - + Format logu: Report level: @@ -12580,15 +12589,15 @@ See also Google Test settings. Randomize - + Randomizacja Randomize execution order. - + Randomizacja kolejności uruchamiania. Catch system errors - + Przechwytywanie błędów systemowych Catch or ignore system errors. @@ -12604,7 +12613,7 @@ See also Google Test settings. Detect memory leaks - + Detekcja wycieków pamięci Enable memory leak detection. @@ -12632,7 +12641,7 @@ See also Google Test settings. Disable crash handler while debugging - + Zablokuj obsługę awarii podczas debugowania Benchmark Metrics @@ -12668,7 +12677,7 @@ See also Google Test settings. Limit warnings - + Limit ostrzeżeń Set the maximum number of warnings. 0 means that the number is not limited. @@ -12676,7 +12685,7 @@ See also Google Test settings. Unlimited - + Nieograniczone Check for derived Qt Quick tests @@ -12739,11 +12748,11 @@ Warning: Plain text misses some information, such as duration. Exception: - + Wyjątek: Executing %1 "%2"... - + Wykonywanie %1 "%2"... %1 "%2" passed. @@ -12767,15 +12776,15 @@ Warning: Plain text misses some information, such as duration. None - Brak + Brak All - + Wszystko Selected - + Zaznaczone Active frameworks: @@ -12802,53 +12811,53 @@ Warning: Plain text misses some information, such as duration. QtC::AutotoolsProjectManager Arguments: - Argumenty: + Argumenty: Configuration unchanged, skipping autogen step. - Konfiguracja niezmieniona, krok autogen pominięty. + Konfiguracja niezmieniona, krok autogen pominięty. Autogen Display name for AutotoolsProjectManager::AutogenStep id. - Autogen + Autogen Configuration unchanged, skipping autoreconf step. - Konfiguracja niezmieniona, krok autoreconf pominięty. + Konfiguracja niezmieniona, krok autoreconf pominięty. Autoreconf Display name for AutotoolsProjectManager::AutoreconfStep id. - Autoreconf + Autoreconf Autotools Manager - Menedżer Autotools + Menedżer Autotools Configuration unchanged, skipping configure step. - Konfiguracja niezmieniona, krok konfiguracji pominięty. + Konfiguracja niezmieniona, krok konfiguracji pominięty. Configure Display name for AutotoolsProjectManager::ConfigureStep id. - Konfiguracja + Konfiguracja Parsing %1 in directory %2 - Parsowanie %1 w katalogu %2 + Parsowanie %1 w katalogu %2 Parsing directory %1 - Parsowanie katalogu %1 + Parsowanie katalogu %1 QtC::BareMetal Set up Debug Server or Hardware Debugger - + Ustaw serwer debugowy lub debugger sprzętowy Name: @@ -12888,11 +12897,11 @@ Warning: Plain text misses some information, such as duration. Unknown - Nieznany + Nieznane Custom Executable - Własny plik wykonywalny + Własny plik wykonywalny The remote executable must be set in order to run a custom remote run configuration. @@ -12916,7 +12925,7 @@ Warning: Plain text misses some information, such as duration. JLink - + JLink JLink GDB Server (JLinkGDBServerCL.exe) @@ -12928,23 +12937,23 @@ Warning: Plain text misses some information, such as duration. IP Address - + Adres IP Host interface: - + Interfejs hosta: Speed - + Prędkość Target interface: - + Interfejs docelowy: Device: - Urządzenie: + Urządzenie: Default @@ -12952,11 +12961,11 @@ Warning: Plain text misses some information, such as duration. USB - + USB TCP/IP - + TCP/IP Compact JTAG @@ -12968,7 +12977,7 @@ Warning: Plain text misses some information, such as duration. ICSP - + ICSP Auto @@ -12980,11 +12989,11 @@ Warning: Plain text misses some information, such as duration. %1 kHz - + %1 kHz EBlink - + EBlink Host: @@ -12992,11 +13001,11 @@ Warning: Plain text misses some information, such as duration. Script file: - + Plik ze skryptem: Specify the verbosity level (0 to 7). - + Poziom gadatliwości (od 0 do 7). Connect under reset (hotplug). @@ -13008,11 +13017,11 @@ Warning: Plain text misses some information, such as duration. Interface type. - + Typ interfejsu. Type: - Typ: + Typ: Specify the speed of the interface (120 to 8000) in kilohertz (kHz). @@ -13020,7 +13029,7 @@ Warning: Plain text misses some information, such as duration. Speed: - + Prędkość: Do not use EBlink flash cache. @@ -13028,7 +13037,7 @@ Warning: Plain text misses some information, such as duration. Disable cache: - + Blokada cache'a: Shut down EBlink server after disconnect. @@ -13048,11 +13057,11 @@ Warning: Plain text misses some information, such as duration. SWD - + SWD JTAG - + JTAG Clone of %1 @@ -13084,15 +13093,15 @@ Warning: Plain text misses some information, such as duration. Not recognized - Nierozpoznany + Nierozpoznane GDB - GDB + GDB UVSC - + UVSC GDB compatible provider engine @@ -13114,7 +13123,7 @@ Warning: Plain text misses some information, such as duration. Engine - + Silnik Duplicate Providers Detected @@ -13138,7 +13147,7 @@ Warning: Plain text misses some information, such as duration. Debug Server Providers - + Dostawcy serwerów debugowych OpenOCD @@ -13178,7 +13187,7 @@ Warning: Plain text misses some information, such as duration. Generic - + Ogólne Use GDB target extended-remote @@ -13218,19 +13227,19 @@ Warning: Plain text misses some information, such as duration. Keep unspecified - + Pozostaw nieokreślone Debug server provider: - + Dostawca serwera debugowego: Deploy to BareMetal Device - + Zainstaluj na urządzeniu BareMetal uVision JLink - + uVision JLink Unable to create a uVision project options template. @@ -13238,143 +13247,143 @@ Warning: Plain text misses some information, such as duration. Adapter options: - + Opcje adaptera: Port: - + Port: 50MHz - + 50MHz 33MHz - + 33MHz 25MHz - + 25MHz 20MHz - + 20MHz 10MHz - + 10MHz 5MHz - + 5MHz 3MHz - + 3MHz 2MHz - + 2MHz 1MHz - + 1MHz 500kHz - + 500kHz 200kHz - + 200kHz 100kHz - + 100kHz uVision Simulator - + Symulator uVision Limit speed to real-time. - + Ograniczenie prędkości do czasu rzeczywistego. Limit speed to real-time: - + Ograniczenie prędkości do czasu rzeczywistego: uVision St-Link - + uVision St-Link 9MHz - + 9MHz 4.5MHz - + 4.5MHz 2.25MHz - + 2.25MHz 1.12MHz - + 1.12MHz 560kHz - + 560kHz 280kHz - + 280kHz 140kHz - + 140kHz 4MHz - + 4MHz 1.8MHz - + 1.8MHz 950kHz - + 950kHz 480kHz - + 480kHz 240kHz - + 240kHz 125kHz - + 125kHz 50kHz - + 50kHz 25kHz - + 25kHz 15kHz - + 15kHz 5kHz - + 5kHz Unable to create a uVision project template. @@ -13386,151 +13395,151 @@ Warning: Plain text misses some information, such as duration. Tools file path: - + Ścieżka do narzędzi: Target device: - + Urządzenie docelowe: Target driver: - + Sterownik docelowy: Starting %1... - Uruchamianie %1... + Uruchamianie %1... Version - Wersja + Wersja Vendor - Dostawca + Dostawca ID - Identyfikator + Identyfikator Start - + Początek Size - Rozmiar + Rozmiar FLASH Start - + Początek FLASH FLASH Size - + Rozmiar FLASH RAM Start - + Początek RAM RAM Size - + Rozmiar RAM Algorithm path. - + Ścieżka do algorytmu. FLASH: - + FLASH: Start address. - + Adres początkowy. Size. - + Rozmiar. RAM: - + RAM: Vendor: - Dostawca: + Dostawca: Package: - Pakiet: + Pakiet: Description: - Opis: + Opis: Memory: - + Pamięć: Flash algorithm: - + Algorytm Flash: Target device not selected. - + Brak wybranego urządzenia docelowego. Available Target Devices - + Dostępne urządzenia docelowe Path - Ścieżka + Ścieżka Debugger CPU library (depends on a CPU core). - + Biblioteka CPU debuggera (zależna od rdzenia CPU). Debugger driver library. - + Biblioteka sterownika debuggera. Driver library: - + Biblioteka sterownika: CPU library: - + Biblioteka CPU: Target driver not selected. - + Brak wybranego sterownika docelowego. Available Target Drivers - + Dostępne sterowniki docelowe IAREW %1 (%2, %3) - + IAREW %1 (%2, %3) IAREW - + IAREW &Compiler path: - Ścieżka do &kompilatora: + Ścieżka do &kompilatora: Platform codegen flags: - + Flagi codegen platformy: &ABI: - &ABI: + &ABI: Enter the name of the debugger server provider. @@ -13546,19 +13555,19 @@ Warning: Plain text misses some information, such as duration. KEIL %1 (%2, %3) - + KEIL %1 (%2, %3) KEIL - + KEIL SDCC %1 (%2, %3) - + SDCC %1 (%2, %3) SDCC - + SDCC @@ -13983,7 +13992,7 @@ For example, "Revision: 15" will leave the branch at revision 15. Format - Format + Format @@ -14018,7 +14027,7 @@ For example, "Revision: 15" will leave the branch at revision 15. Restrict to MIME types: - Zastosuj jedynie do typów MIME: + Stosuj jedynie do typów MIME: Use specific config file: @@ -14082,7 +14091,7 @@ For example, "Revision: 15" will leave the branch at revision 15. Uncrustify command: - + Komenda Uncrustify: Use file uncrustify.cfg defined in project files @@ -14161,7 +14170,7 @@ For example, "Revision: 15" will leave the branch at revision 15. Restrict to files contained in the current project - Zastosuj jedynie do plików zawartych w bieżącym projekcie + Stosuj jedynie do plików zawartych w bieżącym projekcie General @@ -14336,7 +14345,7 @@ For example, "Revision: 15" will leave the branch at revision 15. Copy 0x%1 - + Skopiuj 0x%1 Jump to Address in This Window @@ -14348,7 +14357,7 @@ For example, "Revision: 15" will leave the branch at revision 15. Copy Value - + Skopiuj wartość Jump to Address 0x%1 in This Window @@ -14367,19 +14376,19 @@ For example, "Revision: 15" will leave the branch at revision 15.QtC::CMakeProjectManager Initial Configuration - + Wstępna konfiguracja Current Configuration - + Bieżąca konfiguracja Kit Configuration - + Konfiguracja zestawu narzędzi Edit the current kit's CMake configuration. - + Zmodyfikuj konfigurację CMake bieżącego zestawu narzędzi. Filter @@ -14391,7 +14400,7 @@ For example, "Revision: 15" will leave the branch at revision 15. Add a new configuration value. - + Dodaj nową wartość do konfiguracji. &Boolean @@ -14415,39 +14424,39 @@ For example, "Revision: 15" will leave the branch at revision 15. Edit the current CMake configuration value. - + Zmodyfikuj bieżącą wartość konfiguracji CMake. &Set - + &Włącz Set a value in the CMake configuration. - + Włącz ustawienie wartości w konfiguracji CMake. &Unset - &Usuń + W&yłącz Unset a value in the CMake configuration. - + Wyłącz ustawienie wartości w konfiguracji CMake. &Reset - &Reset + Z&resetuj Reset all unapplied changes. - + Zresetuj wszystkie niezastosowane zmiany. Batch Edit... - + Modyfikuj grupowo... Set or reset multiple values in the CMake configuration. - + Ustawia lub resetuje wiele wartości w konfiguracji CMake. Advanced @@ -14455,87 +14464,87 @@ For example, "Revision: 15" will leave the branch at revision 15. Enter one CMake <a href="variable">variable</a> per line.<br/>To set or change a variable, use -D&lt;variable&gt;:&lt;type&gt;=&lt;value&gt;.<br/>&lt;type&gt; can have one of the following values: FILEPATH, PATH, BOOL, INTERNAL, or STRING.<br/>To unset a variable, use -U&lt;variable&gt;.<br/> - + Wprowadź jedną <a href="variable">zmienną</a> CMake w linii.<br/>Aby ustawić lub zmienić zmienną, użyj -D&lt;zmienna&gt;:&lt;typ&gt;=&lt;wartość&gt;.<br/>&lt;typ&gt; może zawierać jedną z wartości: FILEPATH, PATH, BOOL, INTERNAL, lub STRING.<br/>Aby usunąć zmienną, użyj -U&lt;zmienna&gt;.<br/> Re-configure with Initial Parameters - + Przekonfiguruj z początkowymi parametrami Clear CMake configuration and configure with initial parameters? - + Wyczyścić konfigurację CMake i skonfigurować z początkowymi parametrami? Kit CMake Configuration - + Konfiguracja CMake zestawu narzędzi Configure - Konfiguracja + Konfiguracja Stop CMake - + Zatrzymaj CMake bool display string for cmake type BOOLEAN - + bool file display string for cmake type FILE - + plik directory display string for cmake type DIRECTORY - + katalog string display string for cmake type STRING - + ciąg znakowy Force to %1 - + Wymuś %1 Help - Pomoc + Pomoc Apply Kit Value - + Zastosuj wartość zestawu narzędzi Apply Initial Configuration Value - + Zastosuj wartość początkowej konfiguracji Copy - Skopiuj + Skopiuj Changing Build Directory - + Zmiana katalogu budowania Change the build directory to "%1" and start with a basic CMake configuration? - + Zmienić katalog budowania na "%1" i rozpocząć z bazową konfiguracją CMake? Build type: - + Typ budowania: Additional CMake <a href="options">options</a>: - + Dodatkowe <a href="options">opcje</a> CMake: The CMake flag for the development team - + Flaga CMake dla zespołu deweloperskiego The CMake flag for the provisioning profile @@ -14551,23 +14560,23 @@ For example, "Revision: 15" will leave the branch at revision 15. Profile - + Profil Clean Environment - Czyste środowisko + Czyste środowisko Base environment for the CMake configure step: - + Bazowe środowisko dla kroku konfiguracji CMake: System Environment - Środowisko systemowe + Środowisko systemowe Build Environment - Środowisko budowania + Środowisko budowania <UNSET> @@ -14591,27 +14600,27 @@ For example, "Revision: 15" will leave the branch at revision 15. Reload CMake Presets - + Przeładuj ustawienia CMake'a CMake Profiler - + Profiler CMake Start CMake Debugging - + Rozpocznij debugowanie CMake Build File - Zbuduj plik + Zbuduj plik Build File "%1" - Zbuduj plik "%1" + Zbuduj plik "%1" Ctrl+Alt+B - Ctrl+Alt+B + Ctrl+Alt+B Re-generates the kits that were created for CMake presets. All manual modifications to the CMake project settings will be lost. @@ -14619,11 +14628,11 @@ For example, "Revision: 15" will leave the branch at revision 15. Reload - Przeładuj + Przeładuj Build File is not supported for generator "%1" - + Budowanie pliku nie jest obsługiwane dla generatora "%1" The CMake Tool to use when building a project with CMake.<br>This setting is ignored when using other build systems. @@ -14664,7 +14673,7 @@ For example, "Revision: 15" will leave the branch at revision 15. Package manager auto setup - + Automatyczne ustawianie menadżera pakietów Add the CMAKE_PROJECT_INCLUDE_BEFORE variable pointing to a CMake script that will install dependencies from the conanfile.txt, conanfile.py, or vcpkg.json file from the project source directory. @@ -14672,67 +14681,67 @@ For example, "Revision: 15" will leave the branch at revision 15. Ask before re-configuring with initial parameters - + Pytaj przed przekonfigurowaniem z parametrami początkowymi Ask before reloading CMake Presets - + Pytaj przed przeładowaniem ustawień CMake Show subfolders inside source group folders - + Pokazuj podkatalogi w katalogach grup źródłowych Show advanced options by default - + Pokazuj domyślnie zaawansowane opcje General - Ogólne + Ogólne Version: %1 - + Wersja: %1 Supports fileApi: %1 - + Obsługa fileApi: %1 yes - tak + tak no - nie + nie Detection source: "%1" - + Źródło detekcji: "%1" CMake executable path does not exist. - + Brak pliku wykonywalnego CMake. CMake executable path is not a file. - + Ścieżka do pliku CMake nie wskazuje na plik. CMake executable path is not executable. - + Ścieżka do pliku CMake nie wskazuje na plik wykonywalny. CMake executable does not provide required IDE integration features. - + Plik wykonywalny CMake nie obsługuje wymaganej integracji z IDE. Path - Ścieżka + Ścieżka CMake .qch File - + Plik CMake .qch Name: @@ -14744,11 +14753,11 @@ For example, "Revision: 15" will leave the branch at revision 15. Version: - Wersja: + Wersja: Help file: - + Plik pomocy: Add @@ -14780,7 +14789,7 @@ For example, "Revision: 15" will leave the branch at revision 15. Tools - + Narzędzia System CMake at %1 @@ -14792,7 +14801,7 @@ For example, "Revision: 15" will leave the branch at revision 15. No compilers set in kit. - + Brak ustawionych kompilatorów w zestawie narzędzi. CMakeUserPresets.json cannot re-define the %1 preset: %2 @@ -14804,7 +14813,7 @@ For example, "Revision: 15" will leave the branch at revision 15. Failed to load %1: %2 - + Nie można załadować %1: %2 Attempt to include "%1" which was already parsed. @@ -14816,11 +14825,11 @@ For example, "Revision: 15" will leave the branch at revision 15. Apply configuration changes? - + Zastosować zmiany w konfiguracji? Run CMake with configuration changes? - + Uruchomić CMake ze zmienioną konfiguracją? <b>CMake configuration failed<b><p>The backup of the previous configuration has been restored.</p><p>Issues and "Projects > Build" settings show more information about the failure.</p> @@ -14836,11 +14845,11 @@ For example, "Revision: 15" will leave the branch at revision 15. Failed to create build directory "%1". - + Nie można utworzyć katalogu budowania "%1". No CMake tool set up in kit. - + Brak ustawionego narzędzia CMake w zestawie narzędzi. The remote CMake executable cannot write to the local build directory. @@ -14848,27 +14857,27 @@ For example, "Revision: 15" will leave the branch at revision 15. %1 (via cmake) - + %1 (przez cmake) cmake generator failed: %1. - + błąd generatora cmake: %1. Kit does not have a cmake binary set. - + Brak ustawionego pliku wykonywalnego cmake w zestawie narzędzi. Cannot create output directory "%1". - + Nie można utworzyć katalogu wyjściowego "%1". No valid cmake executable. - + Brak poprawnego pliku wykonywalnego cmake. Running in "%1": %2. - + Uruchamianie w "%1": %2. A CMake tool must be set up for building. Configure a CMake tool in the kit options. @@ -14880,7 +14889,7 @@ For example, "Revision: 15" will leave the branch at revision 15. Current executable - + Bieżący plik wykonywalny Build the executable used in the active run configuration. Currently: %1 @@ -14892,7 +14901,7 @@ For example, "Revision: 15" will leave the branch at revision 15. CMake arguments: - + Argumenty CMake: Stage for installation @@ -14951,7 +14960,7 @@ For example, "Revision: 15" will leave the branch at revision 15. Clear system environment - Wyczyść środowisko systemowe + Wyczyść środowisko systemowe Targets: @@ -14971,19 +14980,19 @@ For example, "Revision: 15" will leave the branch at revision 15. CMake Tool - + Narzędzie CMake CMake version %1 is unsupported. Update to version 3.15 (with file-api) or later. - + Brak obsługi CMake w wersji %1. Uaktualnij do wersji 3.15 lub nowszej (z file-api). Platform - Platforma + Platforma Toolset - + Generator: @@ -15003,7 +15012,7 @@ For example, "Revision: 15" will leave the branch at revision 15. The selected CMake binary does not support file-api. %1 will not be able to parse CMake projects. - + Wybrany plik wykonywalny CMake nie obsługuje file-api. %1 nie będzie mógł parsować projektów CMake. CMake Configuration @@ -15043,11 +15052,11 @@ For example, "Revision: 15" will leave the branch at revision 15. Platform: %1 - + Platforma: %1 Toolset: %1 - + Zestaw narzędzi: %1 Enter one CMake <a href="variable">variable</a> per line.<br/>To set a variable, use -D&lt;variable&gt;:&lt;type&gt;=&lt;value&gt;.<br/>&lt;type&gt; can have one of the following values: FILEPATH, PATH, BOOL, INTERNAL, or STRING. @@ -15099,23 +15108,23 @@ For example, "Revision: 15" will leave the branch at revision 15. Key - Klucz + Klucz Kit: - Zestaw narzędzi: + Zestaw narzędzi: Initial Configuration: - + Wstępna konfiguracja: Current Configuration: - + Bieżąca konfiguracja: Type: - Typ: + Typ: Minimum Size Release @@ -15143,11 +15152,11 @@ For example, "Revision: 15" will leave the branch at revision 15. No build artifacts - + Bez artefaktów budowania Build artifacts: - + Artefakty budowania: CMake @@ -15184,7 +15193,7 @@ For example, "Revision: 15" will leave the branch at revision 15. Running %1 in %2. - + Uruchamianie %1 %2. Configuring "%1" @@ -15192,19 +15201,19 @@ For example, "Revision: 15" will leave the branch at revision 15. CMake process failed to start. - + Błąd uruchamiania procesu CMake. CMake process was canceled by the user. - + Process CMake został anulowany przez użytkownika. CMake process crashed. - + Proces CMake przerwał pracę. CMake process exited with exit code %1. - + Proces cmake zakończył pracę kodem wyjściowym %1. <Build Directory> @@ -15216,39 +15225,39 @@ For example, "Revision: 15" will leave the branch at revision 15. <Generated Files> - + <Wygenerowane pliki> Enable auto format on file save - Odblokuj automatyczne formatowanie przy zachowywaniu plików + Odblokuj automatyczne formatowanie przy zachowywaniu plików Restrict to files contained in the current project - Zastosuj jedynie do plików zawartych w bieżącym projekcie + Zastosuj jedynie do plików zawartych w bieżącym projekcie Restrict to MIME types: - Zastosuj jedynie do typów MIME: + Zastosuj jedynie do typów MIME: <a href="%1">CMakeFormat</a> command: - + Komenda <a href="%1">CMakeFormat</a>: Automatic Formatting on File Save - Automatyczne formatowanie przy zachowywaniu plików + Automatyczne formatowanie przy zachowywaniu plików CMakeFormatter - + CMakeFormatter Format &Current File - Sformatuj &bieżący plik + Sformatuj &bieżący plik Formatter - + Narzędzie formatujące Install @@ -15270,7 +15279,7 @@ For example, "Revision: 15" will leave the branch at revision 15. Open CMake Target - + Otwórz produkt docelowy CMake Locates the definition of a target of any open CMake project. @@ -15278,7 +15287,7 @@ For example, "Revision: 15" will leave the branch at revision 15. Call stack: - + Stos wywołań: Unexpected source directory "%1", expected "%2". This can be correct in some situations, for example when importing a standalone Qt test, but usually this is an error. Import the build anyway? @@ -15286,35 +15295,35 @@ For example, "Revision: 15" will leave the branch at revision 15. Version not parseable - + Błąd parsowania wersji Searching CMake binaries... - + Wyszukiwanie plików wykonywalnych CMake... Found "%1" - + Znaleziono "%1" Removing CMake entries... - + Usuwanie wpisów CMake... Removed "%1" - + Usunięto "%1" CMake: - + CMake: Select a file for %1 - + Wybierz plik dla %1 Select a directory for %1 - + Wybierz katalog dla %1 Failed to set up CMake file API support. %1 cannot extract project information. @@ -15322,75 +15331,75 @@ For example, "Revision: 15" will leave the branch at revision 15. Invalid reply file created by CMake. - + Niepoprawny plik reply wygenerowany przez CMake. Invalid cache file generated by CMake. - + Niepoprawny plik cache wygenerowany przez CMake. Invalid cmakeFiles file generated by CMake. - + Niepoprawny plik cmakeFiles wygenerowany przez CMake. Invalid codemodel file generated by CMake: No directories. - + Niepoprawny plik codemodel wygenerowany przez CMake: Brak katalogów. Invalid codemodel file generated by CMake: Empty directory object. - + Niepoprawny plik codemodel wygenerowany przez CMake: Pusty obiekt z katalogiem. Invalid codemodel file generated by CMake: No projects. - + Niepoprawny plik codemodel wygenerowany przez CMake: Brak projektów. Invalid codemodel file generated by CMake: Empty project object. - + Niepoprawny plik codemodel wygenerowany przez CMake: Pusty obiekt z projektem. Invalid codemodel file generated by CMake: Broken project data. - + Niepoprawny plik codemodel wygenerowany przez CMake: Błędne dane projektu. Invalid codemodel file generated by CMake: Empty target object. - + Niepoprawny plik codemodel wygenerowany przez CMake: Pusty obiekt z produktem docelowym. Invalid codemodel file generated by CMake: Broken target data. - + Niepoprawny plik codemodel wygenerowany przez CMake: Błędne dane produktu docelowego. Invalid codemodel file generated by CMake: No configurations. - + Niepoprawny plik codemodel wygenerowany przez CMake: Brak konfiguracji. Invalid codemodel file generated by CMake: Empty configuration object. - + Niepoprawny plik codemodel wygenerowany przez CMake: Pusty obiekt z konfiguracją. Invalid codemodel file generated by CMake: Broken indexes in directories, projects, or targets. - + Niepoprawny plik codemodel wygenerowany przez CMake: Błędne indeksy w katalogach, projektach lub produktach docelowych. Invalid codemodel file generated by CMake. - + Niepoprawny plik codemodel wygenerowany przez CMake. Invalid target file: Information is missing. - + Niepoprawny plik docelowy: Brak informacji. Invalid target file generated by CMake: Broken indexes in target details. - + Niepoprawny plik docelowy wygenerowany przez CMake: Błędne indeksy w szczegółach produktu docelowego. CMake parsing was canceled. - + Anulowano parsowanie CMake. CMake project configuration failed. No CMake configuration for build type "%1" found. - + Błąd konfiguracji projektu CMake. Brak konfiguracji CMake dla typu budowania "%1". No "%1" CMake configuration found. Available configurations: "%2". @@ -15404,39 +15413,39 @@ Make sure that CMAKE_BUILD_TYPE variable matches the "Build type" fiel CMake returned error code: %1 - + CMake zwrócił kod błędu: %1 Failed to rename "%1" to "%2". - + Nie można zmienić nazwy "%1" na "%2". Failed to copy "%1" to "%2". - + Błąd kopiowania "%1" do "%2". Failed to read file "%1". - + Błąd odczytu pliku "%1". Invalid file "%1". - + Błędny plik "%1". Invalid "version" in file "%1". - + Błąd pola "version" w pliku "%1". Invalid "configurePresets" section in %1 file - + Błędna sekcja "configurePresets" w pliku %1 Invalid "buildPresets" section in %1 file - + Błędna sekcja "buildPresets" w pliku %1 <File System> - + <System plików> @@ -15531,7 +15540,7 @@ Make sure that CMAKE_BUILD_TYPE variable matches the "Build type" fiel Triggers a CVS version control operation. - + Startuje operację CVS. Meta+C,Meta+D @@ -15763,7 +15772,7 @@ Make sure that CMAKE_BUILD_TYPE variable matches the "Build type" fiel Generating Compilation DB - + Generowanie bazy danych kompilacji Clang Code Model @@ -15771,31 +15780,31 @@ Make sure that CMAKE_BUILD_TYPE variable matches the "Build type" fiel C++ code issues that Clangd found in the current document. - + Problemy w kodzie C++ znalezione przez Clangd w bieżącym dokumencie. Generate Compilation Database - + Wygeneruj bazę danych kompilacji Generate Compilation Database for "%1" - + Wygeneruj bazę danych kompilacji dla "%1" Clang compilation database generated at "%1". - + Wygenerowano bazę danych kompilacji przez Clang w "%1". Generating Clang compilation database failed: %1 - + Błąd generowania bazy danych kompilacji przez Clang: %1 Project: %1 (based on %2) - + Projekt: %1 (bazuje na %2) Changes applied to diagnostic configuration "%1". - + Zmiany zastosowane do konfiguracji diagnostyki "%1". Code Model Warning @@ -15808,229 +15817,231 @@ Make sure that CMAKE_BUILD_TYPE variable matches the "Build type" fiel Copy to Clipboard Clang Code Model Marks - Skopiuj do schowka + Skopiuj do schowka Disable Diagnostic in Current Project - + Zablokuj diagnozy w bieżącym projekcie clangd - + clangd Indexing %1 with clangd - + Indeksowanie %1 przez clangd Indexing session with clangd - + Indeksowanie sesji przez clangd Memory Usage - Zajętość pamięci + Zajętość pamięci C++ Usages: - Użycia C++: + Użycia C++: Re&name %n files - - - - + + Zmień &nazwę w %n pliku + Zmień &nazwę w %n plikach + Zmień &nazwę w %n plikach Files: %1 - Pliki: + Pliki: %1 collecting overrides... - + wyszukiwanie reimplementacji... <base declaration> - + <deklaracja bazowa> [Source: %1] - + [Źródło: %1] Component - Komponent + Komponent Total Memory - + Pamięć całkowita Update - Uaktualnij + Uaktualnij The use of clangd for the C/C++ code model was disabled, because it is likely that its memory requirements would be higher than what your system can handle. - + Zablokowano użycie clangd do modelu kodu, ponieważ wymagania odnośnie zużycia pamięci są najprawdopodobniej wyższe niż to co oferuje system. With clangd enabled, Qt Creator fully supports modern C++ when highlighting code, completing symbols and so on.<br>This comes at a higher cost in terms of CPU load and memory usage compared to the built-in code model, which therefore might be the better choice on older machines and/or with legacy code.<br>You can enable/disable and fine-tune clangd <a href="dummy">here</a>. - + Wraz z odblokowanym clangd QtCreator w pełni obsługuje współczesny język C++ podczas podświetlania kodu, uzupełniania symboli, itp.<br>Wiąże się to ze zwiększonym obciążeniem procesora i zużyciem pamięci w porównaniu do wbudowanego modelu kodu, który może być lepszym wyborem w przypadku starszych maszyn lub gdy w grę wchodzi przestarzały kod.<br><a href="dummy">Tutaj</a> można odblokować, zablokować lub dostroić clangd. Enable Anyway - + Odblokuj pomimo to Cannot use clangd: Failed to generate compilation database: %1 - + Nie można użyć clangd: Błąd generowania bazy danych kompilacji: +%1 Could not retrieve build directory. - + Nie można uzyskać danych o katalogu budowania. Could not create "%1": %2 - + Nie można utworzyć "%1": %2 Clazy Issue - + Problem Clazy Clang-Tidy Issue - + Problem Clang-Tidy QtC::ClangFormat Clang-Format Style - + Styl Clang-Format Current ClangFormat version: %1. - + Bieżąca wersja ClangFormat: %1. The widget was generated for ClangFormat %1. If you use a different version, the widget may work incorrectly. - + Widżet został wygenerowany dla ClangFormat w wersji %1. Jeśli użyta jest inna wersja, widżet może działać niepoprawnie. Files greater than this will not be indented by ClangFormat. The built-in code indenter will handle indentation. - + W większych plikach wcięcia nie będą korygowane przez ClangFormat, +tylko przez wbudowane narzędzie. Formatting mode: - + Tryb formatowania: Ignore files greater than: - + Ignoruj pliki większe niż: Format while typing - + Formatuj podczas pisania Format edited code on file save - + Formatuj zmodyfikowany kod przy zachowywaniu plików Override .clang-format file - + Nadpisz plik .clang-format Use global settings - + Użyj globalnych ustawień ClangFormat settings: - + Ustawienia ClangFormat: Indenting only - + Tylko wcięcia Full formatting - + Pełne formatowanie Disable - Zablokuj + Zablokuj The current project has its own .clang-format file which can be overridden by the settings below. - + Bieżący projekt zawiera własny plik .clang-format, który może zostać nadpisany przez poniższe ustawienia. When this option is enabled, ClangFormat will use a user-specified configuration from the widget below, instead of the project .clang-format file. You can customize the formatting options for your code by adjusting the settings in the widget. Note that any changes made there will only affect the current configuration, and will not modify the project .clang-format file. - + Gdy ta opcja jest odblokowana, ClangFormat będzie używał konfiguracji zdefiniowanej w poniższym widżecie zamiast tej zdefiniowanej w pliku .clang-format. Poniższy widżet umożliwia dopasowanie ustawień formatowania do indywidualnych potrzeb. Zwróć uwagę, iż zmiany dokonane poniżej będą miały wpływ na bieżącą konfigurację, ale nie zmodyfikują pliku .clang-format. ClangFormat - ClangFormat + ClangFormat Open Used .clang-format Configuration File - + Otwórz używany plik z konfiguracją .clang-format QtC::ClangTools Files outside of the base directory - + Pliki na zewnątrz katalogu bazowego Files to Analyze - + Pliki do analizy Analyze - + Analiza Analyze Project with %1... - + Przeanalizuj projekt przy pomocy %1... Analyze Current File with %1 - + Przeanalizuj bieżący plik przy pomocy %1 Go to previous diagnostic. - + Przejdź do poprzedniej diagnozy. Go to next diagnostic. - + Przejdź do następnej diagnozy. Load diagnostics from YAML files exported with "-export-fixes". - + Załaduj diagnozy z plików YAML, wyeksportowanych przy użyciu "-export-fixes". Clear - Wyczyść + Wyczyść Expand All - Rozwiń wszystko + Rozwiń wszystko Collapse All - Zwiń wszystko + Zwiń wszystko Filter Diagnostics - + Przefiltruj diagnozy Apply Fixits @@ -16046,7 +16057,7 @@ The built-in code indenter will handle indentation. Run %1 in %2 Mode? - Uruchomić %1 w trybie %2? + Uruchomić %1 w trybie %2? You are trying to run the tool "%1" on an application in %2 mode. The tool is designed to be used in Debug mode since enabled assertions can reduce the number of false positives. @@ -16058,23 +16069,23 @@ The built-in code indenter will handle indentation. Failed to start the analyzer. - + Nie można uruchomić analizatora. Failed to create temporary directory: %1. - + Nie można utworzyć katalogu tymczasowego "%1". Failed to build the project. - + Błąd budowania projektu. Analyzing - Analiza + Analiza No code model data available for project. - + Brak modelu kodu dla projektu. The project configuration changed since the start of the %1. Please re-run with current configuration. @@ -16082,22 +16093,22 @@ The built-in code indenter will handle indentation. Running %1 on %2 with configuration "%3". - + Uruchamianie %1 na %2 z konfiguracją "%3". Analyzing "%1" [%2]. - + Analiza "%1" [%2]. Failed to analyze "%1": %2 - Nie można przeanalizować "%1": %2 + Nie można przeanalizować "%1": %2 Error: Failed to analyze %n files. - - - - + + Nie można przeanalizować %n pliku. + Nie można przeanalizować %n plików. + Nie można przeanalizować %n plików. @@ -16106,91 +16117,91 @@ The built-in code indenter will handle indentation. %1 finished: Processed %2 files successfully, %3 failed. - + Narzędzie %1 zakończyło pracę: Pliki przetworzone pomyślnie: %2, pliki nieprzetworzone: %3. %1 tool stopped by user. - + Narzędzie %1 zatrzymane przez użytkownika. Cannot analyze current file: No files open. - + Nie można przeanalizować bieżącego pliku: Brak otwartych plików. Cannot analyze current file: "%1" is not a known source file. - + Nie można przeanalizować bieżącego pliku: "%1" nie jest znanym plikiem źródłowym. Select YAML Files with Diagnostics - + Wybierz pliki YAML z diagnozami YAML Files (*.yml *.yaml);;All Files (*) - + Pliki YAML (*.yml *.yaml);;Wszystkie pliki (*) Error Loading Diagnostics - + Błąd ładowania diagnoz Set a valid %1 executable. - + Ustaw poprawny plik wykonywalny %1. Project "%1" is not a C/C++ project. - + Projekt "%1" nie jest projektem C/C++. Open a C/C++ project to start analyzing. - + Otwórz projekt C/C++ do przeanalizowania. All Files - + Wszystkie pliki Opened Files - + Otwarte pliki Edited Files - + Zmodyfikowane pliki Failed to analyze %n file(s). - - - - + + Nie można przeanalizować %n pliku. + Nie można przeanalizować %n plików. + Nie można przeanalizować %n plików. Analyzing... - + Analizowanie... Analyzing... %1 of %n file(s) processed. - - - - + + Analizowanie... Przetworzono %1 z %n pliku. + Analizowanie... Przetworzono %1 z %n plików. + Analizowanie... Przetworzono %1 z %n plików. Analysis stopped by user. - + Analiza zatrzymana przez użytkownika. Finished processing %n file(s). - - - - + + Zakończono przetwarzanie %n pliku. + Zakończono przetwarzanie %n plików. + Zakończono przetwarzanie %n plików. Diagnostics imported. - + Zaimportowano diagnozy. %1 diagnostics. %2 fixits, %3 selected. @@ -16198,15 +16209,15 @@ The built-in code indenter will handle indentation. No diagnostics. - + Brak diagnoz. Clang-Tidy - + Clang-Tidy Clazy - + Clazy %1 produced stderr output: @@ -16217,38 +16228,38 @@ The built-in code indenter will handle indentation. Process Error: %2 Output: %3 - Komenda: "%1" + Komenda: "%1" Błąd procesu: %2 Komunikat: %3 An error occurred with the %1 process. - + Wystąpił błąd w procesie %1. %1 finished with exit code: %2. - + %1 zakończył się kodem wyjściowym: %2. %1 crashed. - %1 przerwał pracę. + %1 przerwał pracę. Message: - Komunikat: + Komunikat: Location: - Położenie: + Położenie: Filter... - Filtr... + Filtr... Clear Filter - + Wyczyść filtr Filter for This Diagnostic Kind @@ -16260,7 +16271,7 @@ Komunikat: Web Page - + Strona internetowa Suppress Selected Diagnostics @@ -16280,39 +16291,39 @@ Komunikat: Error: Failed to parse YAML file "%1": %2. - + Błąd parsowania pliku YAML "%1": %2. Clang Tools - + Narzędzia Clang Issues that Clang-Tidy and Clazy found when analyzing code. - + Problemy znalezione przez Clang-Tidy i Clazy podczas analizy. Analyze File... - + Analiza pliku... Restore Global Settings - + Przywróć ustawienia globalne Go to Clang-Tidy - + Przejdź do Clang Tidy Go to Clazy - + Przejdź do Clazy Remove Selected - Usuń zaznaczone + Usuń zaznaczone Remove All - Usuń wszystko + Usuń wszystko Suppressed diagnostics @@ -16320,11 +16331,11 @@ Komunikat: File - Plik + Plik Diagnostic - Diagnostyka + Diagnostyka No Fixits @@ -16348,19 +16359,19 @@ Komunikat: Applied - + Zastosowano Category: - Kategoria: + Kategoria: Type: - Typ: + Typ: Description: - Opis: + Opis: Fixit status: @@ -16368,11 +16379,11 @@ Komunikat: Steps: - + Kroki: Documentation: - + Dokumentacja: In general, the project should be built before starting the analysis to ensure that the code to analyze is valid.<br/><br/>Building the project might also run code generators that update the source files as necessary. @@ -16401,7 +16412,7 @@ Set a valid executable first. Filters - Filtry + Filtry Reset Topic Filter @@ -16426,31 +16437,31 @@ Set a valid executable first. Options for %1 - + Opcje dla %1 Option - + Opcja Value - Wartość + Wartość Add Option - + Dodaj opcję Remove Option - + Usuń opcję <new option> - + <nowa opcja> Options - Opcje + Opcje Manual Level: Very few false positives @@ -16510,11 +16521,11 @@ Set a valid executable first. Copy to Clipboard - Skopiuj do schowka + Skopiuj do schowka Disable Diagnostic - + Zablokuj diagnozę Check @@ -16522,7 +16533,7 @@ Set a valid executable first. Select All - Zaznacz wszystko + Zaznacz wszystko Select All with Fixits @@ -16530,7 +16541,7 @@ Set a valid executable first. Clear Selection - Usuń selekcję + Usuń selekcję Select the diagnostics to display. @@ -16538,43 +16549,43 @@ Set a valid executable first. Prefer .clang-tidy file, if present - + Preferuj plik .clang-tidy, jeśli jest obecny Build the project before analysis - + Zbuduj projekt przed analizą Analyze open files - + Analizuj otwarte pliki Run Options - + Opcje uruchamiania Parallel jobs: - Liczba równoległych zadań: + Liczba równoległych zadań: Clang-Tidy Executable - + Plik wykonywalny Clang-Tidy Clazy Executable - + Plik wykonywalny Clazy Executables - + Pliki wykonywalne Clang-Tidy: - + Clang-Tidy: Clazy-Standalone: - + Clazy-Standalone: @@ -17080,7 +17091,7 @@ Set a valid executable first. CoverageBrowser: - + CoverageBrowser: Coco instrumentation files (*.csmes) @@ -17092,7 +17103,7 @@ Set a valid executable first. CSMes: - + CSMes: @@ -17271,26 +17282,26 @@ Set a valid executable first. Display General Messages after sending a post - + Pokazuj komunikaty ogólne po wysłaniu %1: %2 - + %1: %2 QtC::CompilationDatabaseProjectManager Change Root Directory - + Zmień główny katalog Scan "%1" project tree - Przeskanuj drzewo projektu "%1" + Przeskanuj drzewo projektu "%1" Parse "%1" project - + Przeparsuj projekt "%1" @@ -17313,11 +17324,11 @@ Set a valid executable first. Add Compiler - + Dodaj kompilator Remove Source - + Usuń źródło Advanced Options @@ -17325,7 +17336,7 @@ Set a valid executable first. Remove Compiler - + Usuń kompilator Bytes @@ -17365,15 +17376,15 @@ Set a valid executable first. Language: - Język: + Język: Compiler: - Kompilator: + Kompilator: Compiler options: - + Opcje kompilatora: Arguments passed to the compiler. @@ -17381,7 +17392,7 @@ Set a valid executable first. Libraries: - + Biblioteki: Execute the code @@ -17428,7 +17439,7 @@ Set a valid executable first. Conan file: - + Plik Conan: Enter location of conanfile.txt or conanfile.py. @@ -17436,7 +17447,7 @@ Set a valid executable first. Additional arguments: - Dodatkowe argumenty: + Dodatkowe argumenty: Run conan install @@ -17464,7 +17475,7 @@ The code has been copied to your clipboard. Copilot - + Copilot Proxy username and password required: @@ -17492,7 +17503,7 @@ The code has been copied to your clipboard. %1 of %2 - %1 z %2 + %1 z %2 Request Copilot Suggestion @@ -17520,23 +17531,23 @@ The code has been copied to your clipboard. Disable Copilot - + Zablokuj Copilot Disable Copilot. - + Zablokuj Copilot. Enable Copilot - + Odblokuj Copilot Enable Copilot. - + Odblokuj Copilot. Toggle Copilot - + Przełącz Copilot Enables the Copilot integration. @@ -17677,7 +17688,7 @@ Otherwise you need to specify the path to the %2 file from the Copilot neovim pl Note - + Uwaga @@ -17725,11 +17736,11 @@ Otherwise you need to specify the path to the %2 file from the Copilot neovim pl Later - + Później Restart Now - + Uruchom ponownie Interface @@ -17745,7 +17756,7 @@ Otherwise you need to specify the path to the %2 file from the Copilot neovim pl Toolbar style: - + Styl paska nardzędzi: Language: @@ -17758,15 +17769,15 @@ Otherwise you need to specify the path to the %2 file from the Copilot neovim pl Show keyboard shortcuts in context menus (default: %1) - + Pokazywanie skrótów klawiszowych w menu podręcznym (domyślnie: %1) on - + włączone off - + wyłączone Reset Warnings @@ -17783,35 +17794,35 @@ Otherwise you need to specify the path to the %2 file from the Copilot neovim pl Round Up for .5 and Above - + Zaokrąglaj w górę dla 0,5 i więcej Always Round Up - + Zawsze zaokrąglaj w górę Always Round Down - + Zawsze zaokrąglaj w dół Round Up for .75 and Above - + Zaokrąglaj w górę dla 0,75 i więcej Don't Round - + Nie zaokrąglaj DPI rounding policy: - + Zaokrąglenia DPI: Text codec for tools: - + Kodek tekstowy dla narzędzi: The language change will take effect after restart. - + Zmiana języka zostanie zastosowana po ponownym uruchomieniu. Compact @@ -17823,7 +17834,7 @@ Otherwise you need to specify the path to the %2 file from the Copilot neovim pl The DPI rounding policy change will take effect after restart. - + Zmiana zaokrągleń DPI zostanie zastosowana po ponownym uruchomieniu. File Generation Failure @@ -17955,7 +17966,7 @@ Otherwise you need to specify the path to the %2 file from the Copilot neovim pl Sort categories - + Posortuj kategorie Preferences @@ -17983,11 +17994,11 @@ Otherwise you need to specify the path to the %2 file from the Copilot neovim pl Close All - Zamknij wszystko + Zamknij wszystkie Close Others - Zamknij inne + Zamknij pozostałe Next Open Document in History @@ -18007,7 +18018,7 @@ Otherwise you need to specify the path to the %2 file from the Copilot neovim pl Go to Last Edit - + Do ostatniej modyfikacji Copy Full Path @@ -18023,11 +18034,11 @@ Otherwise you need to specify the path to the %2 file from the Copilot neovim pl Properties... - + Właściwości... Pin - + Przypnij Continue Opening Huge Text File? @@ -18043,11 +18054,11 @@ Kontynuować? Unpin "%1" - + Odepnij "%1" Pin "%1" - + Przypnij "%1" Pin Editor @@ -18063,7 +18074,7 @@ Kontynuować? Close All Except Visible - Zamknij wszystko z wyjątkiem widocznych + Zamknij wszystkie z wyjątkiem widocznych Close "%1" @@ -18075,7 +18086,7 @@ Kontynuować? Close All Except "%1" - Zamknij wszystko z wyjątkiem "%1" + Zamknij wszystkie z wyjątkiem "%1" Close Other Editors @@ -18131,7 +18142,7 @@ Kontynuować? &Help - P&omoc + Po&moc Return to Editor @@ -18231,64 +18242,64 @@ Kontynuować? %1 %2%3 - + %1%2% %3 Based on Qt %1 (%2, %3) - + Bazuje na Qt %1 (%2, %3) Exit %1? - + Zakończyć %1? &View - + &Widok &New Project... - + &Nowy projekt... New Project Title of dialog - Nowy projekt + Nowy projekt New File... - + Nowy plik... Open From Device... - + Otwórz z urządzenia... Zoom In - Powiększ + Powiększ Ctrl++ - Ctrl++ + Ctrl++ Zoom Out - Pomniejsz + Pomniejsz Ctrl+- - Ctrl+- + Ctrl+- Ctrl+Shift+- - + Ctrl+Shift+- Original Size - Oryginalny rozmiar + Oryginalny rozmiar Meta+0 - Meta+0 + Meta+0 Debug %1 @@ -18296,11 +18307,11 @@ Kontynuować? Show Logs... - + Pokaż logi... Pr&eferences... - + Ustawi&enia... Alt+0 @@ -18316,51 +18327,51 @@ Kontynuować? About &%1 - + Informacje o &%1 About &%1... - + Informacje o &%1... Change Log... - + Dziennik zmian... Contact... - + Kontakt... Cycle Mode Selector Styles - + Przełącz cyklicznie selektor trybów Mode Selector Style - + Styl selektora trybów Icons and Text - + Ikony i tekst Icons Only - + Tylko ikony Hidden - + Ukryty Version: - Wersja: + Wersja: Change Log - + Dziennik zmian Contact - + Kontakt <p>Qt Creator developers can be reached at the Qt Creator mailing list:</p>%1<p>or the #qt-creator channel on Libera.Chat IRC:</p>%2<p>Our bug tracker is located at %3.</p><p>Please use %4 for bigger chunks of text.</p> @@ -18388,19 +18399,19 @@ Kontynuować? Show Menu Bar - + Pokaż pasek menu Ctrl+Alt+M - + Ctrl+Alt+M Hide Menu Bar - + Ukryj pasek menu This will hide the menu bar completely. You can show it again by typing %1. - + Spowoduje to zupełne ukrycie paska menu. Ponowne pokazanie paska po wpisaniu %1. &Views @@ -18432,15 +18443,15 @@ Kontynuować? Invalid level: %1 - + Niepoprawny poziom: %1 Category - + Kategoria Color - Kolor + Kolor Debug @@ -18448,7 +18459,7 @@ Kontynuować? Warning - + Ostrzeżenie Critical @@ -18460,15 +18471,15 @@ Kontynuować? Info - Informacja + Informacja Timestamp - Znacznik czasu + Znacznik czasu Message - Komunikat + Komunikat Logging Category Viewer @@ -18476,7 +18487,7 @@ Kontynuować? Save Log - + Zachowaj dziennik Clear @@ -18484,23 +18495,23 @@ Kontynuować? Stop Logging - + Zatrzymaj zapisywanie do dziennika Filter Qt Internal Log Categories - + Przefiltruj kategorie wewnętrznego logu Qt Auto Scroll - + Automatyczne przewijanie Timestamps - + Znaczniki czasu Message Types - + Typy komunikatów Filter categories by regular expression @@ -18508,23 +18519,23 @@ Kontynuować? Invalid regular expression: %1 - Niepoprawne wyrażenie regularne: %1 + Niepoprawne wyrażenie regularne: %1 Start Logging - + Rozpocznij zapisywanie do dziennika Copy Selected Logs - + Skopiuj zaznaczone wpisy do dziennika Copy All - Skopiuj wszystko + Skopiuj wszystko Uncheck All - + Odznacz wszystko Uncheck All %1 @@ -18548,15 +18559,15 @@ Kontynuować? Save Logs As - + Zapisz logi jako Failed to write logs to "%1". - + Błąd zapisu logów do "%1". Failed to open file "%1" for writing logs. - + Nie można otworzyć pliku "%1" do zapisania logów. Save Enabled Categories As... @@ -18588,11 +18599,11 @@ Kontynuować? Filter output... - + Przefiltruj komunikaty... Maximize - + Zmaksymalizuj Next Item @@ -18604,7 +18615,7 @@ Kontynuować? Out&put - + &Komunikaty Ctrl+Shift+9 @@ -18616,7 +18627,7 @@ Kontynuować? Reset to Default - Przywróć domyślny + Przywróć domyślne Shift+F6 @@ -18636,7 +18647,7 @@ Kontynuować? Install Plugin... - + Zainstaluj wtyczki... Installed Plugins @@ -18644,7 +18655,7 @@ Kontynuować? Plugin changes will take effect after restart. - + Zmiany we wtyczkach zostaną zastosowane po ponownym uruchomieniu. Plugin Details of %1 @@ -18660,7 +18671,7 @@ Kontynuować? About %1 - + Informacje o %1 <br/>From revision %1<br/> @@ -18672,11 +18683,11 @@ Kontynuować? <h3>%1</h3>%2<br/>%3%4%5<br/>Copyright 2008-%6 %7. All rights reserved.<br/><br/>The program is provided AS IS with NO WARRANTY OF ANY KIND, INCLUDING THE WARRANTY OF DESIGN, MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE.<br/> - + <h3>%1</h3>%2<br/>%3%4%5<br/>Copyright 2008-%6 %7. All rights reserved.<br/><br/>The program is provided AS IS with NO WARRANTY OF ANY KIND, INCLUDING THE WARRANTY OF DESIGN, MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE.<br/> The Qt logo as well as Qt®, Qt Quick®, Built with Qt®, Boot to Qt®, Qt Quick Compiler®, Qt Enterprise®, Qt Mobile® and Qt Embedded® are registered trademarks of The Qt Company Ltd. - + The Qt logo as well as Qt®, Qt Quick®, Built with Qt®, Boot to Qt®, Qt Quick Compiler®, Qt Enterprise®, Qt Mobile® and Qt Embedded® are registered trademarks of The Qt Company Ltd. File System @@ -18826,48 +18837,48 @@ Kontynuować? Synchronize Root Directory with Editor - + Synchronizuj główny katalog z edytorem New File Title of dialog - Nowy plik + Nowy plik New Folder - Nowy katalog + Nowy katalog Remove Folder - + Usuń katalog Meta+Y,Meta+F - + Meta+Y,Meta+F Alt+Y,Alt+F - + Alt+Y,Alt+F Computer - + Komputer Home - Strona startowa + Strona startowa Add New... - Dodaj nowy... + Dodaj nowe... Rename... - Zmień nazwę... + Zmień nazwę... Remove... - + Usuń... Activate %1 View @@ -18890,7 +18901,7 @@ Kontynuować? Show in General Messages - + Pokazuj w komunikatach ogólnych <html><head><body> @@ -18951,11 +18962,11 @@ Kontynuować? System Environment - Środowisko systemowe + Środowisko systemowe Base environment: - + Środowisko bazowe: Add Tool @@ -19032,11 +19043,11 @@ Kontynuować? Starting external tool "%1" - + Uruchamianie narzędzia zewnętrznego "%1" "%1" finished with error - + "%1" zakończone błędem "%1" finished @@ -19160,87 +19171,87 @@ Kontynuować? Magic Header - + Magiczny nagłówek Changes will take effect after restart. - + Zmiany zostaną zastosowane po ponownym uruchomieniu. Path: - Ścieżka: + Ścieżka: MIME type: - + Typ MIME: Default editor: - + Domyślny edytor: Line endings: - + Zakończenia linii: Indentation: - + Wcięcia: Owner: - + Właściciel: Group: - Grupa: + Grupa: Size: - Rozmiar: + Rozmiar: Last read: - + Ostatnio odczytano: Last modified: - + Ostatnio zmodyfikowano: Readable: - + Prawa do odczytu: Writable: - + Prawa do zapisu: Symbolic link: - + Link symboliczny: Unknown - Nieznany + Nieznane Windows (CRLF) - + Windows (CRLF) Unix (LF) - + Unix (LF) Mac (CR) - + Mac (CR) %1 Spaces - + %1 spacji Tabs - + Tabulatory Undefined @@ -19348,11 +19359,11 @@ do systemu kontroli wersji (%2) The command for file browser is not set. - + Brak ustawionej komendy do przeglądarki plików. Error while starting file browser. - + Błąd podczas uruchamiania przeglądarki. Find in This Directory... @@ -19360,7 +19371,7 @@ do systemu kontroli wersji (%2) Show in File System View - + Pokaż w widoku systemu plików Show in Explorer @@ -19390,11 +19401,11 @@ do systemu kontroli wersji (%2) Open Terminal With Opens a submenu for choosing an environment, such as "Run Environment" - + Otwórz terminal przy pomocy Failed to remove file "%1". - Nie można usunąć pliku "%1". + Nie można usunąć pliku "%1". Failed to rename the include guard in file "%1". @@ -19591,15 +19602,15 @@ do systemu kontroli wersji (%2) Empty search term. - + Pusty tekst do wyszukania. Search f&or: - + Wysz&ukaj: &Case sensitive - + Uwzględniaj &wielkość liter Whole words o&nly @@ -19657,23 +19668,23 @@ Aby uaktywnić ten filtr, wpisz w lokalizatorze powyższy skrót i po spacji pod Create "%1"? - + Utworzyć "%1"? Create - + Utwórz Always create - + Zawsze twórz Create File - + Utwórz plik Create Directory - + Utwórz katalog Opens a file given by a relative path to the current document, or absolute path. "~" refers to your home directory. You have the option to create a file if it does not exist yet. @@ -19681,11 +19692,11 @@ Aby uaktywnić ten filtr, wpisz w lokalizatorze powyższy skrót i po spacji pod Create and Open File "%1" - + Utwórz i otwórz plik "%1" Create Directory "%1" - + Utwórz katalog "%1" Include hidden files @@ -19737,7 +19748,7 @@ Aby uaktywnić ten filtr, wpisz w lokalizatorze powyższy skrót i po spacji pod Find Next (Selected) - Znajdź następny (zaznaczony) + Znajdź następne (zaznaczone) Ctrl+F3 @@ -19745,7 +19756,7 @@ Aby uaktywnić ten filtr, wpisz w lokalizatorze powyższy skrót i po spacji pod Find Previous (Selected) - Znajdź poprzedni (zaznaczony) + Znajdź poprzednie (zaznaczone) Ctrl+Shift+F3 @@ -19753,11 +19764,11 @@ Aby uaktywnić ten filtr, wpisz w lokalizatorze powyższy skrót i po spacji pod Select All - Zaznacz wszystko + Zaznacz wszystko Ctrl+Alt+Return - + Ctrl+Alt+Return Ctrl+= @@ -19869,7 +19880,7 @@ Aby uaktywnić ten filtr, wpisz w lokalizatorze powyższy skrót i po spacji pod Searching... - + Wyszukiwanie... No matches found. @@ -19897,7 +19908,7 @@ Aby uaktywnić ten filtr, wpisz w lokalizatorze powyższy skrót i po spacji pod Filter Results - + Przefiltruj rezultaty %1 %2 @@ -19995,11 +20006,11 @@ Czy przerwać ją? Web Search - Szukanie w sieci + Szukanie w sieci Qt Project Bugs - + Bugi projektu Qt Triggers a web search with the selected search engine. @@ -20137,24 +20148,25 @@ Czy przerwać ją? Create Folder - + Utwórz katalog Settings File Error - + Błąd pliku z ustawieniami The settings file "%1" is not writable. You will not be able to store any %2 settings. - + Plik z ustawieniami "%1" nie posiada praw do zapisu. +Nie będzie można zachować żadnych ustawień %2. The file is not readable. - + Plik nie posiada praw do odczytu. The file is invalid. - + Błędny plik. Error reading settings file "%1": %2 @@ -20171,11 +20183,11 @@ You will likely experience further problems using this instance of %3. > Preferences > Environment > System - + > Preferencje > Środowisko > System Edit > Preferences > Environment > System - + Edycja > Preferencje > Środowisko > System %1 uses Google Crashpad for collecting crashes and sending them to our backend for processing. Crashpad may capture arbitrary contents from crashed process’ memory, including user sensitive information, URLs, and whatever other content users have trusted %1 with. The collected crash reports are however only used for the sole purpose of fixing bugs. @@ -20183,7 +20195,7 @@ You will likely experience further problems using this instance of %3. More information: - + Więcej informacji: Crashpad Overview @@ -20275,7 +20287,7 @@ Brak systemu kontroli wersji. Filename - + Nazwa pliku Change &Permission @@ -20468,7 +20480,8 @@ Do you want to check them out now? Close All Except %1 - Zamknij wszystko z wyjątkiem %1 + pliki, rodzaj żeński + Zamknij wszystkie z wyjątkiem %1 Cannot Open File @@ -20504,23 +20517,23 @@ Do you want to check them out now? Apply Chunk - Zastosuj fragment + Zastosuj zmiany we fragmencie Revert Chunk - Odwróć zmiany we fragmencie + Odwróć zmiany we fragmencie Would you like to apply the chunk? - Czy zastosować fragment? + Czy zastosować zmiany we fragmencie? Would you like to revert the chunk? - Czy zastosować odwrotny fragment? + Czy odwrócić zmiany we fragmencie? Note: The file will be saved before this operation. - + Uwaga: plik zostanie zachowany przed tą operacją. There is no patch-command configured in the general "Environment" settings. @@ -20528,7 +20541,7 @@ Do you want to check them out now? The patch-command configured in the general "Environment" settings does not exist. - + Komenda "patch" skonfigurowana w ogólnych ustawieniach "Środowiska" nie istnieje. Running in "%1": %2 %3. @@ -20640,11 +20653,11 @@ Do you want to check them out now? Files in Directories - + Pliki w katalogach URL Template - + Szablon URL Name @@ -20656,15 +20669,15 @@ Do you want to check them out now? Default - Domyślny + Domyślne Built-in - Wbudowany + Wbudowane Custom - Własny + Własne System @@ -20745,19 +20758,19 @@ Do you want to check them out now? KiB - + KiB MiB - + MiB GiB - + GiB TiB - + TiB Automatically creates temporary copies of modified files. If %1 is restarted after a crash or power failure, it asks whether to recover the auto-saved content. @@ -20765,7 +20778,7 @@ Do you want to check them out now? Auto-save files after refactoring - + Automatyczne zachowywanie plików po refaktoryzacji Automatically saves all open files affected by a refactoring operation, @@ -20802,7 +20815,7 @@ provided they were unmodified before the refactoring. Maximum number of entries in "Recent Files": - + Maksymalna długość historii w "Ostatnich plikach": Crash Reporting @@ -20846,7 +20859,7 @@ provided they were unmodified before the refactoring. unnamed - nienazwany + nienazwane Current theme: %1 @@ -20854,7 +20867,7 @@ provided they were unmodified before the refactoring. The theme change will take effect after restart. - + Zmiany w motywach zostaną zastosowane po ponownym uruchomieniu. Click and type the new key sequence. @@ -20894,15 +20907,15 @@ provided they were unmodified before the refactoring. Java Editor - Edytor Java + Edytor Java CMake Editor - Edytor CMake + Edytor CMake Compilation Database - + Baza danych kompilacji Global Actions & Actions from the Menu @@ -20914,23 +20927,23 @@ provided they were unmodified before the refactoring. Text Encoding - Kodowanie tekstu + Kodowanie tekstu The following encodings are likely to fit: - Następujące kodowania będą najprawdopodobniej pasowały: + Następujące kodowania będą najprawdopodobniej pasowały: Select encoding for "%1".%2 - Wybierz kodowanie dla "%1".%2 + Wybierz kodowanie dla "%1".%2 Reload with Encoding - Przeładuj z kodowaniem + Przeładuj z kodowaniem Save with Encoding - Zachowaj z kodowaniem + Zachowaj z kodowaniem The evaluation was interrupted. @@ -20962,7 +20975,7 @@ provided they were unmodified before the refactoring. Copy to clipboard: %1 - + Skopiuj do schowka: %1 Switches to an open document. @@ -20998,11 +21011,11 @@ provided they were unmodified before the refactoring. Sort results - + Posortuj rezultaty Case sensitive: - + Uwzględnianie wielkości liter: Add "%1" placeholder for the query string. @@ -21011,11 +21024,11 @@ Double-click to edit item. Move Up - Przenieś do góry + Przenieś do góry Move Down - Przenieś na dół + Przenieś na dół URLs: @@ -21036,7 +21049,7 @@ Double-click to edit item. Source - Źródło + Źródło Choose source location. This can be a plugin library file or a zip file. @@ -21044,7 +21057,7 @@ Double-click to edit item. File does not exist. - + Plik nie istnieje. Plugin requires an incompatible version of %1 (%2). @@ -21060,31 +21073,31 @@ Double-click to edit item. Canceled. - + Anulowano. Checking archive... - + Sprawdzanie archiwum... There was an error while unarchiving. - + Wystąpił błąd podczas rozpakowywania archiwum. Archive is OK. - + Archiwuj jest OK. Install Location - + Położenie instalacji Choose install location. - + Wybierz położenie instalacji. User plugins - + Wtyczki użytkownika The plugin will be available to all compatible %1 installations, but only for the current user. @@ -21100,63 +21113,63 @@ Double-click to edit item. Summary - Podsumowanie + Podsumowanie "%1" will be installed into "%2". - + "%1" zostanie zainstalowany w "%2". Overwrite File - + Nadpisz plik The file "%1" exists. Overwrite? - + Plik "%1" istnieje. Nadpisać go? Overwrite - Nadpisz + Nadpisz Failed to Write File - + Błąd zapisu pliku Failed to write file "%1". - + Błąd zapisu pliku "%1". Install Plugin - + Zainstaluj wtyczkę Failed to Copy Plugin Files - + Błąd kopiowania plików wtyczki Tags: - Tagi: + Tagi: Show All - + Pokaż wszystko Back - Wstecz + Wstecz Haskell Editor - + Edytor Haskell Binding Editor - Edytor powiązań + Edytor powiązań Qt Quick Designer - Qt Quick Designer + Qt Quick Designer Markdown Editor @@ -21175,7 +21188,7 @@ Double-click to edit item. Quick Fixes - + Szybkie naprawy C++ Symbols in Current Document @@ -21231,10 +21244,10 @@ Double-click to edit item. Re&name %n files - - - - + + Zmień &nazwę w %n pliku + Zmień &nazwę w %n plikach + Zmień &nazwę w %n plikach @@ -21261,7 +21274,7 @@ Double-click to edit item. Ignore files - + Ignoruj pliki Ignore files that match these wildcard patterns, one wildcard per line. @@ -21269,7 +21282,7 @@ Double-click to edit item. Ignore precompiled headers - + Ignoruj prekompilowane nagłówki <html><head/><body><p>When precompiled headers are not ignored, the parsing for code completion and semantic highlighting will process the precompiled header before processing any file.</p></body></html> @@ -21277,7 +21290,7 @@ Double-click to edit item. Use built-in preprocessor to show pre-processed files - + Używaj wbudowanego preprocesora do pokazywania przetworzonych plików Uncheck this to invoke the actual compiler to show a pre-processed source file in the editor. @@ -21327,55 +21340,55 @@ The built-in code model will handle highlighting, completion and so on. Use clangd - + Używaj clangd Insert header files on completion - + Wstawiaj nagłówki plików przy uzupełnianiu Automatic - Automatyczny + Automatyczna Ignore files greater than - + Ignoruj pliki większe niż Completion results: - + Rezultaty uzupełniania: No limit - + Bez limitu Path to executable: - + Ścieżka do pliku wykonywalnego: Background indexing: - + Indeksowanie w tle: Header/source switch mode: - + Tryb przełączania pomiędzy nagłówkiem a źródłem: Worker thread count: - + Liczba wątków roboczych: Completion ranking model: - + Model ratingowy uzupełnień: Document update threshold: - + Próg uaktualniania dokumentu: Sessions with a single clangd instance - + Sesje z pojedynczą instancją clangd By default, Qt Creator runs one clangd process per project. @@ -21389,15 +21402,15 @@ managed by the same clangd process, add them here. Choose a session: - + Wybierz sesję: Additional settings are available via <a href="https://clangd.llvm.org/config"> clangd configuration files</a>.<br>User-specific settings go <a href="%1">here</a>, project-specific settings can be configured by putting a .clangd file into the project source tree. - + Dodatkowe ustawienia dostępne przy użyciu <a href="https://clangd.llvm.org/config"> plików konfiguracyjnych clangd</a>.<br>Specyficzne ustawienia użytkownika dostępne są <a href="%1">tutaj</a>.<br>Specyficzne ustawienia projektu mogą być skonfigurowane poprzez dodanie pliku .clangd do drzewa źródłowego projektu. Clangd - + Clangd &C++ @@ -21415,7 +21428,7 @@ managed by the same clangd process, add them here. Find References With Access Type - + Znajdź odwołania z typem dostępu Switch Header/Source @@ -21424,7 +21437,7 @@ managed by the same clangd process, add them here. Header/Source text on macOS touch bar - + Nagłówek / Źródło Open Corresponding Header/Source in Next Split @@ -21456,15 +21469,15 @@ managed by the same clangd process, add them here. Find Unused Functions - + Znajdź nieużywane funkcje Find Unused C/C++ Functions - + Znajdź nieużywane funkcje C/C++ C++ File Naming - + Nazewnictwo plików C++ The license template. @@ -21476,7 +21489,7 @@ managed by the same clangd process, add them here. Insert "#pragma once" instead of "#ifndef" include guards into header file - + Wstawiaj "#pragma once" zamiast "#ifndef" do plików nagłówkowych Rewrite Using %1 @@ -21524,7 +21537,7 @@ managed by the same clangd process, add them here. Convert to Binary - + Skonwertuj do pliku binarnego Add forward declaration for %1 @@ -21544,7 +21557,7 @@ managed by the same clangd process, add them here. None - Brak + Brak Inline @@ -21556,7 +21569,7 @@ managed by the same clangd process, add them here. Default implementation location: - + Domyślne położenie implementacji: Create Implementations for Member Functions @@ -21564,19 +21577,19 @@ managed by the same clangd process, add them here. Generate Missing Q_PROPERTY Members - Wygeneruj brakujące składniki Q_PROPERTY + Wygeneruj brakujące składniki dla Q_PROPERTY Generate Setter - + Wygeneruj ustawiacza Generate Getter - + Wygeneruj pobieracza Generate Getter and Setter - + Wygeneruj pobieracza i ustawiacza Generate Constant Q_PROPERTY and Missing Members @@ -21592,31 +21605,31 @@ managed by the same clangd process, add them here. Getters and Setters - + Pobieracze i ustawiacze Member - + Składnik Getter - + Pobieracz Setter - + Ustawiacz Signal - Sygnalizowanie + Sygnał Reset - + Reseter QProperty - + QProperty Constant QProperty @@ -21624,15 +21637,15 @@ managed by the same clangd process, add them here. Create getters for all members - + Utwórz pobieracze dla wszystkich składników Create setters for all members - + Utwórz ustawiacze dla wszystkich składników Create signals for all members - + Utwórz sygnały dla wszystkich składników Create Q_PROPERTY for all members @@ -21644,19 +21657,19 @@ managed by the same clangd process, add them here. Create Getter and Setter Member Functions - Dodaj metodę zwracającą (getter) i ustawiającą (setter) + Dodaj metodę zwracającą (getter) i ustawiającą (setter) Convert to Stack Variable - Przekształć do zmiennej na stosie + Przekształć do zmiennej na stosie Convert to Pointer - Przekształć do wskaźnika + Przekształć do wskaźnika Definitions Outside Class - + Definicje na zewnątrz klasy Escape String Literal as UTF-8 @@ -21680,27 +21693,27 @@ managed by the same clangd process, add them here. Initialize in Constructor - + Zainicjalizuj w konstruktorze Member Name - + Nazwa składnika Parameter Name - + Nazwa parametru Default Value - + Domyślna wartość Base Class Constructors - + Konstruktory klasy bazowej Constructor - + Konstruktor Parameters without default value must come before parameters with default value. @@ -21708,7 +21721,7 @@ managed by the same clangd process, add them here. Initialize all members - + Zainicjalizuj wszystkie składniki Select the members to be initialized in the constructor. @@ -21717,23 +21730,23 @@ Use drag and drop to change the order of the parameters. Generate Constructor - + Wygeneruj konstruktor Convert Comment to C-Style - + Przekształć komentarze do stylu C Convert Comment to C++-Style - + Przekształć komentarze do stylu C++ Move Function Documentation to Declaration - + Przenieś dokumentację funkcji do deklaracji Move Function Documentation to Definition - + Przenieś dokumentację funkcji do definicji Add Local Declaration @@ -21741,11 +21754,11 @@ Use drag and drop to change the order of the parameters. Provide the type - + Podaj typ Data type: - + Typ danych: Convert to Camel Case @@ -21817,11 +21830,11 @@ Use drag and drop to change the order of the parameters. Open in Editor - Otwórz w edytorze + Otwórz w edytorze Evaluating Type Hierarchy - + Budowanie hierarchii typów Derived @@ -21829,7 +21842,7 @@ Use drag and drop to change the order of the parameters. Evaluating type hierarchy... - + Budowanie hierarchii typów... Type Hierarchy @@ -21881,15 +21894,15 @@ Flagi: %3 ≥ - + lines - linii + linii See tool tip for more information - + Więcej informacji w podpowiedzi Use <name> for the variable @@ -21904,15 +21917,15 @@ e.g. name = "m_test_foo_": For example, [[nodiscard]] - + Na przykład, [[nodiscard]] For example, new<Name> - + Na przykład, nowa<Nazwa> Setters should be slots - + Ustawiacze jako sloty Normally reset<Name> @@ -21924,7 +21937,7 @@ e.g. name = "m_test_foo_": Generate signals with the new value as parameter - + Generuj sygnały z parametrem zawierającym nową wartość For example, m_<name> @@ -21932,15 +21945,15 @@ e.g. name = "m_test_foo_": Generate missing namespaces - + Generuj brakujące przestrzenie nazw Add "using namespace ..." - + Dodawaj "using namespace ..." Rewrite types to match the existing namespaces - + Przerabiaj typy aby dopasować je do istniejących przestrzeni nazw <html><head/><body><p>Uncheck this to make Qt Creator try to derive the type of expression in the &quot;Assign to Local Variable&quot; quickfix.</p><p>Note that this might fail for more complex types.</p></body></html> @@ -21948,23 +21961,23 @@ e.g. name = "m_test_foo_": Use type "auto" when creating new variables - + Używaj typu "auto" przy tworzeniu nowych zmiennych Template - + Szablon Separate the types by comma. - + Oddziel typy przecinkami. Use <new> and <cur> to access the parameter and current value. Use <type> to access the type and <T> for the template parameter. - + Użyj <new> do parametru, <cur> do wartości bieżącej, <type> do typu oraz <T> do parametru szablonu. Add - Dodaj + Dodaj Normally arguments get passed by const reference. If the Type is one of the following ones, the argument gets passed by value. Namespaces and template arguments are removed. The real Type must contain the given Type. For example, "int" matches "int32_t" but not "vector<int>". "vector" matches "std::pmr::vector<int>" but not "std::optional<vector<int>>" @@ -21972,27 +21985,27 @@ e.g. name = "m_test_foo_": Return non-value types by const reference - + Zwracaj typy niebędące wartościami poprzez const referencję Generate Setters - + Generowanie ustawiaczy Generate Getters - + Generowanie pobieraczy Inside class: - + Wewnątrz klasy: Outside class: - + Na zewnątrz klasy: In .cpp file: - + W pliku .cpp: Types: @@ -22000,67 +22013,67 @@ e.g. name = "m_test_foo_": Comparison: - + Porównanie: Assignment: - + Przypisanie: Return expression: - + Wyrażenie zwracające: Return type: - + Zwracany typ: Generated Function Locations - + Położenia wygenerowanych funkcji Getter Setter Generation Properties - + Właściwości generatorów pobieraczy i ustawiaczy Getter attributes: - + Atrybuty pobieracza: Getter name: - + Nazwa pobieracza: Setter name: - + Nazwa ustawiacza: Setter parameter name: - + Nazwa parametru ustawiacza: Reset name: - + Nazwa resetera: Signal name: - + Nazwa sygnału: Member variable name: - + Nazwa zmiennej składowej: Missing Namespace Handling - + Obsługa brakujących przestrzeni nazw Custom Getter Setter Templates - + Własne szablony pobieraczy i ustawiaczy Value types: - + Typy wartości: Projects only @@ -22344,7 +22357,7 @@ if (a && S&earch paths: - Ś&cieżki: + Ś&cieżki poszukiwań: Comma-separated list of header paths. @@ -22364,7 +22377,7 @@ Mogą to być ścieżki bezwzględne lub względne do katalogu bieżąco otwarte Se&arch paths: - Śc&ieżki: + Śc&ieżki poszukiwań: Comma-separated list of source paths. @@ -22398,19 +22411,19 @@ Mogą to być ścieżki bezwzględne lub względne do katalogu bieżąco otwarte Uses "#pragma once" instead of "#ifndef" include guards. - + Używa "#pragma once" zamiast "#ifndef" jako ochony dołączeń. Headers - Nagłówki + Nagłówki Include guards - + Ochrona dołączeń Sources - Źródła + Źródła License &template: @@ -22671,7 +22684,7 @@ Przedrostki te, w dodatku do nazwy bieżącego pliku, używane są do przełącz Synchronize with Editor - Synchronizuj z edytorem + Synchronizuj z edytorem (none) @@ -22692,7 +22705,7 @@ This is normally not a good idea, as the file will likely get overwritten during Open "%1" - Otwórz "%1" + Otwórz "%1" &Refactor @@ -22736,11 +22749,11 @@ This is normally not a good idea, as the file will likely get overwritten during Built-in - Wbudowany + Wbudowane Custom - Własny + Własne Use diagnostic flags from build system @@ -22748,7 +22761,7 @@ This is normally not a good idea, as the file will likely get overwritten during Rename... - Zmień nazwę... + Zmień nazwę... Clang Warnings @@ -22768,15 +22781,15 @@ This is normally not a good idea, as the file will likely get overwritten during Rename Diagnostic Configuration - + Zmień nazwę konfiguracji diagnostyki New name: - + Nowa nazwa: Option "%1" is invalid. - + Błędna opcja "%1". Copy this configuration to customize it. @@ -22800,7 +22813,7 @@ This is normally not a good idea, as the file will likely get overwritten during Build-system warnings - + Ostrzeżenia systemu budowania <b>Warning</b>: This file is not part of any project. The code model might have issues parsing this file properly. @@ -22824,11 +22837,11 @@ This is normally not a good idea, as the file will likely get overwritten during Diagnostic configuration: - + Konfiguracja diagnostyki: Diagnostic Configurations - + Konfiguracje diagnostyk Follow Symbol to Type is only available when using clangd @@ -22840,43 +22853,44 @@ This is normally not a good idea, as the file will likely get overwritten during Background Priority - + Drugoplanowy priorytet Normal Priority - + Normalny priorytet Low Priority - + Niski priorytet Off - + Wyłączone Use Built-in Only - + Używaj tylko wbudowanego mechanizmu Use Clangd Only - + Używaj tylko Clangd Try Both - + Próbuj wbudowanego mechanizmu oraz Clangd Default - + model - rodzaj męski + Domyślny Decision Forest - + Las decyzyjny Heuristics - + Heurystyczy Locates files that are included by C++ files of any open project. Append "+<number>" or ":<number>" to jump to the given line number. Append another "+<number>" or ":<number>" to jump to the column number as well. @@ -22975,7 +22989,7 @@ This is normally not a good idea, as the file will likely get overwritten during QtC::Cppcheck Diagnostic - Diagnostyka + Diagnostyka Cppcheck Diagnostics @@ -22987,11 +23001,11 @@ This is normally not a good idea, as the file will likely get overwritten during Analyze - + Analiza Cppcheck - + Cppcheck Go to previous diagnostic. @@ -23003,11 +23017,11 @@ This is normally not a good idea, as the file will likely get overwritten during Clear - Wyczyść + Wyczyść Cppcheck... - + Cppcheck... Binary: @@ -23015,27 +23029,27 @@ This is normally not a good idea, as the file will likely get overwritten during Warnings - Ostrzeżenia + Ostrzeżenia Style - Styl + Styl Performance - + Wydajność Portability - + Przenośność Information - + Informacje Unused functions - + Nieużywane funkcje Disables multithreaded check. @@ -23043,7 +23057,7 @@ This is normally not a good idea, as the file will likely get overwritten during Missing includes - + Brakujące nagłówki Inconclusive errors @@ -23059,7 +23073,7 @@ This is normally not a good idea, as the file will likely get overwritten during Ignored file patterns: - Ignorowane wzorce plików: + Ignorowane wzorce plików: Comma-separated wildcards of full file paths. Files still can be checked if others include them. @@ -23102,15 +23116,15 @@ This is normally not a good idea, as the file will likely get overwritten during QtC::CtfVisualizer Title - Tytuł + Tytuł Count - Ilość + Ilość Total Time - Czas całkowity + Czas całkowity Percentage @@ -23134,15 +23148,15 @@ This is normally not a good idea, as the file will likely get overwritten during Value - Wartość + Wartość Min - + Minimum Max - + Maksimum Start @@ -23158,7 +23172,7 @@ This is normally not a good idea, as the file will likely get overwritten during true - + prawda Thread %1 @@ -23170,7 +23184,7 @@ This is normally not a good idea, as the file will likely get overwritten during Arguments - Argumenty + Argumenty Instant @@ -23186,15 +23200,15 @@ This is normally not a good idea, as the file will likely get overwritten during process - + proces thread - + wątek Return Arguments - + Zwracane argumenty Error while parsing CTF data: %1. @@ -23202,7 +23216,7 @@ This is normally not a good idea, as the file will likely get overwritten during CTF Visualizer - + Wizualizator CTF The trace contains threads with stack depth > 512. @@ -23223,7 +23237,7 @@ Do you want to display them anyway? JSON File (*.json) - + Plik JSON (*.json) Restrict to Threads @@ -23231,15 +23245,15 @@ Do you want to display them anyway? Timeline - Oś czasu + Oś czasu Reset Zoom - Zresetuj powiększenie + Zresetuj powiększenie Statistics - Statystyki + Statystyki The file does not contain any trace data. @@ -23286,7 +23300,7 @@ Do you want to display them anyway? pending - + oczekujące Requested @@ -23406,7 +23420,7 @@ Do you want to display them anyway? Disabled - Zablokowana + Zablokowane Line Number: @@ -23735,7 +23749,7 @@ Do you want to display them anyway? Additional arguments: - Dodatkowe argumenty: + Dodatkowe argumenty: Catches runtime error messages caused by assert(), for example. @@ -23892,7 +23906,7 @@ Do you want to display them anyway? Force logging to console - + Wymuszaj logowanie do konsoli Sets QT_LOGGING_TO_CONSOLE=1 in the environment of the debugged program, preventing storing debug output in system logs. @@ -23908,15 +23922,15 @@ Do you want to display them anyway? Bring %1 to foreground when application interrupts - + Przenoś %1 na pierwszy plan podczas przerywania aplikacji Use annotations in main editor when debugging - + Używaj adnotacji w głównym edytorze podczas debugowania Shows simple variable values as annotations in the main editor during debugging. - + Pokazuje proste wartości zmiennych jako adnotacje w głównym edytorze podczas debugowania. Enables tooltips for variable values during debugging. Since this can slow down debugging and does not provide reliable information as it does not use scope information, it is switched off by default. @@ -23936,7 +23950,7 @@ Do you want to display them anyway? Default array size: - + Domyślny rozmiar tablic: The number of array elements requested when expanding entries in the Locals and Expressions views. @@ -24398,7 +24412,7 @@ receives a signal like SIGSEGV during debugging. Use automatic symbol cache - + Używaj automatycznego cache'a z symbolami It is possible for GDB to automatically save a copy of its symbol index in a cache on disk and retrieve it from there when loading the same binary in the future. @@ -24466,7 +24480,7 @@ In this case, the value should be increased. A group of registers. - + Grupa rejestrów. Reload Register Listing @@ -24510,11 +24524,11 @@ In this case, the value should be increased. [%1..%2] - + [%1..%2] Access - Dostęp + Dostęp View Groups @@ -24522,7 +24536,7 @@ In this case, the value should be increased. Format - Format + Format Hexadecimal @@ -24590,7 +24604,7 @@ In this case, the value should be increased. Copy Selection to Clipboard - + Skopiuj zaznaczone do schowka Save as Task File... @@ -24758,11 +24772,11 @@ In this case, the value should be increased. Creation Time in ms - + Czas tworzenia w ms Source - Źródło + Źródło Internal Type @@ -25092,11 +25106,11 @@ In this case, the value should be increased. Debugger - %1 - + Debugger - %1 Time - Czas + Czas Show Unprintable Characters as Escape Sequences @@ -25208,7 +25222,7 @@ In this case, the value should be increased. Hexadecimal Float - + Liczba zmiennoprzecinkowa w formacie szesnastkowym Normalized, with Power-of-Two Exponent @@ -25224,7 +25238,7 @@ In this case, the value should be increased. Size: %1x%2, %3 byte, format: %4, depth: %5 - Rozmiar: %1x%2, %3 bajtów, format: %4, głębokość: %5 + Rozmiar: %1x%2, %3 bajtów, format: %4, głębokość: %5 Are you sure you want to remove all expression evaluators? @@ -25430,7 +25444,7 @@ You may be asked to share the contents of this log when reporting bugs related t Global Debugger &Log - + Ogólny &log debuggera User commands are not accepted in the current state. @@ -25608,11 +25622,11 @@ You may be asked to share the contents of this log when reporting bugs related t Continue %1 - + Kontynuuj %1 Interrupt %1 - + Przerwij %1 Step Into @@ -25672,16 +25686,16 @@ You may be asked to share the contents of this log when reporting bugs related t Start and Break on Main - + Uruchom i zatrzymaj w Main DAP - + DAP Valgrind Category under which Analyzer tasks are listed in Issues view - Valgrind + Valgrind Issues that the Valgrind tools found when analyzing the code. @@ -25689,15 +25703,15 @@ You may be asked to share the contents of this log when reporting bugs related t Issues with starting the debugger. - + Problemy z uruchomieniem debuggera. Breakpoint Preset - + Ustawianie pułapek Running Debuggers - + Uruchomione debuggery Debugger Perspectives @@ -25705,7 +25719,7 @@ You may be asked to share the contents of this log when reporting bugs related t Start Debugging or Continue - + Rozpocznij lub kontynuuj debugowanie Detach Debugger @@ -25717,23 +25731,23 @@ You may be asked to share the contents of this log when reporting bugs related t Remove Breakpoint - + Usuń pułapkę Edit Breakpoint... - + Modyfikuj pułapkę... Start - + Uruchom Stop - Zatrzymaj + Zatrzymaj Stop Debugger - Zatrzymaj debugger + Zatrzymaj debuggera Process Already Under Debugger Control @@ -25777,11 +25791,11 @@ You may be asked to share the contents of this log when reporting bugs related t Start debugging of startup project - + Rozpocznij debugowanie projektu startowego Start Debugging of Startup Project - + Rozpocznij debugowanie projektu startowego Reload debugging helpers skipped as no engine is running. @@ -25789,7 +25803,7 @@ You may be asked to share the contents of this log when reporting bugs related t &Attach to Process - &Dołącz do procesu + &Dołącz do procesu The process %1 is already under the control of a debugger. @@ -25997,7 +26011,7 @@ Ponowić próbę? Starting %1 - + Uruchamianie %1 Waiting for JavaScript engine to interrupt on next statement. @@ -26053,7 +26067,7 @@ Ponowić próbę? Break On - + Zatrzymaj na Add Exceptions to Issues View @@ -26145,7 +26159,7 @@ Ponowić próbę? Attach to %1 - + Dołącz do %1 &Port: @@ -26446,7 +26460,7 @@ You can choose between waiting longer or aborting debugging. Abort Debugger - + Przerwij debugowanie Locals and Expressions @@ -26764,11 +26778,11 @@ You can choose another communication channel here, such as a serial line or cust Kit: - Zestaw narzędzi: + Zestaw narzędzi: Executable: - Plik wykonywalny: + Plik wykonywalny: Stop Watching @@ -26820,11 +26834,11 @@ You can choose another communication channel here, such as a serial line or cust Ctrl+F8 - + Ctrl+F8 Ctrl+F9 - + Ctrl+F9 Debugger Preset @@ -27103,11 +27117,11 @@ Selecting GDB or LLDB as debugger would improve the debugging experience for thi Set or Remove Breakpoint - + Ustaw / usuń pułapkę Enable or Disable Breakpoint - + Odblokuj / zablokuj pułapkę Record Information to Allow Reversal of Direction @@ -27147,7 +27161,7 @@ Selecting GDB or LLDB as debugger would improve the debugging experience for thi Note: - + Uwaga: This feature is very slow and unstable on the GDB side. It exhibits unpredictable behavior when going backwards over system calls and is very likely to destroy your debugging session. @@ -27168,7 +27182,7 @@ Selecting GDB or LLDB as debugger would improve the debugging experience for thi %1 for "%2" e.g. LLDB for "myproject", shows up i - + %1 dla "%2" Finished retrieving data. @@ -27222,11 +27236,11 @@ Ustawianie pułapek w liniach plików może się nie udać. Generic - + Ogólne Path - Ścieżka + Ścieżka GDB from PATH on Build Device @@ -27251,7 +27265,7 @@ Ustawianie pułapek w liniach plików może się nie udać. Found: "%1" - + Znaleziono "%1" Auto-detected uVision at %1 @@ -27267,7 +27281,7 @@ Ustawianie pułapek w liniach plików może się nie udać. Debuggers: - + Debuggery: New Debugger @@ -27311,11 +27325,11 @@ Ustawianie pułapek w liniach plików może się nie udać. C++ debugger: - + Debugger C++: QML debugger: - + Debugger QML: Enable Debugging of Subprocesses @@ -27323,7 +27337,7 @@ Ustawianie pułapek w liniach plików może się nie udać. Additional startup commands: - + Dodatkowe komendy uruchamiania: Terminal: Cannot open /dev/ptmx: %1 @@ -27359,15 +27373,15 @@ Ustawianie pułapek w liniach plików może się nie udać. Global - Globalne + Globalne Custom - Własny + Własne Restore Global - Przywróć globalne + Przywróć globalne Use Customized Settings @@ -27403,7 +27417,7 @@ Ustawianie pułapek w liniach plików może się nie udać. QML Debugger Console - + Konsola debuggera QML Show debug, log, and info messages. @@ -27589,7 +27603,7 @@ Wskakiwanie do wnętrza modułu lub ustawianie pułapek w plikach powinno dział Cannot debug: Local executable is not set. - Nie można debugować: brak ustawionego lokalnego pliku wykonywalnego. + Nie można debugować: brak ustawionego lokalnego pliku wykonywalnego. %1 is a 64 bit executable which can not be debugged by a 32 bit Debugger. @@ -27614,15 +27628,15 @@ Please select a 64 bit Debugger in the kit settings for this kit. Debugging %1 ... - + Debugowanie %1... Debugging of %1 has finished with exit code %2. - + Debugowanie %1 zakończone kodem wyjściowym: %2. Debugging of %1 has finished. - + Zakończono debugowanie %1. Close Debugging Session @@ -27642,59 +27656,59 @@ Please select a 64 bit Debugger in the kit settings for this kit. Install debugpy - + Zainstaluj debugpy &Views - &Widoki + &Widoki Leave Debug Mode - + Opuść tryb debugowania Toolbar - Pasek narzędzi + Pasek narzędzi Editor - Edytor + Edytor Next Item - Następny element + Następny element Previous Item - Poprzedni element + Poprzedni element Color at %1,%2: red: %3 green: %4 blue: %5 alpha: %6 - Kolor na pozycji (%1,%2): czerwień: %3, zieleń: %4, błękit: %5, przeźroczystość: %6 + Kolor na pozycji %1,%2: czerwień: %3, zieleń: %4, błękit: %5, przeźroczystość: %6 <Click to display color> - <Naciśnij aby wyświetlić kolor> + <Naciśnij aby wyświetlić kolor> Copy Image - Skopiuj obraz + Skopiuj obraz Open Image Viewer - Otwórz przeglądarkę plików graficznych + Otwórz przeglądarkę plików graficznych Debugger Value - + Wartość debuggera %1.%2 - + %1.%2 Unknown error. - Nieznany błąd. + Nieznany błąd. Connection is not open. @@ -27935,11 +27949,11 @@ Przebudowanie projektu może pomóc w ich odnalezieniu. No active build system. - + Brak aktywnego systemu budowania. Failed to find the ui header. - + Nie można odnaleźć pliku nagłówkowego ui. Renaming via the property editor cannot be synced with C++ code; see QTCREATORBUG-19141. This message will not be repeated. @@ -27947,7 +27961,7 @@ Przebudowanie projektu może pomóc w ich odnalezieniu. Failed to retrieve ui header contents. - + Błąd odczytu pliku nagłówkowego ui. Failed to locate corresponding symbol in ui header. @@ -27979,7 +27993,7 @@ Przebudowanie projektu może pomóc w ich odnalezieniu. Signals and Slots Editor - + Edytor sygnałów i slotów Edit Widgets @@ -28063,35 +28077,35 @@ Przebudowanie projektu może pomóc w ich odnalezieniu. &Class name: - Nazwa &klasy: + Nazwa &klasy: &Header file: - Plik &nagłówkowy: + Plik &nagłówkowy: &Source file: - Plik ź&ródłowy: + Plik ź&ródłowy: &Form file: - Plik z &formularzem: + Plik z &formularzem: &Path: - Ś&cieżka: + Ś&cieżka: Invalid header file name: "%1" - Niepoprawna nazwa pliku nagłówkowego: "%1" + Niepoprawna nazwa pliku nagłówkowego: "%1" Invalid source file name: "%1" - Niepoprawna nazwa piku źródłowego: "%1" + Niepoprawna nazwa pliku źródłowego: "%1" Invalid form file name: "%1" - Niepoprawna nazwa pliku z formularzem: "%1" + Niepoprawna nazwa pliku z formularzem: "%1" @@ -28102,7 +28116,7 @@ Przebudowanie projektu może pomóc w ich odnalezieniu. Diff - + Pokaż różnice &Diff @@ -28230,7 +28244,7 @@ Przebudowanie projektu może pomóc w ich odnalezieniu. Rendering diff - + Renderowanie widoku różnic [%1] %2 @@ -28270,11 +28284,11 @@ Przebudowanie projektu może pomóc w ich odnalezieniu. <b>Error:</b> Could not decode "%1" with "%2"-encoding. - + <b>Błąd:</b> Nie można odkodować "%1" używając kodowania "%2". Select Encoding - Wybierz kodowanie + Wybierz kodowanie @@ -28301,15 +28315,15 @@ Przebudowanie projektu może pomóc w ich odnalezieniu. Repository: - Repozytorium: + Repozytorium: Tag: - + Tag: Run as outside user: - + Uruchom jako zewnętrzy użytkownik: Do not modify entry point: @@ -28333,7 +28347,7 @@ Przebudowanie projektu może pomóc w ich odnalezieniu. Extra arguments: - Dodatkowe argumenty: + Dodatkowe argumenty: Extra arguments to pass to docker create. @@ -28345,7 +28359,7 @@ Przebudowanie projektu może pomóc w ich odnalezieniu. Network: - + Sieć: Device is shut down @@ -28373,15 +28387,15 @@ Przebudowanie projektu może pomóc w ich odnalezieniu. Error - Błąd + Błąd The path "%1" does not exist. - Ścieżka "%1" nie istnieje. + Ścieżka "%1" nie istnieje. Image "%1" is not available. - + Plik graficzny "%1" nie jest dostępny. Failed creating Docker container. Exit code: %1, output: %2 @@ -28410,7 +28424,7 @@ Przebudowanie projektu może pomóc w ich odnalezieniu. Running - Uruchomiona + Uruchomiono Docker Image Selection @@ -28422,7 +28436,7 @@ Przebudowanie projektu może pomóc w ich odnalezieniu. Loading ... - + Ładowanie... Running "%1" @@ -28434,11 +28448,11 @@ Przebudowanie projektu może pomóc w ich odnalezieniu. Done. - Zakończone. + Zakończone. Error: %1 - Błąd: %1 + Błąd: %1 Docker Device @@ -28522,7 +28536,7 @@ Przebudowanie projektu może pomóc w ich odnalezieniu. Command line: - Linia komend: + Linia komend: Daemon state not evaluated. @@ -28538,7 +28552,7 @@ Przebudowanie projektu może pomóc w ich odnalezieniu. Configuration - Konfiguracja + Konfiguracja Docker CLI @@ -28546,7 +28560,7 @@ Przebudowanie projektu może pomóc w ich odnalezieniu. Command: - Komenda: + Komenda: @@ -28613,7 +28627,7 @@ Przebudowanie projektu może pomóc w ich odnalezieniu. Exchange Cursor and Mark - Wymień kursor i wstaw znacznik + Zamień kursor ze znacznikiem Copy @@ -28708,7 +28722,7 @@ Przebudowanie projektu może pomóc w ich odnalezieniu. Cannot request scenario "%1" as it was already requested. - + Nie można zlecić scenariusza "%1", gdyż został on już zlecony. Unknown option %1 @@ -28724,40 +28738,41 @@ Przebudowanie projektu może pomóc w ich odnalezieniu. %1 (%2) depends on - + %1 (%2) zależy od %1 (%2) - %1 (%2) + %1 (%2) Cannot load plugin because dependency failed to load: %1 (%2) Reason: %3 - + Nie można załadować wtyczki, ponieważ nie udało się załadować zależności: %1 (%2) +Przyczyna: %3 %1 > About Plugins - + %1 > Informacje o wtyczkach Help > About Plugins - + Help > Informacje o wtyczkach If you temporarily disable %1, the following plugins that depend on it are also disabled: %2. - + Jeśli wtyczka %1 zostanie tymczasowo zablokowana, następujące wtyczki zależne również zostaną zablokowane: %2. Disable plugins permanently in %1. - + Zablokuj wtyczki trwale w %1. The last time you started %1, it seems to have closed because of a problem with the "%2" plugin. Temporarily disable the plugin? - + Wygląda na to, że ostatnie uruchomienie %1 zakończyło się problemem we wtyczce "%2". Zablokować tymczasowo tę wtyczkę? Disable Plugin - + Zablokuj wtyczkę Cannot load plugin because dependency failed to load: %1(%2) @@ -29071,7 +29086,7 @@ wyłączy również następujące wtyczki: Expand tabulators - Rozwijaj tabulatory + Rozwijanie tabulatorów Show position of text marks @@ -29095,7 +29110,7 @@ wyłączy również następujące wtyczki: Pass control keys - + Przekazuj klawisze kontrolne Tabulator size: @@ -29107,7 +29122,7 @@ wyłączy również następujące wtyczki: Blinking cursor - + Mrugający kursor Use system encoding for :source @@ -29131,7 +29146,7 @@ wyłączy również następujące wtyczki: Plugin Emulation - + Emulacja wtyczki Copy Text Editor Settings @@ -29219,11 +29234,11 @@ wyłączy również następujące wtyczki: Type Control-Shift-Y, Control-Shift-Y to quit FakeVim mode. - + Naciśnij Control-Shift-Y, Control-Shift-Y aby opuścić tryb FakeVim. Type Alt-Y, Alt-Y to quit FakeVim mode. - + Naciśnij Alt-Y, Alt-Y aby opuścić tryb FakeVim. Unknown option: @@ -29388,7 +29403,7 @@ wyłączy również następujące wtyczki: Invalid regular expression. - + Niepoprawne wyrażenie regularne. Action @@ -29408,19 +29423,19 @@ wyłączy również następujące wtyczki: Meta+Shift+Y,Meta+Shift+Y - + Meta+Shift+Y,Meta+Shift+Y Alt+Y,Alt+Y - + Alt+Y,Alt+Y Meta+Shift+Y,%1 - + Meta+Shift+Y,%1 Alt+Y,%1 - + Alt+Y,%1 Execute User Action #%1 @@ -29451,15 +29466,15 @@ wyłączy również następujące wtyczki: QtC::Fossil Commit Editor - Edytor poprawek + Edytor poprawek Configure Repository - + Skonfiguruj repozytorium Existing user to become an author of changes made to the repository. - + Istniejący użytkownik widniejący jako autor zmian w repozytorium. SSL/TLS Identity Key @@ -29483,11 +29498,11 @@ wyłączy również następujące wtyczki: User: - Użytkownik: + Użytkownik: Repository Settings - + Ustawienia repozytorium SSL/TLS identity: @@ -29519,7 +29534,7 @@ wyłączy również następujące wtyczki: Unfiltered - Nieprzefiltrowane + Nieprzefiltrowane Lineage @@ -29527,15 +29542,15 @@ wyłączy również następujące wtyczki: Verbose - Gadatliwy + Gadatliwy Show files changed in each revision - Pokazuj pliki zmienione w każdej wersji + Pokazuj pliki zmienione w każdej wersji All Items - + Wszystkie elementy File Commits @@ -29547,7 +29562,7 @@ wyłączy również następujące wtyczki: Tags - Tagi + Tagi Tickets @@ -29583,23 +29598,23 @@ wyłączy również następujące wtyczki: Branch: - Gałąź: + Gałąź: Tags: - Tagi: + Tagi: Commit Information - Informacje o poprawce + Informacje o poprawce New branch: - + Nowa gałąź: Author: - Autor: + Autor: Message check failed. @@ -29607,7 +29622,7 @@ wyłączy również następujące wtyczki: &Annotate %1 - Dołącz &adnotację do %1 + Dołącz &adnotację do %1 Annotate &Parent Revision %1 @@ -29623,27 +29638,27 @@ wyłączy również następujące wtyczki: Annotate Current File - Dołącz adnotację do bieżącego pliku + Dołącz adnotację do bieżącego pliku Annotate "%1" - Dołącz adnotację do "%1" + Dołącz adnotację do "%1" Diff Current File - Pokaż różnice w bieżącym pliku + Pokaż różnice w bieżącym pliku Diff "%1" - + Pokaż różnice w "%1" Meta+I,Meta+D - + Meta+I,Meta+D Alt+I,Alt+D - + Alt+I,Alt+D Timeline Current File @@ -29655,79 +29670,79 @@ wyłączy również następujące wtyczki: Meta+I,Meta+L - + Meta+I,Meta+L Alt+I,Alt+L - + Alt+I,Alt+L Status Current File - Stan bieżącego pliku + Stan bieżącego pliku Status "%1" - Stan "%1" + Stan "%1" Meta+I,Meta+S - + Meta+I,Meta+S Alt+I,Alt+S - + Alt+I,Alt+S Add Current File - + Dodaj bieżący plik Add "%1" - Dodaj "%1" + Dodaj "%1" Delete Current File... - + Usuń bieżący plik... Delete "%1"... - Usuń "%1"... + Usuń "%1"... Revert Current File... - Odwróć zmiany w bieżącym pliku... + Odwróć zmiany w bieżącym pliku... Revert "%1"... - Odwróć zmiany w "%1"... + Odwróć zmiany w "%1"... Revert - Odwróć zmiany + Odwróć zmiany Diff - + Pokaż różnice Timeline - Oś czasu + Oś czasu Meta+I,Meta+T - + Meta+I,Meta+T Alt+I,Alt+T - + Alt+I,Alt+T Revert... - Odwróć zmiany... + Odwróć zmiany... Status - Stan + Stan Pull... @@ -29743,31 +29758,31 @@ wyłączy również następujące wtyczki: Meta+I,Meta+U - + Meta+I,Meta+U Alt+I,Alt+U - + Alt+I,Alt+U Commit... - Utwórz poprawkę... + Utwórz poprawkę... Meta+I,Meta+C - + Meta+I,Meta+C Alt+I,Alt+C - + Alt+I,Alt+C Settings... - Ustawienia... + Ustawienia... Create Repository... - Utwórz repozytorium... + Utwórz repozytorium... Remote repository is not defined. @@ -29775,23 +29790,23 @@ wyłączy również następujące wtyczki: Update - Uaktualnij + Uaktualnij There are no changes to commit. - Brak zmian do utworzenia poprawki. + Brak zmian do utworzenia poprawki. Unable to create an editor for the commit. - Nie można utworzyć edytora dla poprawki. + Nie można utworzyć edytora dla poprawki. Unable to create a commit editor. - Nie można utworzyć edytora poprawek. + Nie można utworzyć edytora poprawek. Commit changes for "%1". - Poprawka ze zmian w "%1". + Poprawka ze zmian w "%1". Choose Checkout Directory @@ -29799,35 +29814,35 @@ wyłączy również następujące wtyczki: The directory "%1" is already managed by a version control system (%2). Would you like to specify another directory? - Katalog "%1" jest już zarządzany przez system kontroli wersji (%2). Czy chcesz podać inny katalog? + Katalog "%1" jest już zarządzany przez system kontroli wersji (%2). Czy chcesz podać inny katalog? Repository already under version control - Repozytorium znajduje się już w systemie kontroli wersji + Repozytorium znajduje się już w systemie kontroli wersji Repository Created - Utworzono repozytorium + Utworzono repozytorium A version control repository has been created in %1. - Repozytorium systemu kontroli wersji została utworzona w %1. + Repozytorium systemu kontroli wersji zostało utworzone w %1. Repository Creation Failed - Błąd podczas tworzenia repozytorium + Błąd podczas tworzenia repozytorium A version control repository could not be created in %1. - Nie można utworzyć repozytorium systemu kontroli wersji w %1. + Nie można utworzyć repozytorium systemu kontroli wersji w %1. Fossil - + Fossil Specify a revision other than the default? - Podaj inną wersję niż domyślna + Podaj inną wersję niż domyślna. Checkout revision, can also be a branch or a tag name. @@ -29835,35 +29850,35 @@ wyłączy również następujące wtyczki: Revision - + Wersja Fossil Command - + Komenda Fossil Command: - Komenda: + Komenda: Fossil Repositories - + Repozytoria Fossil Default path: - + Domyślna ścieżka: Directory to store local repositories by default. - + Katalog w którym domyślnie składowane są repozytoria. Default user: - + Domyślny użytkownik: Log width: - + Długość dziennika: The width of log entry line (>20). Choose 0 to see a single line per entry. @@ -29871,35 +29886,35 @@ wyłączy również następujące wtyczki: Timeout: - Limit czasu oczekiwania: + Limit czasu oczekiwania: s - s + s Log count: - Licznik logu: + Licznik logu: The number of recent commit log entries to show. Choose 0 to see all entries. - + Liczba ostatnich poprawek, wyświetlanych w logu. Wybierz 0 aby ujrzeć wszystkie zmiany. Configuration - Konfiguracja + Konfiguracja Local Repositories - + Lokalne repozytoria User - Użytkownik + Użytkownik Miscellaneous - Różne + Różne Pull Source @@ -29911,39 +29926,39 @@ wyłączy również następujące wtyczki: Default location - Domyślne położenie + Domyślne położenie Local filesystem: - Lokalny system plików: + Lokalny system plików: Specify URL: - Podaj URL: + Podaj URL: For example: "https://[user[:pass]@]host[:port]/[path]". - Na przykład: "https://[użytkownik[:hasło]@]host[:port]/[ścieżka]". + Na przykład: "https://[użytkownik[:hasło]@]host[:port]/[ścieżka]". Remember specified location as default - Zapamiętaj podane położenie jako domyślne + Zapamiętaj podane położenie jako domyślne Include private branches - + Dołącz lokalne gałęzie Allow transfer of private branches. - + Umożliwia transfer lokalnych gałęzi. Remote Location - + Zdalne położenie Options - Opcje + Opcje @@ -29974,7 +29989,7 @@ wyłączy również następujące wtyczki: Imports existing projects that do not use qmake, CMake, Qbs, Meson, or Autotools. This allows you to use %1 as a code editor. - + Importuje istniejące projekty, które nie używają qmake, CMake, Qbs ani Autotools. Pozwala na korzystanie z %1 jako edytora kodu. Files @@ -29986,15 +30001,15 @@ wyłączy również następujące wtyczki: Remove Directory - + Usuń katalog Project files list update failed. - + Błąd w trakcie uaktualniania plików projektu. Build %1 - + Zbuduj "%1" @@ -30013,23 +30028,23 @@ wyłączy również następujące wtyczki: Include Tags - + Dołącz tagi Refresh - Odśwież + Odśwież Create Git Repository... - + Utwórz repozytorium Git... Add Branch... - + Dodaj gałąź... Filter - Filtr + Filtr &Fetch @@ -30045,15 +30060,15 @@ wyłączy również następujące wtyczki: Rem&ove... - + &Usuń... Re&name... - + Zmień &nazwę... &Checkout - + Kopia &robocza Reflo&g @@ -30061,15 +30076,15 @@ wyłączy również następujące wtyczki: &Merge "%1" into "%2" - + &Scal "%1" z "%2" &Merge "%1" into "%2" (Fast-Forward) - + &Scal "%1" z "%2" (Fast-Forward) Merge "%1" into "%2" (No &Fast-Forward) - + Scal "%1" z "%2" (Bez &Fast-Forward) &Rebase "%1" on "%2" @@ -30097,11 +30112,11 @@ wyłączy również następujące wtyczki: Reset branch "%1" to "%2"? - + Zresetuj gałąź "%1" do "%2"? Git Branches - + Gałęzie git Rename Tag @@ -30169,7 +30184,7 @@ wyłączy również następujące wtyczki: Show HEAD - + Pokaż HEAD Commit Information @@ -30293,7 +30308,7 @@ wyłączy również następujące wtyczki: &Archive... - + Z&archiwizuj... Select Commit @@ -30357,11 +30372,11 @@ wyłączy również następujące wtyczki: Git Diff "%1" - Git Diff "%1" + Pokaż różnice Git w "%1" Git Diff Branch "%1" - Git Diff Branch "%1" + Pokaż różnice w gałęzi Git "%1" Git Log "%1" @@ -30570,7 +30585,7 @@ Commit now? <Detached HEAD> - <Odłączony HEAD> + <Odłączony HEAD> Cannot launch "%1". @@ -30630,7 +30645,7 @@ Commit now? Waiting for data... - Oczekiwanie na dane... + Oczekiwanie na dane... No Move Detection @@ -30658,7 +30673,7 @@ Commit now? Color - Kolor + Kolor Use colors in log. @@ -30698,11 +30713,11 @@ Commit now? Overwrite? - Nadpisać? + Nadpisać? An item named "%1" already exists at this location. Do you want to overwrite it? - Element o nazwie "%1" istnieje już w tym miejscu. Czy nadpisać go? + Element o nazwie "%1" istnieje już w tym miejscu. Czy nadpisać go? Nothing to recover @@ -30718,10 +30733,10 @@ Commit now? Cannot commit %n file(s). - - - - + + Nie można utworzyć poprawki ze zmianami w %n pliku. + Nie można utworzyć poprawki ze zmianami w %n plikach. + Nie można utworzyć poprawki ze zmianami w %n plikach. @@ -30752,7 +30767,7 @@ Commit now? Only graphical merge tools are supported. Please configure merge.tool. - + Obsługiwane są tylko graficzne narzędzia scalania. Skonfiguruj merge.tool. Git SVN Log @@ -30802,7 +30817,7 @@ Would you like to create the branch "%1" on the remote and set it as u &Discard - + O&drzuć Discard (reset) local changes and execute %1. @@ -30822,7 +30837,7 @@ Would you like to create the branch "%1" on the remote and set it as u Re&vert %1 - + Od&wróć zmiany w %1 C&heckout %1 @@ -30846,15 +30861,15 @@ Would you like to create the branch "%1" on the remote and set it as u Di&ff %1 - + Pokaż &różnice w %1 Di&ff Against %1 - + &Porównaj z %1 Diff &Against Saved %1 - + Porównaj z z&achowanym %1 &Save for Diff @@ -30971,45 +30986,45 @@ Would you like to create the branch "%1" on the remote and set it as u &Copy "%1" - + S&kopiuj "%1" &Describe Change %1 - &Opisz zmianę %1 + &Opisz zmianę %1 Triggers a Git version control operation. - + Startuje operację Git. Diff Current File Avoid translating "Diff" - Pokaż różnice w bieżącym pliku + Pokaż różnice w bieżącym pliku Diff of "%1" Avoid translating "Diff" - Pokaż różnice w "%1" + Pokaż różnice w "%1" Log Current File Avoid translating "Log" - Log bieżącego pliku + Log bieżącego pliku Log of "%1" Avoid translating "Log" - Pokaż log "%1" + Pokaż log "%1" Blame Current File Avoid translating "Blame" - Blame dla bieżącego pliku + Blame dla bieżącego pliku Blame for "%1" Avoid translating "Blame" - Blame dla "%1" + Blame dla "%1" Instant Blame Current Line @@ -31023,11 +31038,11 @@ Would you like to create the branch "%1" on the remote and set it as u Meta+G,Meta+I - + Meta+G,Meta+I Alt+G,Alt+I - + Alt+G,Alt+I Undo Unstaged Changes for "%1" @@ -31180,46 +31195,46 @@ Would you like to create the branch "%1" on the remote and set it as u Diff Current Project Avoid translating "Diff" - Pokaż różnice w bieżącym projekcie + Pokaż różnice w bieżącym projekcie Diff Project "%1" Avoid translating "Diff" - Pokaż różnice w projekcie "%1" + Pokaż różnice w projekcie "%1" Log Project Avoid translating "Log" - + Pokaż log projektu Log Project "%1" Avoid translating "Log" - Pokaż log projektu "%1" + Pokaż log projektu "%1" Clean Project... Avoid translating "Clean" - Wyczyść projekt... + Wyczyść projekt... Clean Project "%1"... Avoid translating "Clean" - Wyczyść projekt "%1"... + Wyczyść projekt "%1"... Amend Last Commit... Avoid translating "Commit" - Skoryguj ostatnią poprawkę... + Skoryguj ostatnią poprawkę... Fixup Previous Commit... Avoid translating "Commit" - Napraw poprzednią poprawkę... + Napraw poprzednią poprawkę... Recover Deleted Files - + Odzyskaj usunięte pliki Interactive Rebase... @@ -31229,7 +31244,7 @@ Would you like to create the branch "%1" on the remote and set it as u Abort Merge Avoid translating "Merge" - Przerwij scalanie + Przerwij scalanie Abort Rebase @@ -31244,7 +31259,7 @@ Would you like to create the branch "%1" on the remote and set it as u Abort Revert Avoid translating "Revert" - Przerwij odwracanie + Przerwij odwracanie Stash Unstaged Files @@ -31262,7 +31277,7 @@ Would you like to create the branch "%1" on the remote and set it as u Archive... - + Zarchiwizuj... Git Bash @@ -31270,7 +31285,7 @@ Would you like to create the branch "%1" on the remote and set it as u You - + Ty Unable to Retrieve File List @@ -31496,11 +31511,11 @@ zamiast w jego katalogu instalacyjnym. Add Tag - Dodaj tag + Dodaj tag Tag name: - + Nazwa tagu: Track remote branch "%1" @@ -31775,7 +31790,7 @@ were not verified among remotes in %3. Select different folder? First Parent - + Pierwszy rodzic Follow only the first parent on merge commits. @@ -31807,7 +31822,7 @@ were not verified among remotes in %3. Select different folder? Commit and &Push - Utwórz &poprawkę i wyślij + Utwórz poprawkę i &wyślij Commit and Push to &Gerrit @@ -31815,15 +31830,15 @@ were not verified among remotes in %3. Select different folder? Invalid author - + Niepoprawny autor Invalid email - + Niepoprawny e-mail Unresolved merge conflicts - + Nierozwiązane konflikty przy scalaniu &Commit and Push @@ -31859,7 +31874,7 @@ were not verified among remotes in %3. Select different folder? Create Branch Stash for "%1" - Utwórz gałąź z odłożoną zmianą dla gałęzi "%1" + Utwórz gałąź z odłożoną zmianą dla galęzi "%1" Create Branch Stash for Current Branch @@ -31887,7 +31902,7 @@ were not verified among remotes in %3. Select different folder? Are you sure you selected the right target branch? - + Czy na pewno wybrano poprawną gałąź? Checked - Mark change as WIP. @@ -31897,7 +31912,7 @@ Partially checked - Do not change current state. Supported on Gerrit 2.15 and later. - + Obsługiwane przez Gerrit w wersji 2.15 lub późniejszej. Checked - The change is a draft. @@ -32026,7 +32041,7 @@ Partially checked - Do not change current state. %1 merge conflict for "%2" Local: %3 Remote: %4 - Konflikt typu %1 scalania dla "%2" + Konflikt %1 scalania dla "%2" Lokalny: %3 Zdalny: %4 @@ -32068,11 +32083,11 @@ Zdalny: %4 Merge tool is not configured. - + Nieskonfigurowane narzędzie scalania. Run git config --global merge.tool &lt;tool&gt; to configure it, then try again. - + Aby skonfigurować, uruchom git config --global merge.tool &lt;narzędzie&gt; i spróbuj ponownie. Filter by message @@ -32100,11 +32115,11 @@ Zdalny: %4 Filter: - Filtr: + Filtr: Case Sensitive - Uwzględniaj wielkość liter + Uwzględniaj wielkość liter &Blame %1 @@ -32203,7 +32218,7 @@ Może pozostać puste w celu wyszukania w systemie plików. QtC::GitLab Clone Repository - + Sklonuj repozytorium Specify repository URL, checkout path and directory. @@ -32211,39 +32226,39 @@ Może pozostać puste w celu wyszukania w systemie plików. Repository - + Repozytorium Path - Ścieżka + Ścieżka Path "%1" already exists. - + Ścieżka %1 już istnieje. Directory - Katalog + Katalog Recursive - Rekurencyjnie + Rekurencyjnie Clone - Sklonuj + Sklonuj User canceled process. - + Proces anulowany przez użytkownika. Cloning succeeded. - + Klonowanie poprawnie zakończone. Warning - + Ostrzeżenie Cloned project does not have a project file that can be opened. Try importing the project as a generic project. @@ -32251,47 +32266,47 @@ Może pozostać puste w celu wyszukania w systemie plików. Open Project - Otwórz projekt + Otwórz projekt Choose the project file to be opened. - + Wybierz plik projektu który ma zostać otwarty. Cloning failed. - + Błąd klonowania. GitLab - + GitLab Search - Wyszukaj + Wyszukaj ... - ... + ... 0 - 0 + 0 Clone... - + Klonuj... Remote: - Zdalny: + Zdalne: Not logged in. - + Niezalogowano. Insufficient access token. - + Niewystarczający token dostępu. Permission scope read_api or api needed. @@ -32299,99 +32314,99 @@ Może pozostać puste w celu wyszukania w systemie plików. Check settings for misconfiguration. - + Popraw błędną konfigurację w ustawieniach. Projects (%1) - + Projekty (%1) Using project access token. - + Używa token dostępu do projektu. Logged in as %1 - + Zalogowano jako %1 Id: %1 (%2) - + Identyfikator: %1 (%2) Host: - Host: + Host: Description: - Opis: + Opis: Access token: - + Token dostępu: Port: - + Port: HTTPS: - + HTTPS: Default: - Domyślna: + Domyślne: curl: - + curl: Edit... - Modyfikuj... + Modyfikuj... Edit current selected GitLab server configuration. - + Modyfikuje bieżąco wybraną konfigurację serwera GitLab. Remove - Usuń + Usuń Remove current selected GitLab server configuration. - + Usuwa bieżąco wybraną konfigurację serwera GitLab. Add... - Dodaj... + Dodaj... Add new GitLab server configuration. - + Dodaje nową konfigurację serwera GitLab. Edit Server... - + Modyfikuj serwer... Modify - + Zmodyfikuj Add Server... - + Dodaj serwer... Add - Dodaj + Dodaj GitLab... - + GitLab... Error - Błąd + Błąd Invalid GitLab configuration. For a fully functional configuration, you need to set up host name or address and an access token. Providing the path to curl is mandatory. @@ -32399,7 +32414,7 @@ Może pozostać puste w celu wyszukania w systemie plików. Certificate Error - Błąd certyfikatu + Błąd certyfikatu Server certificate for %1 cannot be authenticated. @@ -32409,39 +32424,39 @@ Note: This can expose you to man-in-the-middle attack. Guest - + Gość Reporter - + Reporter Developer - + Deweloper Maintainer - + Konserwator Owner - Właściciel + Właściciel Linked GitLab Configuration: - + Konfiguracja połączenia z GitLab: Link with GitLab - + Połącz z GitLab Unlink from GitLab - + Odłącz od GitLab Test Connection - + Przetestuj połączenie Projects linked with GitLab receive event notifications in the Version Control output pane. @@ -32453,15 +32468,15 @@ Note: This can expose you to man-in-the-middle attack. Accessible (%1). - + Dostępny (%1). Read only access. - + Dostęp tylko do odczytu. Not a git repository. - + Nie jest to repozytorium git. Local git repository without remotes. @@ -32480,32 +32495,32 @@ Note: This can expose you to man-in-the-middle attack. QtC::Haskell Release - Release + Release General - Ogólne + Ogólne Build directory: - + Katalog budowania: GHCi - + GHCi Run GHCi - + Uruchom GHCi Haskell SnippetProvider - + Haskell Executable - + Plik wykonywalny Choose Stack Executable @@ -32517,7 +32532,7 @@ Note: This can expose you to man-in-the-middle attack. Haskell - + Haskell Stack Build @@ -32580,7 +32595,7 @@ Note: This can expose you to man-in-the-middle attack. Registration Failed - + Bład rejestracji Filters @@ -32601,7 +32616,7 @@ Note: This can expose you to man-in-the-middle attack. Default (%1) Default viewer backend - + Domyślny (%1) Files (*.xbel) @@ -32637,7 +32652,7 @@ Note: This can expose you to man-in-the-middle attack. On context help: - Podręczna pomoc: + Pomoc podręczna: Show Side-by-Side if Possible @@ -32673,19 +32688,19 @@ Note: This can expose you to man-in-the-middle attack. % - % + % Antialias - Antyaliasing + Antyaliasing Note: The above setting takes effect only if the HTML file does not use a style sheet. - + Uwaga: Powyższe ustawienie zadziała tylko gdy plik HTML nie używa arkusza stylu. Zoom: - Powiększenie: + Powiększenie: Use &Blank Page @@ -32701,7 +32716,7 @@ Note: This can expose you to man-in-the-middle attack. Enable scroll wheel zooming - + Powiększanie poprzez obracanie kółkiem myszy Return to editor on closing the last page @@ -32709,11 +32724,11 @@ Note: This can expose you to man-in-the-middle attack. Viewer backend: - + Back-end przeglądarki: Change takes effect after reloading help pages. - + Zmiana będzie zastosowana po przeładowaniu stron z pomocą. Import Bookmarks... @@ -32745,7 +32760,7 @@ Note: This can expose you to man-in-the-middle attack. Locates help topics, for example in the Qt documentation. - + Wyszukuje tematy pomocy, np. w dokumentacji Qt. Help @@ -32773,7 +32788,7 @@ Note: This can expose you to man-in-the-middle attack. Technical Support... - + Wsparcie techniczne... Report Bug... @@ -32845,19 +32860,19 @@ Note: This can expose you to man-in-the-middle attack. litehtml - + litehtml QtWebEngine - + QtWebEngine QTextBrowser - + QTextBrowser WebKit - + WebKit Error loading page @@ -32877,7 +32892,7 @@ Note: This can expose you to man-in-the-middle attack. (Untitled) - (Nienazwany) + (Nienazwane) Close %1 @@ -32893,19 +32908,19 @@ Note: This can expose you to man-in-the-middle attack. Show Context Help Side-by-Side if Possible - + Pokazuj pomoc kontekstową z boku jeśli jest miejsce Always Show Context Help Side-by-Side - + Zawsze pokazuj pomoc kontekstową z boku Always Show Context Help in Help Mode - + Zawsze pokazuj pomoc kontekstową w trybie pomocy Always Show Context Help in External Window - + Zawsze pokazuj pomoc kontekstową w zewnętrznym oknie Open in Help Mode @@ -32937,7 +32952,7 @@ Note: This can expose you to man-in-the-middle attack. Open Online Documentation... - + Otwórz dokumentację online... Increase Font Size @@ -32953,7 +32968,7 @@ Note: This can expose you to man-in-the-middle attack. Open in Edit Mode - + Otwórz w trybie edycji Open in New Page @@ -33037,55 +33052,55 @@ Note: This can expose you to man-in-the-middle attack. Update Documentation - + Uaktualnij dokumentację Purge Outdated Documentation - + Wyczyść nieaktualną dokumentację Zoom: %1% - Powiększenie:%1% + Powiększenie:%1% New Folder - Nowy katalog + Nowy katalog Bookmark: - Zakładka: + Zakładka: Add in folder: - Dodaj w katalogu: + Dodaj w katalogu: Delete Folder - Usuń katalog + Usuń katalog Rename Folder - Zmień nazwę katalogu + Zmień nazwę katalogu Show Bookmark - Pokaż zakładkę + Pokaż zakładkę Show Bookmark as New Page - Pokaż zakładkę w nowej karcie + Pokaż zakładkę w nowej karcie Delete Bookmark - Usuń zakładkę + Usuń zakładkę Rename Bookmark - Zmień nazwę zakładki + Zmień nazwę zakładki Deleting a folder also removes its content.<br>Do you want to continue? - Usunięcie katalogu usuwa również jego zawartość.<br>Czy kontynuować? + Usunięcie katalogu usuwa również jego zawartość.<br>Czy kontynuować? @@ -33100,35 +33115,35 @@ Note: This can expose you to man-in-the-middle attack. Export - + Wyeksportuj Set as Default - + Ustaw jako domyślne on - + włączone off - + wyłączone Use the current settings for background, outline, and fitting to screen as the default for new image viewers. Current default: - + Użyj bieżących ustawień dla tła, konspektu i dopasowania do ekranu jako domyślne dla nowych przeglądarek obrazków. Bieżące ustawienia domyślne: Background: %1 - + Tło: %1 Outline: %1 - + Konspekt: %1 Fit to Screen: %1 - + Dopasuj do ekranu: %1 Play Animation @@ -33136,7 +33151,7 @@ Note: This can expose you to man-in-the-middle attack. Resume Paused Animation - + Wznów wstrzymaną animację Pause Animation @@ -33187,7 +33202,7 @@ Czy nadpisać go? Export a Series of Images from %1 (%2x%3) - + Wyeksportuj serię obrazków z %1 (%2x%3) Could not write file "%1". @@ -33219,57 +33234,59 @@ Czy nadpisać go? Export Multiple Images - + Wyeksportuj serię obrazków Copy as Data URL - + Skopiuj jako URL Enter a file name containing place holders %1 which will be replaced by the width and height of the image, respectively. - + Wprowadź nazwę pliku, zawierającą teksty zastępcze %1, które zostaną uzupełnione odpowiednio szerokością i wysokością obrazu. Clear - Wyczyść + Wyczyść Set Standard Icon Sizes - + Ustaw standardowe rozmiary ikon Generate Sizes - + Wygeneruj rozmiary A comma-separated list of size specifications of the form "<width>x<height>". - + Lista rozmiarów, oddzielona przecinkami, w formie "<szerokość>x<wysokość>". Sizes: - + Rozmiary: Please specify some sizes. - + Podaj rozmiary. Invalid size specification: %1 - + Niepoprawna forma rozmiaru: %1 The file name must contain one of the placeholders %1, %2. - + Nazwa pliku musi zawierać jeden z tekstów zastępczych %1, %2. The file %1 already exists. Would you like to overwrite it? - + Plik %1 już istnieje. +Czy nadpisać go? The files %1 already exist. Would you like to overwrite them? - + Pliki %1 już istnieją. +Czy nadpisać je? @@ -33296,7 +33313,7 @@ Would you like to overwrite them? Miscellaneous - Różne + Różne IncrediBuild for Windows @@ -33312,7 +33329,7 @@ Would you like to overwrite them? Profile.xml: - + Profile.xml: Defines how Automatic Interception Interface should handle the various processes involved in a distributed job. It is not necessary for "Visual Studio" or "Make and Build tools" builds, but can be used to provide configuration options if those builds use additional processes that are not included in those packages. It is required to configure distributable processes in "Dev Tools" builds. @@ -33456,11 +33473,11 @@ Would you like to overwrite them? CMake - CMake + CMake Custom Command - + Własna komenda Command Helper: @@ -33472,15 +33489,15 @@ Would you like to overwrite them? Make command: - + Komenda Make: Make arguments: - Argumenty make'a: + Argumenty Make'a: IncrediBuild for Linux - + IncrediBuild dla Linuksa Specify nice value. Nice Value should be numeric and between -20 and 19 @@ -33500,7 +33517,7 @@ Would you like to overwrite them? Make - Make + Make @@ -33560,7 +33577,7 @@ Would you like to overwrite them? Deploy to iOS device - + Zainstaluj na urządzeniu iOS Deployment failed. The settings in the Devices window of Xcode might be incorrect. @@ -33576,7 +33593,7 @@ Would you like to overwrite them? Transferring application - + Transfer aplikacji The provisioning profile "%1" (%2) used to sign the application does not cover the device %3 (%4). Deployment to it will fail. @@ -33625,19 +33642,19 @@ Would you like to overwrite them? Device name: - + Nazwa urządzenia: Identifier: - + Identyfikator: OS Version: - + Wersja OS: CPU Architecture: - + Architektura CPU: Failed to detect the ABIs used by the Qt version. @@ -33698,11 +33715,11 @@ Would you like to overwrite them? Could not get necessary ports for the debugger connection. - + Brak niezbędnych portów do podłączenia debuggera. Could not get inferior PID. - + Brak PID podprocesu. Run failed. The settings in the Organizer window of Xcode might be incorrect. @@ -33738,7 +33755,7 @@ Would you like to overwrite them? Application launch on simulator failed. Simulator not running. %1 - + Uruchomienie aplikacji na symulatorze zakończone błędem. Symulator nie jest uruchomiony. %1 Application install on simulator failed. %1 @@ -33938,18 +33955,18 @@ Błąd: %2 Starting %n simulator device(s)... - - - - + + Uruchamianie %n symulatora urządzenia... + Uruchamianie %n symulatorów urządzenia... + Uruchamianie %n symulatorów urządzenia... Do you really want to reset the contents and settings of the %n selected device(s)? - - - - + + Czy zresetować zawartość i ustawienia w %n wybranym urządzeniu? + Czy zresetować zawartość i ustawienia w %n wybranych urządzeniach? + Czy zresetować zawartość i ustawienia w %n wybranych urządzeniach? @@ -33982,26 +33999,26 @@ Błąd: %2 Do you really want to delete the %n selected device(s)? - - - - + + Czy usunąć %n wybrane urządzenie? + Czy usunąć %n wybrane urządzenia? + Czy usunąć %n wybranych urządzeń? Deleting %n simulator device(s)... - - - - + + Usuwanie %n symulatora urządzenia... + Usuwanie %n symulatorów urządzeń... + Usuwanie %n symulatorów urządzeń... Capturing screenshots from %n device(s)... - - - - + + Rejestrowanie zrzutu ekranu z %n urządzenia... + Rejestrowanie zrzutów ekranów z %n urządzeń... + Rejestrowanie zrzutów ekranów z %n urządzeń... @@ -34028,7 +34045,7 @@ Błąd: %2 Team: %1 App ID: %2 Expiration date: %3 - Zespół: %1 + Zespół: %1 Identyfikator aplikacji: %2 Termin wygaśnięcia: %3 @@ -34078,7 +34095,7 @@ Błąd: %5 Could not get necessary ports for the profiler connection. - + Brak niezbędnych portów do podłączenia profilera. UDID: %1 @@ -34090,7 +34107,7 @@ Błąd: %5 Runtime - + Tryb runtime Current State @@ -34098,11 +34115,11 @@ Błąd: %5 Failed to start process. - + Błąd uruchamiania procesu. Process was canceled. - + Proces został anulowany. Process was forced to exit. @@ -34110,7 +34127,7 @@ Błąd: %5 Cannot find xcrun. - + Nie można uruchomić xcrun. xcrun is not executable. @@ -34161,7 +34178,7 @@ Błąd: %5 QtC::LanguageClient Error %1 - + Błąd: %1 Incoming @@ -34173,11 +34190,11 @@ Błąd: %5 Call Hierarchy - + Hierarchia wywołań Reloads the call hierarchy for the symbol under cursor position. - + Przeładowuje hierarchię wywołań dla symbolu pod kursorem. %1 for %2 @@ -34217,7 +34234,7 @@ Błąd: %5 error language client state - + błąd Invalid parameter in "%1": @@ -34246,7 +34263,7 @@ Błąd: %5 Copy to Clipboard - Skopiuj do schowka + Skopiuj do schowka Language Client @@ -34314,19 +34331,19 @@ Błąd: %5 &Add - &Dodaj + &Dodaj &Delete - &Usuń + &Usuń General - Ogólne + Ogólne Always On - + Zawsze włączone Requires an Open File @@ -34338,19 +34355,19 @@ Błąd: %5 Name: - Nazwa: + Nazwa: Language: - Język: + Język: Set MIME Types... - + Ustaw typy MIME... File pattern - + Wzorzec pliku List of file patterns. @@ -34379,23 +34396,23 @@ Example: *.cpp%1*.h Filter - Filtr + Filtr Executable: - Plik wykonywalny: + Plik wykonywalny: Arguments: - Argumenty: + Argumenty: JSON Error - + Błąd JSON Workspace Configuration - + Konfiguracja obszaru roboczego Additional JSON configuration sent to all running language servers for this project. @@ -34417,12 +34434,12 @@ See the documentation of the specific language server for valid settings. Files: %1 - Pliki: + Pliki: %1 Find References with %1 for: - + Znajdź odwołania z %1 dla: Renaming is not supported with %1 @@ -34438,11 +34455,11 @@ See the documentation of the specific language server for valid settings. Show available quick fixes - + Pokaż dostępne szybkie naprawy Restart %1 - + Uruchom ponownie %1 Inspect Language Clients @@ -34450,11 +34467,11 @@ See the documentation of the specific language server for valid settings. Manage... - Zarządzaj... + Zarządzaj... Expand All - Rozwiń wszystko + Rozwiń wszystko Capabilities: @@ -34466,11 +34483,11 @@ See the documentation of the specific language server for valid settings. Method: - Metoda: + Metoda: Options: - + Opcje: Server Capabilities @@ -34490,7 +34507,7 @@ See the documentation of the specific language server for valid settings. Log File - Plik logu + Plik logu Language Client Inspector @@ -34506,7 +34523,7 @@ See the documentation of the specific language server for valid settings. Log - Log + Log Capabilities @@ -34514,7 +34531,7 @@ See the documentation of the specific language server for valid settings. Clear - Wyczyść + Wyczyść @@ -34600,7 +34617,7 @@ See the documentation of the specific language server for valid settings. Runs a text editing macro that was recorded with Tools > Text Editing Macros > Record Macro. - + Uruchamia makro modyfikujące tekst które zostało zarejestrowane przez Narzędzia > Makra do edycji tekstu > Nagraj makro. Text Editing &Macros @@ -34616,19 +34633,19 @@ See the documentation of the specific language server for valid settings. Ctrl+[ - Ctrl+[ + Ctrl+[ Alt+[ - + Alt+[ Ctrl+] - Ctrl+] + Ctrl+] Alt+] - + Alt+] Play Last Macro @@ -34690,7 +34707,7 @@ See the documentation of the specific language server for valid settings. Help - Pomoc + Pomoc Qt for MCUs path %1 @@ -34702,23 +34719,23 @@ See the documentation of the specific language server for valid settings. Warning - + Ostrzeżenie Error - Błąd + Błąd Package - Pakiet + Pakiet Status - Stan + Stan MCU Dependencies - + Zależności MCU Paths to 3rd party dependencies @@ -34774,7 +34791,7 @@ See the documentation of the specific language server for valid settings. or - + lub Path %1 exists. @@ -34974,7 +34991,7 @@ See the documentation of the specific language server for valid settings. Details - Szczegóły + Szczegóły Qt for MCUs SDK @@ -35043,7 +35060,7 @@ See the documentation of the specific language server for valid settings. MCU - + MCU Qt for MCUs: %1 @@ -35067,7 +35084,7 @@ See the documentation of the specific language server for valid settings. Proceed - Wykonaj + Wykonaj Detected %n uninstalled MCU target(s). Remove corresponding kits? @@ -35083,7 +35100,7 @@ See the documentation of the specific language server for valid settings. Remove - Usuń + Usuń Flash and run CMake parameters: @@ -35477,15 +35494,15 @@ See the documentation of the specific language server for valid settings.QtC::MesonProjectManager Key - Klucz + Klucz Value - Wartość + Wartość Configure - Konfiguracja + Konfiguracja Build @@ -35501,7 +35518,7 @@ See the documentation of the specific language server for valid settings. Apply Configuration Changes - Zastosuj zmiany w konfiguracji + Zastosuj zmiany w konfiguracji Wipe Project @@ -35562,7 +35579,7 @@ Useful if build directory is corrupted or when rebuilding with a newer version o Unconfigured - Nieskonfigurowane + Nieskonfigurowane Build @@ -35571,11 +35588,11 @@ Useful if build directory is corrupted or when rebuilding with a newer version o Tool arguments: - Argumenty narzędzia: + Argumenty narzędzia: Targets: - Produkty docelowe: + Produkty docelowe: Meson Build @@ -35615,23 +35632,23 @@ Useful if build directory is corrupted or when rebuilding with a newer version o General - Ogólne + Ogólne Name: - Nazwa: + Nazwa: Path: - Ścieżka: + Ścieżka: Name - Nazwa + Nazwa Location - Położenie + Położenie New Meson or Ninja tool @@ -35639,19 +35656,19 @@ Useful if build directory is corrupted or when rebuilding with a newer version o Add - Dodaj + Dodaj Clone - Sklonuj + Sklonuj Remove - Usuń + Usuń Make Default - Ustaw jako domyślny + Ustaw jako domyślne Set as the default Meson executable to use when creating a new kit or when no value is set. @@ -35659,15 +35676,15 @@ Useful if build directory is corrupted or when rebuilding with a newer version o Tools - + Narzędzia Version: %1 - + Wersja: %1 Clone of %1 - Klon %1 + Klon %1 Meson executable path does not exist. @@ -35806,7 +35823,7 @@ Useful if build directory is corrupted or when rebuilding with a newer version o New %1 - Nowy %1 + Nowy %1 Package @@ -35814,7 +35831,7 @@ Useful if build directory is corrupted or when rebuilding with a newer version o New Package - Nowy pakiet + Nowy pakiet Component @@ -35822,7 +35839,7 @@ Useful if build directory is corrupted or when rebuilding with a newer version o New Component - Nowy komponent + Nowy komponent Class @@ -35830,7 +35847,7 @@ Useful if build directory is corrupted or when rebuilding with a newer version o New Class - Nowa klasa + Nowa klasa Item @@ -35838,7 +35855,7 @@ Useful if build directory is corrupted or when rebuilding with a newer version o New Item - Nowy element + Nowy element Annotation @@ -35994,7 +36011,7 @@ Useful if build directory is corrupted or when rebuilding with a newer version o Nim compiler does not exist. - + Kompilator Nim nie istnieje &Compiler path: @@ -36023,11 +36040,11 @@ Useful if build directory is corrupted or when rebuilding with a newer version o Task arguments: - + Argumenty zadania: Tasks: - + Zadania: Nimble task %1 not found. @@ -36035,26 +36052,26 @@ Useful if build directory is corrupted or when rebuilding with a newer version o Path: - Ścieżka: + Ścieżka: Tools - + Narzędzia QtC::PerfProfiler Samples - + Próbki Function - Funkcja + Funkcja Source - Źródło + Źródło Binary @@ -36062,7 +36079,7 @@ Useful if build directory is corrupted or when rebuilding with a newer version o Allocations - Liczba przydziałów pamięci + Liczba przydziałów pamięci observed @@ -36082,23 +36099,23 @@ Useful if build directory is corrupted or when rebuilding with a newer version o Various - Różne + Różne Event Type - + Typ zdarzenia Counter - + Licznik Operation - + Operacja Result - Wynik + Wynik Perf Data Parser Failed @@ -36166,7 +36183,7 @@ Useful if build directory is corrupted or when rebuilding with a newer version o Kit: - Zestaw narzędzi: + Zestaw narzędzi: Choose Perf Trace @@ -36182,7 +36199,7 @@ Useful if build directory is corrupted or when rebuilding with a newer version o [unknown] - [nieznany] + [nieznane] Perf Process Failed to Start @@ -36198,7 +36215,7 @@ Useful if build directory is corrupted or when rebuilding with a newer version o Address - Adres + Adres Source Location @@ -36242,7 +36259,7 @@ Useful if build directory is corrupted or when rebuilding with a newer version o Performance Analyzer Options - + Opcje analizatora wydajności Load perf.data File @@ -36262,7 +36279,7 @@ Useful if build directory is corrupted or when rebuilding with a newer version o Show Full Range - Pokaż pełen zakres + Pokaż pełen zakres Create Memory Trace Points @@ -36274,7 +36291,7 @@ Useful if build directory is corrupted or when rebuilding with a newer version o Performance Analyzer - + Analizator wydajności Finds performance bottlenecks. @@ -36282,11 +36299,11 @@ Useful if build directory is corrupted or when rebuilding with a newer version o Timeline - Oś czasu + Oś czasu Statistics - Statystyki + Statystyki Flame Graph @@ -36302,15 +36319,15 @@ Useful if build directory is corrupted or when rebuilding with a newer version o Reset Zoom - Zresetuj powiększenie + Zresetuj powiększenie Copy Table - Skopiuj tabelę + Skopiuj tabelę Copy Row - Skopiuj wiersz + Skopiuj wiersz Reset Flame Graph @@ -36327,19 +36344,19 @@ You might find further explanations in the Application Output view. A performance analysis is still in progress. - + Analiza wydajności wciąż w toku. Start a performance analysis. - + Uruchom analizę wydajności. Enable All - + Odblokuj wszystko Disable All - + Zablokuj wszystko Trace File (*.ptq) @@ -36427,7 +36444,7 @@ You might find further explanations in the Application Output view. Performance Analyzer Settings - + Ustawienia analizatora wydajności Use Trace Points @@ -36435,15 +36452,15 @@ You might find further explanations in the Application Output view. Add Event - + Dodaj zdarzenie Remove Event - + Usuń zdarzenie Reset - + Zresetuj Replace events with trace points read from the device? @@ -36467,7 +36484,7 @@ You might find further explanations in the Application Output view. Sample period: - + Okres próbkowania: Stack snapshot size (kB): @@ -36475,11 +36492,11 @@ You might find further explanations in the Application Output view. Sample mode: - + Tryb próbkowania: frequency (Hz) - + częstotliwość (Hz) event count @@ -36503,11 +36520,11 @@ You might find further explanations in the Application Output view. Additional arguments: - Dodatkowe argumenty: + Dodatkowe argumenty: CPU Usage - + Obciążenie CPU sample collected @@ -36515,11 +36532,11 @@ You might find further explanations in the Application Output view. Details - Szczegóły + Szczegóły Timestamp - Znacznik czasu + Znacznik czasu Guessed @@ -36535,11 +36552,11 @@ You might find further explanations in the Application Output view. System - System + System Name - Nazwa + Nazwa Resource Usage @@ -36567,7 +36584,7 @@ You might find further explanations in the Application Output view. Duration - Czas trwania + Czas trwania (guessed from context) @@ -36630,7 +36647,7 @@ You might find further explanations in the Application Output view. Change number: - + Numer zmiany: P4 Pending Changes @@ -37046,7 +37063,7 @@ You might find further explanations in the Application Output view. Could not submit the change, because your workspace was out of date. Created a pending submit instead. - Nie można utworzyć poprawki, ponieważ drzewo robocze nie jest aktualne. Zamiast tego utworzono poprawkę oczekującą na wysłanie. + Nie można utworzyć poprawki, ponieważ obszar roboczy nie jest uaktualniony. Zamiast tego utworzono poprawkę oczekującą na wysłanie. Perforce Submit @@ -37158,19 +37175,19 @@ You might find further explanations in the Application Output view. Same Application - + Te, które mają zostać zbudowane Enabled - + Odblokowane Disabled - Zablokowana + Zablokowane Deduced from Project - + Wywnioskowane z projektu Projects Directory @@ -37186,7 +37203,7 @@ You might find further explanations in the Application Output view. Close source files along with project - + Zamykaj pliki źródłowe wraz z projektem Save all files before build @@ -37202,31 +37219,31 @@ You might find further explanations in the Application Output view. Merge stderr and stdout - Scal stderr z stdout + Scalaj stderr z stdout Enable - + Odblokowane Use Project Default - + Używaj domyślnego ustawienia dla projektu Default build directory: - Domyślny katalog wersji: + Domyślny katalog budowania: QML debugging: - + Debugowanie QML: Use qmlcachegen: - + Użycie qmlcachegen: Default Build Properties - + Domyślne właściwości budowania Stop applications before building: @@ -37238,35 +37255,35 @@ You might find further explanations in the Application Output view. Add linker library search paths to run environment - + Dodawaj ścieżki poszukiwań bibliotek, używane przez linkera, do środowiska uruchamiania Create suitable run configurations automatically - + Automatycznie twórz właściwe konfiguracje uruchamiania Clear issues list on new build - + Czyść listę z problemami przy nowym budowaniu Abort on error when building all projects - + Przerywaj po wystąpieniu błędu przy budowaniu wszystkich projektów Start build processes with low priority - + Uruchamiaj proces budowania z niskim priorytetem Do Not Build Anything - + Nie buduj niczego Build the Whole Project - + Buduj cały projekt Build Only the Application to Be Run - + Buduj tylko aplikację do uruchomienia All @@ -37278,15 +37295,15 @@ You might find further explanations in the Application Output view. Closing Projects - + Zamykanie projektów Build before deploying: - + Budowa przed instalacją: Default for "Run in terminal": - + Domyślne ustawienie "Uruchom w terminalu": Add to &project: @@ -37358,7 +37375,7 @@ You might find further explanations in the Application Output view. Could not start process "%1" %2. - + Nie można uruchomić procesu "%1" %2. The process "%1" crashed. @@ -37546,7 +37563,7 @@ Wykluczenia: %2 Open Compile Output when building - + Otwieraj komunikaty kompilacji podczas budowania Files in Current Project @@ -37578,11 +37595,11 @@ Wykluczenia: %2 Edit... - Modyfikuj... + Modyfikuj... Choose Directory - Wybierz katalog + Wybierz katalog Ed&it @@ -37602,11 +37619,11 @@ Wykluczenia: %2 Append Path... - + Dodaj ścieżkę na końcu... Prepend Path... - + Dodaj ścieżkę z przodu... &Batch Edit... @@ -37614,7 +37631,7 @@ Wykluczenia: %2 Open &Terminal - + Otwórz &terminal Open a terminal with this environment set up. @@ -37773,7 +37790,7 @@ Wykluczenia: %2 Add Existing Projects... - + Dodaj istniejące projekty... Add Existing Directory... @@ -37785,23 +37802,23 @@ Wykluczenia: %2 Close All Files - + Zamknij wszystkie pliki Close Other Projects - + Zamknij pozostałe projekty Close All Projects Except "%1" - + Zamknij wszystkie projekty oprócz "%1" Properties... - + Właściwości... Remove... - + Usuń... Duplicate File... @@ -37822,7 +37839,7 @@ Wykluczenia: %2 Expand - Rozwiń + Rozwiń Collapse All @@ -37830,7 +37847,7 @@ Wykluczenia: %2 Expand All - Rozwiń wszystko + Rozwiń wszystko Open Build and Run Kit Selector... @@ -37985,19 +38002,19 @@ Czy zignorować je? Current Build Environment - + Bieżące środowisko budowania Current Run Environment - + Bieżące środowisko uruchamiania Active build environment of the active project. - + Aktywne środowisko budowania aktywnego projektu. Active run environment of the active project. - + Aktywne środowisko uruchamiania aktywnego projektu. Sanitizer @@ -38014,15 +38031,15 @@ Czy zignorować je? Parse Build Output... - + Przetwórz komunikaty budowania... Open Project in "%1" - Otwórz projekt w "%1" + Otwórz projekt w "%1" Open Project "%1" - + Otwórz projekt "%1" The file "%1" was renamed to "%2", but the following projects could not be automatically changed: %3 @@ -38034,7 +38051,7 @@ Czy zignorować je? Close %1? - + Zamknąć %1? Do you want to cancel the build process and close %1 anyway? @@ -38046,7 +38063,7 @@ Czy zignorować je? %1 in %2 - %1 w %2 + %1 w %2 The following subprojects could not be added to project "%1": @@ -38054,21 +38071,23 @@ Czy zignorować je? Adding Subproject Failed - + Błąd w trakcie dodawania podprojektu Failed opening terminal. %1 - + Błąd otwierania terminala. +%1 Remove More Files? - + Usunąć więcej plików? Remove these files as well? %1 - + Usunąć również poniższe pliki? + %1 File "%1" was not removed, because the project has changed in the meantime. @@ -38077,23 +38096,23 @@ Please try again. Could not remove file "%1" from project "%2". - + Nie można usunąć pliku %1 z projektu "%2". Choose File Name - + Wybierz nazwę pliku New file name: - + Nowa nazwa pliku: Failed to copy file "%1" to "%2": %3. - + Błąd kopiowania pliku "%1" do "%2": %3. Failed to add new file "%1" to the project. - + Nie można dodać nowego pliku "%1" do projektu. The project file %1 cannot be automatically changed. @@ -38113,24 +38132,25 @@ Czy, pomimo to, zmienić nazwę "%2" na "%3"? Run Run Configuration - + Uruchom konfigurację uruchamiania Runs a run configuration of the active project. - + Uruchamia konfigurację uruchamiania aktywnego projektu. Switched run configuration to %1 - + Zmień konfigurację uruchamiania na +%1 Switch Run Configuration - + Zmień konfigurację uruchamiania Switches the active run configuration of the active project. - + Zmienia aktywną konfigurację uruchamiania aktywnego projektu. Building "%1" is disabled: %2<br> @@ -38178,79 +38198,79 @@ Czy, pomimo to, zmienić nazwę "%2" na "%3"? Project Environment - + Środowiski projektu Documentation Comments - Komentarze dokumentacji + Komentarze dokumentacji Open... - + Otwórz... Close All Files in Project - + Zamknij wszystkie pliki w projekcie Close All Files in Project "%1" - + Zamknij wszystkie pliki w projekcie "%1" Build All Projects - + Zbuduj wszystkie projekty Build All Projects for All Configurations - + Zbuduj wszystkie projekty we wszystkich konfiguracjach Deploy All Projects - + Zainstaluj wszystkie projekty Rebuild All Projects - + Przebuduj wszystkie projekty Rebuild All Projects for All Configurations - + Przebuduj wszystkie projekty we wszystkich konfiguracjach Clean All Projects - + Wyczyść wszystkie projekty Clean All Projects for All Configurations - + Wyczyść wszystkie projekty we wszystkich konfiguracjach Build Project for All Configurations - + Zbuduj projekt we wszystkich konfiguracjach Build Project "%1" for All Configurations - + Zbuduj projekt "%1" we wszystkich konfiguracjach Build for &Run Configuration - + Zbuduj dla konfiguracji u&ruchamiania Build for &Run Configuration "%1" - + Zbuduj dla konfiguracji u&ruchamiania "%1" Run Generator - + Uruchom generator Rebuild Project for All Configurations - + Przebuduj projekt dla wszystkich konfiguracji Clean Project for All Configurations - + Wyczyść projekt we wszystkich konfiguracjach Cancel Build @@ -38368,11 +38388,11 @@ do projektu "%2". Meta+Shift+L - + Meta+Shift+L Alt+Shift+L - + Alt+Shift+L Hide Empty Directories @@ -38512,17 +38532,17 @@ do projektu "%2". No build system active - + Brak aktywnego systemu budowania Run on %{Device:Name} Shown in Run configuration if no executable is given, %1 is device name - + Uruchom na %{nazwa urządzenia} %1 (on %{Device:Name}) Shown in Run configuration, Add menu: "name of runnable (on device name)" - + %1 (na %{nazwa urządzenia}) Deployment @@ -38557,15 +38577,15 @@ Title of a the cloned RunConfiguration window, text of the window Remove All - Usuń wszystko + Usuń wszystko Remove Run Configurations? - + Usunąć konfigurację uruchamiania? Do you really want to delete all run configurations? - + Czy na pewno usunąć wszystkie konfiguracje uruchamiania? New name for run configuration <b>%1</b>: @@ -38658,23 +38678,23 @@ Title of a the cloned RunConfiguration window, text of the window Untitled - Nienazwany + Nienazwane untitled File path suggestion for a new project. If you choose to translate it, make sure it is a valid path name without blanks and using only ascii chars. - nienazwany + nienazwane Clean Displayed name for a "cleaning" build step ---------- Display name of the clean build step list. Used as part of the labels in the project window. - czyszczenia + Wyczyść Custom Output Parsers - + Własne parsery komunikatów Parse standard output during build @@ -38997,7 +39017,7 @@ Display name of the clean build step list. Used as part of the labels in the pro Displayed name for a normal build step ---------- Display name of the build build step list. Used as part of the labels in the project window. - Wersja + Budowanie Kit @@ -39037,7 +39057,7 @@ Display name of the build build step list. Used as part of the labels in the pro <style type=text/css>a:link {color: rgb(128, 128, 255);}</style>The project <b>%1</b> is not yet configured<br/><br/>You can configure it in the <a href="projectmode">Projects mode</a><br/> - + <style type=text/css>a:link {color: rgb(128, 128, 255);}</style>Projekt <b>%1</b> nie został skonfigurowany<br/><br/>Można go skonfigurować w <a href="projectmode">trybie "Projekty"</a><br/> Project: <b>%1</b><br/> @@ -39102,7 +39122,7 @@ Display name of the build build step list. Used as part of the labels in the pro Disable - Zablokuj + Zablokowane Move Down @@ -39139,7 +39159,7 @@ Display name of the build build step list. Used as part of the labels in the pro Displayed name for a deploy step ---------- Display name of the deploy build step list. Used as part of the labels in the project window. - instalacji + Zainstaluj Deploy locally @@ -39165,15 +39185,15 @@ Display name of the deploy build step list. Used as part of the labels in the pr User requested stop. Shutting down... - Użytkownik zażądał zatrzymania. Zamykanie... + Użytkownik zażądał zatrzymania. Zamykanie... Cannot run: No command given. - Nie można uruchomić: nie podano komendy. + Nie można uruchomić: Nie podano komendy. %1 exited with code %2 - + %1 zakończone kodem %2 No executable specified. @@ -39306,7 +39326,7 @@ fails because Clang does not understand the target architecture. [none] - + [brak] Name @@ -39314,7 +39334,7 @@ fails because Clang does not understand the target architecture. Source - Źródło + Źródło Create Run Configuration @@ -39326,7 +39346,7 @@ fails because Clang does not understand the target architecture. Create - + Utwórz Type @@ -39384,7 +39404,7 @@ Enable this if you plan to create 32-bit x86 binaries without using a dedicated <custom> - <własny> + <własne> Stop @@ -39408,7 +39428,7 @@ Enable this if you plan to create 32-bit x86 binaries without using a dedicated Close Other Tabs - Zamknij inne karty + Zamknij pozostałe karty Show &App Output @@ -39420,39 +39440,39 @@ Enable this if you plan to create 32-bit x86 binaries without using a dedicated A - + A Word-wrap output - + Zawijaj tekst komunikatów Clear old output on a new run - + Czyść stare komunikaty przy nowym uruchomieniu Always - Zawsze + Zawsze Never - Nigdy + Nigdy On First Output Only - + Przy pierwszym komunikacie Limit output to %1 characters - + Ogranicz rozmiar komunikatów do %1 znaków Open Application Output when running: - + Otwieraj komunikaty aplikacji podczas uruchamiania: Open Application Output when debugging: - + Otwieraj komunikaty aplikacji podczas debugowania: Application Output @@ -39539,7 +39559,7 @@ Enable this if you plan to create 32-bit x86 binaries without using a dedicated Add %1 Add <Device Type Name> - + Dodaj %1 Yes (id is "%1") @@ -39551,7 +39571,7 @@ Enable this if you plan to create 32-bit x86 binaries without using a dedicated Show Running Processes... - Pokazuj uruchomione procesy... + Pokaż uruchomione procesy... Local PC @@ -39639,15 +39659,15 @@ Enable this if you plan to create 32-bit x86 binaries without using a dedicated Connected - Połączony + Połączone Disconnected - + Rozłączone Unknown - Nieznany + Nieznane localSource() not implemented for this device type. @@ -39719,7 +39739,7 @@ Enable this if you plan to create 32-bit x86 binaries without using a dedicated &Rename - + Zmień &nazwę Name: @@ -39727,7 +39747,7 @@ Enable this if you plan to create 32-bit x86 binaries without using a dedicated Unnamed - Nienazwany + Nienazwane Kit ID @@ -39984,7 +40004,7 @@ Enable this if you plan to create 32-bit x86 binaries without using a dedicated Custom - Własny + Własne %n entries @@ -40257,7 +40277,7 @@ Enable this if you plan to create 32-bit x86 binaries without using a dedicated Type to filter kits by name... - + Znajdź zestaw po nazwie... Select Kits for Your Project @@ -40266,7 +40286,7 @@ Enable this if you plan to create 32-bit x86 binaries without using a dedicated The following kits can be used for project <b>%1</b>: %1: Project name - + Zestawy narzędzi, które mogą zostać użyte dla projektu <b>%1</b>: Kit Selection @@ -40288,11 +40308,11 @@ Enable this if you plan to create 32-bit x86 binaries without using a dedicated Select files matching: - + Wybierz pliki pasujące do: Apply Filters - + Zastosuj filtry Edit Files @@ -40304,11 +40324,11 @@ Enable this if you plan to create 32-bit x86 binaries without using a dedicated Source File Path - + Ścieżka do pliku źródłowego Target Directory - + Katalog docelowy Files to deploy: @@ -40515,23 +40535,23 @@ Enable this if you plan to create 32-bit x86 binaries without using a dedicated Qt 6.2 - + Qt 6.2 Qt 5.15 - + Qt 5.15 Qt 5.14 - + Qt 5.14 Qt 5.13 - + Qt 5.13 Qt 5.12 - + Qt 5.12 Minimum required Qt version: @@ -40559,11 +40579,11 @@ Enable this if you plan to create 32-bit x86 binaries without using a dedicated Translation File - + Plik z tłumaczeniami Translation - + Tłumaczenie Creates a Qt Quick application that contains an empty window. @@ -40595,51 +40615,51 @@ Preselects a desktop Qt for building the application if available. Author: - Autor: + Autor: 0.1.0 - + 0.1.0 Version: - Wersja: + Wersja: MIT - + MIT GPL-2.0 - + GPL-2.0 Apache-2.0 - + Apache-2.0 ISC - + ISC GPL-3.0 - + GPL-3.0 BSD-3-Clause - + BSD-3-Clause LGPL-2.1 - + LGPL-2.1 LGPL-3.0 - + LGPL-3.0 EPL-2.0 - + EPL-2.0 Proprietary @@ -40659,7 +40679,7 @@ Preselects a desktop Qt for building the application if available. Javascript - + Javascript Backend: @@ -40667,7 +40687,7 @@ Preselects a desktop Qt for building the application if available. 1.0.0 - + 1.0.0 Min Nim Version: @@ -40691,11 +40711,11 @@ Preselects a desktop Qt for building the application if available. Qt 6.4 - + Qt 6.4 Qt 6.5 - + Qt 6.5 Creates a Qt Quick application that can have both QML and C++ code. You can build the application and deploy it to desktop, embedded, and mobile target platforms. @@ -40705,53 +40725,55 @@ You can select an option to create a project that you can open in Qt Design Stud This wizard generates a Qt Widgets Application project. The application derives by default from QApplication and includes an empty widget. - Ten kreator generuje projekt aplikacji Qt Widgets. Aplikacja domyślnie dziedziczy z QApplication i zawiera pusty widżet. + Ten kreator generuje projekt aplikacji Qt Widgets. Aplikacja domyślnie wywodzi się z QApplication i zawiera pusty widżet. Specify basic information about the classes for which you want to generate skeleton source code files. - Podaj podstawowe informacje o klasach, dla których ma zostać wygenerowany szkielet plików z kodem źródłowym. + Podaj podstawowe informacje o klasach, dla których ma zostać wygenerowany szkielet plików z kodem źródłowym. Generate form - + Wygeneruj formularz Form file: - + Plik formularza: Class Information - Informacje o klasie + Informacje o klasie Creates a widget-based Qt application that contains a Qt Designer-based main window and C++ source and header files to implement the application logic. Preselects a desktop Qt for building the application if available. - + Tworzy aplikację Qt bazującą na widżetach, zawierającą główne okno do edycji w Qt Designerze wraz z plikami: źródłowym oraz nagłówkowym C++, przeznaczonymi do zaimplementowania logiki aplikacji. + +Wstępnie wybiera platformę desktopową Qt do budowania aplikacji, jeśli jest ona dostępna. Qt Widgets Application - Aplikacja Qt Widgets + Aplikacja Qt Widgets Project file: - + Plik projektu: PySide 6 - + PySide 6 PySide 2 - + PySide 2 Define Python Interpreter - + Zdefiniuj interpreter Pythona Interpreter - + Interpreter Creates a Qt for Python application that includes a Qt Designer-based widget (ui file). Requires .ui to Python conversion. @@ -40759,7 +40781,7 @@ Preselects a desktop Qt for building the application if available. Application (Qt for Python) - + Aplikacja (Qt dla Pythona) Window UI @@ -40771,23 +40793,23 @@ Preselects a desktop Qt for building the application if available. Empty Window - + Puste okno PySide 5.15 - + PySide 5.15 PySide 5.14 - + PySide 5.14 PySide 5.13 - + PySide 5.13 PySide 5.12 - + PySide 5.12 Creates a Qt Quick application that contains an empty window. @@ -40811,43 +40833,43 @@ Preselects a desktop Qt for building the application if available. Shared Library - Biblioteka współdzielona + Biblioteka współdzielona Statically Linked Library - Biblioteka statycznie dowiązana + Biblioteka statycznie dowiązana Qt Plugin - Wtyczka Qt + Wtyczka Qt QAccessiblePlugin - + QAccessiblePlugin QGenericPlugin - + QGenericPlugin QIconEnginePlugin - + QIconEnginePlugin QImageIOPlugin - + QImageIOPlugin QScriptExtensionPlugin - + QScriptExtensionPlugin QSqlDriverPlugin - + QSqlDriverPlugin QStylePlugin - + QStylePlugin Core @@ -40859,11 +40881,11 @@ Preselects a desktop Qt for building the application if available. Widgets - + Widżety Qt module: - + Moduł Qt: Creates a C++ library. You can create:<ul><li>a shared C++ library for use with <tt>QPluginLoader</tt> and runtime (Plugins)</li><li>a shared or static C++ library for use with another project at linktime</li></ul> @@ -40871,7 +40893,7 @@ Preselects a desktop Qt for building the application if available. C++ Library - Biblioteka C++ + Biblioteka C++ Creates a CMake-based test project for which a code snippet can be entered. @@ -40879,11 +40901,11 @@ Preselects a desktop Qt for building the application if available. QtCore - + QtCore QtCore, QtWidgets - + QtCore, QtWidgets Use Qt Modules: @@ -40911,11 +40933,11 @@ Preselects a desktop Qt for building the application if available. C/C++ - + C/C++ C/C++ Header File - + Plik nagłówkowy C/C++ Creates a source file that you can add to a C/C++ project. @@ -40923,7 +40945,7 @@ Preselects a desktop Qt for building the application if available. C/C++ Source File - + Plik źródłowy C/C++ Creates a markdown file. @@ -40941,31 +40963,31 @@ You should not mix multiple test frameworks in a project. Google Test - Google Test + Test Google Qt Quick Test - + Test Qt Quick Boost Test - + Test Boost Catch2 - + Catch2 2.x - + 2.x 3.x - + 3.x Catch2 version: - + Wersja Catch2: Test suite name: @@ -41037,15 +41059,15 @@ You should not mix multiple test frameworks in a project. Add Q_OBJECT - + Dodaj Q_OBJECT Add QML_ELEMENT - + Dodaj QML_ELEMENT Qt for Python module: - + Moduł Qt dla Pythona: You can choose Qt classes only if you select a Qt for Python module. @@ -41428,7 +41450,7 @@ The name of the build configuration created by default for a generic project. Revision: - Wersja: + Wersja: Specify repository URL, checkout directory, and path. @@ -42073,7 +42095,7 @@ To develop a full application, create a Qt Quick Application project instead. <b>Warning:</b> This file is generated. - + <b>Ostrzeżenie:</b> Ten plik jest wygenerowany. <b>Warning:</b> This file is outside the project directory. @@ -42113,43 +42135,43 @@ To develop a full application, create a Qt Quick Application project instead. Executable - + Plik wykonywalny Enter the path to the executable - + Podaj ścieżkę do pliku wykonywalnego Alternate executable on device: - Alternatywny plik wykonywalny na urządzeniu: + Alternatywny plik wykonywalny na urządzeniu: Use this command instead - W zamian użyj tej komendy + W zamian użyj tej komendy Add build library search path to DYLD_LIBRARY_PATH and DYLD_FRAMEWORK_PATH - Dodaj ścieżkę poszukiwań bibliotek na potrzeby budowania do zmiennych DYLD_LIBRARY_PATH i DYLD_FRAMEWORK_PATH + Dodaj ścieżkę poszukiwań bibliotek na potrzeby budowania do zmiennych DYLD_LIBRARY_PATH i DYLD_FRAMEWORK_PATH Add build library search path to PATH - Dodaj ścieżkę poszukiwań bibliotek na potrzeby budowania do zmiennej PATH + Dodaj ścieżkę poszukiwań bibliotek na potrzeby budowania do zmiennej PATH Add build library search path to LD_LIBRARY_PATH - Dodaj ścieżkę poszukiwań bibliotek na potrzeby budowania do zmiennej LD_LIBRARY_PATH + Dodaj ścieżkę poszukiwań bibliotek na potrzeby budowania do zmiennej LD_LIBRARY_PATH Use debug version of frameworks (DYLD_IMAGE_SUFFIX=_debug) - Użyj pakietów w wersji do debugowania (DYLD_IMAGE_SUFFIX=_debug) + Użyj pakietów w wersji do debugowania (DYLD_IMAGE_SUFFIX=_debug) Run as root user - + Uruchom jako administrator Interpreter: - + Interpreter: X11 Forwarding: @@ -42229,15 +42251,15 @@ Te pliki są zabezpieczone. <empty> - <pusty> + <puste> Additional arguments for the vcvarsall.bat call - + Dodatkowe argumenty do wywołania vcvarsall.bat clang-cl - + clang-cl Executable: @@ -42261,7 +42283,7 @@ Te pliki są zabezpieczone. Build System Output - + Komunikaty systemu budowania Import Directory @@ -42273,11 +42295,11 @@ Te pliki są zabezpieczone. Use Regular Expressions - Używaj wyrażeń regularnych + Używaj wyrażeń regularnych Case Sensitive - Uwzględniaj wielkość liter + Uwzględniaj wielkość liter Show Non-matching Lines @@ -42297,31 +42319,31 @@ Te pliki są zabezpieczone. &Configure Project - + S&konfiguruj projekt Kit is unsuited for project - + NIepasujący zestaw narzędzi dla projektu Click to activate - + Kliknij aby uaktywnić Enable Kit for Project "%1" - + Odblokuj zestaw narzędzi dla projektu "%1" Enable Kit for All Projects - + Odblokuj zestaw narzędzi dla wszystkich projektów Disable Kit for Project "%1" - + Zablokuj zestaw narzędzi dla projektu "%1" Disable Kit "%1" in This Project? - + Zablokować zestaw narzędzi "%1" dla wszystkich projektów? The kit <b>%1</b> is currently being built. @@ -42333,7 +42355,7 @@ Te pliki są zabezpieczone. Disable Kit for All Projects - + Zablokuj zestaw narzędzi dla wszystkich projektów Copy Steps From Another Kit... @@ -42406,12 +42428,12 @@ Te pliki są zabezpieczone. Debug The name of the debug build configuration created by default for a qmake project. - Debug + Debugowa Release The name of the release build configuration created by default for a qmake project. - Release + Release'owa Start removing auto-detected items associated with this docker image. @@ -42419,11 +42441,11 @@ Te pliki są zabezpieczone. Removing kits... - + Usuwanie zestawów narzędzi... Removed "%1" - + Usunięto "%1" Removing Qt version entries... @@ -42443,11 +42465,11 @@ Te pliki są zabezpieczone. Kits: - + Zestawy narzędzi: Qt versions: - + Wersje Qt: Toolchains: @@ -42459,23 +42481,23 @@ Te pliki są zabezpieczone. Found "%1" - + Znaleziono "%1" Searching for qmake executables... - + Wyszukiwanie plików wykonywalnych qmake... Error: %1. - + Błąd: %1. No Qt installation found. - + Brak instalacji Qt. Searching toolchains... - + Wyszukiwanie narzędzi... Searching toolchains of type %1 @@ -42487,27 +42509,27 @@ Te pliki są zabezpieczone. Starting auto-detection. This will take a while... - + Uruchamianie autodetekcji. To zajmie chwilę... Registered kit %1 - + Zarejestrowany zestaw narzędzi %1 Build directory: - + Katalog budowania: The build directory is not reachable from the build device. - + Katalog budowania nie jest osiągalny przez urządzenie budujące. Shadow build: - Kompilacja w innym miejscu: + Kompilacja poza źródłami: Separate debug info: - + Oddzielne informacje debugowe: The project is currently being parsed. @@ -42523,29 +42545,29 @@ Te pliki są zabezpieczone. Source: - Źródło: + Źródło: Target: - Cel: + Cel: Copying finished. - + Zakończono kopiowanie. Copying failed. - + Błąd kopiowania. Copy file Default CopyStep display name - + Skopiuj plik Copy directory recursively Default CopyStep display name - + Skopiuj katalog rekurencyjnie Custom output parsers scan command line output for user-provided error patterns<br>to create entries in Issues.<br>The parsers can be configured <a href="dummy">here</a>. @@ -42553,7 +42575,7 @@ Te pliki są zabezpieczone. There are no custom parsers active - + Brak aktywnych parserów własnych There are %n custom parsers active @@ -42565,27 +42587,27 @@ Te pliki są zabezpieczone. Custom output parsers defined here can be enabled individually in the project's build or run settings. - + Własne parsery komunikatów, zdefiniowane tutaj, można odblokować indywidualnie w ustawieniach budowania lub uruchamiania projektu. Add... - Dodaj... + Dodaj... New Parser - + Nowy parser Qt Run Configuration - Konfiguracja uruchamiania Qt + Konfiguracja uruchamiania Qt No device for path "%1" - + Brak urządzenia dla ścieżki "%1" No device found for path "%1" - + Brak urządzenia dla ścieżki "%1" No file access for device "%1" @@ -42601,131 +42623,131 @@ Te pliki są zabezpieczone. Missing transfer implementation. - + Brak implementacji transferu. sftp - + sftp rsync - + rsync generic file copy - + ogólny sposób kopiowania pliku SSH - + SSH Enable connection sharing: - + Odblokuj współdzielenie połączenie: Connection sharing timeout: - + Limit czasu oczekiwania na współdzielone połączenie: Path to ssh executable: - + Ścieżka do pliku wykonywalnego ssh: Path to sftp executable: - + Ścieżka do pliku wykonywalnego sftp: Path to ssh-askpass executable: - + Ścieżka do pliku wykonywalnego ssh-askpass: Path to ssh-keygen executable: - + Ścieżka do pliku wykonywalnego ssh-keygen: minutes - + minut Environment - Środowisko + Środowisko Files in All Project Directories - + Pliki w katalogach wszystkich projektów Files in All Project Directories: - + Pliki w katalogach wszystkich projektów: Setting - Ustawienie + Ustawienie Visible - Widoczny + Widoczne Kit of Active Project: %1 - + Zestaw narzędzi aktywnego projektu: %1 Make arguments: - Argumenty make'a: + Argumenty Make'a: Parallel jobs: - Liczba równoległych zadań: + Liczba równoległych zadań: Override MAKEFLAGS - + Nadpisz MAKEFLAGS <code>MAKEFLAGS</code> specifies parallel jobs. Check "%1" to override. - + <code>MAKEFLAGS</code> określa liczbę równoległych zadań. Zaznacz "%1" aby nadpisać. Disable in subdirectories: - + Zablokuj w podkatalogach: Runs this step only for a top-level build. - + Uruchamia ten krok jedynie dla budowania z najwyższego poziomu. Targets: - Produkty docelowe: + Produkty docelowe: Make: - Make: + Make: Override %1: - Nadpisz %1: + Nadpisz %1: Make - Make + Make Make command missing. Specify Make command in step configuration. - + Brak komendy Make. Podaj komendę Make w konfiguracji kroku. <b>Make:</b> %1 - <b>Make:</b> %1 + <b>Make:</b> %1 <b>Make:</b> No build configuration. - + <b>Make:</b> Brak konfiguracji budowania. <b>Make:</b> %1 not found in the environment. - <b>Make:</b> Nie odnaleziono %1 w środowisku. + <b>Make:</b> Nie odnaleziono %1 w środowisku. The process cannot access the file because it is being used by another process. @@ -42734,47 +42756,47 @@ Please close all running instances of your application before starting a build.< Parse Build Output - + Przetwórz komunikaty budowania Output went to stderr - + Komunikaty przekierowano do stderr Clear existing tasks - + Wyczyść istniejące zadania Load from File... - + Załaduj z pliku... Choose File - Wybierz plik + Wybierz plik Could Not Open File - + Nie można otworzyć pliku Could not open file: "%1": %2 - + Nie można otworzyć pliku "%1": %2 Build Output - + Komunikaty budowania Parsing Options - + Opcje przetwarzania Use parsers from kit: - + Użyj parserów z zestawu narzędzi: Cannot Parse - + Nie można sparsować Cannot parse: The chosen kit does not provide an output parser. @@ -42782,7 +42804,7 @@ Please close all running instances of your application before starting a build.< unavailable - + niedostępne No kits are enabled for this project. Enable kits in the "Projects" mode. @@ -42824,7 +42846,7 @@ What should %1 do now? Target directory: - + Katalog docelowy: Copy File References @@ -42864,23 +42886,23 @@ What should %1 do now? Files - Pliki + Pliki Import Existing Project - Import istniejącego projektu + Import istniejącego projektu Project Name and Location - Nazwa projektu i położenie + Nazwa projektu i położenie Project name: - Nazwa projektu: + Nazwa projektu: File Selection - Wybór pliku + Wybór pliku Import as qmake or CMake Project (Limited Functionality) @@ -42913,7 +42935,7 @@ What should %1 do now? Profiling - Profilowanie + Profilowanie @@ -42996,7 +43018,7 @@ What should %1 do now? General - Ogólne + Ogólne REPL @@ -43060,31 +43082,31 @@ What should %1 do now? Name: - Nazwa: + Nazwa: Executable - + Plik wykonywalny Executable is empty. - + Pusty plik wykonywalny. "%1" does not exist. - + Plik "%1" nie istnieje. "%1" is not an executable file. - + "%1" nie jest plikiem wykonywalnym. &Add - &Dodaj + &Dodaj &Delete - &Usuń + &Usuń &Make Default @@ -43100,15 +43122,15 @@ What should %1 do now? Interpreters - + Interpretery Python - Python + Python Plugins: - + Wtyczki: Use Python Language Server @@ -43120,7 +43142,7 @@ What should %1 do now? Advanced - Zaawansowane + Zaawansowane Language Server Configuration @@ -43145,7 +43167,7 @@ What should %1 do now? Create - + Utwórz Searching Python binaries... @@ -43157,11 +43179,11 @@ What should %1 do now? Removing Python - + Usuwanie Pythona Python: - + Python: Create Python venv @@ -43177,7 +43199,7 @@ What should %1 do now? PySide version: - + Wersja PySide: Create new virtual environment @@ -43240,7 +43262,7 @@ What should %1 do now? ABIs: - ABI: + ABI: Parallel jobs: @@ -43284,7 +43306,7 @@ What should %1 do now? Build - Wersja + The qbs project build root @@ -43314,7 +43336,7 @@ What should %1 do now? Qbs Build - Wersja Qbs + Qbs Build Qbs Clean @@ -43386,11 +43408,11 @@ What should %1 do now? Rebuild - Przebuduj + Przebuduj Rebuild Product - Przebuduj produkt + Error retrieving run environment: %1 @@ -43418,7 +43440,7 @@ What should %1 do now? Profiles - + Profile Kit: @@ -43442,20 +43464,20 @@ What should %1 do now? Reset - + Zresetuj Use %1 settings directory for Qbs %1 == "Qt Creator" or "Qt Design Studio" - + Używaj katalogu %1 z ustawieniami dla Qbs Path to qbs executable: - + Ścieżka do pliku wykonywalnego qbs: Default installation directory: - + Domyślny katalog instalacji: Qbs version: @@ -43467,7 +43489,7 @@ What should %1 do now? General - Ogólne + Ogólne Qbs @@ -43557,7 +43579,7 @@ The affected files are: QtC::Qdb Device "%1" %2 - + Urządzenie "%1" %2 Qt Debug Bridge device %1 @@ -43717,19 +43739,19 @@ The affected files are: Executable on device: - Plik wykonywalny na urządzeniu: + Plik wykonywalny na urządzeniu: Remote path not set - Nie ustawiono zdalnej ścieżki + Nie ustawiono zdalnej ścieżki Executable on host: - Plik wykonywalny na hoście: + Plik wykonywalny na hoście: Full command line: - + Pełna komenda: The remote executable must be set in order to run on a Boot2Qt device. @@ -43757,7 +43779,7 @@ The affected files are: Boot2Qt: %1 - + Boot2Qt: %1 @@ -44022,7 +44044,7 @@ The affected files are: ABIs: - ABI: + ABI: QML Debugging @@ -44030,7 +44052,7 @@ The affected files are: Qt Quick Compiler - + Kompilator Qt Quick Separate Debug Information @@ -44175,7 +44197,7 @@ Please update your kit (%3) or choose a mkspec for qmake that matches your targe Running in "%1": %2. - + Uruchamianie w "%1": %2. Library: @@ -44231,7 +44253,7 @@ Please update your kit (%3) or choose a mkspec for qmake that matches your targe Platform: - Platforma: + Platforma: Library inside "debug" or "release" subfolder @@ -44247,7 +44269,7 @@ Please update your kit (%3) or choose a mkspec for qmake that matches your targe Library type: - + Typ biblioteki: Package: @@ -44299,7 +44321,7 @@ Adds the library and include paths to the .pro file. File does not exist. - + Plik nie istnieje. File does not match filter. @@ -44456,7 +44478,7 @@ Adds the library and include paths to the .pro file. Qt mkspec - + Qt mkspec No Qt version set, so mkspec is ignored. @@ -44504,7 +44526,7 @@ Adds the library and include paths to the .pro file. Generated Files - + Wygenerowane pliki Failed @@ -44528,7 +44550,7 @@ Adds the library and include paths to the .pro file. Warn if a project's source and build directories are not at the same level - + Ostrzegaj, jeśli katalogi źródłowe oraz katalogi budowania projektu są na różnych poziomach Qmake has subtle bugs that can be triggered if source and build directory are not at the same level. @@ -44536,7 +44558,7 @@ Adds the library and include paths to the .pro file. Run qmake on every build - + Uruchamiaj qmake przy każdym budowaniu This option can help to prevent failures on incremental builds, but might slow them down unnecessarily in the general case. @@ -44544,7 +44566,7 @@ Adds the library and include paths to the .pro file. Ignore qmake's system() function when parsing a project - + Ignoruj funkcję system() qmake'a podczas parsowania projektu Checking this option avoids unwanted side effects, but may result in inexact parsing results. @@ -44552,7 +44574,7 @@ Adds the library and include paths to the .pro file. Qmake - + Qmake Required Qt features not present. @@ -44589,15 +44611,15 @@ Adds the library and include paths to the .pro file. Debug connection opened. - + Otwarto połączenie debugowe. Debug connection closed. - + Zamknięto połączenie debugowe. Debug connection failed. - + Błąd połączenia debugowego. @@ -44608,43 +44630,43 @@ Adds the library and include paths to the .pro file. Export Components - + Wyeksportuj komponenty Export path: - + Ścieżka eksportu: Item - Element + Element Property - Właściwość + Właściwość Source Item - Element źródłowy + Element źródłowy Source Property - Właściwość źródłowa + Właściwość źródłowa Cannot Create QtQuick View - + Nie można utworzyć widoku QtQuick ConnectionsEditorWidget: %1 cannot be created.%2 - + ConnectionsEditorWidget: Nie można utworzyć %1. %2 Property Type - Typ właściwości + Typ właściwości Property Value - Wartość właściwości + Wartość właściwości Baking aborted: %1 @@ -44723,7 +44745,7 @@ Adds the library and include paths to the .pro file. Easing - Easing + Przebieg Subtype @@ -44755,11 +44777,11 @@ Adds the library and include paths to the .pro file. Type of easing curve. - Typ easing curve. + Typ przebiegu animacji. Acceleration or deceleration of easing curve. - Przyspieszenie lub opóźnienie easing curve. + Przyspieszenie lub opóźnienie przebiegu animacji. Duration of animation. @@ -44767,15 +44789,15 @@ Adds the library and include paths to the .pro file. Amplitude of elastic and bounce easing curves. - Amplituda easing curve typu elastic lub bounce. + Amplituda przebiegu animacji typu elastic lub bounce. Easing period of an elastic curve. - Okres easing curve typu elastic. + Okres przebiegu animacji typu elastic. Easing overshoot for a back curve. - Przestrzał easing curve typu back. + Przestrzał krzywej animacji typu back. Hides this toolbar. @@ -45439,15 +45461,15 @@ the QML editor know about a likely URI. must be a string literal to be available in the QML editor - musi być literałem łańcuchowym, aby być dostępnym w edytorze QML + musi być literałem łańcuchowym, aby być dostępnym w edytorze QML XML error on line %1, col %2: %3 - Błąd XML w linii %1, w kolumnie %2: %3 + Błąd XML w linii %1, w kolumnie %2: %3 The <RCC> root element is missing. - Brak głównego elementu <RCC>. + Brak głównego elementu <RCC>. @@ -45527,7 +45549,7 @@ the QML editor know about a likely URI. Component already exists. - Komponent już istnieje. + Komponent już istnieje. QML/JS Usages: @@ -45585,7 +45607,7 @@ the QML editor know about a likely URI. Code model not available. - Model kodu niedostępny + Model kodu niedostępny. Code Model of %1 @@ -45629,31 +45651,31 @@ the QML editor know about a likely URI. Use custom command instead of built-in formatter - + Używaj własnej komendy zamiast wbudowanego narzędzia formatującego Command: - Komenda: + Komenda: Arguments: - Argumenty: + Argumenty: Auto-fold auxiliary data - + Automatyczne zwijanie dodatkowych danych Always Ask - Zawsze pytaj + Zawsze pytaj Qt Design Studio - + Qt Design Studio Qt Creator - Qt Creator + Qt Creator Enable QML Language Server (EXPERIMENTAL!) @@ -45673,15 +45695,15 @@ the QML editor know about a likely URI. Enabled - + Odblokowane Disabled for non Qt Quick UI - + Zablokowane dla innych niż Qt Quick UI Message - Komunikat + Komunikat Enabled checks can be disabled for non Qt Quick UI files, but disabled checks cannot get explicitly enabled for non Qt Quick UI files. @@ -45689,23 +45711,23 @@ the QML editor know about a likely URI. Features - + Cechy Open .ui.qml files with: - + Otwieranie plików .ui.qml przy pomocy: QML Language Server - + Serwer języka QML Static Analyzer - + Statyczny analizator Reset to Default - Przywróć domyślny + Przywróć domyślne QML/JS Editing @@ -45725,15 +45747,15 @@ the QML editor know about a likely URI. Code Model Warning - Ostrzeżenie modelu kodu + Ostrzeżenie modelu kodu Code Model Error - Błąd modelu kodu + Błąd modelu kodu Qmlls (%1) - + Qmlls (%1) @@ -45744,7 +45766,7 @@ the QML editor know about a likely URI. Locates QML functions in any open project. - + Lokalizuje funkcje QML w każdym otwartym projekcie. Code Style @@ -45773,18 +45795,18 @@ the QML editor know about a likely URI. Other - + Pozostałe &Line length: - + Długość &linii: QtC::QmlPreview QML Preview - + Podgląd QML Preview changes to QML code live in your application. @@ -46225,11 +46247,11 @@ the program. Main program - + Główny program Longest Time - + Najdłuższy czas Self Time @@ -46245,7 +46267,7 @@ the program. Time in Percent - + Czas w procentach Median Time @@ -46437,7 +46459,7 @@ the program. Unknown - Nieznany + Nieznane Memory Allocation @@ -46561,7 +46583,7 @@ the program. Frame - Ramka + Ramka Frame Delta @@ -46569,39 +46591,39 @@ the program. View3D - + View3D All - + Wszystko None - Brak + Brak Quick3D Frame - + Ramka Quick3D Select View3D - + Wybierz View3D Compare Frame - + Porównaj ramkę Render Frame - + Wyrenderuj ramkę Synchronize Frame - + Zsynchronizuj ramkę Prepare Frame - + Przygotuj ramkę Mesh Load @@ -46637,7 +46659,7 @@ the program. Event Data - + Dane zdarzenia Mesh Memory consumption @@ -46665,11 +46687,11 @@ the program. Description - Opis + Opis Count - Ilość + Ilość Draw Calls @@ -46681,7 +46703,7 @@ the program. Total Memory Usage - + Ogólne zużycie pamięci Primitives @@ -46736,7 +46758,7 @@ the program. Command: - Komenda: + Komenda: Arguments: @@ -46744,7 +46766,7 @@ the program. Build directory: - + Katalog budowania: Failed to find valid Qt for MCUs kit @@ -46768,7 +46790,7 @@ the program. Clean Environment - Czyste środowisko + Czyste środowisko QML Utility @@ -46789,7 +46811,7 @@ the program. Qt Version: - + Wersja Qt: QML Runtime @@ -46805,11 +46827,11 @@ the program. Install - Zainstaluj + Zainstaluj Unknown - Nieznany + Nieznane QML PROJECT FILE INFO @@ -46817,7 +46839,7 @@ the program. Qt Version - - + Wersja Qt - Qt Design Studio Version - @@ -46829,11 +46851,11 @@ the program. Generate - + Wygeneruj Qt Design Studio - + Qt Design Studio Open with Qt Design Studio @@ -46841,7 +46863,7 @@ the program. Open - Otwórz + Otwórz Open with Qt Creator - Text Mode @@ -46861,7 +46883,7 @@ the program. Advanced Options - + Zaawansowane opcje File %1 will be created. @@ -46916,15 +46938,15 @@ The new project can be opened in Qt Creator using the main CMakeLists.txt file.< Name: - Nazwa: + Nazwa: Create in: - Utwórz w: + Utwórz w: Name is empty. - Nazwa jest pusta. + Nazwa jest pusta. Name must not start with "%1". @@ -46956,7 +46978,7 @@ The new project can be opened in Qt Creator using the main CMakeLists.txt file.< Export Project - + Wyeksportuj projekt The project is not properly structured for automatically generating CMake files. @@ -46974,11 +46996,11 @@ The following files or directories are missing: Qt 6 - + Qt 6 Qt 5 - + Qt 5 Use MultiLanguage in 2D view @@ -47163,15 +47185,15 @@ Are you sure you want to continue? No device configuration set. - Nie ustawiono konfiguracji urządzenia. + Nie ustawiono konfiguracji urządzenia. No deployment action necessary. Skipping. - Instalacja nie jest wymagana. Zostanie pominięta. + Instalacja nie jest wymagana. Zostanie pominięta. All files successfully deployed. - Wszystkie pliki poprawnie zainstalowane. + Wszystkie pliki poprawnie zainstalowane. Deploy Qt to QNX Device @@ -47203,11 +47225,11 @@ Are you sure you want to continue? Compiler: - Kompilator: + Kompilator: Architectures: - + Architektury: Remove @@ -47223,11 +47245,11 @@ Are you sure you want to continue? Configuration already exists. - + Konfiguracja już istnieje. Configuration is not valid. - + Błędna konfiguracja. Remove QNX Configuration @@ -47309,15 +47331,15 @@ Are you sure you want to continue? Executable on device: - Plik wykonywalny na urządzeniu: + Plik wykonywalny na urządzeniu: Remote path not set - Nie ustawiono zdalnej ścieżki + Nie ustawiono zdalnej ścieżki Executable on host: - Plik wykonywalny na hoście: + Plik wykonywalny na hoście: Path to Qt libraries on device @@ -47340,7 +47362,7 @@ Are you sure you want to continue? <unknown> - <nieznany> + <nieznane> System @@ -47416,11 +47438,11 @@ Are you sure you want to continue? Qt Version - + Wersja Qt Location of qmake - + Położenie qmake Add... @@ -47428,7 +47450,7 @@ Are you sure you want to continue? Link with Qt... - + Powiąż z Qt... Clean Up @@ -47568,7 +47590,7 @@ Are you sure you want to continue? Qt installation path: - + Ścieżka do instalacji Qt: Choose the Qt installation directory, or a directory that contains "%1". @@ -47576,11 +47598,11 @@ Are you sure you want to continue? Link with Qt - + Powiąż z Qt Cancel - Anuluj + Anuluj Remove Link @@ -47600,23 +47622,23 @@ Are you sure you want to continue? qmake path: - + Ścieżka do qmake: Register documentation: - + Zarejestruj dokumentację: qmake Path - + Ścieżka do qmake Highest Version Only - + Tylko najnowsza wersja All - + Wszystkie The Qt version selected must match the device type. @@ -47862,12 +47884,12 @@ Are you sure you want to continue? Boot2Qt Qt version is used for Boot2Qt development - + Boot2Qt Other Category for all other examples - + Pozostałe Featured @@ -47876,7 +47898,7 @@ Are you sure you want to continue? QML debugging and profiling: - + Debugowanie i profilowanie QML: Might make your application vulnerable.<br/>Only use in a safe environment. @@ -47884,11 +47906,11 @@ Are you sure you want to continue? Qt Quick Compiler: - + Kompilator Qt Quick: Disables QML debugging. QML profiling will still work. - Blokuje debugowanie QML, profilowanie QML pozostawia włączone. + Blokuje debugowanie QML, profilowanie QML pozostawia włączone. Link with a Qt installation to automatically register Qt versions and kits? To do this later, select Edit > Preferences > Kits > Qt Versions > Link with Qt. @@ -47924,15 +47946,15 @@ Are you sure you want to continue? <none> - <brak> + <brak> Language: - Język: + Język: Translation file: - + Plik z tłumaczeniami: @@ -48190,11 +48212,11 @@ Dodatkowo, przetestowane zostanie połączenie z urządzeniem. %1... - + %1... %1 found. - Znaleziono %1. + Znaleziono %1. An error occurred while checking for %1. @@ -48202,7 +48224,7 @@ Dodatkowo, przetestowane zostanie połączenie z urządzeniem. %1 not found. - Nie znaleziono %1. + Nie znaleziono %1. Checking if required commands are available... @@ -48290,7 +48312,7 @@ Dodatkowo, przetestowane zostanie połączenie z urządzeniem. Error writing tar file "%1": %2 - Błąd zapisu pliku tar "%1": %2. + Błąd zapisu pliku tar "%1": %2 Create tarball @@ -48366,7 +48388,7 @@ Dodatkowo, przetestowane zostanie połączenie z urządzeniem. Create New... - Twórz nowy... + Utwórz nowy... Machine type: @@ -48378,7 +48400,7 @@ Dodatkowo, przetestowane zostanie połączenie z urządzeniem. Access via: - + Dostęp poprzez: Physical Device @@ -48426,32 +48448,33 @@ Dodatkowo, przetestowane zostanie połączenie z urządzeniem. Cannot establish SSH connection: ssh binary "%1" does not exist. - + Błąd ustanawiania połączenia SSH: Brak pliku wykonywalnego ssh "%1". Cannot establish SSH connection: Failed to create temporary directory for control socket: %1 - + Błąd ustanawiania połączenia SSH: Błąd tworzenia tymczasowego katalogu dla gniazda kontrolnego: %1 Cannot establish SSH connection. Control process failed to start. - + Błąd ustanawiania połączenia SSH. +Błąd uruchamiania procesu kontrolnego. SSH connection failure. - + Błąd konfiguracji SSH. SSH connection failure: - + Błąd konfiguracji SSH: Remote Linux Device - + Zdalne urządzenie linuksowe Remote Linux - + Zdalny linux Deploy Public Key... @@ -48459,53 +48482,55 @@ Control process failed to start. Open Remote Shell - + Otwórz zdalną powłokę Error - Błąd + Błąd "%1" failed to start: %2 - Nie można uruchomić "%1": %2 + Nie można uruchomić "%1": %2 "%1" crashed. - "%1" przerwał pracę. + "%1" przerwał pracę. "sftp" binary "%1" does not exist. - + Plik wykonywalny "%1" dla "sftp" nie istnieje. Creating directory: %1 - + Tworzenie katalogu: %1 + Failed. - Niepoprawnie zakończone. + Niepoprawnie zakończone. Copying %1/%2: %3 -> %4 - + Kopiowanie %1/%2: %3 -> %4 + Failed: %1 - + Niepoprawnie zakończone: %1 New Remote Linux Device Configuration Setup - + Nowa konfiguracja zdalnego urządzenia linuksowego Cannot Open Terminal - + Nie można otworzyć terminala Cannot open remote terminal: Current kit has no device. - + Nie można otworzyć znalnego terminala: Brak ustawionego urządzenia w bieżącym zestawie narzędzi. Clean Environment @@ -48529,11 +48554,11 @@ Control process failed to start. Custom Executable - Własny plik wykonywalny + Własny plik wykonywalny Run "%1" - + Uruchom "%1" Remote executable: @@ -48545,27 +48570,27 @@ Control process failed to start. Flags for rsync: - + Flagi dla rsync: Ignore missing files: - + Ignoruj brakujące pliki: Transfer method: - + Metoda transferu: Use rsync if available. Otherwise use default transfer. - + Użyj rsync jeśli jest dostępny, w przeciwnym przypadku użyj domyślnego transferu. Use sftp if available. Otherwise use default transfer. - + Użyj sftp jeśli jest dostępny, w przeciwnym przypadku użyj domyślnego transferu. Use default transfer. This might be slow. - + Użyj domyślnego transferu. Może on być powolny. rsync is only supported for transfers between different devices. @@ -48609,11 +48634,11 @@ Control process failed to start. Command: - Komenda: + Komenda: Install root: - Korzeń instalacji: + Korzeń instalacji: Clean install root first: @@ -48657,35 +48682,35 @@ Control process failed to start. SSH Key Configuration - Konfiguracja klucza SSH + Konfiguracja klucza SSH &RSA - &RSA + &RSA ECDSA - ECDSA + ECDSA &Generate And Save Key Pair - Wy&generuj i zachowaj klucze + Wy&generuj i zachowaj klucze Options - Opcje + Opcje Key algorithm: - Algorytm klucza: + Algorytm klucza: Key &size: - Rozmiar &klucza: + Rozmiar &klucza: Public key file: - Plik z kluczem publicznym: + Plik z kluczem publicznym: The ssh-keygen tool was not found. @@ -48701,11 +48726,11 @@ Control process failed to start. Choose Private Key File Name - Wybierz nazwę pliku z kluczem prywatnym + Wybierz nazwę pliku z kluczem prywatnym Key Generation Failed - Błąd w trakcie generowania kluczy + Błąd w trakcie generowania kluczy @@ -48820,7 +48845,7 @@ Control process failed to start. Sort Alphabetically - Posortuj alfabetycznie + Posortuj alfabetycznie Add Files @@ -48892,7 +48917,7 @@ Control process failed to start. Cannot save file. - + Nie można zachować pliku. %1 Prefix: %2 @@ -48911,31 +48936,31 @@ Control process failed to start. X: - + X: Y: - + Y: Width: - Szerokość: + Szerokość: Height: - Wysokość: + Wysokość: Save Current Frame As - + Zachowaj bieżącą ramkę jako Start: - + Początek: End: - + Koniec: Trimming @@ -48943,7 +48968,7 @@ Control process failed to start. Range: - + Zakres: Crop and Trim @@ -48971,11 +48996,11 @@ Control process failed to start. Video - + Wideo Animated image - + Animowany obraz Lossy @@ -48987,31 +49012,31 @@ Control process failed to start. Export... - Eksportuj... + Eksportuj... Save As - Zachowaj jako + Zachowaj jako Exporting Screen Recording - + Eksportowanie nagranego ekranu Screen Recording Options - + Opcje nagrywania ekranu Display: - + Ekran: FPS: - + FPS: Recorded screen area: - + Nagrany obszar ekranu: Open Mov/qtrle rgb24 File @@ -49019,15 +49044,15 @@ Control process failed to start. Cannot Open Clip - + Nie można otworzyć klipu FFmpeg cannot open %1. - + FFmpeg nie może otworzyć %1. Clip Not Supported - + Nieobsługiwany klip Choose a clip with the "qtrle" codec and pixel format "rgb24". @@ -49035,27 +49060,27 @@ Control process failed to start. Record Screen - + Nagraj ekran Record Screen... - + Nagraj ekran... ffmpeg tool: - + Narzędzie ffmpeg: ffprobe tool: - + Narzędzie ffprobe: Capture the mouse cursor - + Zarejestruj kursor myszki Capture the screen mouse clicks - + Zarejestruj kliknięcia kursora myszki Capture device/filter: @@ -49071,11 +49096,11 @@ Control process failed to start. Write command line of FFmpeg calls to General Messages - + Zapisuj wywołania komend FFmpeg w komunikatach ogólnych Export animated images as infinite loop - + Eksportuj animowane obrazy jako nieskończone pętle Recording frame rate: @@ -49083,23 +49108,23 @@ Control process failed to start. Screen ID: - + Identyfikator ekranu: FFmpeg Installation - + Instalacja FFmpeg Record Settings - + Ustawienia nagrywania Export Settings - + Ustawienia eksportu Screen Recording - + Nagrywanie ekranu Width and height are not both divisible by 2. The video export for some of the lossy formats will not work. @@ -49234,7 +49259,7 @@ Control process failed to start. Untitled - Nienazwany + Nienazwane Export Canvas to Image @@ -49370,7 +49395,7 @@ Control process failed to start. Unknown - Nieznany + Nieznane Severity: %1 @@ -49797,7 +49822,7 @@ Wiersz: %4, kolumna: %5 No Port - + Brak portu Serial port error: %1 (%2) @@ -49805,15 +49830,15 @@ Wiersz: %4, kolumna: %5 Close Tab - Zamknij kartę + Zamknij kartę Close All Tabs - Zamknij wszystkie karty + Zamknij wszystkie karty Close Other Tabs - Zamknij inne karty + Zamknij pozostałe karty Type text and hit Enter to send. @@ -49825,11 +49850,11 @@ Wiersz: %4, kolumna: %5 Connect - + Połącz Disconnect - + Rozłącz Reset Board @@ -49837,7 +49862,7 @@ Wiersz: %4, kolumna: %5 Add New Terminal - + Dodaj nowy terminal Serial Terminal @@ -49845,37 +49870,37 @@ Wiersz: %4, kolumna: %5 None - Brak + Brak LF - + LF CR - + CR CRLF - + CRLF QtC::SilverSearcher Search Options (optional) - + Opcje poszukiwania (opcjonalne) Silver Searcher is not available on the system. - Brak dostępnego Silver Searchera w systemie. + Brak dostępnego Silver Searchera w systemie. QtC::Squish Details - Szczegóły + Szczegóły Adjust references to the removed symbolic name to point to: @@ -49919,11 +49944,11 @@ Wiersz: %4, kolumna: %5 Remove - Usuń + Usuń Jump to Symbolic Name - + Skocz do nazwy symbolicznej Symbolic Names @@ -49931,19 +49956,19 @@ Wiersz: %4, kolumna: %5 Cut - Wytnij + Wytnij Copy - Skopiuj + Skopiuj Paste - Wklej + Wklej Delete - + Usuń Copy Real Name @@ -49951,7 +49976,7 @@ Wiersz: %4, kolumna: %5 Properties: - Właściwości: + Właściwości: The properties of the Multi Property Name associated with the selected Symbolic Name. (use \\ for a literal \ in the value) @@ -49983,11 +50008,11 @@ Wiersz: %4, kolumna: %5 Property - Właściwość + Właściwość Symbolic Name - + Nazwa symboliczna CopyOf @@ -49999,15 +50024,15 @@ Wiersz: %4, kolumna: %5 Select All - Zaznacz wszystko + Zaznacz wszystko Deselect All - Odznacz wszystko + Odznacz wszystko Base directory: - + Katalog bazowy: Test suites: @@ -50015,27 +50040,27 @@ Wiersz: %4, kolumna: %5 Name - Nazwa + Nazwa Operator - Operator + Operator Value - Wartość + Wartość Application: - + Aplikacja: <No Application> - + <Brak aplikacji> Arguments: - Argumenty: + Argumenty: Recording Settings @@ -50052,7 +50077,7 @@ Close the opened test suite and replace it with the new one? Confirm Delete - Potwierdź usunięcie + Potwierdź usunięcie Are you sure you want to delete Test Case "%1" from the file system? @@ -50099,7 +50124,7 @@ Refusing to record test case "%2". Error - Błąd + Błąd Squish Tools in unexpected state (%1). @@ -50107,7 +50132,7 @@ Refusing to record test case "%2". Squish - + Squish Run This Test Case @@ -50192,7 +50217,7 @@ Refusing to record test case "%2". Test Results - Wyniki testu + Wyniki testu Runner/Server Log @@ -50204,43 +50229,43 @@ Refusing to record test case "%2". Expand All - Rozwiń wszystko + Rozwiń wszystko Collapse All - Zwiń wszystko + Zwiń wszystko Filter Test Results - Przefiltruj wyniki testu + Przefiltruj wyniki testu Pass - Zdany + Zdany Fail - Niezdany + Niezdany Expected Fail - Oczekiwanie niezdany + Oczekiwanie niezdany Unexpected Pass - Nieoczekiwanie zdany + Nieoczekiwanie zdany Warning Messages - Komunikaty z ostrzeżeniami + Komunikaty z ostrzeżeniami Log Messages - + Komunikaty Check All Filters - Zaznacz wszystkie filtry + Zaznacz wszystkie filtry Control Bar @@ -50248,7 +50273,7 @@ Refusing to record test case "%2". Stop Recording - Zatrzymaj nagrywanie + Zatrzymaj nagrywanie Ends the recording session, saving all commands to the script file. @@ -50256,19 +50281,19 @@ Refusing to record test case "%2". Interrupt - Przerwij + Przerwij Step Into - Wskocz do wnętrza + Wskocz do wnętrza Step Over - Przeskocz + Przeskocz Step Out - Wyskocz na zewnątrz + Wyskocz na zewnątrz Inspect @@ -50276,7 +50301,7 @@ Refusing to record test case "%2". Type - Typ + Typ Squish Locals @@ -50284,7 +50309,7 @@ Refusing to record test case "%2". Object - Obiekt + Obiekt Squish Objects @@ -50296,7 +50321,7 @@ Refusing to record test case "%2". Continue - Kontynuuj + Kontynuuj &Squish @@ -50312,15 +50337,15 @@ Refusing to record test case "%2". Result - Wynik + Wynik Message - Komunikat + Komunikat Time - Czas + Czas Could not get Squish license from server. @@ -50368,7 +50393,7 @@ Refusing to record test case "%2". General - Ogólne + Ogólne Maximum startup time: @@ -50400,15 +50425,15 @@ Refusing to record test case "%2". Name: - Nazwa: + Nazwa: Host: - Host: + Host: Port: - + Port: Add Attachable AUT @@ -50416,11 +50441,11 @@ Refusing to record test case "%2". Add - Dodaj + Dodaj Edit - + Zmodyfikuj Mapped AUTs @@ -50469,7 +50494,7 @@ Squish server finished with process error %1. %1 (none) - %1 (brak) + %1 (brak) Refusing to run a test case. @@ -50593,11 +50618,11 @@ Wait until it has finished and try again. <None> - <Brak> + <Brak> Key is not an object. - Klucz nie jest obiektem. + Klucz nie jest obiektem. Key 'mode' is not set. @@ -50610,12 +50635,14 @@ Wait until it has finished and try again. Could not merge results into single results.xml. Destination file "%1" already exists. - + Nie można scalić rezultatów w jednym pliku results.xml. +Plik docelowy "%1" już istnieje. Could not merge results into single results.xml. Failed to open file "%1". - + Nie można scalić rezultatów w jednym pliku results.xml. +Nie można otworzyć pliku "%1". Error while parsing first test result. @@ -50882,18 +50909,18 @@ Failed to open file "%1". Waiting for data... - Oczekiwanie na dane... + Oczekiwanie na dane... QtC::Terminal Terminal - Terminal + Terminal Configure... - Konfiguruj... + Konfiguruj... Sends Esc to terminal instead of %1. @@ -50916,27 +50943,27 @@ Failed to open file "%1". New Terminal - + Nowy terminal Create a new Terminal. - + Utwórz nowy terminal. Next Terminal - + Następny terminal Previous Terminal - + Poprzedni terminal Close the current Terminal. - + Zamknij bieżący terminal. Devices - Urządzenia + Urządzenia The color used for %1. @@ -50944,7 +50971,7 @@ Failed to open file "%1". Failed to open file. - + Nie można otworzyć pliku. JSON parsing error: "%1", at offset: %2 @@ -50952,19 +50979,19 @@ Failed to open file "%1". No colors found. - + Brak kolorów. Invalid color format. - + Niepoprawny format koloru. Unknown color scheme format. - + Niepoprawny format schematu kolorów. Use internal terminal - + Używaj wewnętrznego terminala Uses the internal terminal when "Run In Terminal" is enabled and for "Open Terminal here". @@ -50972,7 +50999,7 @@ Failed to open file "%1". Family: - Rodzina: + Rodzina: The font family used in the terminal. @@ -50980,7 +51007,7 @@ Failed to open file "%1". Size: - Rozmiar: + Rozmiar: The font size used in the terminal (in points). @@ -50988,7 +51015,7 @@ Failed to open file "%1". Allow blinking cursor - + Mrugający kursor Allow the cursor to blink. @@ -50996,7 +51023,7 @@ Failed to open file "%1". Shell path: - + Ścieżka powłoki: The shell executable to be started. @@ -51004,7 +51031,7 @@ Failed to open file "%1". Shell arguments: - + Argumenty powłoki: The arguments to be passed to the shell. @@ -51020,7 +51047,7 @@ Failed to open file "%1". Block shortcuts in terminal - + Blokuj skróty w terminalu Keeps Qt Creator shortcuts from interfering with the terminal. @@ -51028,7 +51055,7 @@ Failed to open file "%1". Audible bell - + Słyszalny dzwonek Makes the terminal beep when a bell character is received. @@ -51036,7 +51063,7 @@ Failed to open file "%1". Enable mouse tracking - + Odblokuj śledzenie myszki Enables mouse tracking in the terminal. @@ -51044,55 +51071,55 @@ Failed to open file "%1". Load Theme... - + Załaduj motyw... Reset Theme - + Zresetuj motyw Copy Theme - + Skopiuj motyw Error - Błąd + Błąd General - Ogólne + Ogólne Font - Czcionka + Czcionka Colors - + Kolory Foreground - + Kolor pierwszoplanowy Background - + Kolor tła Selection - Selekcja + Selekcja Find match - + Pasujący wynik Default Shell - + Domyślna powłoka Connecting... - + Łączenie... Failed to start shell: %1 @@ -51112,19 +51139,19 @@ Failed to open file "%1". Copy - Skopiuj + Skopiuj Paste - Wklej + Wklej Clear Selection - Usuń selekcję + Usuń selekcję Clear Terminal - + Wyczyść terminal Move Cursor Word Left @@ -51136,7 +51163,7 @@ Failed to open file "%1". Close Terminal - + Zamknij terminal @@ -51203,7 +51230,7 @@ Failed to open file "%1". <p align='center'><b>Builtin color schemes need to be <a href="copy">copied</a><br/> before they can be changed</b></p> - + <p align='center'><b>Wbudowane schematy kolorów muszą zostać <a href="copy">skopiowane</a><br/> zanim zostaną zmienione.</b></p> Unset foreground. @@ -51260,11 +51287,11 @@ A value less than 100% can result in overlapping and misaligned graphics. Import - Zaimportuj + Zaimportuj Export - + Wyeksportuj Zoom: @@ -51406,11 +51433,11 @@ A value less than 100% can result in overlapping and misaligned graphics. Line spacing: - + Odstępy między liniami: Color Scheme for Theme "%1" - + Schemat kolorów dla motywu "%1" Copy Color Scheme @@ -51434,15 +51461,15 @@ A value less than 100% can result in overlapping and misaligned graphics. Import Color Scheme - + Zaimportuj schemat kolorów Color scheme (*.xml);;All files (*) - + Schemat kolorów (*.xml);;Wszystkie pliki (*) Export Color Scheme - + Wyeksportuj schemat kolorów Color Scheme Changed @@ -51474,7 +51501,7 @@ A value less than 100% can result in overlapping and misaligned graphics. Jumps to the given line in the current document. - + Skacze do podanej linii w bieżącym dokumencie. <line>:<column> @@ -51494,11 +51521,11 @@ A value less than 100% can result in overlapping and misaligned graphics. Meta+Shift+M - + Meta+Shift+M Ctrl+Shift+M - + Ctrl+Shift+M Display Function Hint @@ -51506,11 +51533,11 @@ A value less than 100% can result in overlapping and misaligned graphics. Meta+Shift+D - + Meta+Shift+D Ctrl+Shift+D - + Ctrl+Shift+D Trigger Refactoring Action @@ -51715,19 +51742,19 @@ Used to mark containing function of the symbol usage. Concept - + Koncepcja Name of a concept. - + Nazwa koncepcji. Namespace - + Przestrzeń nazw Name of a namespace. - + Nazwa przestrzeni nazw. Local @@ -51739,11 +51766,11 @@ Used to mark containing function of the symbol usage. Parameter - + Parametr Function or method parameters. - + Parametry funkcji lub metody. Field @@ -51775,11 +51802,11 @@ Used to mark containing function of the symbol usage. Function Definition - + Definicja funkcji Name of function at its definition. - + Nazwa funkcji przy jej definicji. Virtual Function @@ -51803,7 +51830,7 @@ Used to mark containing function of the symbol usage. Static Member - + Składnik statyczny Names of static fields or member functions. @@ -52070,11 +52097,11 @@ To style user-defined operators, use Overloaded Operator. Macro - Makro + Makro Macros. - + Makra. Doxygen tags. @@ -52280,15 +52307,15 @@ Nie zostanie zastosowane do białych znaków w komentarzach i ciągach znakowych Reload Definitions - + Przeładuj definicje Reload externally modified definition files. - + Przeładuj zewnętrzenie zmodyfikowane pliki z definicjami. Reset Remembered Definitions - + Zresetuj zapamiętane definicje Reset definitions remembered for files that can be associated with more than one highlighter definition. @@ -52296,11 +52323,11 @@ Nie zostanie zastosowane do białych znaków w komentarzach i ciągach znakowych User Highlight Definition Files - + Pliki użytkownika z definicjami podświetleń Download finished - + Pobieranie zakończone Generic Highlighter @@ -52344,7 +52371,7 @@ Nie zostanie zastosowane do białych znaków w komentarzach i ciągach znakowych Group: - Grupa: + Grupa: Snippets @@ -52555,7 +52582,7 @@ Ustala, jak klawisz "Backspace" reaguje na wcięcia. Default encoding: - Domyślne kodowanie: + Domyślne kodowanie: Add If Encoding Is UTF-8 @@ -52579,19 +52606,19 @@ Ustala, jak klawisz "Backspace" reaguje na wcięcia. Prefer single line comments - + Preferuj komentarze w pojedynczych liniach Automatic - Automatyczny + Automatyczna At Line Start - + Na początku linii After Whitespace - + Po spacji Specifies where single line comments should be positioned. @@ -52611,11 +52638,11 @@ Ustala, jak klawisz "Backspace" reaguje na wcięcia. Preferred comment position: - + Preferowana pozycja komentarzy: Skip clean whitespace for file types: - + Omiń usuwanie dla pików typu: For the file patterns listed, do not trim trailing whitespace. @@ -52646,7 +52673,7 @@ Ustala, jak klawisz "Backspace" reaguje na wcięcia. Enable built-in camel case &navigation - + Odblokuj wbudowaną &nawigację camel case On Mouseover @@ -52662,7 +52689,7 @@ Ustala, jak klawisz "Backspace" reaguje na wcięcia. Default line endings: - + Domyślne zakończenia linii: Show help tooltips using the mouse: @@ -52710,19 +52737,19 @@ Ustala, jak klawisz "Backspace" reaguje na wcięcia. Display line &numbers - Wyświetlaj &numery linii + Wyświetlanie &numerów linii Highlight current &line - Podświetlaj bieżącą &linię + Podświetlanie bieżącej &linii Display &folding markers - Wyświetlaj znaczniki &składania bloków + Wyświetlanie znaczników &składania bloków Highlight &blocks - Podświetlaj &bloki + Podświetlanie &bloków <i>Set <a href="font zoom">font line spacing</a> to 100% to enable text wrapping option.</i> @@ -52730,11 +52757,11 @@ Ustala, jak klawisz "Backspace" reaguje na wcięcia. Tint whole margin area - + Wycieniuj cały obszar marginesu Use context-specific margin - + Używaj marginesu w zależności od kontekstu If available, use a different margin. For example, the ColumnLimit from the ClangFormat plugin. @@ -52746,11 +52773,11 @@ Ustala, jak klawisz "Backspace" reaguje na wcięcia. Visualize indent - + Wizualizacja wcięć Display file line ending - + Wyświetlanie zakończeń linii &Visualize whitespace @@ -52758,19 +52785,19 @@ Ustala, jak klawisz "Backspace" reaguje na wcięcia. Between lines - + Pomiędzy liniami Line annotations - + Adnotacje linii Margin - Margines + Margines Wrapping - + Zawijanie &Animate matching parentheses @@ -52778,11 +52805,11 @@ Ustala, jak klawisz "Backspace" reaguje na wcięcia. Auto-fold first &comment - Zwijaj automatycznie początkowy &komentarz + Automatyczne zwijanie początkowego &komentarza Center &cursor on scroll - Wyśrodkowuj przy &przewijaniu + Wyśrodkowanie przy &przewijaniu Enable text &wrapping @@ -52794,7 +52821,7 @@ Ustala, jak klawisz "Backspace" reaguje na wcięcia. &Highlight matching parentheses - Podświetlaj pasujące n&awiasy + Podświetlanie pasujących n&awiasów Always open links in another split @@ -52810,11 +52837,11 @@ Ustala, jak klawisz "Backspace" reaguje na wcięcia. Highlight search results on the scrollbar - Podświetlaj rezultaty wyszukiwań na pasku przewijania + Podświetlanie rezultatów wyszukiwań na pasku przewijania Animate navigation within file - + Nawigacja animowana w pliku Next to editor content @@ -53010,7 +53037,7 @@ Wpływa na wcięcia przeniesionych linii. Diff Against Current File - Pokaż różnice w stosunku do bieżącego pliku + Pokaż różnice w stosunku do bieżącego pliku Opening File @@ -53018,11 +53045,11 @@ Wpływa na wcięcia przeniesionych linii. Cursors: %2 - + Kursory: %2 Cursor position: %1 - + Pozycja kursora: %1 (Sel: %1) @@ -53030,15 +53057,15 @@ Wpływa na wcięcia przeniesionych linii. Cursors: - + Kursory: Line: - Linia: + Linia: Column: - + Kolumna: Selection length: @@ -53050,7 +53077,7 @@ Wpływa na wcięcia przeniesionych linii. Anchor: - + Kotwica: Unix Line Endings (LF) @@ -53074,11 +53101,11 @@ Wpływa na wcięcia przeniesionych linii. LF - + LF CRLF - + CRLF The text is too large to be displayed (%1 MB). @@ -53146,7 +53173,7 @@ Wpływa na wcięcia przeniesionych linii. Ctrl+Backspace - + Ctrl+Backspace Delete Word up to Cursor @@ -53258,39 +53285,39 @@ Wpływa na wcięcia przeniesionych linii. Follow Type Under Cursor - + Podąż za typem pod kursorem Ctrl+Shift+F2 - + Ctrl+Shift+F2 Follow Type Under Cursor in Next Split - + Podąż za typem pod kursorem w sąsiadującym oknie Meta+E, Shift+F2 - Meta+E, Shift+F2 + Meta+E, Shift+F2 Ctrl+E, Ctrl+Shift+F2 - + Ctrl+E, Ctrl+Shift+F2 Find References to Symbol Under Cursor - + Znajdź odwołania do symbolu pod kursorem Ctrl+Shift+U - Ctrl+Shift+U + Ctrl+Shift+U Rename Symbol Under Cursor - Zmień nazwę symbolu pod kursorem + Zmień nazwę symbolu pod kursorem Ctrl+Shift+R - Ctrl+Shift+R + Ctrl+Shift+R Jump to File Under Cursor @@ -53302,7 +53329,7 @@ Wpływa na wcięcia przeniesionych linii. Open Call Hierarchy - + Otwórz hierarchię wywołań Move the View a Page Up and Keep the Cursor Position @@ -53350,11 +53377,11 @@ Wpływa na wcięcia przeniesionych linii. Paste Without Formatting - + Wklej bez formatowania Ctrl+Alt+Shift+V - + Ctrl+Alt+Shift+V Auto-&indent Selection @@ -53370,7 +53397,7 @@ Wpływa na wcięcia przeniesionych linii. Ctrl+; - + Ctrl+; &Rewrap Paragraph @@ -53438,15 +53465,15 @@ Wpływa na wcięcia przeniesionych linii. Copy With Highlighting - + Skopiuj z podświetleniami Create Cursors at Selected Line Ends - + Wstaw kursory na końcach zaznaczonych linii Alt+Shift+I - + Alt+Shift+I Add Next Occurrence to Selection @@ -53454,7 +53481,7 @@ Wpływa na wcięcia przeniesionych linii. Ctrl+D - + Ctrl+D &Duplicate Selection @@ -53490,15 +53517,15 @@ Wpływa na wcięcia przeniesionych linii. &Sort Selected Lines - + Po&sortuj zaznaczone linie Meta+Shift+S - + Meta+Shift+S Alt+Shift+S - + Alt+Shift+S Fold @@ -53586,11 +53613,11 @@ Wpływa na wcięcia przeniesionych linii. Go to Document Start - + Przejdź do początku dokumentu Go to Document End - + Przejdź do końca dokumentu Go to Line Start @@ -53703,7 +53730,7 @@ oczekiwania w ms: Character threshold: - + Próg znaków: Inserts the common prefix of available completion items. @@ -53711,7 +53738,7 @@ oczekiwania w ms: Autocomplete common &prefix - Automatycznie dopełniaj wspólny &przedrostek + Automatyczne dopełnianie wspólnego &przedrostka Splits a string into two lines by adding an end quote at the cursor position when you press Enter and a start quote to the next line, before the rest of the string. @@ -53723,7 +53750,7 @@ Ponadto, naciśnięcie kombinacji "Shift+Enter" powoduje wstawienie zn Automatically split strings - Automatycznie dziel ciągi tekstowe + Automatycznie dzielenie ciągów tekstowych po naciśnięciu klawisza Enter @@ -53756,7 +53783,7 @@ po naciśnięciu klawisza Enter Surround text selection with brackets - Otaczaj zaznaczony tekst nawiasami + Otaczanie zaznaczonego tekstu nawiasami Insert &space after function name @@ -53768,7 +53795,7 @@ po naciśnięciu klawisza Enter Surround text selection with quotes - Otaczaj zaznaczony tekst cudzysłowami + Otaczanie zaznaczonego tekstu cudzysłowami Show a visual hint when for example a brace or a quote is automatically inserted by the editor. @@ -53776,7 +53803,7 @@ po naciśnięciu klawisza Enter Animate automatically inserted text - Animuj wstawiany tekst + Animowanie wstawianego tekstu Highlight automatically inserted text @@ -53814,7 +53841,7 @@ po naciśnięciu klawisza backspace Doxygen command prefix: - + Przedrostek komendy doxygen: Doxygen allows "@" and "\" to start commands. @@ -53976,7 +54003,7 @@ if the comment starts with "/*!" or "//! Copy to Clipboard - Skopiuj do schowka + Skopiuj do schowka Copy SHA1 to Clipboard @@ -53984,47 +54011,47 @@ if the comment starts with "/*!" or "//! Sort Alphabetically - Posortuj alfabetycznie + Posortuj alfabetycznie Unix (LF) - + Unix (LF) Windows (CRLF) - + Windows (CRLF) Cannot create temporary file "%1": %2. - Nie można utworzyć tymczasowego pliku "%1": %2. + Nie można utworzyć tymczasowego pliku "%1": %2. Failed to format: %1. - Nie można sformatować: %1. + Nie można sformatować: %1. Cannot read file "%1": %2. - Nie można odczytać pliku "%1": %2. + Nie można odczytać pliku "%1": %2. Cannot call %1 or some other error occurred. Timeout reached while formatting file %2. - Nie można wywołać %1 lub wystąpił inny błąd. Przekroczono limit czasu oczekiwania na sformatowanie pliku %2. + Nie można wywołać %1 lub wystąpił inny błąd. Przekroczono limit czasu oczekiwania na sformatowanie pliku %2. Error in text formatting: %1 - + Błąd formatowania tekstu: %1 Could not format file %1. - Nie można sformatować pliku %1. + Nie można sformatować pliku %1. File %1 was closed. - Zamknięto plik %1. + Zamknięto plik %1. File was modified. - Zmodyfikowano plik. + Zmodyfikowano plik. Highlighter updates: done @@ -54040,7 +54067,7 @@ if the comment starts with "/*!" or "//! Emphasis - + Emfaza Strong @@ -54238,7 +54265,7 @@ if the comment starts with "/*!" or "//! Close - Zamknij + Zamknij Jump to previous event. @@ -54270,44 +54297,45 @@ if the comment starts with "/*!" or "//! [unknown] - [nieznany] + [nieznane] others - + pozostałe unknown - + nieznane No data available - Brak danych + Brak danych Edit note - + Zmodyfikuj notatkę Collapse - Zwiń + Zwiń Expand - Rozwiń + Rozwiń Could not open %1 for writing. - Nie można otworzyć "%1" do zapisu. + Nie można otworzyć "%1" do zapisu. Could not open %1 for reading. - Nie można otworzyć "%1" do odczytu. + Nie można otworzyć "%1" do odczytu. Could not re-read events from temporary trace file: %1 The trace data is lost. - + Nie można odczytać ponownie zdarzeń z tymczasowego pliku z rejestrem: %1 +Zarejestrowane dane zostały utracone. @@ -54343,7 +54371,7 @@ The trace data is lost. %1 (%2) Package name and version - %1 (%2) + %1 (%2) Available updates: @@ -54454,7 +54482,7 @@ The trace data is lost. File name: - Nazwa pliku: + Nazwa pliku: Path: @@ -55117,7 +55145,7 @@ The trace data is lost. User: - Użytkownik: + Użytkownik: Password: @@ -55205,7 +55233,7 @@ The trace data is lost. Unsupported Merge Settings File - + Nieobsługiwany plik z ustawieniami scalania "%1" is not supported by %2. Do you want to try loading it anyway? @@ -55247,7 +55275,7 @@ To disable a variable, prefix the line with "#". The process failed to start. - Błąd uruchamiania procesu. + Błąd uruchamiania procesu. Failed to install shell script: %1 @@ -55330,37 +55358,37 @@ To disable a variable, prefix the line with "#". Name - Nazwa + Nazwa Size - Rozmiar + Rozmiar Kind Match OS X Finder - + Rodzaj Type All other platforms - Typ + Typ Date Modified - + Data modyfikacji &Show Details - &Pokaż szczegóły + &Pokaż szczegóły Do Not Show Again - Nie pokazuj ponownie + Nie pokazuj ponownie Close - Zamknij + Zamknij Null @@ -55380,15 +55408,15 @@ To disable a variable, prefix the line with "#". Array - + Tablica Object - Obiekt + Obiekt Undefined - Niezdefiniowana + Niezdefiniowane %n Items @@ -55432,27 +55460,27 @@ To disable a variable, prefix the line with "#". Minimize - Zminimalizuj + Zminimalizuj &OK - + &OK &Cancel - &Anuluj + &Anuluj Remove File - Usuń plik + Usuń plik Remove Folder - + Usuń katalog &Delete file permanently - &Skasuj plik bezpowrotnie + &Skasuj plik bezpowrotnie &Remove from version control @@ -55460,15 +55488,15 @@ To disable a variable, prefix the line with "#". File to remove: - Plik do usunięcia: + Plik do usunięcia: Folder to remove: - + Katalog do usunięcia: Elapsed time: %1. - Czas trwania: %1. + Czas trwania: %1. Could not find any shell. @@ -55504,35 +55532,35 @@ in "%2". Insert Variable - Wstaw zmienną + Wstaw zmienną Current Value: %1 - Bieżąca wartość: %1 + Bieżąca wartość: %1 Insert Unexpanded Value - Wstaw zwiniętą wartość + Wstaw zwiniętą wartość Insert "%1" - Wstaw "%1" + Wstaw "%1" Insert Expanded Value - Wstaw rozwiniętą wartość + Wstaw rozwiniętą wartość Select a variable to insert. - Wybierz zmienną do wstawienia. + Wybierz zmienną do wstawienia. Variables - Zmienne + Zmienne Invalid command - + Niepoprawna komenda @@ -55671,7 +55699,7 @@ in "%2". Backtrace frame count: - Głębokość stosu: + Głębokość stosu: Suppression files: @@ -55707,7 +55735,7 @@ in "%2". Valgrind arguments: - + Argumenty Valgrinda: Extra Memcheck arguments: @@ -55715,15 +55743,15 @@ in "%2". KCachegrind executable: - + Plik wykonywalny KCachegrind: KCachegrind Command - + Komenda KCachegrind Extra Callgrind arguments: - + Dodatkowe argumenty Callgrinda: Enable cache simulation @@ -55763,7 +55791,7 @@ With cache simulation, further event counters are enabled: Valgrind Generic Settings - + Ogólne ustawienia Valgrinda Memcheck Memory Analysis Options @@ -55771,7 +55799,7 @@ With cache simulation, further event counters are enabled: Callgrind Profiling Options - + Opcje profilowania Callgrinda Collect global bus events @@ -55859,7 +55887,7 @@ With cache simulation, further event counters are enabled: Failed opening temp file... - + Błąd otwierania tymczasowego pliku... Function: @@ -56057,11 +56085,11 @@ Kiedy zostaje wykryty problem, aplikacja jest zatrzymywana i może zostać zdebu Heob - + Heob Ctrl+Alt+H - + Ctrl+Alt+H Valgrind Memory Analyzer (External Application) @@ -56069,19 +56097,19 @@ Kiedy zostaje wykryty problem, aplikacja jest zatrzymywana i może zostać zdebu Heob: No local run configuration available. - + Heob: Brak dostępnej lokalnej konfiguracji uruchamiania. Heob: No toolchain available. - + Heob: Brak dostępnego zestawu narzędzi. Heob: No executable set. - + Heob: nie ustawiono pliku wykonywalnego. Heob: Cannot find %1. - + Heob: brak %1. The %1 executables must be in the appropriate location. @@ -56093,7 +56121,7 @@ Kiedy zostaje wykryty problem, aplikacja jest zatrzymywana i może zostać zdebu Heob: Cannot create %1 process (%2). - + Heob: Nie można utworzyć procesu %1 (%2). A Valgrind Memcheck analysis is still in progress. @@ -56185,7 +56213,7 @@ Kiedy zostaje wykryty problem, aplikacja jest zatrzymywana i może zostać zdebu None - Brak + Brak Simple @@ -56229,11 +56257,11 @@ Kiedy zostaje wykryty problem, aplikacja jest zatrzymywana i może zostać zdebu Extra arguments: - Dodatkowe argumenty: + Dodatkowe argumenty: Heob path: - + Ścieżka do Heob: The location of heob32.exe and heob64.exe. @@ -56245,7 +56273,7 @@ Kiedy zostaje wykryty problem, aplikacja jest zatrzymywana i może zostać zdebu OK - OK + OK Default @@ -56261,7 +56289,7 @@ Kiedy zostaje wykryty problem, aplikacja jest zatrzymywana i może zostać zdebu %1 (copy) - %1 (kopia) + %1 (kopia) Delete Heob Profile @@ -56273,7 +56301,7 @@ Kiedy zostaje wykryty problem, aplikacja jest zatrzymywana i może zostać zdebu Process %1 - Proces %1 + Proces %1 Process finished with exit code %1 (0x%2). @@ -56325,7 +56353,7 @@ Kiedy zostaje wykryty problem, aplikacja jest zatrzymywana i może zostać zdebu Heob: %1 - + Heob: %1 Heob: Failure in process attach handshake (%1). @@ -56377,15 +56405,15 @@ Kiedy zostaje wykryty problem, aplikacja jest zatrzymywana i może zostać zdebu Valgrind Function Profiler uses the Callgrind tool to record function calls when a program runs. - Valgrind Function Profiler używa narzędzia Callgrind do śledzenia wywołań funkcji w trakcie działania programu. + Profiler funkcji Valgrind używa narzędzia Callgrind do śledzenia wywołań funkcji w trakcie działania programu. Valgrind Function Profiler - Valgrind Function Profiler + Profiler funkcji Valgrind Valgrind Function Profiler (External Application) - Valgrind Function Profiler (aplikacja zewnętrzna) + Profiler funkcji Valgrind (aplikacja zewnętrzna) Profile Costs of This Function and Its Callees @@ -56537,7 +56565,7 @@ Kiedy zostaje wykryty problem, aplikacja jest zatrzymywana i może zostać zdebu Callgrind Output (callgrind.out*);;All Files (*) - Wyjście Callgrind (callgrind.out*);;Wszystkie pliki (*) + Komunikaty Callgrind (callgrind.out*);;Wszystkie pliki (*) Callgrind: Failed to open file for reading: %1 @@ -56622,27 +56650,27 @@ Check settings or ensure Valgrind is installed and available in PATH. Packages: - + Pakiety: Package Details - + Szczegóły pakietu Name: - Nazwa: + Nazwa: Version: - Wersja: + Wersja: License: - Licencja: + Licencja: Description: - Opis: + Opis: Homepage: @@ -56693,7 +56721,7 @@ Check settings or ensure Valgrind is installed and available in PATH. &Close - &Zamknij + &Zamknij &Keep Editing @@ -56895,11 +56923,11 @@ Check settings or ensure Valgrind is installed and available in PATH. Commit name of "commit" action of the VCS. Name of the "commit" action of the VCS - Utwórz poprawkę + Utwórz poprawkę Close Commit Editor - Zamknij edytor poprawek + Zamknij edytor poprawek Closing this editor will abort the commit. @@ -56935,7 +56963,7 @@ Check settings or ensure Valgrind is installed and available in PATH. A version control repository has been created in %1. - Repozytorium systemu kontroli wersji została utworzona w %1. + Repozytorium systemu kontroli wersji zostało utworzone w %1. A version control repository could not be created in %1. @@ -57156,11 +57184,11 @@ Sprawdź dokumentację SSH i zmienną środowiskową SSH_ASKPASS. Running: %1 - + Uruchamianie: %1 Running in "%1": %2. - + Uruchamianie w "%1": %2. Working... @@ -57196,7 +57224,7 @@ Sprawdź dokumentację SSH i zmienną środowiskową SSH_ASKPASS. Command started... - Komenda uruchomiona... + Komenda uruchomiona... Checkout @@ -57224,74 +57252,74 @@ Sprawdź dokumentację SSH i zmienną środowiskową SSH_ASKPASS. No job running, please abort. - Brak uruchomionych zadań, przerwij. + Brak uruchomionych zadań, przerwij. Succeeded. - Poprawnie zakończone. + Poprawnie zakończone. Failed. - Niepoprawnie zakończone. + Niepoprawnie zakończone. Fossil File Log Editor - + Edytor logu plików Fossil Fossil Annotation Editor - + Edytor adnotacji Fossil Fossil Diff Editor - + Edytor różnic Fossil Fossil Commit Log Editor - + Edytor poprawek Fossil &Undo - &Cofnij + &Cofnij &Redo - &Przywróć + &Przywróć Diff &Selected Files - Pokaż różnice w &zaznaczonych plikach + Pokaż różnice w &zaznaczonych plikach Log count: - Licznik logu: + Licznik logu: Timeout: - Limit czasu oczekiwania: + Limit czasu oczekiwania: s - s + s Reload - Przeładuj + Przeładuj &Open "%1" - + &Otwórz "%1" &Copy to clipboard: "%1" - + &Skopiuj do schowka: "%1" QtC::WebAssembly Web Browser - + Przeglądarka sieciowa WebAssembly Runtime @@ -57316,11 +57344,11 @@ Sprawdź dokumentację SSH i zmienną środowiskową SSH_ASKPASS. Default Browser - + Domyślna przeglądarka Web browser: - + Przeglądarka sieciowa: Effective emrun call: @@ -57360,7 +57388,7 @@ Sprawdź dokumentację SSH i zmienną środowiskową SSH_ASKPASS. WebAssembly - + WebAssembly Emscripten Compiler @@ -57379,31 +57407,31 @@ Sprawdź dokumentację SSH i zmienną środowiskową SSH_ASKPASS. QtC::Welcome Welcome - Powitanie + Start New to Qt? - Nowicjusz? + Dopiero zaczynasz? UI Tour - + Wycieczka po UI Create Project... - + Utwórz projekt... Open Project... - + Otwórz projekt... Get Started - + Zacznij tutaj Get Qt - + Pobierz Qt Qt Account @@ -57423,11 +57451,11 @@ Sprawdź dokumentację SSH i zmienną środowiskową SSH_ASKPASS. Would you like to take a quick UI tour? This tour highlights important user interface elements and shows how they are used. To take the tour later, select Help > UI Tour. - + Chcesz wziąć udział w krótkiej wycieczce po UI? Pozwoli ci to zwrócic uwagę na ważne elementy interfejsu użytkownika i pokazać, w jaki sposób są one używane. Aby skorzystać z niej później, wybierz Pomoc > Wycieczka po UI. Take UI Tour - + Wycieczka po UI Mode Selector @@ -57475,7 +57503,7 @@ Sprawdź dokumentację SSH i zmienną środowiskową SSH_ASKPASS. Locator - Lokalizator + Lokalizator Type here to open a file from any open project. @@ -57487,7 +57515,7 @@ Sprawdź dokumentację SSH i zmienną środowiskową SSH_ASKPASS. Output - Komunikaty + Komunikaty Find compile and application output here, as well as a list of configuration and build issues, and the panel for global searches. @@ -57495,7 +57523,7 @@ Sprawdź dokumentację SSH i zmienną środowiskową SSH_ASKPASS. Progress Indicator - + Wskaźnik postępu Progress information about running tasks is shown here. @@ -57594,7 +57622,7 @@ Sprawdź dokumentację SSH i zmienną środowiskową SSH_ASKPASS. [unnamed] - [nienazwany] + [nienazwane] Show Definition @@ -57782,11 +57810,11 @@ Sprawdź dokumentację SSH i zmienną środowiskową SSH_ASKPASS. Connection - Połączenie + Połączenie Connections - Połączenia + Połączenia Position and size: @@ -57886,7 +57914,7 @@ Sprawdź dokumentację SSH i zmienną środowiskową SSH_ASKPASS. none - + brak Annotation @@ -58116,7 +58144,7 @@ Sprawdź dokumentację SSH i zmienną środowiskową SSH_ASKPASS. Value 1 - + Wartość 1 Sets the value of the first range slider handle. @@ -58132,7 +58160,7 @@ Sprawdź dokumentację SSH i zmienną środowiskową SSH_ASKPASS. Value 2 - + Wartość 2 Sets the value of the second range slider handle. @@ -58140,7 +58168,7 @@ Sprawdź dokumentację SSH i zmienną środowiskową SSH_ASKPASS. From - Od + Od Sets the minimum value of the range slider. @@ -58148,7 +58176,7 @@ Sprawdź dokumentację SSH i zmienną środowiskową SSH_ASKPASS. To - Do + Do Sets the maximum value of the range slider. @@ -58156,7 +58184,7 @@ Sprawdź dokumentację SSH i zmienną środowiskową SSH_ASKPASS. Step size - Rozmiar kroku + Rozmiar kroku Sets the interval between the steps. @@ -58165,7 +58193,7 @@ This functions if <b>Snap mode</b> is selected. Drag threshold - + Próg przeciągania Sets the threshold at which a drag event begins. @@ -58173,7 +58201,7 @@ This functions if <b>Snap mode</b> is selected. Snap mode - Tryb przyciągania + Tryb przyciągania Sets how the slider handles snaps to the steps @@ -58182,7 +58210,7 @@ defined in step size. Orientation - Orientacja + Orientacja Sets the orientation of the range slider. @@ -58193,31 +58221,31 @@ defined in step size. RectangleSpecifics Rectangle - + Prostokąt Fill color - + Kolor wypełnienia Sets the color for the background. - + Ustawia kolor tła. Border color - + Kolor brzegu Sets the color for the border. - + Ustawia kolor brzegu. Border width - + Szerokość brzegu Sets the border width. - + Ustawia szerokość brzegu. Radius @@ -58225,7 +58253,7 @@ defined in step size. Sets the radius by which the corners get rounded. - + Ustawia promień zaokrągleń narożników. @@ -58239,7 +58267,7 @@ defined in step size. RenameFolderDialog Rename Folder - Zmień nazwę katalogu + Zmień nazwę katalogu Folder name cannot be empty. @@ -58255,11 +58283,11 @@ defined in step size. Rename - Zmień nazwę + Zmień nazwę Cancel - Anuluj + Anuluj @@ -58270,7 +58298,7 @@ defined in step size. Model - Model + Model The model providing data for the repeater. This can simply specify the number of delegate instances to create or it can be bound to an actual model. @@ -58300,7 +58328,7 @@ defined in step size. ResetView Reset View - + Zresetuj widok @@ -58314,31 +58342,31 @@ defined in step size. RoundButtonSpecifics Round Button - + Zaokrąglony przycisk Appearance - + Wygląd Toggles if the button is flat or highlighted. - + Przełącza wygląd przycisku pomiędzy płaskim a podświetlonym. Flat - + Płaski Highlight - + Podświetlony Radius - Promień + Promień Sets the radius of the button. - + Ustawia promień przycisku. @@ -58394,7 +58422,7 @@ defined in step size. Content size - Rozmiar zawartości + Rozmiar zawartości Sets the width and height of the view. @@ -58405,7 +58433,7 @@ This is used for calculating the total implicit size. W width The width of the object - + S Content width used for calculating the total implicit width. @@ -58415,7 +58443,7 @@ This is used for calculating the total implicit size. H height The height of the object - H + W Content height used for calculating the total implicit height. @@ -58423,32 +58451,32 @@ This is used for calculating the total implicit size. Font - Czcionka + Czcionka SearchBox Search - Wyszukaj + Wyszukaj Section Expand All - Rozwiń wszystko + Rozwiń wszystko Collapse All - Zwiń wszystko + Zwiń wszystko SelectBackgroundColorAction Select Background Color - + Wybierz kolor tła Select a color for the background of the 3D view. @@ -58459,7 +58487,7 @@ This is used for calculating the total implicit size. SelectGridColorAction Select Grid Color - + Wybierz kolor siatki Select a color for the grid lines of the 3D view. @@ -58552,7 +58580,7 @@ This is used for calculating the total implicit size. From - Od + Od The starting value of the slider range. @@ -58560,7 +58588,7 @@ This is used for calculating the total implicit size. To - Do + Do The ending value of the slider range. @@ -58580,7 +58608,7 @@ This is used for calculating the total implicit size. Snap mode - Tryb przyciągania + Tryb przyciągania The snap mode of the slider. @@ -58670,7 +58698,7 @@ This is used for calculating the total implicit size. Position - Pozycja + Pozycja Snap position. @@ -58682,7 +58710,7 @@ This is used for calculating the total implicit size. Rotation - Rotacja + Rotacja Snap rotation. @@ -58694,7 +58722,7 @@ This is used for calculating the total implicit size. Scale - Skala + Skala Snap scale. @@ -58718,7 +58746,7 @@ This is used for calculating the total implicit size. % - % + % Reset All @@ -58740,7 +58768,7 @@ This is used for calculating the total implicit size. Source - Źródło + Źródło The source file for the sound to be played. @@ -58748,7 +58776,7 @@ This is used for calculating the total implicit size. Volume - + Głośność Set the overall volume for this sound source. @@ -58757,7 +58785,7 @@ Values between 0 and 1 will attenuate the sound, while values above 1 provide an Loops - + Ilość pętli Sets how often the sound is played before the player stops. @@ -58782,7 +58810,7 @@ Bind to SpatialSound.Infinite to loop the current sound forever. Size - Rozmiar + Rozmiar Set the size of the sound source. @@ -58850,7 +58878,7 @@ A near field gain of 1 will raise the volume of the sound signal by approx 20 dB Value - Wartość + Wartość Sets the current value of the spin box. @@ -58858,7 +58886,7 @@ A near field gain of 1 will raise the volume of the sound signal by approx 20 dB From - Od + Od Sets the lowest value of the spin box range. @@ -58866,7 +58894,7 @@ A near field gain of 1 will raise the volume of the sound signal by approx 20 dB To - Do + Do Sets the highest value of the spin box range. @@ -58874,7 +58902,7 @@ A near field gain of 1 will raise the volume of the sound signal by approx 20 dB Step size - Rozmiar kroku + Rozmiar kroku Sets the number by which the spin box value changes. @@ -58882,7 +58910,7 @@ A near field gain of 1 will raise the volume of the sound signal by approx 20 dB Editable - + Modyfikowalny Toggles if the spin box is editable. @@ -58921,14 +58949,14 @@ it reaches the start or end. Current index - Bieżący indeks + Bieżący indeks StackViewSpecifics Font - Czcionka + Czcionka @@ -58946,7 +58974,7 @@ it reaches the start or end. Text color - + Kolor tekstu Wrap mode @@ -59041,11 +59069,11 @@ it reaches the start or end. StateMenu Clone - Sklonuj + Sklonuj Delete - + Usuń Show Thumbnail @@ -59061,7 +59089,7 @@ it reaches the start or end. Reset when Condition - Zresetuj przy spełnionym warunku + Zresetuj przy spełnionym warunku Edit Annotation @@ -59080,11 +59108,11 @@ it reaches the start or end. StateSpecifics State - Stan + Stan When - + Gdy Sets when the state should be applied. @@ -59092,7 +59120,7 @@ it reaches the start or end. Name - Nazwa + Nazwa The name of the state. @@ -59150,7 +59178,7 @@ it reaches the start or end. StatementEditor Item - Element + Element Sets the component that is affected by the action of the <b>Target</b> component's <b>Signal</b>. @@ -59158,7 +59186,7 @@ it reaches the start or end. Method - + Metoda Sets the item component's method that is affected by the <b>Target</b> component's <b>Signal</b>. @@ -59166,7 +59194,7 @@ it reaches the start or end. From - Od + Od Sets the component and its property from which the value is copied when the <b>Target</b> component initiates the <b>Signal</b>. @@ -59174,7 +59202,7 @@ it reaches the start or end. To - Do + Do Sets the component and its property to which the copied value is assigned when the <b>Target</b> component initiates the <b>Signal</b>. @@ -59190,7 +59218,7 @@ it reaches the start or end. State - Stan + Stan Sets a <b>State</b> within the assigned <b>State Group</b> that is accessed when the <b>Target</b> component initiates the <b>Signal</b>. @@ -59198,7 +59226,7 @@ it reaches the start or end. Property - Właściwość + Właściwość Sets the property of the component that is affected by the action of the <b>Target</b> component's <b>Signal</b>. @@ -59206,7 +59234,7 @@ it reaches the start or end. Value - Wartość + Wartość Sets the value of the property of the component that is affected by the action of the <b>Target</b> component's <b>Signal</b>. @@ -59214,7 +59242,7 @@ it reaches the start or end. Message - Komunikat + Komunikat Sets a text that is printed when the <b>Signal</b> of the <b>Target</b> component initiates. @@ -59229,59 +59257,59 @@ it reaches the start or end. StudioWelcome::Internal::ProjectModel Created with Qt Design Studio version: %1 - + Utworzono przy użyciu Qt Desing Studio w wersji: %1 Resolution: %1x%2 - + Rozdzielczość: %1x%2 Created: %1 - + Utworzono: %1 Last Edited: %1 - + Ostatnio zmodyfikowano: %1 StudioWelcome::Internal::UsageStatisticPluginModel The change will take effect after restart. - + Zmiana zostanie zastosowana po ponownym uruchomieniu. StudioWelcome::Internal::WelcomeMode Welcome - Powitanie + Start StudioWelcome::PresetModel Recents - + Ostatnie Custom - Własny + Własne StudioWelcome::QdsNewDialog New Project - Nowy projekt + Nowy projekt Failed to initialize data. - + Błąd inicjalizacji danych. Choose Directory - Wybierz katalog + Wybierz katalog Save Preset @@ -59296,7 +59324,7 @@ it reaches the start or end. Styles Style - Styl + Styl All @@ -59334,15 +59362,15 @@ it reaches the start or end. Orientation - Orientacja + Orientacja Sets the orientation of the view. - + Ustawia orientację widoku. Font - Czcionka + Czcionka @@ -59364,7 +59392,7 @@ it reaches the start or end. Position - Pozycja + Pozycja Sets the position of the tab bar. @@ -59372,7 +59400,7 @@ it reaches the start or end. Content size - Rozmiar zawartości + Rozmiar zawartości Sets the width and height of the tab bar. @@ -59383,7 +59411,7 @@ This is used for calculating the total implicit size. W width The width of the object - + S Content width used for calculating the total implicit width. @@ -59393,7 +59421,7 @@ This is used for calculating the total implicit size. H height The height of the object - H + W Content height used for calculating the total implicit height. @@ -59439,19 +59467,19 @@ This is used for calculating the total implicit size. TemplateMerge Merge With Template - + Scal z szablonem &Browse... - + &Przeglądaj... Template: - Szablon: + Szablon: Browse Template - + Przeglądnij szablon @@ -59549,7 +59577,7 @@ This is used for calculating the total implicit size. Wrap mode - Tryb zawijania + Tryb zawijania Sets how overflowing text is handled. @@ -59565,7 +59593,7 @@ This is used for calculating the total implicit size. Format - Format + Format Sets the formatting method of the text. @@ -59573,7 +59601,7 @@ This is used for calculating the total implicit size. Render type - Typ renderingu + Typ renderingu Sets the rendering type for this component. @@ -59683,27 +59711,27 @@ This is used for calculating the total implicit size. Selection color - + Kolor selekcji Sets the background color of selected text. - + Ustawia kolor tła zaznaczonego tekstu. Selected text color - + Kolor zaznaczonego tekstu Sets the color of selected text. - + Ustawia kolor zaznaczonego tekstu. Selection mode - + Tryb selekcji Sets the way text is selected with the mouse. - + Ustawia sposób zaznaczania tekstu przy pomocy myszy. Input mask @@ -59711,7 +59739,7 @@ This is used for calculating the total implicit size. Sets the allowed characters. - + Ustawia dozwolone znaki. Echo mode @@ -59719,15 +59747,15 @@ This is used for calculating the total implicit size. Sets the visibility mode. - + Ustawia tryb widoczności. Password character - + Znak maskujący w hasłach Sets which character to display when passwords are entered. - + Ustawia znak który maskuje wpisywane znaki w hasłach. Tab stop distance @@ -59739,27 +59767,27 @@ This is used for calculating the total implicit size. Text margin - + Margines tekstu Margin around the text in the Text Edit in pixels. - + Margines wokół tekstu w polu tekstowym, w pikslach. Maximum length - + Maksymalna długość Sets the maximum length of the text. - + Ustawia maksymalną długość tekstu. Toggles if the cursor is visible. - + Przełącza widoczność kursora. Focus on press - Fokus po naciśnięciu + Fokus po naciśnięciu Toggles if the text is focused on mouse click. @@ -59771,11 +59799,11 @@ This is used for calculating the total implicit size. Overwrite mode - + Tryb nadpisywania Toggles if overwriting text is allowed. - + Przełącza możliwość nadpisywania tekstu. Persistent selection @@ -59787,11 +59815,11 @@ This is used for calculating the total implicit size. Select by mouse - + Zaznaczanie myszą Toggles if the text can be selected with the mouse. - + Przełącza możliwość zaznaczania tekstu przy pomocy myszy. Select by keyboard @@ -59803,7 +59831,7 @@ This is used for calculating the total implicit size. Toggles if the text allows edits. - + Przełącza możliwość edytowania tekstu. Cursor visible @@ -59818,11 +59846,11 @@ This is used for calculating the total implicit size. TextSection Text Area - Obszar tekstowy + Obszar tekstowy Placeholder text - Tekst zastępczy + Tekst zastępczy Placeholder text displayed when the editor is empty. @@ -59856,11 +59884,11 @@ This is used for calculating the total implicit size. TextureBrowserContextMenu Apply to selected model - + Zastosuj do wybranego modelu Apply to selected material - + Zastosuj do wybranego materiału Apply as light probe @@ -59868,137 +59896,137 @@ This is used for calculating the total implicit size. Duplicate - + Powiel Delete - + Usuń Create New Texture - + Utwórz nową teksturę TextureEditorToolBar Apply texture to selected model's material. - + Zastosuj teksturę do wybranego materiału w modelu. Create new texture. - + Utwórz nową teksturę. Delete current texture. - + Usuń bieżącą teksturę. Open material browser. - + Otwórz przeglądarkę materiałów. TimelineBarItem Range from %1 to %2 - + Zakres od %1 do %2 Override Color - + Nadpisz kolor Reset Color - + Zresetuj kolor TimelineKeyframeItem Delete Keyframe - + Usuń klatkę kluczową Edit Easing Curve... - + Modyfikuj przebieg animacji... Edit Keyframe... - + Modyfikuj klatkę kluczową... TimerSpecifics Timer - + Timer Interval - + Interwał Sets the interval between triggers, in milliseconds. - + Ustawia interwał pomiędzy tyknięciami, w milisekundach. Repeat - + Powtarzanie Sets whether the timer is triggered repeatedly at the specified interval or just once. - + Ustawia możliwość powtarzania tyknięć dla danego interwału. Running - Uruchomiona + Uruchomiony Sets whether the timer is running or not. - + Przełącza stan uruchomienia timera. Triggered on start - + Tyknięcie na starcie Sets the timer to trigger when started. - + Przełącza sygnalizowanie tyknięcia na starcie. ToolBarSpecifics Tool Bar - + Pasek narzędzi Position - Pozycja + Pozycja Position of the toolbar. - + Pozycja paska narzędzi. Font - Czcionka + Czcionka ToolSeparatorSpecifics Tool Separator - + Separator narzędzi Orientation - Orientacja + Orientacja Sets the orientation of the separator. - + Ustawia orientację separatora. @@ -60009,19 +60037,19 @@ This is used for calculating the total implicit size. Visible count - + Widoczna ilość Sets the number of items in the model. - + Ustawia ilość widocznych elementów w modelu. Current index - Bieżący indeks + Bieżący indeks Sets the index of the current item. - + Ustawia indeks bieżącego elementu. Wrap @@ -60047,11 +60075,11 @@ Are you sure you want to remove the %1? Remove - Usuń + Usuń Cancel - Anuluj + Anuluj @@ -60065,64 +60093,64 @@ Are you sure you want to remove the %1? ValueVec2 X - X + X Y - Y + Y ValueVec3 X - X + X Y - Y + Y Z - + Z ValueVec4 X - X + X Y - Y + Y Z - + Z W - + W VideoSection Video - + Wideo Source - Źródło + Źródło Fill mode - Tryb wypełniania + Tryb wypełniania Orientation - Orientacja + Orientacja @@ -60164,7 +60192,7 @@ Are you sure you want to remove the %1? Qt Design Studio - + Qt Design Studio @@ -60194,7 +60222,7 @@ Are you sure you want to remove the %1? Position - Pozycja + Pozycja Size @@ -60204,29 +60232,29 @@ Are you sure you want to remove the %1? W width The width of the object - + S H height The height of the object - H + W Minimum size - Minimalny rozmiar + Minimalny rozmiar Minimum size of the window. - + Minimalny rozmiar okna. Maximum size - Maksymalny rozmiar + Maksymalny rozmiar Maximum size of the window. - + Maksymalny rozmiar okna. Color @@ -60242,109 +60270,109 @@ Are you sure you want to remove the %1? Content orientation - + Orientacja zawartości Flags - Flagi + Flagi Modality - + Modalność Visibility - Widoczność + Widoczność emptyPane Select a component to see its properties. - + Wybierz komponent aby zobaczyć jego właściwości. main Continue - Kontynuuj + Kontynuuj Start Download - + Rozpocznij pobieranie Browse - + Przeglądaj Folder - + Katalog Cancel - Anuluj + Anuluj Open - Otwórz + Otwórz Details - Szczegóły + Szczegóły Finish - + Zakończ Download failed - + Błąd pobierania Recent Projects - Ostatnie projekty + Ostatnie projekty Examples - Przykłady + Przykłady Tutorials - Samouczki + Samouczki Welcome to - + Start Qt Design Studio - + Qt Design Studio Create New - + Utwórz nowy Open Project - Otwórz projekt + Otwórz projekt Help - Pomoc + Pomoc Community - + Społeczność Blog - + Blog Community Edition - + Wydanie społecznościowe From d05d6f2469e0fb7be6044ce1a8a6bf5d148d21f0 Mon Sep 17 00:00:00 2001 From: Christian Kandeler Date: Fri, 17 Nov 2023 10:15:32 +0100 Subject: [PATCH 08/25] Update qbs submodule to HEAD of 2.2 branch Change-Id: I56bfc87909d6b73b90243371c30138be9fcff6ca Reviewed-by: Christian Stenger --- src/shared/qbs | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/shared/qbs b/src/shared/qbs index d99256dd794..5ef68807776 160000 --- a/src/shared/qbs +++ b/src/shared/qbs @@ -1 +1 @@ -Subproject commit d99256dd79460628aafb5fa34a8dde7761ff7b1c +Subproject commit 5ef68807776960c90d0572d51af36fc536bbe30e From f06b821f583939a7770a78d7effb71692e52da7a Mon Sep 17 00:00:00 2001 From: Christian Stenger Date: Thu, 16 Nov 2023 15:18:55 +0100 Subject: [PATCH 09/25] AutoTest: Fix handling of critical messages Fixes handling of qCritical() messages or similar and silences a soft assert. Change-Id: I74f485ffd75b65170c2c9752bd774401c0f19734 Reviewed-by: David Schulz --- src/plugins/autotest/qtest/qttestoutputreader.cpp | 2 +- src/plugins/autotest/testresult.cpp | 4 +++- src/plugins/autotest/testresultmodel.cpp | 1 + 3 files changed, 5 insertions(+), 2 deletions(-) diff --git a/src/plugins/autotest/qtest/qttestoutputreader.cpp b/src/plugins/autotest/qtest/qttestoutputreader.cpp index 9f10e06846e..2f309da5f37 100644 --- a/src/plugins/autotest/qtest/qttestoutputreader.cpp +++ b/src/plugins/autotest/qtest/qttestoutputreader.cpp @@ -333,7 +333,7 @@ void QtTestOutputReader::processPlainTextOutput(const QByteArray &outputLine) static const QRegularExpression result("^(PASS |FAIL! |XFAIL |XPASS |SKIP |RESULT " "|BPASS |BFAIL |BXPASS |BXFAIL " - "|INFO |QWARN |WARNING|QDEBUG |QSYSTEM): (.*)$"); + "|INFO |QWARN |WARNING|QDEBUG |QSYSTEM|QCRITICAL): (.*)$"); static const QRegularExpression benchDetails("^\\s+([\\d,.]+ .* per iteration " "\\(total: [\\d,.]+, iterations: \\d+\\))$"); diff --git a/src/plugins/autotest/testresult.cpp b/src/plugins/autotest/testresult.cpp index d0e65c554db..75c3d45f6f2 100644 --- a/src/plugins/autotest/testresult.cpp +++ b/src/plugins/autotest/testresult.cpp @@ -61,7 +61,9 @@ ResultType TestResult::resultFromString(const QString &resultString) return ResultType::MessageWarn; if (resultString == "qfatal") return ResultType::MessageFatal; - if ((resultString == "system") || (resultString == "qsystem")) + if (resultString == "error" || resultString == "qcritical") + return ResultType::MessageError; + if (resultString == "system" || resultString == "qsystem") return ResultType::MessageSystem; if (resultString == "bpass") return ResultType::BlacklistedPass; diff --git a/src/plugins/autotest/testresultmodel.cpp b/src/plugins/autotest/testresultmodel.cpp index bca407b0375..deb7d99fec7 100644 --- a/src/plugins/autotest/testresultmodel.cpp +++ b/src/plugins/autotest/testresultmodel.cpp @@ -140,6 +140,7 @@ void TestResultItem::updateResult(bool &changed, ResultType addedChildType, break; case ResultType::ExpectedFail: case ResultType::MessageWarn: + case ResultType::MessageError: case ResultType::MessageSystem: case ResultType::Skip: case ResultType::BlacklistedFail: From 48a3a12b017bbebbacbe7ce6b330802cdc0119f8 Mon Sep 17 00:00:00 2001 From: Cristian Adam Date: Fri, 17 Nov 2023 15:56:32 +0100 Subject: [PATCH 10/25] CMakePM: Add failure logging for add|rename|removeFiles Task-number: QTCREATORBUG-29914 Change-Id: I404a3efb8cabafba6036eb1bc07d19f18af17cd8 Reviewed-by: Alessandro Portale --- .../cmakeprojectmanager/cmakebuildsystem.cpp | 51 ++++++++++++++++--- 1 file changed, 44 insertions(+), 7 deletions(-) diff --git a/src/plugins/cmakeprojectmanager/cmakebuildsystem.cpp b/src/plugins/cmakeprojectmanager/cmakebuildsystem.cpp index febb130a0ac..32464ad8f84 100644 --- a/src/plugins/cmakeprojectmanager/cmakebuildsystem.cpp +++ b/src/plugins/cmakeprojectmanager/cmakebuildsystem.cpp @@ -281,8 +281,11 @@ bool CMakeBuildSystem::addFiles(Node *context, const FilePaths &filePaths, FileP return target.title == targetName; }); - if (target.backtrace.isEmpty()) + if (target.backtrace.isEmpty()) { + qCCritical(cmakeBuildSystemLog) << "target.backtrace for" << targetName << "is empty. " + << "The location where to add the files is unknown."; return false; + } const FilePath targetCMakeFile = target.backtrace.last().path; const int targetDefinitionLine = target.backtrace.last().line; @@ -298,6 +301,8 @@ bool CMakeBuildSystem::addFiles(Node *context, const FilePaths &filePaths, FileP if (!cmakeListFile.ParseString(fileContent->toStdString(), targetCMakeFile.fileName().toStdString(), errorString)) { + qCCritical(cmakeBuildSystemLog).noquote() + << targetCMakeFile.path() << "failed to parse! Error:" << errorString; return false; } } @@ -308,8 +313,11 @@ bool CMakeBuildSystem::addFiles(Node *context, const FilePaths &filePaths, FileP return func.Line() == targetDefinitionLine; }); - if (function == cmakeListFile.Functions.end()) + if (function == cmakeListFile.Functions.end()) { + qCCritical(cmakeBuildSystemLog) << "Function that defined the target" << targetName + << "could not be found at" << targetDefinitionLine; return false; + } // Special case: when qt_add_executable and qt_add_qml_module use the same target name // then qt_add_qml_module function should be used @@ -383,13 +391,20 @@ bool CMakeBuildSystem::addFiles(Node *context, const FilePaths &filePaths, FileP Core::EditorManager::openEditorAt({targetCMakeFile, line, column + extraChars}, Constants::CMAKE_EDITOR_ID, Core::EditorManager::DoNotMakeVisible)); - if (!editor) + if (!editor) { + qCCritical(cmakeBuildSystemLog).noquote() + << "BaseTextEditor cannot be obtained for" << targetCMakeFile.path() << line + << int(column + extraChars); return false; + } editor->insert(snippet); editor->editorWidget()->autoIndent(); - if (!Core::DocumentManager::saveDocument(editor->document())) + if (!Core::DocumentManager::saveDocument(editor->document())) { + qCCritical(cmakeBuildSystemLog).noquote() + << "Changes to" << targetCMakeFile.path() << "could not be saved."; return false; + } if (notAdded) notAdded->clear(); @@ -536,6 +551,9 @@ RemovedFilesFromProject CMakeBuildSystem::removeFiles(Node *context, if (filePos) { if (!filePos.value().cmakeFile.exists()) { badFiles << file; + + qCCritical(cmakeBuildSystemLog).noquote() + << "File" << filePos.value().cmakeFile.path() << "does not exist."; continue; } @@ -548,6 +566,11 @@ RemovedFilesFromProject CMakeBuildSystem::removeFiles(Node *context, Core::EditorManager::DoNotMakeVisible)); if (!editor) { badFiles << file; + + qCCritical(cmakeBuildSystemLog).noquote() + << "BaseTextEditor cannot be obtained for" + << filePos.value().cmakeFile.path() << filePos.value().argumentPosition.Line + << int(filePos.value().argumentPosition.Column - 1); continue; } @@ -562,6 +585,10 @@ RemovedFilesFromProject CMakeBuildSystem::removeFiles(Node *context, editor->editorWidget()->autoIndent(); if (!Core::DocumentManager::saveDocument(editor->document())) { badFiles << file; + + qCCritical(cmakeBuildSystemLog).noquote() + << "Changes to" << filePos.value().cmakeFile.path() + << "could not be saved."; continue; } } else { @@ -625,8 +652,11 @@ bool CMakeBuildSystem::renameFile(Node *context, ";"); auto fileToRename = m_filesToBeRenamed.take(key); - if (!fileToRename.cmakeFile.exists()) + if (!fileToRename.cmakeFile.exists()) { + qCCritical(cmakeBuildSystemLog).noquote() + << "File" << fileToRename.cmakeFile.path() << "does not exist."; return false; + } BaseTextEditor *editor = qobject_cast( Core::EditorManager::openEditorAt({fileToRename.cmakeFile, @@ -635,8 +665,12 @@ bool CMakeBuildSystem::renameFile(Node *context, - 1)}, Constants::CMAKE_EDITOR_ID, Core::EditorManager::DoNotMakeVisible)); - if (!editor) + if (!editor) { + qCCritical(cmakeBuildSystemLog).noquote() + << "BaseTextEditor cannot be obtained for" << fileToRename.cmakeFile.path() + << fileToRename.argumentPosition.Line << int(fileToRename.argumentPosition.Column); return false; + } // If quotes were used for the source file, skip the starting quote if (fileToRename.argumentPosition.Delim == cmListFileArgument::Quoted) @@ -646,8 +680,11 @@ bool CMakeBuildSystem::renameFile(Node *context, editor->replace(fileToRename.relativeFileName.length(), newRelPathName); editor->editorWidget()->autoIndent(); - if (!Core::DocumentManager::saveDocument(editor->document())) + if (!Core::DocumentManager::saveDocument(editor->document())) { + qCCritical(cmakeBuildSystemLog).noquote() + << "Changes to" << fileToRename.cmakeFile.path() << "could not be saved."; return false; + } return true; } From fd256b57de68de80f3db04c456a6e5a69d5a5b7d Mon Sep 17 00:00:00 2001 From: Eike Ziller Date: Thu, 16 Nov 2023 11:14:27 +0100 Subject: [PATCH 11/25] German translation: IncrediBuild MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Change-Id: I9b801fe83b681551b123ce167a34ec44249a8bd6 Reviewed-by: Christian Stenger Reviewed-by: Robert Löhning --- share/qtcreator/translations/qtcreator_de.ts | 112 +++++++++---------- 1 file changed, 56 insertions(+), 56 deletions(-) diff --git a/share/qtcreator/translations/qtcreator_de.ts b/share/qtcreator/translations/qtcreator_de.ts index 0f9b15ff734..7b5f1842821 100644 --- a/share/qtcreator/translations/qtcreator_de.ts +++ b/share/qtcreator/translations/qtcreator_de.ts @@ -33333,147 +33333,147 @@ Möchten Sie sie überschreiben? QtC::IncrediBuild IncrediBuild for Windows - IncrediBuild für Windows + IncrediBuild für Windows Target and Configuration - + Ziel und Konfiguration Enter the appropriate arguments to your build command. - + Geben Sie die entsprechenden Argumente für das Erstellkommando ein. Make sure the build command's multi-job parameter value is large enough (such as -j200 for the JOM or Make build tools) - + Stellen Sie sicher, dass der Wert für die Anzahl paralleler Jobs im Erstellkommando groß genug ist (wie zum Beispiel -j200 für JOM oder Make) Keep original jobs number: - + Ursprüngliche Anzahl Jobs beibehalten: Forces IncrediBuild to not override the -j command line switch, that controls the number of parallel spawned tasks. The default IncrediBuild behavior is to set it to 200. - + Zwingt IncrediBuild dazu, das -j Kommandozeilenargument, das die Anzahl der parallelen Jobs bestimmt, nicht zu überschreiben. Normalerweise setzt IncrediBuild die Anzahl der parallelen Jobs auf 200. IncrediBuild Distribution Control - + IncrediBuild-Verteilungskontrolle Profile.xml: - + Profile.xml: Defines how Automatic Interception Interface should handle the various processes involved in a distributed job. It is not necessary for "Visual Studio" or "Make and Build tools" builds, but can be used to provide configuration options if those builds use additional processes that are not included in those packages. It is required to configure distributable processes in "Dev Tools" builds. - + Bestimmt, wie das Automatic Interception Interface die in einem verteilten Job involvierten Prozesse behandelt. Benötigt, um verteilte Prozesse in Kompilierungen mit "Dev Tools" zu konfigurieren. Nicht für Kompilierungen mit "Visual Studio" oder "Make and Build tools" benötigt, kann aber zur Konfiguration zusätzlicher Prozesse benutzt werden, die nicht in diesen Paketen enthalten sind. Avoid local task execution: - + Lokales Ausführen von Aufgaben vermeiden: Overrides the Agent Settings dialog Avoid task execution on local machine when possible option. This allows to free more resources on the initiator machine and could be beneficial to distribution in scenarios where the initiating machine is bottlenecking the build with High CPU usage. - + Überschreibt die Option "Avoid task execution on local machine when possible" aus dem Agent Settings-Dialog. Die Einstellung hilft, Ressourcen auf der initiierenden Maschine freizuhalten, und kann in Situationen helfen, in denen die initiierende Maschine durch hohe CPU-Auslastung zum Flaschenhals der verteilten Kompilierung wird. Determines the maximum number of CPU cores that can be used in a build, regardless of the number of available Agents. It takes into account both local and remote cores, even if the Avoid Task Execution on Local Machine option is selected. - + Bestimmt unabhängig von der Anzahl verfügbarer Agents die maximale Anzahl CPU-Kerne, die beim Erstellen benutzt werden. Berücksichtigt sowohl lokale als auch entfernte Kerne, auch wenn die Option "Lokales Ausführen von Aufgaben vermeiden" ausgewählt ist. Maximum CPUs to utilize in the build: - + Maximale Anzahl CPUs für das Erstellen: Newest allowed helper machine OS: - + Höchste erlaubte OS-Version für Hilfsmaschinen: Specifies the newest operating system installed on a helper machine to be allowed to participate as helper in the build. - + Gibt die höchste OS-Version an, die auf einer Maschine installiert sein darf, um beim Erstellen zu helfen. Oldest allowed helper machine OS: - + Niedrigste erlaubte OS-Version für Hilfsmaschinen: Specifies the oldest operating system installed on a helper machine to be allowed to participate as helper in the build. - + Gibt die niedrigste OS-Version an, die auf einer Maschine installiert sein darf, um beim Erstellen zu helfen. Output and Logging - + Ausgabe und Protokollierung Build title: - + Kompilierungstitel: Specifies a custom header line which will be displayed in the beginning of the build output text. This title will also be used for the Build History and Build Monitor displays. - + Gibt eine benutzerdefinierte Kopfzeile an, die vor der Ausgabe der Kompilierung angezeigt wird. Dieser Titel wird auch für die Anzeigen "Build History" und "Build Monitor" benutzt. Save IncrediBuild monitor file: - + IncrediBuild Monitor-Datei speichern: Writes a copy of the build progress file (.ib_mon) to the specified location. If only a folder name is given, a generated GUID will serve as the file name. The full path of the saved Build Monitor will be written to the end of the build output. - + Schreibt eine Kopie der Monitor-Datei (.ib_mon) an den angegebenen Ort. Wenn nur ein Verzeichnisname angegeben ist, wird eine generierte GUID als Dateiname benutzt. Der vollständige Pfad der gespeicherten Monitor-Datei wird am Ende der Ausgabe der Kompilierung angezeigt. Suppress STDOUT: - + STDOUT unterdrücken: Does not write anything to the standard output. - + Schreibt nichts in die Standardausgabe. Output Log file: - + Ausgabe-Logdatei: Writes build output to a file. - + Schreibt die Ausgabe der Kompilierung in eine Datei. Show Commands in output: - + Kommandos in der Ausgabe zeigen: Shows, for each file built, the command-line used by IncrediBuild to build the file. - + Zeigt für jede Datei die Kommandozeile, die von IncrediBuild zum Erstellen der Datei benutzt wird. Show Agents in output: - + Agents in der Ausgabe anzeigen: Shows the Agent used to build each file. - + Zeigt für jede Datei den Agent, der zum Erstellen der Datei benutzt wird. Show Time in output: - + Zeit in der Ausgabe anzeigen: Shows the Start and Finish time for each file built. - + Zeigt für jede Datei die Zeit des Beginns und des Endes der Kompilierung. Hide IncrediBuild Header in output: - + IncrediBuilds Kopfzeile in der Ausgabe verstecken: Suppresses IncrediBuild's header in the build output - + Unterdrückt die Kopfzeile von IncrediBuild in der Ausgabe der Kompilierung Internal IncrediBuild logging level: - + Stufe der internen IncrediBuild-Protokollierung: Overrides the internal Incredibuild logging level for this build. Does not affect output or any user accessible logging. Used mainly to troubleshoot issues with the help of IncrediBuild support - + Überschreibt die Stufe der internen Protokollierung von IncrediBuild für diese Kompilierung. Beeinflusst weder die Ausgabe noch die dem Benutzer zugängliche Protokollierung. Wird hauptsächlich zur Fehlerbehebung mit Hilfe des Supports von IncrediBuild benutzt Miscellaneous @@ -33481,83 +33481,83 @@ Möchten Sie sie überschreiben? Set an Environment Variable: - + Umgebungsvariable setzen: Sets or overrides environment variables for the context of the build. - + Setzt oder überschreibt Umgebungsvariablen für die Kompilierung. Stop on errors: - + Bei Fehler anhalten: When specified, the execution will stop as soon as an error is encountered. This is the default behavior in "Visual Studio" builds, but not the default for "Make and Build tools" or "Dev Tools" builds - + Wenn angegeben, wird die Ausführung angehalten sobald ein Fehler auftritt. Dies ist das voreingestellte Verhalten bei Kompilierungen mit "Visual Studio", aber nicht für Kompilierungen mit "Make and Build tools" oder "Dev Tools" Additional Arguments: - + Zusätzliche Argumente: Add additional buildconsole arguments manually. The value of this field will be concatenated to the final buildconsole command line - + Fügt zusätzliche Argumente für buildconsole manuell hinzu. Der Inhalt dieses Eingabefelds wird an die finale Kommandozeile für buildconsole angefügt Open Build Monitor: - + Build Monitor öffnen: Opens Build Monitor once the build starts. - + Öffnet den Build Monitor, wenn die Kompilierung beginnt. IncrediBuild for Linux - IncrediBuild für Linux + IncrediBuild für Linux Specify nice value. Nice Value should be numeric and between -20 and 19 - + Gibt den Wert für "nice" an. Der Wert sollte numerisch sein und zwischen -20 und 19 liegen Nice value: - + Wert für "nice": Force remote: - + "--force-remote" benutzen: Alternate tasks preference: - + "--alternate" benutzen: CMake - CMake + CMake Custom Command - + Benutzerdefiniertes Kommando Command Helper: - + Kommando-Helfer: Select a helper to establish the build command. - + Wählen Sie einen Helfer zum Ermitteln des Erstellkommandos. Make command: - + Make-Kommando: Make arguments: - Kommandozeilenargumente für make: + Kommandozeilenargumente für make: Make - Make + Make From c5980a48729f0d7d8b80a0719e55557b5f85f056 Mon Sep 17 00:00:00 2001 From: Christian Stenger Date: Mon, 20 Nov 2023 06:30:36 +0100 Subject: [PATCH 12/25] CMakePM: Fix build Avoid ambigous conversion, instead explicitly convert. Change-Id: I1b62a8eb94cc2c353b33ec1a29a28385fdb92782 Reviewed-by: Cristian Adam --- src/plugins/cmakeprojectmanager/cmakebuildsystem.cpp | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/src/plugins/cmakeprojectmanager/cmakebuildsystem.cpp b/src/plugins/cmakeprojectmanager/cmakebuildsystem.cpp index 32464ad8f84..6f7461799bd 100644 --- a/src/plugins/cmakeprojectmanager/cmakebuildsystem.cpp +++ b/src/plugins/cmakeprojectmanager/cmakebuildsystem.cpp @@ -302,7 +302,8 @@ bool CMakeBuildSystem::addFiles(Node *context, const FilePaths &filePaths, FileP targetCMakeFile.fileName().toStdString(), errorString)) { qCCritical(cmakeBuildSystemLog).noquote() - << targetCMakeFile.path() << "failed to parse! Error:" << errorString; + << targetCMakeFile.path() << "failed to parse! Error:" + << QString::fromStdString(errorString); return false; } } From b451019be1d255420abb2418ef845cd31acd22b3 Mon Sep 17 00:00:00 2001 From: David Schulz Date: Mon, 20 Nov 2023 07:33:44 +0100 Subject: [PATCH 13/25] Android: enable "Toggle Comment Selection" shortcut in manifest editor Fixes: QTCREATORBUG-29818 Change-Id: I8434ea99d8f5c5dc3c0436f5313d42084aca4152 Reviewed-by: Reviewed-by: Alessandro Portale --- src/plugins/android/androidmanifesteditorfactory.cpp | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/plugins/android/androidmanifesteditorfactory.cpp b/src/plugins/android/androidmanifesteditorfactory.cpp index 15114918b54..93f0d9a4ea7 100644 --- a/src/plugins/android/androidmanifesteditorfactory.cpp +++ b/src/plugins/android/androidmanifesteditorfactory.cpp @@ -15,7 +15,7 @@ using namespace Android::Internal; AndroidManifestEditorFactory::AndroidManifestEditorFactory() : m_actionHandler(Constants::ANDROID_MANIFEST_EDITOR_ID, Constants::ANDROID_MANIFEST_EDITOR_CONTEXT, - TextEditor::TextEditorActionHandler::None, + TextEditor::TextEditorActionHandler::UnCommentSelection, [](Core::IEditor *editor) { return static_cast(editor)->textEditor(); }) { setId(Constants::ANDROID_MANIFEST_EDITOR_ID); From d81d41032abc4b6f0fa1971fa8a594c669da2f48 Mon Sep 17 00:00:00 2001 From: David Schulz Date: Mon, 20 Nov 2023 08:14:32 +0100 Subject: [PATCH 14/25] TextEditor: do not collapse doc comments in the beginning of a file The auto fold license header functionality also automatically folds documentation comments. Automatically collapsing documentation comments is never correct in the first place so just skip the fold when encounter a documentation marker in the first comment. Fixes: QTCREATORBUG-29900 Change-Id: If0dd7842804f3ff0bcd725b54413e9568d5b5ab3 Reviewed-by: Eike Ziller Reviewed-by: --- src/plugins/texteditor/texteditor.cpp | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/src/plugins/texteditor/texteditor.cpp b/src/plugins/texteditor/texteditor.cpp index db85a570178..e59bc993fca 100644 --- a/src/plugins/texteditor/texteditor.cpp +++ b/src/plugins/texteditor/texteditor.cpp @@ -1919,6 +1919,7 @@ void TextEditorWidgetPrivate::foldLicenseHeader() if (TextDocumentLayout::canFold(block) && block.next().isVisible()) { const QString trimmedText = text.trimmed(); QStringList commentMarker; + QStringList docMarker; if (auto highlighter = qobject_cast( q->textDocument()->syntaxHighlighter())) { const Highlighter::Definition def = highlighter->definition(); @@ -1929,11 +1930,19 @@ void TextEditorWidgetPrivate::foldLicenseHeader() } } else { commentMarker = QStringList({"/*", "#"}); + docMarker = QStringList({"/*!", "/**"}); } if (Utils::anyOf(commentMarker, [&](const QString &marker) { return trimmedText.startsWith(marker); })) { + if (Utils::anyOf(docMarker, [&](const QString &marker) { + return trimmedText.startsWith(marker) + && (trimmedText.size() == marker.size() + || trimmedText.at(marker.size()).isSpace()); + })) { + break; + } TextDocumentLayout::doFoldOrUnfold(block, false); moveCursorVisible(); documentLayout->requestUpdate(); From e33c15c75d8e6a37ec939bb30ddcf66914e934ad Mon Sep 17 00:00:00 2001 From: Eike Ziller Date: Mon, 20 Nov 2023 13:59:15 +0100 Subject: [PATCH 15/25] Qt Quick/DS wizard: Fix the QML import path The wizard builds custom components to a "qml" subdirectory, which the QML engine is told about in main.cpp, but we need to tell the code model too, with a QML_IMPORT_PATH cache variable. Without this, the QML editor shows errors for the module imports. Change-Id: Ie48e809e2d51cc796c6c6c186a81c67e23a3609b Reviewed-by: Reviewed-by: Alessandro Portale --- .../studio_templates/projects/common/CMakeLists.main.txt.tpl | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/share/qtcreator/qmldesigner/studio_templates/projects/common/CMakeLists.main.txt.tpl b/share/qtcreator/qmldesigner/studio_templates/projects/common/CMakeLists.main.txt.tpl index 0adf6e1c98e..7d37f481602 100644 --- a/share/qtcreator/qmldesigner/studio_templates/projects/common/CMakeLists.main.txt.tpl +++ b/share/qtcreator/qmldesigner/studio_templates/projects/common/CMakeLists.main.txt.tpl @@ -44,3 +44,7 @@ install(TARGETS %{ProjectName}App LIBRARY DESTINATION ${CMAKE_INSTALL_LIBDIR} RUNTIME DESTINATION ${CMAKE_INSTALL_BINDIR} ) + +# make IDEs aware of the QML import path +set(QML_IMPORT_PATH ${PROJECT_BINARY_DIR}/qml CACHE PATH + "Path to the custom QML components defined by the project") From 6e219addb2d1631bbf7e5ac1d8c687c46a0a1c43 Mon Sep 17 00:00:00 2001 From: Alexandre Laurent Date: Mon, 13 Nov 2023 21:13:31 +0100 Subject: [PATCH 16/25] Update French translation for QtCreator 12.0 Change-Id: I41ac396ad9cd2b12dff4258278e1384adeda6377 Reviewed-by: Eike Ziller Reviewed-by: Olivier Delaune Reviewed-by: Johnny Jazeix --- share/qtcreator/translations/qtcreator_fr.ts | 3639 +++++++++++++----- 1 file changed, 2776 insertions(+), 863 deletions(-) diff --git a/share/qtcreator/translations/qtcreator_fr.ts b/share/qtcreator/translations/qtcreator_fr.ts index 673d54af1ea..3aa448e5bb2 100644 --- a/share/qtcreator/translations/qtcreator_fr.ts +++ b/share/qtcreator/translations/qtcreator_fr.ts @@ -159,8 +159,8 @@ Lissage - Uses smooth filtering when the image is scaled or transformed. - Utilise un filtrage doux lorsque l'image est redimensionnée ou transformée. + Toggles if the smoothing is performed using linear interpolation method. Keeping it unchecked would follow non-smooth method using nearest neighbor. It is mostly applicable on image based items. + Active/désactive l'utilisation de l'interpolation linéaire pour le lissage. Lorsque décoché, la méthode du plus proche voisin sera utilisée. Cela s'applique principalement aux éléments images. Antialiasing @@ -198,12 +198,8 @@ AlignCamerasToViewAction - Align Selected Cameras to View - Aligner les caméras sélectionnées sur la vue - - - Align View to Selected Camera - Aligner la vue sur les caméras sélectionnées + Align Cameras to View + Aligner les caméras à la vue @@ -321,6 +317,13 @@ - Un composant de la sélection utilise des ancres. + + AlignViewToCameraAction + + Align View to Camera + Aligner la vue à la caméra + + AmbientSoundSection @@ -473,7 +476,7 @@ Utilisez AmbientSound.Infinite pour boucler indéfiniment. Running - En cours d’exécution + En cours d'exécution Whether the animation is running and/or paused. @@ -1055,6 +1058,43 @@ It should be a relative path. Le chemin doit être relatif. + + BindingsDialog + + Owner + Propriétaire + + + The owner of the property + Le propriétaire de la propriété + + + + BindingsDialogForm + + From + À partir de + + + Sets the component and its property from which the value is copied. + Définit la propriété du composant à partir de laquelle la valeur est copiée. + + + To + Vers + + + Sets the property of the selected component to which the copied value is assigned. + Définit la propriété du composant sélectionné dans laquelle la valeur copiée est assignée. + + + + BindingsListView + + Removes the binding. + Supprime la liaison. + + BorderImageSpecifics @@ -1145,10 +1185,6 @@ Le chemin doit être relatif. Toggles if the image should be inverted horizontally. Active/désactive si l'image doit être inversée horizontalement. - - Toggles if the image should be filtered smoothly when transformed. - Active/désactive si l'image doit subir un filtre adoucissant lorsque transformée. - Toggles if the image is saved to the cache memory. Active/désactive si l'image est sauvegardée dans le cache. @@ -1157,10 +1193,6 @@ Le chemin doit être relatif. Toggles if the image is loaded after all the components in the design. Active/désactive si l'image est chargée après tous les composants du design. - - Smooth - Lissage - Cache Cache @@ -1186,7 +1218,7 @@ Le chemin doit être relatif. Running - En cours d’exécution + En cours d'exécution Toggles if the busy indicator indicates activity. @@ -1294,8 +1326,8 @@ Le chemin doit être relatif. CameraToggleAction - Toggle Perspective/Orthographic Edit Camera - Activer/désactiver l'édition de la caméra orthographique/perspective + Toggle Perspective/Orthographic Camera Mode + Activer/désactiver le mode perspective/orthographique de la caméra @@ -1485,6 +1517,52 @@ Le chemin doit être relatif. Appliquer + + CollectionItem + + Delete + Supprimer + + + Rename + Renommer + + + Deleting whole collection + Supprimer toute la collection + + + Cancel + Annuler + + + Rename collection + Renommer la collection + + + New name: + Nouveau nom : + + + + CollectionView + + Collections + Collections + + + Import Json + Importer un Json + + + Import CSV + Importer un CSV + + + Add new collection + Ajouter une nouvelle collection + + ColorAnimationSpecifics @@ -1826,6 +1904,104 @@ Le chemin doit être relatif. Annuler + + ConnectionsDialog + + Target + Cible + + + Sets the Component that is connected to a <b>Signal</b>. + Définit le composant connecté au <b>signal</b>. + + + + ConnectionsDialogForm + + Signal + Signal + + + Sets an interaction method that connects to the <b>Target</b> component. + Définit une méthode d'interaction pour se connecter au composant <b>cible</b>. + + + Action + Action + + + Sets an action that is associated with the selected <b>Target</b> component's <b>Signal</b>. + Définit l'action associée au <b>signal</b> du composant <b>cible</b> sélectionné. + + + Call Function + ou Appel de fonction/Assignation/Changement d'état...? + Appeler une fonction + + + Assign + Assigner + + + Change State + Changer d'état + + + Set Property + Définir une propriété + + + Print Message + Afficher un message + + + Custom + Personnalisé + + + Add Condition + Ajouter une condition + + + Sets a logical condition for the selected <b>Signal</b>. It works with the properties of the <b>Target</b> component. + Définit une condition logique pour le <b>signal</b> sélectionné. La condition utlise les propriétés du composant <b>cible</b>. + + + Remove Condition + Supprimer la condition + + + Removes the logical condition for the <b>Target</b> component. + Supprimer la condition logique pour le composant <b>cible</b>. + + + Add Else Statement + Ajouter un bloc sinon + + + Sets an alternate condition for the previously defined logical condition. + Définit une condition alternative pour la condition précédente. + + + Remove Else Statement + Supprimer le bloc sinon + + + Removes the alternate logical condition for the previously defined logical condition. + Supprimer la condition logique alternative pour la condition précédente. + + + Write the conditions for the components and the signals manually. + Écrire manuellement les conditions pour les composants et les signaux. + + + + ConnectionsListView + + Removes the connection. + Supprimer la connexion. + + ConnectionsSpecifics @@ -1886,6 +2062,55 @@ Le chemin doit être relatif. Environments Environnements + + Effects + Effets + + + + ContentLibraryEffect + + Effect is imported to project + L'effet est importé dans le projet + + + + ContentLibraryEffectContextMenu + + Add an instance + Ajouter une instance + + + Remove from project + Supprimer du projet + + + + ContentLibraryEffectsView + + No effects available. + Aucun effet disponible. + + + <b>Content Library</b> effects are not supported in Qt5 projects. + Les effets de la <b>bibliothèque de contenus</b> ne sont pas pris en charge par Qt5. + + + To use <b>Content Library</b>, first add the QtQuick3D module in the <b>Components</b> view. + Pour utiliser la <b>bibliothèque de contenus</b>, ajoutez d'abord le module QtQuick3D dans la vue <b>Composants</b>. + + + To use <b>Content Library</b>, version 6.4 or later of the QtQuick3D module is required. + La version 6.4 ou supérieure du module QtQuick3D est nécessaire pour utiliser la <b>bibliothèque de contenus</b>. + + + <b>Content Library</b> is disabled inside a non-visual component. + La <b>bibliothèque de contenus</b> est désactivée pour un composant non visible. + + + No match found. + Aucun résultat. + ContentLibraryMaterial @@ -1927,6 +2152,10 @@ Le chemin doit être relatif. No materials available. Make sure you have internet connection. Aucun matériau disponible. Assurez-vous d'avoir une connexion Internet. + + <b>Content Library</b> materials are not supported in Qt5 projects. + Les matériaux de la <b>bibliothèque de contenus</b> ne sont pas pris en charge dans les projets Qt5. + To use <b>Content Library</b>, first add the QtQuick3D module in the <b>Components</b> view. Pour utiliser la <b>bibliothèque de contenus</b>, ajoutez d'abord le module QtQuick3D dans la vue <b>Composants</b>. @@ -1969,6 +2198,10 @@ Le chemin doit être relatif. Click to download the texture. Cliquer pour télécharger la texture. + + Updating... + Mise à jour… + Progress: Progression : @@ -1981,6 +2214,10 @@ Le chemin doit être relatif. Downloading... Téléchargement… + + Update texture + Mettre à jour la texture + Extracting... Extraction… @@ -2090,6 +2327,53 @@ Le chemin doit être relatif. Molette + + CsvImport + + Import A CSV File + Importer un fichier CSV + + + New CSV File + Nouveau fichier CSV + + + Could not load the file + Impossible de charger le fichier + + + An error occurred while trying to load the file. + Une erreur s'est produite lors de la lecture du fichier. + + + File name: + Nom du fichier : + + + Open + Ouvrir + + + Collection name: + Nom de la collection : + + + File name can not be empty + Le nom du fichier ne peut pas être vide + + + Collection name can not be empty + Le nom de la collection ne peut pas être vide + + + Import + Importer + + + Cancel + Annuler + + DelayButtonSpecifics @@ -2327,8 +2611,86 @@ définit par la<b>taille du pas</b>. Activer/désactiver l'édition de la lumière + + EffectCompositionNode + + Remove + Supprimer + + + Enable/Disable Node + Activer/désactiver le nœud + + + + EffectMaker + + Open Shader in Code Editor + shader ou nuanceur + Ouvrir le shader dans l'éditeur de code + + + Add an effect node to start + Ajoutez un nœud d'effet pour commencer + + + + EffectMakerPreview + + Zoom out + Zoom arrière + + + Zoom In + Zoom avant + + + Zoom Fit + Ajuster + + + Restart Animation + Redémarrer l'animation + + + Play Animation + Jouer l’animation + + + + EffectMakerTopBar + + Save in Library + Sauvegarder dans la bibliothèque + + + How to use Effect Maker: +1. Click "+ Add Effect" to add effect node +2. Adjust the effect nodes properties +3. Change the order of the effects, if you like +4. See the preview +5. Save in the library, if you wish to reuse the effect later + Comment utiliser Effect Maker : +1. Cliquer sur « Ajouter un effet » pour ajouter un nœud d'effet +2. Ajuster les propriétés des nœuds d'effet +3. Changer l'ordre des effets, si nécessaire +4. Sauvegarder la prévisualisation +5. Sauvegarder dans la bibliothèque, si vous souhaitez réutiliser l'effet plus tard + + + + EffectNodesComboBox + + + Add Effect + + Ajouter un effet + + EmptyMaterialEditorPane + + <b>Material Editor</b> is not supported in Qt5 projects. + L'<b>éditeur de matériaux</b> n'est pas pris en charge dans les projets Qt5. + To use <b>Material Editor</b>, first add the QtQuick3D module in the <b>Components</b> view. Pour utiliser l’<b>éditeur de matériaux<b/>, ajoutez d’abord le module QtQuick3D dans la vue <b>Composants</b>. @@ -2344,6 +2706,10 @@ définit par la<b>taille du pas</b>. EmptyTextureEditorPane + + <b>Texture Editor</b> is not supported in Qt5 projects. + L'<b>éditeur de textures</b> n'est pas pris en charge dans les projets Qt5. + To use <b>Texture Editor</b>, first add the QtQuick3D module in the <b>Components</b> view. Pour utiliser l’<b>éditeur de textures<b/>, ajoutez d’abord le module QtQuick3D dans la vue <b>Composants</b>. @@ -2364,6 +2730,45 @@ définit par la<b>taille du pas</b>. Fermer + + ExpressionBuilder + + This is AND (&&) + C'est un ET (&&) + + + This is OR (||) + C'est un OU (||) + + + This is EQUAL (===) + C'est une ÉGALITÉ (===) + + + This is NOT EQUAL (!==) + C'est une INÉGALITÉ (!==) + + + This is GREATER (>) + C'est un SUPÉRIEUR (>) + + + This is LESS (<) + C'est un INFÉRIEUR (<) + + + This is GREATER OR EQUAL (>=) + C'est un SUPÉRIEUR OU ÉGAL (>=) + + + This is LESS OR EQUAL (<=) + C'est un INFÉRIEUR OU ÉGAL (<=) + + + Condition + Condition + + ExtendedFunctionLogic @@ -2532,7 +2937,7 @@ définit par la<b>taille du pas</b>. Toggles if the component is being moved by complete pixel length. - + Active/désactive le déplacement du composant par pas de pixel complet. Toggles if the content should move instantly or not when the mouse or touchpoint is dragged to a new position. @@ -2772,8 +3177,8 @@ définit par la<b>taille du pas</b>. Cadre - Font Inheritance - Héritage des polices + Font + Police @@ -3045,7 +3450,7 @@ définit par la<b>taille du pas</b>. Sets the highlight range mode. - + Définit le mode pour la plage de surbrillance. Sets the animation duration of the highlight delegate. @@ -3055,13 +3460,17 @@ définit par la<b>taille du pas</b>. Sets the preferred highlight beginning. It must be smaller than the <b>Preferred end</b>. Note that the user has to add a highlight component. - + Définit le début de la surbrillance souhaitée. Doit être une valeur +plus petite que la <b>fin souhaitée</b>. Notez que l'utilisateur doit +ajouter un composant en surbrillance. Sets the preferred highlight end. It must be larger than the <b>Preferred begin</b>. Note that the user has to add a highlight component. - + Définit la fin de la surbrillance souhaitée. Doit être une valeur +plus grande que le <b>début souhaité</b>. Notez que l'utilisateur doit +ajouter un composant en surbrillance. Toggles if the view manages the highlight. @@ -3077,7 +3486,7 @@ a highlight component. Navigation wraps - Encapsulations de navigation + Bouclage de la navigation Snap mode @@ -3085,7 +3494,7 @@ a highlight component. Whether the grid wraps key navigation. - + Indique si la navigation au clavier doit boucler. Grid View Highlight @@ -3293,14 +3702,6 @@ a highlight component. Inverts the image horizontally. Inverse l'image horizontalement. - - Smooth - Lissage - - - Uses smooth filtering when the image is scaled or transformed. - Utilise un filtrage adoucissant lorsque l'image est redimensionnée ou transformée. - InsetSection @@ -3345,7 +3746,8 @@ a highlight component. InsightSection Insight - + Nom du produit https://www.qt.io/product/insight + Insight [None] @@ -3452,6 +3854,45 @@ a highlight component. Ajouter un module. + + JsonImport + + Import Collections + Importer des collections + + + New Json File + Nouveau fichier Json + + + Could not load the file + Impossible de charger le fichier + + + An error occurred while trying to load the file. + Une erreur s'est produite lors de la lecture du fichier. + + + File name: + Nom du fichier : + + + Open + Ouvrir + + + File name cannot be empty. + Le nom du fichier ne peut pas être vide. + + + Import + Importer + + + Cancel + Annuler + + Label @@ -3506,7 +3947,7 @@ a highlight component. Sets the number of multisample renderings in the layer. - + Définit le nombre de rendu multi-échantillonné de la couche. Sets which effect is applied. @@ -3685,7 +4126,7 @@ dessinée dans la texture. Navigation wraps - Encapsulations de navigation + Bouclage de la navigation Orientation @@ -3733,7 +4174,7 @@ dessinée dans la texture. Toggles if the grid wraps key navigation. - + Active/désactive si la navigation au clavier de la grille boucle. List View Highlight @@ -3745,7 +4186,7 @@ dessinée dans la texture. Sets the highlight range mode. - + Définit le mode pour la plage de surbrillance. Move duration @@ -3779,13 +4220,17 @@ il est redimensionné. Sets the preferred highlight beginning. It must be smaller than the <b>Preferred end</b>. Note that the user has to add a highlight component. - + Définit le début de la surbrillance souhaitée. Doit être une valeur +plus petite que la <b>fin souhaitée</b>. Notez que l'utilisateur doit +ajouter un composant en surbrillance. Sets the preferred highlight end. It must be larger than the <b>Preferred begin</b>. Note that the user has to add a highlight component. - + Définit la fin de la surbrillance souhaitée. Doit être une valeur +plus grande que le <b>début souhaité</b>. Notez que l'utilisateur doit +ajouter un composant en surbrillance. Toggles if the view manages the highlight. @@ -4013,6 +4458,34 @@ a highlight component. More Items Plus d'éléments + + Connections + Connexions + + + Sets logical connection between the components and the signals. + Définit la connexion logique entre les composants et les signaux. + + + Bindings + Liaisons + + + Sets the relation between the properties of two components to bind them together. + Définit la relation entre les propriétés des deux composants à lier ensemble. + + + Properties + Propriétés + + + Sets an additional property for the component. + Définit une propriété supplémentaire pour le composant. + + + Adds a Connection, Binding, or Custom Property to the components. + Ajoute une connexion, liaison ou une propriété personnalisée aux composants. + MarginSection @@ -4063,6 +4536,10 @@ a highlight component. Add a Texture. Ajouter une texture. + + <b>Material Browser</b> is not supported in Qt5 projects. + Le <b>navigateur de matériaux</b> n'est pas pris en charge dans les projets Qt5. + To use <b>Material Browser</b>, first add the QtQuick3D module in the <b>Components</b> view. Pour utiliser le <b>navigateur de matériaux<b/>, ajoutez d’abord le module QtQuick3D dans la vue <b>Composants</b>. @@ -4228,6 +4705,13 @@ a highlight component. Sortie vidéo cible. + + Message + + Close + Fermer + + ModelNodeOperations @@ -4290,10 +4774,30 @@ Erreur : - Modeling + ModelSourceItem - Modeling - Modélisation + Delete + Supprimer + + + Rename + Renommer + + + Deleting source + Suppression de la source + + + Cancel + Annuler + + + Rename source + Renommer la source + + + New name: + Nouveau nom : @@ -4433,6 +4937,29 @@ Erreur : Redéfinir ici le parent du composant %1 entrainera la suppression du composant %2. Voulez-vous continuer ? + + NewCollectionDialog + + Add a new Collection + Ajouter une nouvelle collection + + + Collection name: + Nom de la collection : + + + Collection name can not be empty + Le nom d'une collection ne peut pas être vide + + + Create + Créer + + + Cancel + Annuler + + NewEffectDialog @@ -4654,7 +5181,7 @@ Erreur : Horizontal - Sets the paddding on the left and right sides of the item. + Sets the padding on the left and right sides of the item. Définit le remplissage à gauche et à droite de l'élément. @@ -4790,8 +5317,8 @@ la taille totale implicite. PaneSpecifics - Font Inheritance - Héritage des polices + Font + Police @@ -4865,7 +5392,7 @@ la taille totale implicite. Sets the highlight range mode. - + Définit le mode pour la plage de surbrillance. Sets the animation duration of the highlight delegate when @@ -4877,13 +5404,17 @@ lorsqu'il est déplacé. Sets the preferred highlight beginning. It must be smaller than the <b>Preferred end</b>. Note that the user has to add a highlight component. - + Définit le début de la surbrillance souhaitée. Doit être une valeur +plus petite que la <b>fin souhaitée</b>. Notez que l'utilisateur doit +ajouter un composant en surbrillance. Sets the preferred highlight end. It must be larger than the <b>Preferred begin</b>. Note that the user has to add a highlight component. - + Définit la fin de la surbrillance souhaitée. Doit être une valeur +plus grande que le <b>début souhaité</b>. Notez que l'utilisateur doit +ajouter un composant en surbrillance. Item count @@ -4944,6 +5475,13 @@ a highlight component. Violation d'ordre des événements MMAP entre les vidages de tampons détectée. Le moment de l'événement est: %1, temps maximum depuis le dernier vidage: %2. Cela peut interrompre l'analyse des données. + + PopupLabel + + missing + manquant + + PopupSection @@ -5065,11 +5603,57 @@ est en cours. Indéterminée + + PropertiesDialog + + Owner + Propriétaire + + + The owner of the property + Le propriétaire de la propriété + + + + PropertiesDialogForm + + Type + Type + + + Sets the category of the <b>Local Custom Property</b>. + Définit la catégorie de la <b>propriété personnalisée locale</b>. + + + Name + Nom + + + Sets a name for the <b>Local Custom Property</b>. + Définit le nom de la <b>propriété personnalisée locale</b>. + + + Value + Valeur + + + Sets a valid <b>Local Custom Property</b> value. + Définit une valeur valide pour la <b>propriété personnalisée locale</b>. + + + + PropertiesListView + + Removes the property. + Supprime la propriété. + + PropertyActionSpecifics Property Action - + Action sur une propriété? + Action de propriété Value @@ -5492,6 +6076,10 @@ Export des ressources : %2 Asset Export Export de ressource + + Issues with exporting assets. + Problèmes lors de l'exportation des ressources. + Export Components Exporter des composants @@ -5650,29 +6238,6 @@ Export des ressources : %2 Ctrl+Espace - - QmlDesigner::BindingModel - - Item - Élément - - - Property - Propriété - - - Source Item - Élément source - - - Source Property - Propriété source - - - Error - Erreur - - QmlDesigner::CapturingConnectionManager @@ -5699,6 +6264,25 @@ Export des ressources : %2 Lie ce composant à la propriété du parent sélectionnée. + + QmlDesigner::CollectionView + + Collection Editor + Éditeur de collections + + + Collection Editor view + Vue de l'éditeur de collections + + + + QmlDesigner::CollectionWidget + + Collection View + Title of collection view widget + Collections + + QmlDesigner::ColorTool @@ -5714,18 +6298,49 @@ Export des ressources : %2 - QmlDesigner::ConnectionDelegate + QmlDesigner::ConditionListModel - Change to default state - Passer à l'état par défaut + No Valid Condition + Aucune condition valide - Change state to %1 - Passer l'état à %1 + Invalid token %1 + Jeton invalide %1 - Activate FlowAction %1 - Activer la FlowAction %1 + Invalid order at %1 + Ordre invalide à %1 + + + + QmlDesigner::ConnectionEditorStatements + + Function + Fonction + + + Assignment + Assignation + + + Set Property + Définir une propriété + + + Set State + Définir un état + + + Print + Afficher + + + Empty + Vide + + + Custom + Personnalisé @@ -5747,6 +6362,20 @@ Export des ressources : %2 Erreur + + QmlDesigner::ConnectionModelBackendDelegate + + Error + Erreur + + + + QmlDesigner::ConnectionModelStatementDelegate + + Base State + État de base + + QmlDesigner::ConnectionView @@ -5754,58 +6383,6 @@ Export des ressources : %2 Connexions - - QmlDesigner::ConnectionViewWidget - - Connections - Connexions - - - Connections - Title of connections window - Connexions - - - Connections - Title of connection tab - Connexions - - - Bindings - Title of connection tab - Liaisons - - - Properties - Title of dynamic properties tab - Propriétés - - - Backends - Title of dynamic properties view - Back-ends - - - Open Connection Editor - Ouvrir l'éditeur des connexions - - - Open Binding Editor - Ouvrir l'éditeur des liaisons - - - Reset Property - Réinitialiser la propriété - - - Add binding or connection. - Ajouter une liaison ou une connexion. - - - Remove selected binding or connection. - Supprimer la liaison ou la connexion sélectionnée. - - QmlDesigner::ContentLibraryView @@ -5829,7 +6406,7 @@ Export des ressources : %2 Always save when leaving subcomponent - Toujours sauvegarder lorsque l'on quitte un sous composant + Toujours sauvegarder lorsque l'on quitte un sous-composant @@ -5841,10 +6418,22 @@ Export des ressources : %2 QmlDesigner::CurveEditorToolBar + + Step + Interpolation par pas + + + Spline + Interpolation en courbe + Unify Unifier + + Linear + Interpolation linéaire + Start Frame Étape de départ @@ -5865,6 +6454,10 @@ Export des ressources : %2 Zoom In Zoom avant + + Not supported for MCUs + Non pris en charge pour les MCUs + QmlDesigner::CurveEditorView @@ -5958,29 +6551,6 @@ Export des ressources : %2 Aller à l'avertissement - - QmlDesigner::DynamicPropertiesModel - - Item - Élément - - - Property - Propriété - - - Property Type - Type de la propriété - - - Property Value - Valeur de la propriété - - - Error - Erreur - - QmlDesigner::DynamicPropertiesProxyModel @@ -6081,6 +6651,14 @@ Export des ressources : %2 Group Selection Mode Mode de sélection en groupe + + 3D view is not supported in MCU projects. + La vue 3D n'est pas prise en charge dans les projets MCU. + + + 3D view is not supported in Qt5 projects. + La vue 3D n'est pas prise en charge dans les projets Qt5. + Create Créer @@ -6130,85 +6708,6 @@ Export des ressources : %2 Liste d'événements - - QmlDesigner::Experimental::StatesEditorModel - - base state - Implicit default state - état de base - - - Invalid state name - Nom d’état invalide - - - The empty string as a name is reserved for the base state. - La chaîne vide comme nom est réservée à l’état de base. - - - Name already used in another state - Le nom est déjà utilisé dans un autre état - - - Default - Défaut - - - Invalid ID - Identifiant invalide - - - %1 already exists. - %1 existe déjà. - - - - QmlDesigner::Experimental::StatesEditorView - - States - États - - - Remove State - Supprimer l'état - - - This state is not empty. Are you sure you want to remove it? - L'état n'est pas vide. Êtes-vous sûr de vouloir le supprimer ? - - - Locked components: - Composants verrouillés : - - - Removing this state will modify locked components. - Supprimer cet état modifie des composants verrouillés. - - - Continue by removing the state? - Continuer en supprimant cet état ? - - - base state - état de base - - - - QmlDesigner::Experimental::StatesEditorWidget - - States New - Title of Editor widget - Nouveaux états - - - Cannot Create QtQuick View - Impossible de créer une vue QtQuick - - - StatesEditorWidget: %1 cannot be created.%2 - Éditeur d'états : impossible de créer %1. %2 - - QmlDesigner::FilePathModel @@ -6495,11 +6994,13 @@ Export des ressources : %2 ::nodeReparented: - + by looking at the rest of the code, there are some other log calls with strings not marked translatable. So, I guess this one should not be translated. + ::nodeReparented: ::nodeIdChanged: - + Same comment as for ::nodeReparented: + ::nodeIdChanged: Debug View @@ -6594,8 +7095,8 @@ Export des ressources : %2 Always save when leaving subcomponent in bread crumb - Aucune idée pour bread crumb - + https://fr.wikipedia.org/wiki/Fil_d%27Ariane_(ergonomie) + Toujours enregistrer lorsque l'on quitte un sous-composant du fil d'Ariane Warn about unsupported features of .ui.qml files in code editor @@ -6623,15 +7124,16 @@ Export des ressources : %2 qsTr() - + Option name referring to function in Qt. Should not be translatable? + qsTr() qsTrId() - + qsTrId() qsTranslate() - + qsTranslate() Always open ui.qml files in Design mode @@ -6881,14 +7383,6 @@ Export des ressources : %2 Failed to start import 3D asset process. Échec du démarrage du processus d'importation des ressources 3D. - - Failed to start icon generation process. - Échec du démarrage du processus de génération d'icônes. - - - Generating icons. - Génération des icônes. - Updating data model. Mise à jour du modèle de données. @@ -7228,6 +7722,10 @@ Les composants verrouillés ne peuvent être ni modifiés ni sélectionnés.%1 is an invalid type. %1 est un type invalide. + + Invalid QML source + Source QML invalide + QmlDesigner::PropertyEditorView @@ -7255,6 +7753,10 @@ Les composants verrouillés ne peuvent être ni modifiés ni sélectionnés.%1 already exists. %1 existe déjà. + + Invalid QML source + Source QML invalide + QmlDesigner::QmlDesignerPlugin @@ -7539,11 +8041,12 @@ Les composants verrouillés ne peuvent être ni modifiés ni sélectionnés. Smooth Point - Lisser le point + Lisser au point Corner Point - + Opposite of Smooth operation + Casser au point Add Point @@ -7562,17 +8065,29 @@ Les composants verrouillés ne peuvent être ni modifiés ni sélectionnés.état de base - Invalid State Name - Nom d'état invalide + Invalid state name + Nom d’état invalide + + + Name already used in another state + Le nom est déjà utilisé dans un autre état + + + Default + Défaut + + + Invalid ID + Identifiant invalide + + + %1 already exists. + %1 existe déjà. The empty string as a name is reserved for the base state. La chaîne vide comme nom est réservée à l’état de base. - - Name already used in another state. - Le nom est déjà utilisé dans un autre état. - QmlDesigner::StatesEditorView @@ -7580,10 +8095,6 @@ Les composants verrouillés ne peuvent être ni modifiés ni sélectionnés.States États - - States view - Vue des états - Remove State Supprimer l'état @@ -7780,10 +8291,6 @@ Les composants verrouillés ne peuvent être ni modifiés ni sélectionnés.Base State État de base - - animation02 - - QmlDesigner::TimelineForm @@ -7885,10 +8392,6 @@ Les composants verrouillés ne peuvent être ni modifiés ni sélectionnés. QmlDesigner::TimelineSettingsDialog - - Timeline Settings - Paramètres de la ligne temporelle - Add Timeline Ajouter une ligne temporelle @@ -7951,6 +8454,10 @@ Les composants verrouillés ne peuvent être ni modifiés ni sélectionnés.Base State État de base + + Not Supported for MCUs + Non pris en charge pour les MCUs + Timeline Settings Paramètres de la ligne temporelle @@ -7991,10 +8498,6 @@ Les composants verrouillés ne peuvent être ni modifiés ni sélectionnés.Easing Curve Editor Éditeur de courbes d'assouplissement - - Curve Editor - Éditeur de courbes - Zoom Out Zoom arrière @@ -8251,10 +8754,6 @@ Les composants verrouillés ne peuvent être ni modifiés ni sélectionnés. to vers - - Open Connections Editor - Ouvrir l'éditeur de connexions - Remove This Handler Supprimer ce gestionnaire @@ -8613,7 +9112,7 @@ Les composants verrouillés ne peuvent être ni modifiés ni sélectionnés. Playhead frame %1 Tête de lecture? - + Lecture trame %1 Keyframe %1 @@ -8743,25 +9242,58 @@ Les composants verrouillés ne peuvent être ni modifiés ni sélectionnés.Fermer le groupe - Detach Area - Détacher la zone + Pin Group + Épingler le groupe - Close Area - Fermer la zone + Pin Group To... + Épingler le groupe à… - Close Other Areas - Fermer les autres zones + Close Other Groups + Fermer les autres groupes + + + Pin Active Tab (Press Ctrl to Pin Group) + Épingler l'onglet actif (appuyez sur Ctrl pour épingler le groupe) Close Tab Fermer l’onglet + + Pin + Épingler + Detach Détacher + + Pin To... + Épingler à… + + + Top + Haut + + + Left + Gauche + + + Right + Droite + + + Bottom + Bas + + + Unpin (Dock) + I have seen "désépingler" in Firefox + Désépingler (rattacher) + Close Fermer @@ -8959,12 +9491,12 @@ Les composants verrouillés ne peuvent être ni modifiés ni sélectionnés.Impossible de supprimer « %1 ». - Directory does not exist"%1". - Le répertoire « %1 » n'existe pas. + The directory "%1" does not exist. + Le répertoire « %1 » n’existe pas. - Workspace does not exist "%1" - L'espace de travail « %1 » n'existe pas + The workspace "%1" does not exist + L'espace de travail « %1 » n'existe pas Cannot write to "%1". @@ -9192,7 +9724,7 @@ Annulation des opérations en cours… Create a keystore and a certificate - Crée un classeur de clés et un certificat + Créer un keystore et un certificat Keystore @@ -9370,10 +9902,6 @@ dans le navigateur système pour un téléchargement manuel. Android SDK Command-line Tools installed. Les outils en ligne de commande du SDK Android sont installés. - - Android SDK Command-line Tools run. - Exécuter les outils en ligne de commande du SDK Android. - Android SDK Platform-Tools installed. Les outils de plateforme du SDK Android sont installés. @@ -9504,7 +10032,7 @@ dans le navigateur système pour un téléchargement manuel. Unset Default - + Ne plus rendre par défaut Make Default @@ -9530,6 +10058,10 @@ dans le navigateur système pour un téléchargement manuel. Automatically create kits for Android tool chains Créer automatiquement les kits pour les chaînes de compilation Android + + Android SDK Command-line Tools runs. + Exécution des outils en ligne de commande du SDK Android. + JDK location: Emplacement du JDK : @@ -10131,7 +10663,7 @@ Cela ne peut être annulé. Style extraction: - + Extraction de style : Screen orientation: @@ -10289,46 +10821,6 @@ Cela ne peut être annulé. Libraries (*.so) Bibliothèques (*.so) - - Android: SDK installation error 0x%1 - Android : erreur d’installation du SDK 0x%1 - - - Android: NDK installation error 0x%1 - Android : erreur d’installation du NDK 0x%1 - - - Android: Java installation error 0x%1 - Android : erreur d’installation de Java 0x%1 - - - Android: ant installation error 0x%1 - Android : erreur d’installation de ant 0x%1 - - - Android: adb installation error 0x%1 - Android : erreur d’installation de adb 0x%1 - - - Android: Device connection error 0x%1 - Android : erreur de connexion du périphérique 0x%1 - - - Android: Device permission error 0x%1 - Android : erreur de permission du périphérique 0x%1 - - - Android: Device authorization error 0x%1 - Android : erreur d’autorisation du périphérique 0x%1 - - - Android: Device API level not supported: error 0x%1 - Android : le niveau d’API du périphérique n’est pas pris en charge : erreur 0x%1 - - - Android: Unknown error 0x%1 - Android : erreur inconnue 0x%1 - No application .pro file found in this project. Aucun fichier d’application .pro n’a été trouvé dans ce projet. @@ -10479,6 +10971,7 @@ Les fichiers du répertoire source du paquet Android sont copiés dans le réper Images %1 + %1 expands to wildcard list for file dialog, do not change order Images %1 @@ -10633,6 +11126,18 @@ Les fichiers du répertoire source du paquet Android sont copiés dans le réper Cancel Annuler + + Unarchiving SDK Tools package... + Désarchivage du paquet des outils SDK… + + + Verifying the integrity of the downloaded file has failed. + Échec de la vérification de l'intégrité du fichier téléchargé. + + + Unarchiving error. + Erreur de désarchivage. + Download SDK Tools Télécharger les outils du SDK @@ -10649,10 +11154,6 @@ Les fichiers du répertoire source du paquet Android sont copiés dans le réper Download from %1 was redirected. Le téléchargement à partir de %1 a été redirigé. - - Writing and verifying the integrity of the downloaded file has failed. - Échec d'écriture ou de la vérification de l'intégrité du fichier téléchargé. - The operation requires user interaction. Use the "sdkmanager" command-line tool. L'opération nécessite une intéraction de l'utilisateur. Utilisez l'outil en ligne de commande « sdkmanager ». @@ -10678,16 +11179,8 @@ Les fichiers du répertoire source du paquet Android sont copiés dans le réper Désinstallation - AndroidSdkManager - Failed - - - - AndroidSdkManager - Done - - - + Failed + Échec License command failed. @@ -10930,6 +11423,26 @@ le fichier manifeste et d'écraser vos paramètres. Accepter l'écrase Run Tests for &Current File Exécuter les tests pour le fichier &actuel + + Run Test Under Cursor + Exécuter le test sous le curseur + + + &Run Test + &Exécuter le test + + + Run Test Without Deployment + Exécuter le test sans déploiement + + + &Debug Test + &Déboguer le test + + + Debug Test Without Deployment + Déboguer le test sans déploiement + Run All Tests Exécuter tous les tests @@ -10958,6 +11471,14 @@ le fichier manifeste et d'écraser vos paramètres. Accepter l'écrase Alt+Shift+T,Alt+C Alt+Maj+T,Alt+C + + Disable Temporarily + Désactiver temporairement + + + Disable scanning and other actions until explicitly rescanning, re-enabling, or restarting Qt Creator. + Désactive l'analyse et les autres actions jusqu'au démarrage d'une analyse manuelle, à la réactivation ou au redémarrage de Qt Creator. + Re&scan Tests Rescanner les tests @@ -10970,22 +11491,6 @@ le fichier manifeste et d'écraser vos paramètres. Accepter l'écrase Alt+Shift+T,Alt+S Alt+Maj+T,Alt+S - - &Run Test Under Cursor - &Exécuter les tests sous le curseur - - - Run Test Under Cursor Without Deployment - Exécuter les tests sous le curseur sans déploiement - - - &Debug Test Under Cursor - &Déboguer le test sous le curseur - - - Debug Test Under Cursor Without Deployment - Déboguer le test sous le curseur sans déploiement - Cannot debug multiple tests at once. Impossible de déboguer plusieurs tests à la fois. @@ -11022,9 +11527,12 @@ le fichier manifeste et d'écraser vos paramètres. Accepter l'écrase Test module execution took %1. L'exécution du module de test a pris %1. - - %1 failures detected in %2. - %1 échecs détectés dans %2. + + %n failure(s) detected in %1. + + Un échec détecté dans %1. + %n échecs détectés dans %1. + %1 tests passed. @@ -11104,15 +11612,17 @@ Exécutable : %2 parameterized - + Test name before this string, https://www.boost.org/doc/libs/1_66_0/libs/test/doc/html/boost_test/tests_organization/test_cases/param_test.html + avec paramètres fixture - + fixture is something run before (initialisation) et after (cleanup) the test + avec mise en place templated - + avec template Catch Test @@ -11168,15 +11678,15 @@ Exécutable : %2 Benchmark resamples - + Ré-échantillons de benchmark Number of resamples used for statistical bootstrapping. - + Nombre de ré-échantillons utilisés pour l'amorçage statistique. Confidence interval used for statistical bootstrapping. - + Intervalle de confiance utilisé pour l'amorçage statistique. Benchmark confidence interval @@ -11200,11 +11710,11 @@ Exécutable : %2 Show success - + Montrer en cas de réussite Show success for tests. - + Montrer en cas de réussite des tests. Break on failure while debugging @@ -11284,7 +11794,8 @@ Exécutable : %2 Schedule random - + CTest Option --schedule-random + Ordre aléatoire Stop on failure @@ -11382,7 +11893,8 @@ Exécutable : %2 Throw on failure - + GTest option gtest_throw_on_failure + Envoi d'une exception en cas d'échec Turns assertion failures into C++ exceptions. @@ -11428,7 +11940,7 @@ Voir la documentation de Google Test pour plus d'informations sur les filtr typed - + avec typage Active frameworks: @@ -12023,6 +12535,10 @@ Cela peut provoquer des problèmes lors de l'exécution. Automatically scroll results Défile automatiquement les résultats + + Number of worker threads used when scanning for tests. + Nombre de threads utilisés pour la recherche des tests. + Automatically scrolls down when new items are added and scrollbar is at bottom. Défile automatiquement vers le bas lors de l'ajout de nouveaux éléments et si la barre de défilement est en bas. @@ -12061,6 +12577,10 @@ Avertissement : fonctionnalité expérimentale pouvant entraîner un échec Timeout used when executing test cases. This will apply for each test case on its own, not the whole project. Délai de dépassement utilisé lors de l'exécution de chaque cas de test. Le délai est appliqué à chaque cas de test indépendamment et non à l'intégralité du projet. + + Scan threads: + Threads de recherche : + Selects the test frameworks to be handled by the AutoTest plugin. Sélectionne le cadriciel de test devant être géré par le plug-in AutoTest. @@ -12773,7 +13293,7 @@ Avertissement : fonctionnalité expérimentale pouvant entraîner un échec Algorithm path. - + Chemin de l'algorithme. FLASH: @@ -12809,7 +13329,7 @@ Avertissement : fonctionnalité expérimentale pouvant entraîner un échec Flash algorithm: - + Algorithme pour le flash : Target device not selected. @@ -13073,7 +13593,7 @@ Ce drapeau permettra au push de se poursuivre. Uncommit - + Invalider Keep tags that point to removed revisions @@ -13086,7 +13606,7 @@ Ce drapeau permettra au push de se poursuivre. If a revision is specified, uncommits revisions to leave the branch at the specified revision. For example, "Revision: 15" will leave the branch at revision 15. - Si une révision est spécifiée, uncommit les révisions pour laisser la branche à la révision spécifiée. + Si une révision est spécifiée, invalider les révisions pour laisser la branche à la révision spécifiée. Par exemple, « Revision : 15 » laissera la branche à la révision 15. @@ -13446,10 +13966,6 @@ Par exemple, « Revision : 15 » laissera la branche à la révis &ClangFormat &ClangFormat - - ClangFormat - ClangFormat - Use predefined style: Utiliser un style pré-défini : @@ -13560,7 +14076,7 @@ Par exemple, « Revision : 15 » laissera la branche à la révis For action Format Selected Text - + Pour l'action « Formater le texte sélectionné » Uncrustify command: @@ -13707,125 +14223,6 @@ Par exemple, « Revision : 15 » laissera la branche à la révis Aller à l’adresse 0x%1 dans une nouvelle fenêtre - - QtC::TextEditor - - Bookmarks - Signets - - - Locates bookmarks. Filter by file name, by the text on the line of the bookmark, or by the bookmark's note text. - Cherche les signets. Filtrer par nom de fichier, par le texte sur la ligne du signet ou par la note du signet. - - - Bookmark - Signet - - - Move Up - Déplacer vers le haut - - - Move Down - Déplacer vers le bas - - - &Edit - &Édition - - - &Remove - &Supprimer - - - Remove All - Tout supprimer - - - Remove All Bookmarks - Supprimer tous les signets - - - Are you sure you want to remove all bookmarks from all files in the current session? - Voulez-vous vraiment supprimer tous les signets de tous les fichiers de la session en cours ? - - - Edit Bookmark - Modifier le signet - - - Line number: - Numéro de ligne : - - - &Bookmarks - &Signets - - - Toggle Bookmark - Activer/désactiver les signets - - - Ctrl+M - Ctrl+M - - - Meta+M - Meta+M - - - Previous Bookmark - Signet précédent - - - Ctrl+, - Ctrl+, - - - Meta+, - Meta+, - - - Next Bookmark - Signet suivant - - - Meta+Shift+M - Meta+Maj+M - - - Ctrl+Shift+M - Ctrl+Maj+M - - - Ctrl+. - Ctrl+. - - - Meta+. - Meta+. - - - Previous Bookmark in Document - Signet précédent dans le document - - - Next Bookmark in Document - Signet suivant dans le document - - - Alt+Meta+M - Alt+Meta+M - - - Alt+M - Alt+M - - - Note text: - Note : - - QtC::CMakeProjectManager @@ -13850,11 +14247,12 @@ Par exemple, « Revision : 15 » laissera la branche à la révis Stage for installation - + option sets https://cmake.org/cmake/help/latest/envvar/DESTDIR.html + Étape intermédiaire pour l'installation Staging directory: - + Répertoire intermédiaire : Enable automatic provisioning updates: @@ -13883,7 +14281,7 @@ Par exemple, « Revision : 15 » laissera la branche à la révis Stage at %2 for %3 Stage (for installation) at <staging_dir> for <installation_dir> - + Étape intermédiaire dans %2 pour %3 Build @@ -14131,6 +14529,14 @@ Par exemple, « Revision : 15 » laissera la branche à la révis Reload CMake Presets Recharger les préréglages CMake + + CMake Profiler + Profileur CMake + + + Start CMake Debugging + Commencer le débogage CMake + Build Compilation @@ -14208,10 +14614,6 @@ Par exemple, « Revision : 15 » laissera la branche à la révis Generator: Générateur : - - Extra generator: - Générateur supplémentaire : - Platform: Plateforme : @@ -14220,10 +14622,6 @@ Par exemple, « Revision : 15 » laissera la branche à la révis Toolset: Toolset : - - <none> - <aucun> - CMake <a href="generator">generator</a> <a href="generator">Générateur</a> CMake @@ -14436,6 +14834,10 @@ Par exemple, « Revision : 15 » laissera la branche à la révis Restrict to files contained in the current project Restreindre aux fichiers contenus dans le projet en cours + + <a href="%1">CMakeFormat</a> command: + Commande <a href="%1">CMakeFormat</a> : + Formatter Formateur @@ -14444,10 +14846,6 @@ Par exemple, « Revision : 15 » laissera la branche à la révis Automatic Formatting on File Save Formatage automatique lors de l’enregistrement du fichier - - CMakeFormat command: - Commande CMakeFormat : - Install ConfigWidget display name. @@ -14879,6 +15277,30 @@ Assurez-vous que la variable CMAKE_BUILD_TYPE contient le champ « Build ty <File System> <Système de fichiers> + + Call stack: + Pile d'appels : + + + Failed to read file "%1". + Impossible de lire le fichier « %1 ». + + + Invalid file "%1". + Fichier non valide « %1 ». + + + Invalid "version" in file "%1". + « Version » non valide dans le fichier « %1 ». + + + Invalid "configurePresets" section in %1 file + Section « configurePresets » non valide dans le fichier %1 + + + Invalid "buildPresets" section in %1 file + Section « buildPresets » non valide dans le fichier %1 + QtC::CVS @@ -15205,6 +15627,10 @@ Assurez-vous que la variable CMAKE_BUILD_TYPE contient le champ « Build ty Clang Code Model Modèle de code Clang + + C++ code issues that Clangd found in the current document. + Problèmes de code C++ trouvés par Clangd dans le document actuel. + Generate Compilation Database Générer la base de données de compilation @@ -15260,7 +15686,7 @@ Assurez-vous que la variable CMAKE_BUILD_TYPE contient le champ « Build ty %1 - collecting overrides ... + collecting overrides... réception des surcharges… @@ -15306,8 +15732,8 @@ Assurez-vous que la variable CMAKE_BUILD_TYPE contient le champ « Build ty Projet : %1 (fondé sur %2) - Changes applied in Projects Mode > Clang Code Model - Changements appliqués dans le mode Projets > Modèle de code Clang + Changes applied to diagnostic configuration "%1". + Changements appliqués à la configuration de diagnostique « %1 ». Code Model Error @@ -15565,6 +15991,10 @@ Assurez-vous que la variable CMAKE_BUILD_TYPE contient le champ « Build ty %1 finished: Processed %2 files successfully, %3 failed. %1 terminé : traitement réussi de %2 fichier(s), échec de %3. + + %1 produced stderr output: + %1 a produit la sortie stderr : + Command line: %1 Process Error: %2 @@ -15639,6 +16069,10 @@ Sortie : Clang Tools Outils Clang + + Issues that Clang-Tidy and Clazy found when analyzing code. + Problèmes que Clang Tidy et Clazy ont trouvé lors de l'analyse du code. + Analyze File... Analyser le fichier… @@ -16085,7 +16519,7 @@ Définissez d’abord un exécutable valide. Created by: - Crée par : + Crée par : Created on: @@ -16649,6 +17083,133 @@ Oui :) Analyser le projet « %1 » + + QtC::CompilerExplorer + + Not found + Non trouvé + + + Reset used libraries + Réinitialiser les bibliothèques utilisées + + + No libraries selected + Aucune bibliothèque sélectionnée + + + Edit + Modifier + + + Add Compiler + Ajouter un compilateur + + + Remove Source + Supprimer source + + + Advanced Options + Options avancées + + + Remove Compiler + Supprimer le compilateur + + + Bytes + Octets + + + Failed to compile: "%1". + Échec lors de la compilation : « %1 ». + + + Add Source Code + Ajouter un code source + + + No source code added yet. Add some using the button below. + Aucun code source n'a été ajouté. Ajoutez-en grâce au bouton ci-dessous. + + + Add Source + Ajouter source + + + powered by %1 + Fournit par %1 + + + Compiler Explorer Editor + Éditeur Compiler Explorer + + + Open Compiler Explorer + Ouvrir Compiler Explorer + + + Compiler Explorer + Compiler Explorer + + + Language: + Langage : + + + Compiler: + Compilateur : + + + Compiler options: + Options du compilateur : + + + Arguments passed to the compiler. + Arguments passés au compilateur. + + + Libraries: + Bibliothèques : + + + Execute the code + Exécuter le code + + + Compile to binary object + Compiler vers un objet binaire + + + Intel asm syntax + Syntaxe assembleur Intel + + + Demangle identifiers + Démêler les identifiants + + + Failed to fetch libraries: "%1". + Échec lors de la récupération des bibliothèques : « %1 ». + + + Failed to fetch languages: "%1". + Échec lors de la récupération des langages : « %1 ». + + + Failed to fetch compilers: "%1". + Échec lors de la récupération des compilateurs : « %1 ». + + + Compiler Explorer URL: + URL Compiler Explorer : + + + URL of the Compiler Explorer instance to use. + L'URL de l'instance Compiler Explorer à utiliser. + + QtC::Conan @@ -16669,7 +17230,7 @@ Oui :) Run conan install - + Exécuter conan install @@ -16696,6 +17257,14 @@ Le code a été copié dans votre presse-papiers. Copilot Copilot + + Proxy username and password required: + Nom d'utilisateur et mot de passe du proxy requis : + + + Do not ask again. This will disable Copilot for now. + Ne plus demander. Cela désactivera Copilot pour le moment. + Select Previous Copilot Suggestion Sélectionner la suggestion Copilot précédente @@ -16774,6 +17343,7 @@ Le code a été copié dans votre presse-papiers. Select path to node.js executable. See %1 for installation instructions. + %1 is the URL to nodejs Sélectionner le chemin menant à l'exécutable node.js. Voir %1 pour les instructions d'installation. @@ -16786,20 +17356,105 @@ Le code a été copié dans votre presse-papiers. Select path to agent.js in Copilot Neovim plugin. See %1 for installation instructions. + %1 is the URL to copilot.vim getting started Sélectionner le chemin vers agent.js dans le plug-in Copilot Neovim Voir %1 pour les instructions d'installation. - Auto Complete - Auto-complétion + Auto Request + Requête automatique - Request completions automatically - Récupèrer automatiquement les complétions + Auto request + Requête automatique Automatically request suggestions for the current text cursor position after changes to the document. Récupère automatiquement des suggestions pour la position courante du curseur après un changement dans le document. + + Use Proxy + Utiliser un proxy + + + Use proxy + Utiliser un proxy + + + Use a proxy to connect to the Copilot servers. + Utiliser un proxy pour se connecter aux serveurs Copilot. + + + Proxy Host + Hôte du proxy + + + Proxy host: + Hôte du proxy : + + + The host name of the proxy server. + Le nom d'hôte du serveur proxy. + + + Proxy Port + Port du proxy + + + Proxy port: + Port du proxy : + + + The port of the proxy server. + Le port du serveur proxy. + + + Proxy User + Utilisateur du proxy + + + Proxy user: + Utilisateur du proxy : + + + The user name to access the proxy server. + Le nom d'utilisateur pour accéder au serveur proxy. + + + Save Proxy Password + Enregistrer le mot de passe du proxy + + + Save proxy password + Enregistrer le mot de passe du proxy + + + Save the password to access the proxy server. The password is stored insecurely. + Enregistrer le mot de passe permettant d'accéder au serveur proxy. Le mot de passe est stocké de manière non sécurisée. + + + Proxy Password + Mot de passe du proxy + + + Proxy password: + Mot de passe du proxy : + + + The password for the proxy server. + Le mot de passe du serveur proxy. + + + Reject Unauthorized + Rejeter les certificats non autorisés + + + Reject unauthorized + Rejeter les certificats non autorisés + + + Reject unauthorized certificates from the proxy server. Turning this off is a security risk. + Rejeter les certificats non autorisés provenant du serveur proxy. Désactiver cette option constitue un risque de sécurité. + Enabling %1 is subject to your agreement and abidance with your applicable %1 terms. It is your responsibility to know and accept the requirements and parameters of using tools like %1. This may include, but is not limited to, ensuring you have the rights to allow %1 access to your code, as well as understanding any implications of your use of %1 and suggestions produced (like copyright, accuracy, etc.). L'activation de %1 est sujette à votre accord et votre conformité dans les termes applicables %1. Il est de votre responsabilité de connaître et d'accepter les prérequis et les conditions d'utilisation d'un outil comme %1. Cela peut inclure, mais n'est pas limité à, s'assurer d'avoir les droits de permettre à %1 d'accéder à votre code, ainsi que de comprendre les implications de votre utilisation de %1 et les suggestions produites (tels que les droits d'auteur, la précision, etc.). @@ -16814,8 +17469,8 @@ Otherwise you need to specify the path to the %2 file from the Copilot neovim pl Sinon, vous devez spécifier le chemin menant au fichier %2 dans le plug-in Copilot Neovim. - Note: - Remarque : + Note + Note @@ -17223,14 +17878,6 @@ Poursuivre ? Toolbar style: Style de la barre d'outils : - - Enable high DPI scaling - Activer la mise à l’échelle DPI élevée - - - The high DPI settings will take effect after restart. - Les paramètres DPI élevés prendront effet après le redémarrage. - Text codec for tools: Codec de texte pour les outils : @@ -17247,6 +17894,30 @@ Poursuivre ? off non + + Round Up for .5 and Above + Arrondir pour .5 et plus + + + Always Round Up + Toujours arrondir + + + Always Round Down + Toujours arrondir vers le bas + + + Round Up for .75 and Above + Arrondir pour .75 ou plus + + + Don't Round + Ne pas arrondir + + + DPI rounding policy: + Politique d'arrondi du DPI : + <System Language> <Langue du système> @@ -17261,7 +17932,11 @@ Poursuivre ? Relaxed - + Relaché + + + The DPI rounding policy change will take effect after restart. + La politique d'arrondi du DPI prendra effet après un redémarrage. Interface @@ -17616,6 +18291,22 @@ provided they were unmodified before the refactoring. Original Size Taille réelle + + Show Menu Bar + Afficher la barre de menu + + + Ctrl+Alt+M + Ctrl+Alt+M + + + Hide Menu Bar + Cacher la barre de menu + + + This will hide the menu bar completely. You can show it again by typing %1. + Cette option cache complètement la barre de menu. Vous pouvez la ré-afficher en appuyant sur %1. + About &%1 À propos de &%1 @@ -17812,10 +18503,6 @@ provided they were unmodified before the refactoring. Stop Logging Arrêter la journalisation - - Toggle Qt Internal Logging - Activer/désactiver la journalisation interne de Qt - Auto Scroll Défilement auto @@ -17832,10 +18519,54 @@ provided they were unmodified before the refactoring. Timestamp Horodatage + + Entry is missing a logging category name. + L'entrée ne dispose pas de nom de catégorie de journalisation. + + + Entry is missing data. + L'entrée ne dispose pas de données. + + + Invalid level: %1 + Niveau invalide : %1 + + + Debug + Débogage + + + Warning + Avertissement + + + Critical + Critique + + + Fatal + Fatal + + + Info + Info + Message Message + + Filter Qt Internal Log Categories + Filtrer les catégories des journaux internes de Qt + + + Filter categories by regular expression + Filtrer les catégories à l'aide d'une expression régulière + + + Invalid regular expression: %1 + Expression régulière invalide : %1 + Start Logging Démarrer la journalisation @@ -17848,6 +18579,18 @@ provided they were unmodified before the refactoring. Copy All Tout copier + + Uncheck All %1 + Décocher tout %1 + + + Check All %1 + Cocher tout %1 + + + Reset All %1 + Réinitialiser tout %1 + Save Enabled as Preset... Enregistrer tout ce qui est activé comme préconfiguration… @@ -17928,6 +18671,10 @@ provided they were unmodified before the refactoring. Alt+Shift+9 Alt+Maj+9 + + Reset to Default + Restaurer les paramètres par défaut + Shift+F6 Maj+F6 @@ -18613,6 +19360,10 @@ To do this, you type this shortcut and a space in the Locator entry field, and t Python Editor Éditeur Python + + Sort categories + Trier les catégories + Preferences Préférences @@ -18679,7 +19430,8 @@ To do this, you type this shortcut and a space in the Locator entry field, and t Show Bread Crumbs - + bread crumbs? + Afficher les fils d'Ariane Show Folders on Top @@ -19079,8 +19831,12 @@ To do this, you type this shortcut and a space in the Locator entry field, and t Gestion de versions - Remove the following files from the version control system (%2)? %1Note: This might remove the local file. - Supprimer les fichiers suivants du système de gestion de versions (%2) ? %1Remarque : cela pourrait supprimer le fichier local. + Remove the following files from the version control system (%1)? + Supprimer les fichiers suivants du système de gestion de versions (%1) ? + + + Note: This might remove the local file. + Remarque : cela pourrait supprimer le fichier local. Add to Version Control @@ -19954,6 +20710,10 @@ Vous rencontrerez probablement d’autres problèmes en utilisant cette instance Locates files from a global file system index (Spotlight, Locate, Everything). Append "+<number>" or ":<number>" to jump to the given line number. Append another "+<number>" or ":<number>" to jump to the column number as well. Trouve les fichiers à partir de l'index global du système de fichiers (Spotlight, Locate, Tout). Ajouter « +<nombre> » ou « :<nombre> » pour aller à la ligne donnée. Ajouter un autre « +<nombre> » ou « :<nombre> » pour aller à une colonne donnée. + + Sort results + Trier les résultats + Case sensitive: Sensible à la casse : @@ -20061,10 +20821,6 @@ Double-cliquez pour modifier l’élément. Checking archive... Vérification de l’archive… - - The file is not an archive. - Le fichier n’est pas une archive. - Canceled. Annulé. @@ -20285,8 +21041,12 @@ Double-cliquez pour modifier l’élément. <p>Si l’indexation en arrière-plan est activée, les recherches globales de symboles donneront des résultats plus précis, au prix d’une charge de travail supplémentaire du CPU lors de la première ouverture du projet. Le résultat de l’indexation est conservé dans le répertoire de construction du projet. Si vous désactivez l’indexation en arrière-plan, un indexeur intégré plus rapide, mais moins précis, est utilisé à la place. La priorité des threads pour la construction de l’index d’arrière-plan peut être ajustée depuis clangd 15.</p><p>Priorité d’arrière-plan : priorité minimale, s’exécute sur les processeurs inactifs. Peut laisser les cœurs de « performance » inutilisés.</p><p>Priorité normale : priorité réduite par rapport au travail interactif.</p><p>Priorité basse : même priorité que les autres travaux de clangd.</p> - <p>Which C/C++ backend to use when switching between header and source file.<p>The clangd implementation has more capabilities, but also has some bugs not present in the built-in variant.<p>When "Try Both" is selected, clangd will be employed only if the built-in variant does not find anything. - <p>Quel back-end C/C++ utiliser lors du basculement entre un fichier entête et un fichier source.<p>L'implémentation clangd embarque plus de fonctionnalités, mais possède aussi des bogues non présents dans la variante intégrée.<p>Lorsque « Essayer les deux » est sélectionné, clangd sera utilisé seulement si la variante intégrée ne trouve rien. + <p>The C/C++ backend to use for switching between header and source files.</p><p>While the clangd implementation has more capabilities than the built-in code model, it tends to find false positives.</p><p>When "Try Both" is selected, clangd is used only if the built-in variant does not find anything.</p> + <p>Le back-end C/C++ à utiliser pour alterner entre les en-têtes et les fichiers source.</p><p>Bien que l'implémentation clangd possède plus de fonctionnalités que le modèle de code intégré, clangd produit des faux positifs.</p><p>Lorsque « Essayer les deux » est sélectionné, clangd n'est utilisé que lorsque le modèle de code intégré ne trouve rien.</p> + + + <p>Which model clangd should use to rank possible completions.</p><p>This determines the order of candidates in the combo box when doing code completion.</p><p>The "%1" model used by default results from (pre-trained) machine learning and provides superior results on average.</p><p>If you feel that its suggestions stray too much from your expectations for your code base, you can try switching to the hand-crafted "%2" model.</p> + <p>Quel modèle clangd doit-il utiliser pour classer les complétions possibles.</p><p>Cela détermine l'ordre des candidats dans la combobox lors d'une complétion de code.</p><p>Le modèle « %1 » utilisé par défaut offre des résultats provenant du machine learning (pré-entrainé) et fournit généralement de meilleurs résultats.</p><p>Si vous pensez que les suggestions sont trop éloignées de ce que vous attendez pour votre code, essayez de passer au modèle sur mesure « %2 » Number of worker threads used by clangd. Background indexing also uses this many worker threads. @@ -20348,6 +21108,10 @@ Le modèle de code intégré gèrera le surlignage, la complétion, etc.Worker thread count: Nombre de threads de travail : + + Completion ranking model: + Modèle de classement de la complétion : + Document update threshold: Seuil de mise à jour du document : @@ -20804,6 +21568,22 @@ Utilisez le glisser-déposer pour modifier l’ordre des paramètres.Generate Constructor Générer le constructeur + + Convert Comment to C-Style + Convertir au style de commentaires C + + + Convert Comment to C++-Style + Convertir au style de commentaires C++ + + + Move Function Documentation to Declaration + Déplacer la documentation de la fonction à côté de sa déclaration + + + Move Function Documentation to Definition + Déplacer la documentation de la fonction à côté de sa définition + Add %1 Declaration Ajouter la déclaration %1 @@ -21536,6 +22316,18 @@ Ces préfixes sont utilisés en complément au répertoire actuel pour basculer Ctrl+E, Shift+F2 Ctrl+E, Maj+F2 + + Fold All Comment Blocks + Replier tous les blocs de commentaires + + + Unfold All Comment Blocks + Déplier tous les blocs de commentaires + + + C++ File Naming + Nommage de fichier C++ + The license template. Le modèle de licence. @@ -21568,26 +22360,6 @@ Ces préfixes sont utilisés en complément au répertoire actuel pour basculer text on macOS touch bar Decl/Def - - Follow Symbol Under Cursor to Type - Suivre le symbole sous le curseur pour taper - - - Ctrl+Shift+F2 - Ctrl+Maj+F2 - - - Follow Symbol to Type in Next Split - Suivre le symbole pour taper dans le prochain panneau - - - Meta+E, Ctrl+Shift+F2 - Meta+E, Ctrl+Maj+F2 - - - Ctrl+E, Ctrl+Shift+F2 - Ctrl+E, Ctrl+Maj+F2 - Find References With Access Type Rechercher des références avec le type d’accès @@ -21822,7 +22594,7 @@ Ces préfixes sont utilisés en complément au répertoire actuel pour basculer New name: - Nouveau nom : + Nouveau nom : Option "%1" is invalid. @@ -21872,6 +22644,14 @@ Ces préfixes sont utilisés en complément au répertoire actuel pour basculer Try Both Essayer les deux + + Decision Forest + Forêt de décision + + + Heuristics + Heuristiques + <b>Warning</b>: This file is not part of any project. The code model might have issues parsing this file properly. <b>Avertissement</b> : ce fichier ne fait partie d’aucun projet. Le modèle de code peut avoir des difficultés à analyser correctement ce fichier. @@ -21912,9 +22692,12 @@ Ces préfixes sont utilisés en complément au répertoire actuel pour basculer Could not determine compiler command line. Impossible de déterminer la ligne de commande du compilateur. - - Checked %1 of %2 functions - Fonction %1 sur %2 vérifiée + + Checked %1 of %n function(s) + + Vérification de l'unique fonction + %1 sur %n fonctions vérifiées + Finding Unused Functions @@ -21988,14 +22771,14 @@ Ces préfixes sont utilisés en complément au répertoire actuel pour basculer Build-system warnings Avertissements du système de compilation - - collecting overrides ... - réception des surcharges… - Locates files that are included by C++ files of any open project. Append "+<number>" or ":<number>" to jump to the given line number. Append another "+<number>" or ":<number>" to jump to the column number as well. Trouve les fichiers qui sont inclus par les fichiers C++ dans n'importe quel projet ouvert. Ajouter « +<nombre> » ou « :<nombre> » pour aller à la ligne donnée. Ajouter un autre « +<nombre> » ou « :<nombre> » pour aussi aller à la colonne donnée. + + collecting overrides... + réception des surcharges… + QtC::Cppcheck @@ -22184,7 +22967,7 @@ Ces préfixes sont utilisés en complément au répertoire actuel pour basculer true - + vrai Thread %1 @@ -22200,7 +22983,7 @@ Ces préfixes sont utilisés en complément au répertoire actuel pour basculer Instant - + Immédiat Scope @@ -22208,7 +22991,7 @@ Ces préfixes sont utilisés en complément au répertoire actuel pour basculer global - + global process @@ -22222,6 +23005,10 @@ Ces préfixes sont utilisés en complément au répertoire actuel pour basculer Return Arguments Arguments de retour + + Error while parsing CTF data: %1. + Erreur lors de l'analyse des données CTF : %1. + CTF Visualizer Visualiseur de trace Chrome @@ -24755,10 +25542,6 @@ Il peut vous être demandé de partager le contenu de ce journal lorsque vous si Stop Debugger Arrêter le débogueur - - Debug Information - Information de débogage - Debugger Runtime Exécution du débogueur @@ -24791,10 +25574,27 @@ Il peut vous être demandé de partager le contenu de ce journal lorsque vous si Start and Break on Main Démarrer et s’arrêter sur le Main + + DAP + DAP + + + Valgrind + Category under which Analyzer tasks are listed in Issues view + Valgrind + + + Issues that the Valgrind tools found when analyzing the code. + Problèmes trouvés par les outils Valgrind lors de l'analyse du code. + &Analyze A&nalyser + + Issues with starting the debugger. + Problèmes rencontrés lors du démarrage du débogueur. + Breakpoint Preset Points d'arrêt prédéfinis @@ -24871,6 +25671,30 @@ Il peut vous être demandé de partager le contenu de ce journal lorsque vous si Ctrl+F6 Ctrl+F6 + + CMake Preset + Préréglage CMake + + + GDB Preset + Préréglage GDB + + + Python Preset + Préréglage Python + + + DAP Breakpoint Preset + Préréglage de point d'arrêt DAP + + + DAP Debugger Perspectives + Perspectives du débogueur DAP + + + Start DAP Debugging + Commencer le débogage DAP + in Debug mode en mode Debug @@ -25576,7 +26400,6 @@ Vous pouvez choisir un autre canal de communication ici, comme une ligne série Debugger - Category under which Analyzer tasks are listed in Issues view Débogueur @@ -26283,11 +27106,11 @@ L’accès au module ou la mise en place de points d’arrêt par fichier et par Force Display as Direct Storage Form - + Forcer l'affichage sous la forme directe de stockage Force Display as Indirect Storage Form - + Forcer l'affichage sous la forme indirecte de stockage Display Boolean Values as True or False @@ -26841,6 +27664,14 @@ L’accès au module ou la mise en place de points d’arrêt par fichier et par Locals and Expressions Locales et expressions + + Python debugging support is not available. Install the debugpy package. + La prise en charge du débogage Python n'est pas disponible. Installez le paquet debugpy. + + + Install debugpy + Installer debugpy + QtC::Designer @@ -27293,6 +28124,14 @@ La recompilation du projet peut aider. Checking docker daemon Vérification du démon docker + + Docker executable not found + Exécutable docker introuvable + + + Failed to retrieve docker networks. Exit code: %1. Error: %2 + Échec lors de la récupération des réseaux docker. Code de sortie : %1. Erreur : %2 + Path "%1" is not a directory or does not exist. Le chemin « %1 » n'est pas un dossier ou n'existe pas. @@ -27301,30 +28140,91 @@ La recompilation du projet peut aider. Docker Docker - - Docker Image - Image Docker - Docker Image "%1" (%2) Image Docker « %1 » (%2) + + Run as outside user: + Exécuter comme utilisateur externe : + + + Do not modify entry point: + Ne pas modifier le point d'entrée : + + + Enable flags needed for LLDB: + Activer les options nécessaires pour LLDB : + + + Extra arguments: + Arguments supplémentaires : + + + Extra arguments to pass to docker create. + Arguments supplémentaires à passer à docker create. + + + Network: + Réseau : + + + Error + Erreur + + + The path "%1" does not exist. + Le chemin « %1 » n'existe pas. + + + stopped + arrêté + Error starting remote shell. No container. Erreur au démarrage du shell distant. Aucun conteneur. - - Error starting remote shell: %1 - Erreur au démarrage du shell distant : %1 - Open Shell in Container Ouvrir un shell dans le conteneur + + Image "%1" is not available. + L'image « %1 » n'est pas disponible. + + + Failed creating Docker container. Exit code: %1, output: %2 + Échec lors de la création du container Docker. Code de sortie : %1, sortie : %2 + + + Failed creating Docker container. No container ID received. + Échec lors de la création du container Docker. Aucun identifiant de container reçu. + Docker daemon appears to be not running. Verify daemon is up and running and reset the Docker daemon in Docker device preferences or restart %1. + %1 is the application name (Qt Creator) Le démon Docker ne semble pas fonctionner. Vérifiez que le démon est présent et en cours d'exécution et réinitialisez le démon docker dans les paramètres du périphérique docker ou redémarrez %1. + + Failed to create container shell (Out of memory). + Échec lors de la création du shell du container (mémoire insuffisante). + + + Cannot start docker device from non-main thread + Impossible de démarrer le périphérique docker depuis un thread non principal + + + Device is shut down + Le périphérique a été fermé + + + Docker system is not reachable + Le système docker est inatteignable + + + Running + En cours d'exécution + Docker Image Selection Sélection de l'image Docker @@ -27381,30 +28281,6 @@ La recompilation du projet peut aider. Clears detected daemon state. It will be automatically re-evaluated next time access is needed. Nettoie l'état détecté du démon. Il sera ré-évalué automatiquement, si nécessaire, au prochain accès. - - Do not modify entry point - Ne pas modifier le point d'entrée - - - Prevents modifying the entry point of the image. Enable only if the image starts into a shell. - Évite de modifier le point d'entrée de l'image. Activez l'option uniquement si l'image démarre dans un shell. - - - Enable flags needed for LLDB - Activer les options nécessaires pour LLDB - - - Adds the following flags to the container to allow LLDB to run: --cap-add=SYS_PTRACE --security-opt seccomp=unconfined - Ajoute les options suivantes au conteneur pour permettre à LLDB de fonctionner : --cap-add=SYS_PTRACE --security-opt seccomp=unconfined - - - Run as outside user - Exécuter en tant qu'utilisateur externe - - - Uses user ID and group ID of the user running Qt Creator in the docker container. - Utilise l'identifiant d'utilisateur et de groupe exécutant Qt Creator dans le conteneur Docker. - Clangd Executable: Exécutable Clangd : @@ -27457,6 +28333,10 @@ La recompilation du projet peut aider. Select the paths in the Docker image that should be scanned for kit entries. Sélectionner les chemins de l'image Docker qui doivent être utilisés pour la recherche des kits. + + Failed to start container. + Échec du démarrage du container. + Docker daemon appears to be stopped. Le démon Docker semble être arrêté. @@ -27477,6 +28357,14 @@ La recompilation du projet peut aider. Detection log: Journal de détection : + + Container state: + État du container : + + + Command line: + Ligne de commande : + Daemon state not evaluated. État du démon non évalué. @@ -27799,7 +28687,7 @@ désactivera également les greffons suivants : Running - En cours d’exécution + En cours d'exécution Stopped @@ -28228,6 +29116,10 @@ Raison : %3 Blinking cursor Curseur clignotant + + Use system encoding for :source + Utiliser l'encodage du système pour :source + Backspace: Touche retour : @@ -30051,6 +30943,11 @@ Valider maintenant ? Meta+G,Meta+C Meta+G, Meta+C + + <b>Note:</b> "%1" or "%2" is enabled in the instant blame settings. + %1 and %2 are the "ignore whitespace changes" and "ignore line moves" options + <b>Remarque :</b> les options « %1 » ou « %2 » sont actives dans les paramètres de blame instantané. + &Subversion &Subversion @@ -30192,6 +31089,14 @@ Valider maintenant ? Note that huge amount of commits might take some time. Notez qu’un grand nombre de commit pourrait prendre un certain temps. + + Ignore whitespace changes + Ignorer les changements d'espaces + + + Ignore line moves + Ignorer les déplacements de ligne + Git Git @@ -30230,6 +31135,14 @@ au lieu de son répertoire d’installation lorsqu’il est exécuté en dehors Add instant blame annotations to editor Ajouter des annotations de blame instantané à l’éditeur + + Finds the commit that introduced the last real code changes to the line. + Trouve le commit ayant introduit la dernière vraie modification de la ligne. + + + Finds the commit that introduced the line before it was moved. + Trouve le commit ayant introduit la ligne avant qu'elle ait été déplacée. + The binary "%1" could not be located in the path "%2" Le binaire « %1 » n’a pas pu être localisé dans le chemin « %2 » @@ -31819,6 +32732,10 @@ Remarque : cela peut vous exposer à une attaque de type « homme du milieu % % + + Antialias + Anticrénelage + Startup Démarrage @@ -31971,6 +32888,10 @@ Remarque : cela peut vous exposer à une attaque de type « homme du milieu Update Documentation Mettre à jour la documentation + + Purge Outdated Documentation + Supprimer la documentation obsolète + Zoom: %1% Zoom : %1% @@ -32054,6 +32975,10 @@ Remarque : cela peut vous exposer à une attaque de type « homme du milieu Fit to Screen: %1 Adaptation à l’écran : %1 + + Resume Paused Animation + Relance l'animation en pause + Image Viewer Afficheur d’images @@ -32230,7 +33155,7 @@ Souhaitez-vous les écraser ? IncrediBuild Distribution Control - + Contrôle de la distribution par IncrediBuild Profile.xml: @@ -32238,7 +33163,7 @@ Souhaitez-vous les écraser ? Defines how Automatic Interception Interface should handle the various processes involved in a distributed job. It is not necessary for "Visual Studio" or "Make and Build tools" builds, but can be used to provide configuration options if those builds use additional processes that are not included in those packages. It is required to configure distributable processes in "Dev Tools" builds. - + Définit comment l'interface d'interception automatique doit prendre en charge les différent processus contribuant à un job distribué. Il n'est pas nécessaire pour les compilations « Visual Studio » ou « Make et les outils de compilation », mais peut être utilisé pour fournir des options de configuration si ces compilations utilisent des processus supplémentaires qui ne sont pas inclus dans ces outils. Il est nécessaire de configurer les processus distribués dans les compilations « Outils de développement ». Avoid local task execution: @@ -32246,7 +33171,7 @@ Souhaitez-vous les écraser ? Overrides the Agent Settings dialog Avoid task execution on local machine when possible option. This allows to free more resources on the initiator machine and could be beneficial to distribution in scenarios where the initiating machine is bottlenecking the build with High CPU usage. - + Surcharge, lorsque possible, l'option pour éviter l'exécution de tâche locale. Cela permet de libérer plus de ressources sur la machine initiatrice et peut être utile lors de la distribution des scénarios lorsque la machine initiatrice ralentit la compilation à cause d'une haute utilisation du CPU. Determines the maximum number of CPU cores that can be used in a build, regardless of the number of available Agents. It takes into account both local and remote cores, even if the Avoid Task Execution on Local Machine option is selected. @@ -32794,7 +33719,8 @@ Erreur : %2 Could not get inferior PID. - + https://itecnote.com/tecnote/what-does-inferior-mean-in-the-term-inferior-debugger/ + Impossible de récupérer le PID du processus à déboguer. Run failed. The settings in the Organizer window of Xcode might be incorrect. @@ -32950,11 +33876,11 @@ Date d'expiration : %3 Application launch on simulator failed. Invalid bundle path %1 - Lancement de l'application sur le simulateur échouée. Chemin de bundle invalide %1 + Lancement de l'application sur le simulateur échoué. Chemin de bundle invalide %1 - Application launch on simulator failed. Simulator not running. - Lancement de l'application sur le simulateur échouée. Le simulateur n'est pas en cours d'exécution. + Application launch on simulator failed. Simulator not running. %1 + Lancement de l'application sur le simulateur échoué. Le simulateur n'est pas en cours d'exécution. %1 Application install on simulator failed. %1 @@ -32970,7 +33896,7 @@ Date d'expiration : %3 Application launch on simulator failed. %1 - Lancement de l'application sur le simulateur échouée. %1 + Lancement de l'application sur le simulateur échoué. %1 Invalid simulator response. Device Id mismatch. Device Id = %1 Response Id = %2 @@ -33020,6 +33946,66 @@ Erreur : %5 Done. Fait. + + Failed to start process. + Échec du démarrage du processus. + + + Process was canceled. + Le processus a été annulé. + + + Process was forced to exit. + Le processus a été forcé de s'arrêter. + + + Cannot find xcrun. + Impossible de trouver xcrun. + + + xcrun is not executable. + xcrun n'est pas un exécutable. + + + Invalid Empty UDID. + UDID vide invalide. + + + Failed to start simulator app. + Échec du démarrage du simulateur. + + + Simulator device is not available. (%1) + Le simulateur n'est pas disponible. (%1) + + + Simulator start was canceled. + Le démarrage du simulateur a été annulé. + + + Cannot start Simulator device. Previous instance taking too long to shut down. (%1) + Impossible de démarrer le simulateur. L'instance précédente a été trop lente pour s'arrêter. (%1) + + + Cannot start Simulator device. Simulator not in shutdown state. (%1) + Impossible de démarrer le simulateur. Le simulateur n'est pas dans un état arrêté. (%1) + + + Cannot start Simulator device. Simulator not in booted state. (%1) + Impossible de démarrer le simulateur. Le simulateur n'est pas dans un état démarré. (%1) + + + Bundle path does not exist. + Le chemin du bundle n'existe pas. + + + Invalid (empty) bundle identifier. + Identifiant de bundle invalide (vide). + + + Failed to convert inferior pid. (%1) + Échec pour convertir le pid du processus à déboguer. (%1) + QtC::LanguageClient @@ -33058,6 +34044,11 @@ Erreur : %5 language client state initialisation demandée + + failed to initialize + language client state + échec de l'initialisation + initialized language client state @@ -33160,9 +34151,13 @@ Erreur : %5 Unexpectedly finished. Terminé de manière inattendue. + + Language Server + Serveur de langage + Generic StdIO Language Server - Serveur de langages StdIO générique + Serveur de langage StdIO générique Inspect Language Clients... @@ -33250,6 +34245,16 @@ Exemple : *.cpp%1*.h JSON Error Erreur JSON + + Workspace Configuration + Configuration de l'espace de travail + + + Additional JSON configuration sent to all running language servers for this project. +See the documentation of the specific language server for valid settings. + Configuration JSON supplémentaire envoyée à tous les serveurs de langage pour ce projet. +Voir la documentation spécifique au serveur de langage pour la liste des paramètres valides. + Search Again to update results and re-enable Replace Rechercher à nouveau pour mettre à jour les résultats et réactiver la fonction Remplacer @@ -33390,6 +34395,18 @@ Exemple : *.cpp%1*.h No ID set in "%1". Aucun identifiant n’est défini dans « %1 ». + + Create %1 + Créer %1 + + + Rename %1 to %2 + Renommer %1 en %2 + + + Delete %1 + Supprimer %1 + QtC::Macros @@ -33525,7 +34542,7 @@ Exemple : *.cpp%1*.h The MCU dependencies setting value is invalid. - + La valeur du paramètre des dépendances MCU est invalide. CMake variable %1 not defined. @@ -33601,7 +34618,7 @@ Exemple : *.cpp%1*.h Path %1 does not exist. - Le chemin %1 n'existe pas. + Le chemin « %1 » n'existe pas. Path is empty. @@ -33657,7 +34674,8 @@ Exemple : *.cpp%1*.h Flexible Software Package for Renesas RA MCU Family - + https://www.renesas.com/us/en/software-tool/flexible-software-package-fsp + Flexible Software Package pour la famille de MCU Renesas RA Graphics Driver for Traveo II Cluster Series @@ -34814,8 +35832,7 @@ Utile si le répertoire de compilation est corrompu ou lors d’une recompilatio Nim Compiler Build Step - Étape de construction du compilateur Nim ? - + Étape de compilation du compilateur Nim Working directory: @@ -34911,7 +35928,7 @@ Utile si le répertoire de compilation est corrompu ou lors d’une recompilatio Releases - + Releases Peak Usage @@ -35111,11 +36128,12 @@ Utile si le répertoire de compilation est corrompu ou lors d’une recompilatio Self Samples - + Here "auto" is used for self https://learn.microsoft.com/fr-fr/visualstudio/profiling/beginners-guide-to-performance-profiling?view=vs-2022 + Échantillons spécifiques Self in Percent - + Spécifique en pourcent Performance Analyzer Options @@ -35365,9 +36383,9 @@ Vous pouvez trouver des explications supplémentaires dans la vue « Sortie %n frame(s) - - - + + une trame + %n trames @@ -36036,12 +37054,12 @@ francis : voila une nouvelle suggestion :) Impossible de créer le répertoire « %1 » - Starting: "%1" %2 - Débute : « %1 » %2 + The program "%1" does not exist or is not executable. + Le programme « %1 » n'existe pas ou n'est pas exécutable. - The build step was ended forcefully. - L’étape de compilation a été clôturée avec force. + Starting: "%1" %2 + Débute : « %1 » %2 The process "%1" exited normally. @@ -36084,16 +37102,32 @@ francis : voila une nouvelle suggestion :) Category for compiler issues listed under 'Issues' Compilation + + Issues parsed from the compile output. + Problèmes provenant de la sortie de compilation. + Build System Category for build system issues listed under 'Issues' Système de compilation + + Issues from the build system, such as CMake or qmake. + Problèmes provenant du système de construction, tel que CMake ou qmake. + Deployment Category for deployment issues listed under 'Issues' Déploiement + + Issues found when deploying applications to devices. + Problèmes provenant du déploiement des applications sur les périphériques. + + + Issues found when running tests. + Problèmes provenant de l'exécution des tests. + The kit %1 has configuration issues which might be the root cause for this problem. Le kit %1 présente des problèmes de configuration qui pourraient être à l’origine de ce problème. @@ -36568,6 +37602,14 @@ Title of a the cloned RunConfiguration window, text of the window Do you really want to delete the run configuration <b>%1</b>? Êtes-vous sûr(e) de vouloir supprimer la configuration d’exécution <b>%1</b> ? + + Remove Run Configurations? + Supprimer les configurations d'exécution ? + + + Do you really want to delete all run configurations? + Voulez-vous vraiment supprimer toutes les configurations d'exécution ? + New name for run configuration <b>%1</b>: Nouveau nom pour la configuration d’exécution <b>%1</b> : @@ -37004,6 +38046,10 @@ Souhaitez-vous les ignorer ? Project Editing Failed Échec d’édition du projet + + Documentation Comments + Commentaires de documentation + Current Build Environment Environnement de compilation actuel @@ -37028,6 +38074,15 @@ Souhaitez-vous les ignorer ? Si on tient vraiment à traduire, on peut utiliser « assainissant » mais le terme « sanitizer » semble plus répandu en français Sanitizer + + Memory handling issues that the address sanitizer found. + sanitizer, pour garder la cohérence + Problèmes de gestion de mémoire trouvés par le sanitizer d'adresse. + + + Issues from a task list file (.tasks). + Problèmes provenant du fichier de liste de tâches (.tasks). + Parse Build Output... Analyser la sortie de compilation… @@ -37120,6 +38175,12 @@ Souhaitez-vous les ignorer ? Adding Subproject Failed Échec de l’ajout du sous-projet + + Failed opening terminal. +%1 + Échec lors de l'ouverture du terminal. +%1 + Remove More Files? Supprimer d’autres fichiers ? @@ -37366,6 +38427,10 @@ Renommer quand même %2 en %3 ? Rename and &Open Renommer et &ouvrir + + &Rename + &Renommer + Error while saving session Erreur lors de l’enregistrement de la session @@ -37936,11 +39001,13 @@ Vous ne devez pas mélanger plusieurs cadriciels de tests dans un même projet.< %{JS: 'tst_' + value('TestCaseName').toLowerCase() + '.' + Cpp.cxxSourceSuffix()} - + Should not be translated, JS code. The file where it comes is autogenerated, so possibly a text field that should not be taken into account + %{JS: 'tst_' + value('TestCaseName').toLowerCase() + '.' + Cpp.cxxSourceSuffix()} %{JS: 'tst_' + value('TestCaseName').toLowerCase() + '.qml'} - + Should not be translated, JS code. The file where it comes is autogenerated, so possibly a text field that should not be taken into account + %{JS: 'tst_' + value('TestCaseName').toLowerCase() + '.qml'} Test Information @@ -38470,10 +39537,6 @@ Pour développer une application complête, créer un projet Qt Quick Applicatio Generate initialization and cleanup code Génère le code d’initialisation et de nettoyage - - Creates a project that you can open in Qt Design Studio - Génère un projet qui peut être ouvert dans Qt Design Studio - Creates a project with a structure that is compatible both with Qt Design Studio (via .qmlproject) and with Qt Creator (via CMakeLists.txt). It contains a .ui.qml form that you can visually edit in Qt Design Studio. Génère un projet avec une structure compatible avec Qt Design Studio (via .qmlproject) et avec Qt Creator (via CMakeLists.txt). Le projet contient un formulaire .ui.qml qui peut être éditer visuellement dans Qt Design Studio. @@ -38486,10 +39549,6 @@ Pour développer une application complête, créer un projet Qt Quick Applicatio Qt 6.5 Qt 6.5 - - The minimum version of Qt you want to build the application for - La verison minimale de Qt pour laquelle vous voulez construire votre application - Creates a Qt Quick application that can have both QML and C++ code. You can build the application and deploy it to desktop, embedded, and mobile target platforms. @@ -38634,13 +39693,23 @@ Sélectionne un Qt optimisé pour bureaux pour compiler l'application, si d Qt Qt + + Creates a project that you can open in Qt Design Studio. + Crée un projet qui peut être ouvert dans Qt Design Studio. + + + The minimum version of Qt you want to build the application for. + La version minimale de Qt pour laquelle vous voulez compiler votre application. + %{JS: Cpp.classToFileName(value('Class'), Cpp.cxxHeaderSuffix())} - + Should not be translated, JS code. The file where it comes is autogenerated, so possibly a text field that should not be taken into account + %{JS: Cpp.classToFileName(value('Class'), Cpp.cxxHeaderSuffix())} %{JS: Cpp.classToFileName(value('Class'), Cpp.cxxSourceSuffix())} - + Should not be translated, JS code. The file where it comes is autogenerated, so possibly a text field that should not be taken into account + %{JS: Cpp.classToFileName(value('Class'), Cpp.cxxSourceSuffix())} Qt Item Model @@ -39142,6 +40211,10 @@ The name of the build configuration created by default for a generic project.Run configurations: Configurations d’exécution : + + Could not load kits in a reasonable amount of time. + Impossible de charger les kits dans le temps imparti. + Select the Root Directory Sélectionner le répertoire racine @@ -39882,6 +40955,18 @@ Activez cette option si vous envisagez de créer des binaires x86 32 bits sans u Devices Périphériques + + The device name cannot be empty. + Le nom du périphérique ne peut pas être vide. + + + A device with this name already exists. + Un périphérique portant ce nom existe déjà. + + + Opening a terminal is not supported. + L'ouverture d'un terminal n'est pas pris en charge. + Device Périphérique @@ -40110,6 +41195,10 @@ Activez cette option si vous envisagez de créer des binaires x86 32 bits sans u Desktop (%1) Bureau (%1) + + Loading Kits + Chargement des kits + Manage... Gérer… @@ -40771,6 +41860,14 @@ Activez cette option si vous envisagez de créer des binaires x86 32 bits sans u No device for path "%1" Aucun périphérique pour le chemin « %1 » + + No device found for path "%1" + Aucun périphérique trouvé au chemin « %1 » + + + No file access for device "%1" + Aucun accès aux fichiers pour le périphérique « %1 » + Remote error output was: %1 La sortie d’erreur distante était : %1 @@ -40864,7 +41961,7 @@ Activez cette option si vous envisagez de créer des binaires x86 32 bits sans u Line Edit Validator Expander - + Extension du validateur de LineEdit The text edit input to fix up. @@ -41690,6 +42787,10 @@ Ces fichiers sont préservés. Default CopyStep display name Copie récursive du répertoire + + unavailable + indisponible + QtC::Python @@ -41713,6 +42814,22 @@ Ces fichiers sont préservés. Installing "%1" failed with exit code %2. L'installation de « %1 » a échoué avec le code de sortie %2. + + Select PySide Version + Sélectionnez la version de PySide + + + Select which PySide version to install: + Sélectionnez la version de PySide à installer : + + + Latest PySide from the Python Package Index + Dernière version de PySide connue dans l'index de paquets Python + + + PySide %1 Wheel (%2) + PySide %1 Wheel (%2) + %1 installation missing for %2 (%3) L’installation %1 est manquante pour %2 (%3) @@ -41928,7 +43045,7 @@ Ces fichiers sont préservés. An item of Python wizard page data expects a "trKey" field containing the UI visible string for that Python version and a "value" field containing an object with a "PySideVersion" field used for import statements in the Python files. - + Un élément de la page de l'assistant Python attend un champ « trKey » contenant la chaîne visible dans l'interface utilisateur pour la version de Python est un champ « value » contenant un objet avec un champ « PySideVersion » afin d'être utilisé pour importer les déclarations dans les fichiers Python. PySide version: @@ -41942,6 +43059,10 @@ Ces fichiers sont préservés. Path to virtual environment: Chemin de l'environnement virtuel : + + Issues parsed from Python runtime output. + Problèmes provenant de la sortie de l'exécution de Python. + QtC::QbsProjectManager @@ -41985,10 +43106,6 @@ Ces fichiers sont préservés. No qbs session exists for this target. Aucune session qbs n’existe pour cette cible. - - Build canceled: Qbs session failed. - Compilation annulée : la session Qbs a échoué. - Installation flags: Flags d’installation : @@ -42021,10 +43138,6 @@ Ces fichiers sont préservés. Dry run Exécution à froid - - Installing canceled: Qbs session failed. - Installation annulée : la session Qbs a échoué. - Keep going Continuer @@ -42069,10 +43182,6 @@ Ces fichiers sont préservés. Keep going: Continuer l’exécution : - - Cleaning canceled: Qbs session failed. - Nettoyage annulé : la session Qbs a échoué. - Qbs Install Installation Qbs @@ -42478,7 +43587,8 @@ Les fichiers affectés sont : Flash Boot to Qt Device - + Refers to Boot2Qt + Flasher un périphérique Boot2Qt Full command line: @@ -42543,6 +43653,10 @@ Les fichiers affectés sont : Unable to start "%1" Impossible de démarrer « %1 » + + Could not load kits in a reasonable amount of time. + Impossible de charger les kits dans le temps imparti. + The application "%1" could not be found. L’application « %1 » est introuvable. @@ -42715,22 +43829,6 @@ Les fichiers affectés sont : Could not determine which "make" command to run. Check the "make" step in the build configuration. Impossible de déterminer la commande « make » à exécuter. Vérifier l’étape « make » dans la configuration de la compilation. - - The process "%1" exited normally. - Le processus « %1 » s’est terminé normalement. - - - The process "%1" exited with code %2. - Le processus « %1 » s’est terminé avec le code %2. - - - Could not start process "%1" %2. - Impossible de démarrer le processus « %1 » %2. - - - The process "%1" crashed. - Le processus « %1 » a planté. - <no Qt version> <pas de version de Qt> @@ -43058,6 +44156,14 @@ Veuillez mettre à jour votre kit (%3) ou choisir un mkspec pour qmake qui corre Windows: Windows : + + File does not exist. + Le fichier n'existe pas. + + + File does not match filter. + Le fichier ne correspond pas au filtre. + Platform: Plateforme : @@ -43402,6 +44508,38 @@ Ajoute la bibliothèque et les chemins d’inclusion dans le fichier .pro.Baking finished! Préparation terminée ! + + Item + Élément + + + Property + Propriété + + + Source Item + Élément source + + + Source Property + Propriété source + + + Cannot Create QtQuick View + Impossible de créer une vue QtQuick + + + ConnectionsEditorWidget: %1 cannot be created.%2 + ConnectionsEditorWidget : %1 ne peut être créé. %2 + + + Property Type + Type de la propriété + + + Property Value + Valeur de la propriété + QtC::QmlEditorWidgets @@ -43516,7 +44654,8 @@ Ajoute la bibliothèque et les chemins d’inclusion dans le fichier .pro. Easing overshoot for a back curve. - + Related to bounce easing curve + Assouplissement du dépassement pour une courbe de retour. Amplitude @@ -43997,10 +45136,6 @@ Pour plus d'informations, allez à la documentation « Checking Code S Type cannot be instantiated recursively (%1). Un type ne peut être instantié de manière récursive (%1). - - Logical value does not depend on actual values. - - Components are only allowed to have a single child element. Les composants ne peuvent avoir qu'un unique élément enfant. @@ -44255,10 +45390,18 @@ Veuillez compiler l’application qmldump à partir de la page d’options à pr QML QML + + Issues that the QML code parser found. + Problèmes trouvés par l'analyseur de code QML. + QML Analysis Analyse QML + + Issues that the QML static analyzer found. + Problèmes trouvés par l'analyseur statique de QML. + Show Qt Quick Toolbar Montrer la barre d’outils Qt Quick @@ -44312,12 +45455,20 @@ Veuillez compiler l’application qmldump à partir de la page d’options à pr Qt Creator - Use qmlls (EXPERIMENTAL!) - Utiliser qmlls (EXPÉRIMENTAL !) + Enable QML Language Server (EXPERIMENTAL!) + Activer le serveur de langage QML (EXPÉRIMENTAL !) - Always use latest qmlls - Toujours utiliser le dernier qmlls + Use QML Language Server advanced features (renaming, find usages and co.) (EXPERIMENTAL!) + Utiliser les fonctionnalités avancées du langage de serveur QML (renommage, trouver les utilisations…) (EXPÉRIMENTAL !) + + + Use QML Language Server from latest Qt version + Utiliser le serveur de langage QML de la dernière version de Qt + + + QML Language Server + Serveur de langage QML Use customized static analyzer @@ -44355,10 +45506,6 @@ Veuillez compiler l’application qmldump à partir de la page d’options à pr Open .ui.qml files with: Ouvrir les fichiers .ui.qml avec : - - Language Server - Serveur de langage - Static Analyzer Analyseur statique @@ -44565,6 +45712,14 @@ Veuillez compiler l’application qmldump à partir de la page d’options à pr Preview File Prévisualiser le fichier + + QML Preview Not Running + La prévisualisation QML ne s'exécute pas + + + Start the QML Preview for the project before selecting a specific file for preview. + Démarrer la prévisualisation QML pour le projet avant de sélectionner un fichier pour la prévisualisation. + QtC::QmlProfiler @@ -44772,7 +45927,7 @@ Souhaitez-vous sauvegarder les données avant ? Read past end in temporary trace file. - + Lecture après la fin du fichier temporaire de trace. Statistics @@ -45242,11 +46397,11 @@ notamment lorsque plusieurs moteurs QML démarrent et s'arrêtent au cours Frame - + Trame Frame Delta - + Écart entre trames View3D @@ -45262,7 +46417,7 @@ notamment lorsque plusieurs moteurs QML démarrent et s'arrêtent au cours Quick3D Frame - + Trame Quick3D Select View3D @@ -45270,19 +46425,19 @@ notamment lorsque plusieurs moteurs QML démarrent et s'arrêtent au cours Compare Frame - + Comparaison de trame Render Frame - + Trame de rendu Synchronize Frame - + Trame de synchronisation Prepare Frame - + Trame de préparation Mesh Load @@ -45463,6 +46618,10 @@ notamment lorsque plusieurs moteurs QML démarrent et s'arrêtent au cours QtC::QmlProjectManager + + Update QmlProject File + Mettre à jour le fichier QmlProject + Warning while loading project file %1. Avertissement lors du chargement du fichier de projet %1. @@ -46705,10 +47864,6 @@ In addition, device connectivity will be tested. Cannot deploy: %1 Impossible de déployer : %1 - - User requests deployment to stop; cleaning up. - L’utilisateur a demandé l’arrêt du déploiement; nettoyage en cours. - Deploy step failed. Étape de déploiement échouée. @@ -46830,6 +47985,10 @@ Le processus de contrôle n'a pas pu démarrer. Open Remote Shell Ouvrir un shell distant + + Error + Erreur + "%1" failed to start: %2 « %1 » n’a pas pu démarrer : %2 @@ -47267,8 +48426,28 @@ Le processus de contrôle n'a pas pu démarrer. L'exécutable distant doit être défini afin de lancer une configuration d'exécution distante personnalisée. - Deploy via rsync: failed to create remote directories: - Déploiement avec rsync : échec de la création des répertoires distants : + Flags for rsync: + Options pour rsync : + + + Transfer method: + Méthode de transfert : + + + Use rsync if available. Otherwise use default transfer. + Utiliser rsync si disponible. Sinon utiliser le transfert par défaut. + + + Use sftp if available. Otherwise use default transfer. + Utiliser sftp si disponible. Sinon utiliser le transfert par défaut. + + + Use default transfer. This might be slow. + Utiliser le transfert par défaut. Cela peut être lent. + + + Unknown error occurred while trying to create remote directories + Une erreur inconnue s'est produite lors de la création des répertoires distants rsync failed to start: %1 @@ -47283,8 +48462,8 @@ Le processus de contrôle n'a pas pu démarrer. rsync échoué avec le code de sortie : %1. - Flags: - Flags : + Deploy files + Déployer les fichiers Ignore missing files: @@ -47294,10 +48473,6 @@ Le processus de contrôle n'a pas pu démarrer. rsync is only supported for transfers between different devices. rsync n'est supporté que pour le transfert de fichiers entre les périphériques. - - Deploy files via rsync - Déployer les fichiers avec rsync - SSH Key Configuration Configuration de la clé SSH @@ -47542,6 +48717,215 @@ Le processus de contrôle n'a pas pu démarrer. Préfixe de %1 : %2 + + QtC::ScreenRecorder + + Save current, cropped frame as image file. + Enregistrer l'image rognée courante en tant que fichier image. + + + Copy current, cropped frame as image to the clipboard. + Copier l'image rognée courante en tant qu'image dans le presse-papier. + + + X: + X : + + + Y: + Y : + + + Width: + Largeur : + + + Height: + Hauteur : + + + Save Current Frame As + Enregistrer l'image courante sous + + + Start: + Début : + + + End: + Fin : + + + Trimming + Découpage + + + Range: + Plage : + + + Crop and Trim + Rogner et tailler + + + Crop and Trim... + Rogner et tailler… + + + Crop to %1x%2px. + Rogner vers %1x%2px. + + + Complete area. + Zone complète. + + + Frames %1 to %2. + Images %1 à %2. + + + Complete clip. + Clip complet. + + + Video + Vidéo + + + Animated image + Image animée + + + Lossy + Avec perte + + + Lossless + Sans perte + + + Export... + Exporter… + + + Save As + Enregistrer sous + + + Exporting Screen Recording + Exportation de l'enregistrement de l'écran + + + Width and height are not both divisible by 2. The video export for some of the lossy formats will not work. + La largeur et la hauteur ne sont pas divisibles par 2. L'exportation de la vidéo avec un format avec perte ne fonctionnera pas. + + + Screen Recording Options + Options d'enregistrement de l'écran + + + Display: + Affichage : + + + FPS: + FPS : + + + Recorded screen area: + Zone de l'écran enregistrée : + + + Open Mov/qtrle rgb24 File + Ouvrir un fichier Mov/qtrle rgb24 + + + Cannot Open Clip + Impossible d'ouvrir le clip + + + FFmpeg cannot open %1. + FFmpeg ne peut pas ouvrir %1. + + + Clip Not Supported + Clip non pris en charge + + + Choose a clip with the "qtrle" codec and pixel format "rgb24". + Choisissez un clip avec l'encodage « qtrle » et le format de pixel « rgb24 ». + + + Record Screen + Enregistrer l'écran + + + Record Screen... + Enregistrer l'écran… + + + ffmpeg tool: + Outil ffmpeg : + + + ffprobe tool: + Outil ffprobe : + + + Capture the mouse cursor + Capturer le curseur de la souris + + + Capture the screen mouse clicks + Pourquoi screen est précisé ? + Capturer les clics de la souris + + + Capture device/filter: + Périphérique/filtre de capture : + + + Size limit for intermediate output file + Taille limite pour le fichier de sortie intermédiaire + + + RAM buffer for real-time frames + Tampon RAM pour les trames en temps réel + + + Write command line of FFmpeg calls to General Messages + Écrire la ligne de commande des appels à FFmpeg dans les messages généraux + + + Export animated images as infinite loop + To obtain a GIF that loops + Exporter les images animées comme boucle infinie + + + Recording frame rate: + Fréquence d'enregistrement des images : + + + Screen ID: + Identifiant de l'écran : + + + FFmpeg Installation + Installation de FFmpeg + + + Record Settings + Paramètres d'enregistrement + + + Export Settings + Paramètres d'exportation + + + Screen Recording + Enregistrement d'écran + + QtC::ScxmlEditor @@ -47590,7 +48974,7 @@ Le processus de contrôle n'a pas pu démarrer. Factory Default - + Couleurs par défaut Colors from SCXML Document @@ -47844,11 +49228,12 @@ Description : %4 Panning - + see scxmleditor/graphicsview.cpp -> setPanning + Déplacement Panning (Shift) - + Déplacement (Maj) Magnifier @@ -48328,7 +49713,8 @@ Ligne : %4, colonne : %5 The Symbolic Name <span style='white-space: nowrap'>"%1"</span> you want to remove is used in Multi Property Names. Select the action to apply to references in these Multi Property Names. - + Multi Property Names ? + Le nom symbolique <span style='white-space: nowrap'>"%1"</span> à supprimer est utilisé dans un nom à multiples propriétés. Sélectionnez l'action à appliquer aux références des noms à multiples propriétés. Failed to write "%1" @@ -48392,7 +49778,7 @@ Ligne : %4, colonne : %5 The properties of the Multi Property Name associated with the selected Symbolic Name. (use \\ for a literal \ in the value) - + Les propriétés du nom à multiples propriétés associés avec le nom symbolique sélectionné. (Utilisez \\ pour insérer \ dans la valeur) The Hierarchical Name associated with the selected Symbolic Name. @@ -48428,7 +49814,7 @@ Ligne : %4, colonne : %5 CopyOf - + CopieDe Open Squish Test Suites @@ -48794,7 +50180,7 @@ Refus d'enregistrer le cas de test « %2 ». Verbose log - + Journal verbeux Minimize IDE @@ -49350,6 +50736,7 @@ Impossible d'ouvrir le fichier « %1 ». Sends Esc to terminal instead of %1. + %1 is the application name (Qt Creator) Envoie Échap au terminal au lieu d'à %1. @@ -49361,12 +50748,14 @@ Impossible d'ouvrir le fichier « %1 ». Terminal - Sends keyboard shortcuts to Terminal. - Envoi les raccourcis clavier au terminal. + %1 shortcuts are blocked when focus is inside the terminal. + %1 is the application name (Qt Creator) + Les raccourcis de %1 sont bloqués lorsque le focus est dans le terminal. - Sends keyboard shortcuts to Qt Creator. - Envoi les raccourcis clavier à Qt Creator. + %1 shortcuts take precedence. + %1 is the application name (Qt Creator) + Les raccourcis de %1 sont prioritaires. New Terminal @@ -49472,6 +50861,14 @@ Impossible d'ouvrir le fichier « %1 ». Sends the escape key to the terminal when pressed instead of closing the terminal. Envoi la touche d'échappement au terminal lorsque appuyé au lieu de fermer le terminal. + + Block shortcuts in terminal + Bloquer les raccourcis dans le terminal + + + Keeps Qt Creator shortcuts from interfering with the terminal. + Empêche les raccourcis de Qt Creator d'interférer avec le terminal. + Audible bell Bip audible @@ -49480,6 +50877,14 @@ Impossible d'ouvrir le fichier « %1 ». Makes the terminal beep when a bell character is received. Fait biper le terminal lorsque le caractère de bip est reçu. + + Enable mouse tracking + Active le suivi de la souris + + + Enables mouse tracking in the terminal. + Active le suivi de la souris dans le terminal. + Load Theme... Charger un thème… @@ -49488,6 +50893,10 @@ Impossible d'ouvrir le fichier « %1 ». Reset Theme Réinitialiser le thème + + Copy Theme + Copier le thème + Error Erreur @@ -49524,6 +50933,26 @@ Impossible d'ouvrir le fichier « %1 ». Default Shell Shell par défaut + + Connecting... + Connexion en cours… + + + Failed to start shell: %1 + Échec du démarrage du shell : %1 + + + "%1" is not executable. + « %1 » n'est pas un exécutable. + + + Terminal process exited with code %1 + Le processus du terminal s'est terminé avec le code %1 + + + Process exited with code: %1 + Le processus s'est terminé avec le code : %1 + Copy Copier @@ -49555,6 +50984,122 @@ Impossible d'ouvrir le fichier « %1 ». QtC::TextEditor + + Bookmarks + Signets + + + Locates bookmarks. Filter by file name, by the text on the line of the bookmark, or by the bookmark's note text. + Cherche les signets. Filtrer par nom de fichier, par le texte sur la ligne du signet ou par la note du signet. + + + Bookmark + Signet + + + Move Up + Déplacer vers le haut + + + Move Down + Déplacer vers le bas + + + &Edit + &Édition + + + &Remove + &Supprimer + + + Remove All + Tout supprimer + + + Remove All Bookmarks + Supprimer tous les signets + + + Are you sure you want to remove all bookmarks from all files in the current session? + Voulez-vous vraiment supprimer tous les signets de tous les fichiers de la session en cours ? + + + Edit Bookmark + Modifier le signet + + + Line number: + Numéro de ligne : + + + &Bookmarks + &Signets + + + Toggle Bookmark + Activer/désactiver les signets + + + Ctrl+M + Ctrl+M + + + Meta+M + Meta+M + + + Previous Bookmark + Signet précédent + + + Ctrl+, + Ctrl+, + + + Meta+, + Meta+, + + + Next Bookmark + Signet suivant + + + Meta+Shift+M + Meta+Maj+M + + + Ctrl+Shift+M + Ctrl+Maj+M + + + Ctrl+. + Ctrl+. + + + Meta+. + Meta+. + + + Previous Bookmark in Document + Signet précédent dans le document + + + Next Bookmark in Document + Signet suivant dans le document + + + Alt+Meta+M + Alt+Meta+M + + + Alt+M + Alt+M + + + Note text: + Note : + Autocomplete common &prefix Autocomplétion du &préfixe commun @@ -49683,6 +51228,18 @@ En outre, Maj+Entrée insère un caractère d’échappement à la position du c Adds leading asterisks when continuing C/C++ "/*", Qt "/*!" and Java "/**" style comments on new lines. Ajout d’astérisques en début de ligne lors de la continuation de commentaires de style C/C++ « /* », Qt « /* ! » et Java « /** » sur de nouvelles lignes. + + Doxygen command prefix: + Préfixe de commande Doxygen : + + + Doxygen allows "@" and "\" to start commands. +By default, "@" is used if the surrounding comment starts with "/**" or "///", and "\" is used +if the comment starts with "/*!" or "//! + Doxygen permet d'utiliser « @ » et « \ » pour démarrer une commande. +Par défaut, « @ » est utilisé si le commentaire l'englobant commence avec « /** » ou « /// » et « \ » est utilisé +si le commentaire débute avec « /*! » ou « //! » + Documentation Comments Commentaires de documentation @@ -49737,10 +51294,6 @@ En outre, Maj+Entrée insère un caractère d’échappement à la position du c Line: %1, Col: %2 Ligne %1, colonne %2 - - Line: 9999, Col: 999 - Ligne 9999, colonne 999 - Global Settings @@ -50200,6 +51753,26 @@ Une valeur inférieure à 100 % peut entraîner un chevauchement et un mauvais a Toggle UTF-8 BOM Activer/désactiver UTF-8 BOM + + Follow Type Under Cursor + Suivre le type sous le curseur + + + Ctrl+Shift+F2 + Ctrl+Maj+F2 + + + Follow Type Under Cursor in Next Split + Suivre le type sous le curseur dans le panneau suivant + + + Meta+E, Shift+F2 + Meta+E, Maj+F2 + + + Ctrl+E, Ctrl+Shift+F2 + Ctrl+E, Ctrl+Maj+F2 + Find References to Symbol Under Cursor Trouver des références au symbole sous le curseur @@ -50993,7 +52566,7 @@ Ne s’applique pas aux espaces blancs dans les commentaires et dans les chaîne PLACEHOLDER - + PLACEHOLDER Implicitly Covered Code @@ -51348,10 +52921,50 @@ Ne s’applique pas aux espaces blancs dans les commentaires et dans les chaîne Outline Contour + + Cursors: %2 + Curseurs : %2 + Cursor position: %1 Position du curseur : %1 + + (Sel: %1) + (Sél : %1) + + + Cursors: + Curseurs : + + + Line: + Ligne : + + + Column: + Colonne : + + + Selection length: + Longueur de la sélection : + + + Position in document: + Position dans le document : + + + Anchor: + Ancre : + + + Unix Line Endings (LF) + Fin de ligne Unix (LF) + + + Windows Line Endings (CRLF) + Fin de ligne Windows (CRLF) + Other annotations Autres annotations @@ -51364,6 +52977,14 @@ Ne s’applique pas aux espaces blancs dans les commentaires et dans les chaîne File Error Erreur de fichier + + LF + LF + + + CRLF + CRLF + <b>Error:</b> Could not decode "%1" with "%2"-encoding. Editing not possible. <b>Erreur :</b> impossible de décoder « %1 » avec l’encodage « %2 ». L’édition est impossible. @@ -51400,6 +53021,10 @@ Ne s’applique pas aux espaces blancs dans les commentaires et dans les chaîne Add UTF-8 BOM on Save Ajouter le BOM UTF-8 à l’enregistrement + + Could not find definition. + Impossible de trouver la définition + The text is too large to be displayed (%1 MB). Le texte est trop lourd pour être affiché (%1 Mo). @@ -51581,6 +53206,38 @@ Spécifie comment retour arrière se comporte avec l’indentation. Prefer single line comments Préférer les commentaires d’une seule ligne + + Automatic + Automatique + + + At Line Start + Au début de la ligne + + + After Whitespace + Après l'espace + + + Specifies where single line comments should be positioned. + Indique où le commentaire uniligne doit être placé. + + + %1: The highlight definition for the file determines the position. If no highlight definition is available, the comment is placed after leading whitespaces. + %1 : la définition en surbrillance du fichier détermine la position. Si aucune définition n'est en surbrillance, le commentaire est placé après les espaces de début. + + + %1: The comment is placed at the start of the line. + %1 : le commentaire est placé au début de la ligne. + + + %1: The comment is placed after leading whitespaces. + %1 : le commentaire est placé après les espaces de début. + + + Preferred comment position: + Position de commentaire préférée : + Skip clean whitespace for file types: Ne pas tenir compte des espaces blancs pour les types de fichier: @@ -52107,7 +53764,7 @@ Influence l’indentation des lignes de continuation. (type name READ name WRITE setName NOTIFY nameChanged FINAL) group:'C++' trigger:'Q_PROPERTY' - + (type name READ name WRITE setName NOTIFY nameChanged FINAL) example @@ -52122,10 +53779,6 @@ Influence l’indentation des lignes de continuation. Copy SHA1 to Clipboard Copier le SHA1 dans le presse-papiers - - Show Commit %1 - Afficher le commit %1 - Sort Alphabetically Trier par ordre alphabétique @@ -52226,10 +53879,30 @@ Influence l’indentation des lignes de continuation. Show Editor Afficher l'éditeur + + Emphasis + Emphase + + + Strong + Gras + + + Inline Code + Code en ligne + + + Hyperlink + Hyperlien + Swap Views Afficher les vues + + JSON Editor + Éditeur JSON + QtC::Todo @@ -52736,7 +54409,7 @@ Les données de la trace sont perdues. The path "%1" does not exist. - Le chemin « %1 » n’existe pas. + Le chemin « %1 » n'existe pas. The path "%1" is not a directory. @@ -52762,10 +54435,6 @@ Les données de la trace sont perdues. Cannot execute "%1". Impossible d’exécuter « %1 » - - Full path: "%1" - Chemin complet : « %1 » - The path must not be empty. Le chemin ne peut pas être vide. @@ -52941,12 +54610,16 @@ Les données de la trace sont perdues. The program "%1" does not exist or is not executable. - Le programme « %1 » n’existe pas ou n’est pas exécutable. + Le programme « %1 » n'existe pas ou n'est pas exécutable. The program "%1" could not be found. Le programme « %1 » ne peut être trouvé. + + Failed to create process interface for "%1". + Échec lors de la création de l'interface du processus pour « %1 ». + Process Not Responding Le processus ne répond pas @@ -53021,10 +54694,18 @@ Les données de la trace sont perdues. copyFile is not implemented for "%1". copyFile n'est pas implémenté pour « %1 ». + + Path "%1" exists but is not a writable directory. + Le chemin « %1 » existe mais n'est pas un répertoire inscriptible. + Cannot copy from "%1", it is not a directory. Impossible de copier depuis « %1 », ce n'est pas un répertoire. + + Cannot copy "%1" to "%2": %3 + Impossible de copier « %1 » vers « %2 » : %3 + fileContents is not implemented for "%1". fileContents n'est pas implémenté pour « %1 ». @@ -53053,6 +54734,13 @@ Les données de la trace sont perdues. Failed to remove file "%1". Échec de la suppression du fichier « %1 ». + + Could not write to file "%1" (only %2 of %n byte(s) written). + + Impossible d'écrire dans le fichier « %1 » (seul %2 sur %n octet ont été écrit). + Impossible d'écrire dans le fichier « %1 » (seuls %2 sur %n octets ont été écrits). + + Failed creating temporary file "%1" (too many tries). Échec lors de la création du fichier temporaire « %1 » (trop d'essais). @@ -53061,10 +54749,6 @@ Les données de la trace sont perdues. Cannot read "%1": %2 Impossible de lire « %1 » : %2 - - Cannot copy "%1" to "%2", it is not a writable directory. - Impossible de copier « %1 » vers « %2 ». Le répertoire n'est pas inscriptible. - Failed to copy file "%1" to "%2": %3 Échec de la copie du fichier « %1 » vers « %2 » : %3 @@ -53081,10 +54765,6 @@ Les données de la trace sont perdues. Could not open file "%1" for writing. Impossible d'ouvrir le fichier « %1 » en écriture. - - Could not write to file "%1" (only %2 of %3 bytes written). - Impossible d'écrire dans le fichier « %1 » (seul %2 des %3 octets ont été écrits). - Could not create temporary file in "%1" (%2). Impossible de créer un fichier temporaire dans « %1 » (%2). @@ -53240,6 +54920,14 @@ Les données de la trace sont perdues. Could not find any unarchiving executable in PATH (%1). Impossible de trouver un exécutable de désarchivage dans PATH (%1). + + No source file set. + Aucun fichier source défini. + + + No destination directory set. + Aucun répertoire de destination défini. + Command failed. Échec de la commande. @@ -53331,7 +55019,7 @@ Pour désactiver une variable, préfixer la ligne par « # ». No "localSource" device hook set. - + Aucun crochet de périphérique « localSource » défini. My Computer @@ -53616,6 +55304,52 @@ Pour désactiver une variable, préfixer la ligne par « # ».Failed writing file. Échec lors de l'écriture du fichier. + + The process failed to start. + Le processus n’a pas démarré. + + + Failed to install shell script: %1 +%2 + Échec lors de l'installation du script shell : %1 +%2 + + + Timeout while trying to check for %1. + Dépassement de délai lors de la vérification de %1. + + + Command "%1" was not found. + La commande « %1 » n'a pas été trouvée. + + + Script installation was forced to fail. + Échec forcé du script d'installation. + + + Timeout while waiting for shell script installation. + Dépassement de délai lors de l'attente de l'installation du script shell. + + + Failed to install shell script: %1 + Échec d'installation du script shell : %1 + + + Show/Hide Password + Afficher/Cacher le mot de passe + + + User: + Utilisateur : + + + Password: + Mot de passe : + + + Could not find any shell. + Impossible de trouver un shell. + QtC::Valgrind @@ -53636,8 +55370,20 @@ Pour désactiver une variable, préfixer la ligne par « # ».Impossible de parser le nombre hexadécimal depuis « %1 » (%2) - trying to read element text although current position is not start of element - essaie de lire le texte de l’élément même si la position actuelle n’est pas le début d’un élément + Parsing canceled. + Analyse annulée. + + + Premature end of XML document. + Fin prématurée du document XML. + + + Could not parse hex number from "%1" (%2). + Impossible d'analyser le nombre héxadécimal depuis « %1 » (%2). + + + Trying to read element text although current position is not start of element. + Tentative de lecture d'un élément texte bien que la position actuelle n'est pas un début d'élément. Unexpected child element while reading element text @@ -53660,16 +55406,8 @@ Pour désactiver une variable, préfixer la ligne par « # ».Outil Valgrind « %1 » non pris en charge - Unknown memcheck error kind "%1" - Type d’erreur de vérification mémoire inconnue %1 - - - Unknown helgrind error kind "%1" - Type d’erreur Helgrind inconnu « %1 » - - - Unknown ptrcheck error kind "%1" - Type d’erreur ptrcheck inconnu « %1 » + Unknown %1 kind "%2" + %1 inconnu de type « %2 » Could not parse error kind, tool not yet set. @@ -54185,7 +55923,7 @@ Lorsqu’un problème est détecté, l’application s’interrompt et peut êtr Heob: Cannot create %1 process (%2). - Heob : impossible de créer le processus %1 (%2). + Heob : impossible de créer le processus %1 (%2). A Valgrind Memcheck analysis is still in progress. @@ -54292,19 +56030,19 @@ Lorsqu’un problème est détecté, l’application s’interrompt et peut êtr Detect Leak Types - Détecter le type de fuite + Détection du type de fuites Detect Leak Types (Show Reachable) - Détecter les types de fuites (afficher les accessibles) + Détection du type de fuites (afficher les accessibles) Fuzzy Detect Leak Types - + Détection floue du type de fuites Fuzzy Detect Leak Types (Show Reachable) - + Détection floue du type de fuites (afficher les accessibles) Minimum leak size: @@ -54692,13 +56430,37 @@ Vérifiez les paramètres pour vous assurer que Valgrind est installé et dispon QtC::Vcpkg - Search package... - Rechercher paquet… + Copy paste the required lines into your CMakeLists.txt: + Copier coller les lignes requises dans votre fichier CMakeLists.txt : + + + Add vcpkg Package... + Ajouter le paquet vcpkg… + + + CMake Code... + Code CMake… Vcpkg Manifest Editor Éditeur de Manifest Vcpkg + + Add vcpkg Package + Ajouter le paquet vcpkg + + + This package is already a project dependency. + Ce paquet est déjà une dépendance du projet. + + + Packages: + Paquets : + + + Package Details + Détails du paquet + Name: Nom : @@ -56021,7 +57783,8 @@ Membres : Stereotype display: - + https://doc.qt.io/qtcreator/creator-modeling.html + Affichage du stéréotype : Depth: @@ -56029,15 +57792,16 @@ Membres : Box - + https://doc.qt.io/qtcreator/creator-modeling.html#creating-class-diagrams + Boîte Angle Brackets - Accolades + Chevrons Template display: - + Affichage du template : Show members @@ -56301,6 +58065,13 @@ définit dans la taille de pas. Définit le rayon utilisé pour arrondir les coins. + + RemoteLinux::SshProcessInterface + + Can't send control signal to the %1 device. The device might have been disconnected. + Impossible d'envoyer un signal de contrôle au périphérique %1. Le périphérique est peut-être déconnecté. + + RenameFolderDialog @@ -56489,8 +58260,8 @@ Elle est utilisée pour calculer la taille totale implicite. Hauteur du contenu pour calculer la hauteur implicite totale. - Font Inheritance - Héritage des polices + Font + Police @@ -56718,6 +58489,87 @@ Elle est utilisée pour calculer la taille totale implicite. Détermine si la valeur actuelle doit être mise à jour lorsque l'utilisateur déplace la poignée du slider, ou si la mise à jour s'effectue uniquement au relachement. + + SnapConfigAction + + Open snap configuration dialog + Ouvrir la fenêtre de configuration de l'aimantation + + + + SnapConfigurationDialog + + Snap Configuration + Configuration de l'aimantation + + + Interval + Intervalle + + + Position + Position + + + Snap position. + Aimantation de la position. + + + Snap interval for move gizmo. + Intervalle d'aimantation du gizmo pour le déplacement. + + + Rotation + Rotation + + + Snap rotation. + Aimantation de la rotation. + + + Snap interval in degrees for rotation gizmo. + Intervalle d'aimantation en degré du gizmo pour la rotation. + + + Scale + Échelle + + + Snap scale. + Aimantation de la mise à l'échelle. + + + Snap interval for scale gizmo in percentage of original scale. + Intervalle d'aimantation en pourcentage de l'échelle d'origine du gizmo pour la mise à l'échelle. + + + Absolute Position + Position absolue + + + Toggles if the position snaps to absolute values or relative to object position. + Active/désactive si la position s'aimante aux valeurs absolues ou relatives de la position de l'objet. + + + deg + degré + + + % + % + + + Reset All + Tout réinitialiser + + + + SnapToggleAction + + Toggle snapping during node drag + Active/désactive l'aimantation lors du glissement du nœud + + SpatialSoundSection @@ -56791,8 +58643,8 @@ Si l'auditeur est plus proche de l'objet sonore que la taille, le volu Atténuation manuelle - Set the manual attenuation factor if distanceModel is set to ManualAttenuation. - Définit le facteur d'atténuation manuelle si distanceModel est défini à ManualAttenuation. + Set the manual attenuation factor if distanceModel is set to ManualAttenuation. + Définit le facteur d'atténuation manuel si distanceModel est défini à ManualAttenuation. Occlusion Intensity @@ -56816,12 +58668,14 @@ Une valeur 0 implique que le son est émis de manière uniforme dans toutes les Directivity Order - + https://resonance-audio.github.io/resonance-audio/discover/concepts.html + Ordre de directivité Set the order of the directivity of the sound source. A higher order implies a sharper localization of the sound cone. - + Définit un ordre de directivité de la source sonore. +Une plus grande valeur implique une localisation plus nette du cône sonore. Near Field Gain @@ -56920,8 +58774,8 @@ atteint le début ou la fin. StackViewSpecifics - Font Inheritance - Héritage des polices + Font + Police @@ -57140,45 +58994,82 @@ atteint le début ou la fin. - StatesDelegate + StatementEditor - Set when Condition - Définir suivant une condition + Item + Élément - Reset when Condition - Réinitialiser suivant une condition + Sets the component that is affected by the action of the <b>Target</b> component's <b>Signal</b>. + Définit le composant qui est affecté par l'action du <b>signal</b> du composant <b>cible</b>. - Set as Default - Définir comme par défaut + Method + Méthode - Reset Default - Restaurer la valeur par défaut + Sets the item component's method that is affected by the <b>Target</b> component's <b>Signal</b>. + Définit la méthode du composant de l'élément qui est affectée par le <b>signal</b> du composant <b>cible</b>. - Edit Annotation - Éditer l'annotation + From + À partir de - Add Annotation - Ajouter une annotation + Sets the component and its property from which the value is copied when the <b>Target</b> component initiates the <b>Signal</b>. + Définit le composant et sa propriété à partir de laquelle la valeur est copiée lorsque le composant <b>cible</b> initie le <b>signal</b>. - Remove Annotation - Supprimer l'annotation + To + Vers - Default - Défaut + Sets the component and its property to which the copied value is assigned when the <b>Target</b> component initiates the <b>Signal</b>. + Définit la propriété du composant dans laquelle la valeur copiée est assignée lorsque le composant <b>cible</b> initie le <b>signal</b>. - - - StatesList - Add a new state. - Ajouter un nouvel état. + State Group + Groupe d'états + + + Sets a <b>State Group</b> that is accessed when the <b>Target</b> component initiates the <b>Signal</b>. + Définit le <b>groupe d'états</b> qui est accédé lorsque le composant <b>cible</b> initie le <b>signal</b>. + + + State + État + + + Sets a <b>State</b> within the assigned <b>State Group</b> that is accessed when the <b>Target</b> component initiates the <b>Signal</b>. + Définit un <b>état</b> du <b>groupe d'états</b> qui est accédé lorsque le composant <b>cible</b> initie le <b>signal</b>. + + + Property + Propriété + + + Sets the property of the component that is affected by the action of the <b>Target</b> component's <b>Signal</b>. + Définit la propriété du composant qui est affecté par une action du </b>signal</b> du composant </b>cible</b>. + + + Value + Valeur + + + Sets the value of the property of the component that is affected by the action of the <b>Target</b> component's <b>Signal</b>. + Définit la valeur de la propriété du composant qui est affecté par l'action du <b>signal</b> du composant <b>cible</b>. + + + Message + Message + + + Sets a text that is printed when the <b>Signal</b> of the <b>Target</b> component initiates. + Définit un texte qui est affiché lorsque le <b>signal</b> du composant <b>cible</b> est initié. + + + Custom Connections can only be edited with the binding editor + Les connexions personnalisées ne peuvent être modifiées qu'avec l'éditeur de liaison @@ -57271,8 +59162,8 @@ atteint le début ou la fin. SwipeViewSpecifics Swipe View - Vue glissante? - + ou vue glissante? ou carroussel? + Vue en balayage Interactive @@ -57286,24 +59177,24 @@ atteint le début ou la fin. Sets the orientation of the view. Définit l'orientation de la vue. + + Font + Police + Orientation Orientation - - Font Inheritance - Héritage des polices - - SyncEdit3DColorAction + SyncEnvBackgroundAction - Use Scene Environment Color - Utiliser la couleur de l’environnement de la scène + Use Scene Environment + Utiliser l'environnement de la scène - Sets the 3D view to use the Scene Environment color as background color. - Règle la vue 3D pour qu’elle utilise la couleur de l’environnement de la scène comme couleur d’arrière-plan. + Sets the 3D view to use the Scene Environment color or skybox as background color. + Règle la vue 3D pour utiliser la couleur de l'environnement de scène ou de la skybox comme couleur de fond. @@ -57905,7 +59796,7 @@ Elle est utilisée pour calculer la taille totale implicite. Running - En cours d’exécution + En cours d'exécution Sets whether the timer is running or not. @@ -57935,8 +59826,8 @@ Elle est utilisée pour calculer la taille totale implicite. Position de la barre d’outils. - Font Inheritance - Héritage des polices + Font + Police @@ -57954,34 +59845,11 @@ Elle est utilisée pour calculer la taille totale implicite. Définit l’orientation du séparateur. - - Tr - - Failed to read file "%1". - Impossible de lire le fichier « %1 ». - - - Invalid file "%1". - Fichier invalide « %1 ». - - - Invalid "version" in file "%1". - « Version » non valide dans le fichier « %1 ». - - - Invalid "configurePresets" section in %1 file - Section « configurePresets » non valide dans le fichier %1 - - - Invalid "buildPresets" section in %1 file - Section « buildPresets » non valide dans le fichier %1 - - TumblerSpecifics Tumbler - + Tumbler Visible count @@ -58017,12 +59885,12 @@ début ou la fin. Le matériau embarqué est peut-être en cours d'utilisation - If the material you are removing is in use, it might cause the project to malfunction. + If the %1 you are removing is in use, it might cause the project to malfunction. -Are you sure you want to remove the material? - Si le matériau à supprimer est en cours d'utilisation, cela peut entrainer des disfonctionnements du projet. +Are you sure you want to remove the %1? + Si en cours d'utilisation, la suppression de %1 peut entraîner à un dysfonctionnement du projet. -Êtes vous sûr que vous souhaitez supprimer ce matériau ? +Voulez-vous vraiment supprimer %1 ? Remove @@ -58040,6 +59908,51 @@ Are you sure you want to remove the material? Primitive intégrée + + ValueVec2 + + X + X + + + Y + Y + + + + ValueVec3 + + X + X + + + Y + Y + + + Z + Z + + + + ValueVec4 + + X + X + + + Y + Y + + + Z + Z + + + W + L + + VideoSection @@ -58179,8 +60092,8 @@ Are you sure you want to remove the material? emptyPane - Select a component in the 2D, Navigator, or Code view to see its properties. - Sélectionnez un composant dans la vue 2D, LE Navigateur ou LE Code pour afficher ses propriétés. + Select a component to see its properties. + Sélectionnez un composant pour voir ses propriétés. From b86ca0947bf52687adba8bbfccf5c412a3a32199 Mon Sep 17 00:00:00 2001 From: hjk Date: Mon, 20 Nov 2023 18:27:28 +0100 Subject: [PATCH 17/25] QmlPreview: Fix double deletion of RefreshTranslationWorker The RunControl takes ownership of its RunWorkers. Change-Id: I720d4404f991651de5d5f7906fbea96f0e4e20ba Reviewed-by: Tim Jenssen Reviewed-by: --- src/plugins/qmlpreview/qmlpreviewruncontrol.cpp | 5 ++--- 1 file changed, 2 insertions(+), 3 deletions(-) diff --git a/src/plugins/qmlpreview/qmlpreviewruncontrol.cpp b/src/plugins/qmlpreview/qmlpreviewruncontrol.cpp index 5bdb2e78a08..cdd6388997d 100644 --- a/src/plugins/qmlpreview/qmlpreviewruncontrol.cpp +++ b/src/plugins/qmlpreview/qmlpreviewruncontrol.cpp @@ -84,11 +84,10 @@ private: void stop() override; QmlPreviewConnectionManager m_connectionManager; - RefreshTranslationWorker m_refreshTranslationWorker; }; QmlPreviewRunner::QmlPreviewRunner(RunControl *runControl, const QmlPreviewRunnerSetting &settings) - : RunWorker(runControl), m_refreshTranslationWorker(runControl, settings) + : RunWorker(runControl) { setId("QmlPreviewRunner"); m_connectionManager.setFileLoader(settings.fileLoader); @@ -134,7 +133,7 @@ QmlPreviewRunner::QmlPreviewRunner(RunControl *runControl, const QmlPreviewRunne runControl->initiateStop(); }); - addStartDependency(&m_refreshTranslationWorker); + addStartDependency(new RefreshTranslationWorker(runControl, settings)); } void QmlPreviewRunner::start() From 72cdbbb8dac8f5b7aec82af294459e1f47692ce2 Mon Sep 17 00:00:00 2001 From: hjk Date: Mon, 20 Nov 2023 18:14:49 +0100 Subject: [PATCH 18/25] ProjectExplorer: Check for accidentally deleted workers ... before checking for re-run support. The workers are own by the RunControl, they should not self-destruct, but this apparently happens. Change-Id: I41101dfc20bf2ff4f19c440934e4d4010a88c04e Reviewed-by: Eike Ziller Reviewed-by: Tim Jenssen Reviewed-by: --- src/plugins/projectexplorer/runcontrol.cpp | 8 ++++++-- 1 file changed, 6 insertions(+), 2 deletions(-) diff --git a/src/plugins/projectexplorer/runcontrol.cpp b/src/plugins/projectexplorer/runcontrol.cpp index 8eb6f5e6ba0..76eed5c5c2c 100644 --- a/src/plugins/projectexplorer/runcontrol.cpp +++ b/src/plugins/projectexplorer/runcontrol.cpp @@ -290,7 +290,7 @@ public: void checkState(RunControlState expectedState); void setState(RunControlState state); - void debugMessage(const QString &msg); + void debugMessage(const QString &msg) const; void initiateStart(); void initiateReStart(); @@ -1039,6 +1039,10 @@ bool RunControl::supportsReRunning() const bool RunControlPrivate::supportsReRunning() const { for (RunWorker *worker : m_workers) { + if (!worker) { + debugMessage("Found unknown deleted worker when checking for re-run support"); + return false; + } if (!worker->d->supportsReRunning) return false; if (worker->d->state != RunWorkerState::Done) @@ -1183,7 +1187,7 @@ void RunControlPrivate::setState(RunControlState newState) } } -void RunControlPrivate::debugMessage(const QString &msg) +void RunControlPrivate::debugMessage(const QString &msg) const { qCDebug(statesLog()) << msg; } From 3fdea38f58459e5ae0e1021f6ddc7312322014aa Mon Sep 17 00:00:00 2001 From: Christian Stenger Date: Tue, 21 Nov 2023 08:31:56 +0100 Subject: [PATCH 19/25] EmacsKeys: Use SPDX License header Change-Id: Ief2367d0d7cfae8e20b29b511bd87db348051b4d Reviewed-by: Eike Ziller --- src/plugins/emacskeys/emacskeysconstants.h | 25 ++-------------------- src/plugins/emacskeys/emacskeysplugin.cpp | 25 ++-------------------- src/plugins/emacskeys/emacskeysplugin.h | 25 ++-------------------- src/plugins/emacskeys/emacskeysstate.cpp | 25 ++-------------------- src/plugins/emacskeys/emacskeysstate.h | 25 ++-------------------- 5 files changed, 10 insertions(+), 115 deletions(-) diff --git a/src/plugins/emacskeys/emacskeysconstants.h b/src/plugins/emacskeys/emacskeysconstants.h index 5f87669bbf5..e94184401eb 100644 --- a/src/plugins/emacskeys/emacskeysconstants.h +++ b/src/plugins/emacskeys/emacskeysconstants.h @@ -1,26 +1,5 @@ -/**************************************************************************** -** -** Contact: https://www.qt.io/licensing/ -** -** This file is part of Qt Creator. -** -** Commercial License Usage -** Licensees holding valid commercial Qt licenses may use this file in -** accordance with the commercial license agreement provided with the -** Software or, alternatively, in accordance with the terms contained in -** a written agreement between you and The Qt Company. For licensing terms -** and conditions see https://www.qt.io/terms-conditions. For further -** information use the contact form at https://www.qt.io/contact-us. -** -** GNU General Public License Usage -** Alternatively, this file may be used under the terms of the GNU -** General Public License version 3 as published by the Free Software -** Foundation with exceptions as appearing in the file LICENSE.GPL3-EXCEPT -** included in the packaging of this file. Please review the following -** information to ensure the GNU General Public License requirements will -** be met: https://www.gnu.org/licenses/gpl-3.0.html. -** -****************************************************************************/ +// Copyright (C) 2022 The Qt Company Ltd. +// SPDX-License-Identifier: LicenseRef-Qt-Commercial OR GPL-3.0-only WITH Qt-GPL-exception-1.0 #pragma once diff --git a/src/plugins/emacskeys/emacskeysplugin.cpp b/src/plugins/emacskeys/emacskeysplugin.cpp index 4f1fa8c2c82..0221eb45936 100644 --- a/src/plugins/emacskeys/emacskeysplugin.cpp +++ b/src/plugins/emacskeys/emacskeysplugin.cpp @@ -1,26 +1,5 @@ -/**************************************************************************** -** -** Contact: https://www.qt.io/licensing/ -** -** This file is part of Qt Creator. -** -** Commercial License Usage -** Licensees holding valid commercial Qt licenses may use this file in -** accordance with the commercial license agreement provided with the -** Software or, alternatively, in accordance with the terms contained in -** a written agreement between you and The Qt Company. For licensing terms -** and conditions see https://www.qt.io/terms-conditions. For further -** information use the contact form at https://www.qt.io/contact-us. -** -** GNU General Public License Usage -** Alternatively, this file may be used under the terms of the GNU -** General Public License version 3 as published by the Free Software -** Foundation with exceptions as appearing in the file LICENSE.GPL3-EXCEPT -** included in the packaging of this file. Please review the following -** information to ensure the GNU General Public License requirements will -** be met: https://www.gnu.org/licenses/gpl-3.0.html. -** -****************************************************************************/ +// Copyright (C) 2022 The Qt Company Ltd. +// SPDX-License-Identifier: LicenseRef-Qt-Commercial OR GPL-3.0-only WITH Qt-GPL-exception-1.0 #include "emacskeysplugin.h" diff --git a/src/plugins/emacskeys/emacskeysplugin.h b/src/plugins/emacskeys/emacskeysplugin.h index 1e5300ff1be..b3164b73c46 100644 --- a/src/plugins/emacskeys/emacskeysplugin.h +++ b/src/plugins/emacskeys/emacskeysplugin.h @@ -1,26 +1,5 @@ -/**************************************************************************** -** -** Contact: https://www.qt.io/licensing/ -** -** This file is part of Qt Creator. -** -** Commercial License Usage -** Licensees holding valid commercial Qt licenses may use this file in -** accordance with the commercial license agreement provided with the -** Software or, alternatively, in accordance with the terms contained in -** a written agreement between you and The Qt Company. For licensing terms -** and conditions see https://www.qt.io/terms-conditions. For further -** information use the contact form at https://www.qt.io/contact-us. -** -** GNU General Public License Usage -** Alternatively, this file may be used under the terms of the GNU -** General Public License version 3 as published by the Free Software -** Foundation with exceptions as appearing in the file LICENSE.GPL3-EXCEPT -** included in the packaging of this file. Please review the following -** information to ensure the GNU General Public License requirements will -** be met: https://www.gnu.org/licenses/gpl-3.0.html. -** -****************************************************************************/ +// Copyright (C) 2022 The Qt Company Ltd. +// SPDX-License-Identifier: LicenseRef-Qt-Commercial OR GPL-3.0-only WITH Qt-GPL-exception-1.0 #pragma once diff --git a/src/plugins/emacskeys/emacskeysstate.cpp b/src/plugins/emacskeys/emacskeysstate.cpp index 90cec01e9c1..5fb52142021 100644 --- a/src/plugins/emacskeys/emacskeysstate.cpp +++ b/src/plugins/emacskeys/emacskeysstate.cpp @@ -1,26 +1,5 @@ -/**************************************************************************** -** -** Contact: https://www.qt.io/licensing/ -** -** This file is part of Qt Creator. -** -** Commercial License Usage -** Licensees holding valid commercial Qt licenses may use this file in -** accordance with the commercial license agreement provided with the -** Software or, alternatively, in accordance with the terms contained in -** a written agreement between you and The Qt Company. For licensing terms -** and conditions see https://www.qt.io/terms-conditions. For further -** information use the contact form at https://www.qt.io/contact-us. -** -** GNU General Public License Usage -** Alternatively, this file may be used under the terms of the GNU -** General Public License version 3 as published by the Free Software -** Foundation with exceptions as appearing in the file LICENSE.GPL3-EXCEPT -** included in the packaging of this file. Please review the following -** information to ensure the GNU General Public License requirements will -** be met: https://www.gnu.org/licenses/gpl-3.0.html. -** -****************************************************************************/ +// Copyright (C) 2022 The Qt Company Ltd. +// SPDX-License-Identifier: LicenseRef-Qt-Commercial OR GPL-3.0-only WITH Qt-GPL-exception-1.0 #include "emacskeysstate.h" diff --git a/src/plugins/emacskeys/emacskeysstate.h b/src/plugins/emacskeys/emacskeysstate.h index 43b65876674..968d8c09659 100644 --- a/src/plugins/emacskeys/emacskeysstate.h +++ b/src/plugins/emacskeys/emacskeysstate.h @@ -1,26 +1,5 @@ -/**************************************************************************** -** -** Contact: https://www.qt.io/licensing/ -** -** This file is part of Qt Creator. -** -** Commercial License Usage -** Licensees holding valid commercial Qt licenses may use this file in -** accordance with the commercial license agreement provided with the -** Software or, alternatively, in accordance with the terms contained in -** a written agreement between you and The Qt Company. For licensing terms -** and conditions see https://www.qt.io/terms-conditions. For further -** information use the contact form at https://www.qt.io/contact-us. -** -** GNU General Public License Usage -** Alternatively, this file may be used under the terms of the GNU -** General Public License version 3 as published by the Free Software -** Foundation with exceptions as appearing in the file LICENSE.GPL3-EXCEPT -** included in the packaging of this file. Please review the following -** information to ensure the GNU General Public License requirements will -** be met: https://www.gnu.org/licenses/gpl-3.0.html. -** -****************************************************************************/ +// Copyright (C) 2022 The Qt Company Ltd. +// SPDX-License-Identifier: LicenseRef-Qt-Commercial OR GPL-3.0-only WITH Qt-GPL-exception-1.0 #pragma once From 4f9cf826d6b087c4129256edb4641833686451b1 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Tor=20Arne=20Vestb=C3=B8?= Date: Mon, 2 Oct 2023 16:09:46 +0200 Subject: [PATCH 20/25] Detect iOS 17 device development status via devicectl iOS 17 devices no longer report the development status via the com.apple.xcode.developerdomain domain. Task-number: QTCREATORBUG-29682 Change-Id: I9de3c88425b71906f51d0f0e8b6a4ece0e08eb3a Reviewed-by: Eike Ziller --- src/tools/iostool/iosdevicemanager.cpp | 28 +++++++++++++++++++++++--- 1 file changed, 25 insertions(+), 3 deletions(-) diff --git a/src/tools/iostool/iosdevicemanager.cpp b/src/tools/iostool/iosdevicemanager.cpp index dcdd1fd612f..891e2300ec8 100644 --- a/src/tools/iostool/iosdevicemanager.cpp +++ b/src/tools/iostool/iosdevicemanager.cpp @@ -21,6 +21,7 @@ #include #include #include +#include #include @@ -104,6 +105,20 @@ static bool findXcodePath(QString *xcodePath) return (process.exitStatus() == QProcess::NormalExit && QFile::exists(*xcodePath)); } +static bool checkDevelopmentStatusViaDeviceCtl(const QString &deviceId) +{ + QProcess process; + process.start("/usr/bin/xcrun", QStringList({"devicectl", + "device", "info", "details", "--quiet", "--device", deviceId, "-j", "-"})); + if (!process.waitForFinished(3000)) { + qCWarning(loggingCategory) << "Failed to launch devicectl:" << process.errorString(); + return false; + } + + auto jsonOutput = QJsonDocument::fromJson(process.readAllStandardOutput()); + return jsonOutput["result"]["deviceProperties"]["developerModeStatus"] == "enabled"; +} + /*! * \brief Finds the \e DeveloperDiskImage.dmg path corresponding to \a versionStr and \a buildStr. * @@ -1668,13 +1683,20 @@ void DevInfoSession::deviceCallbackReturned() if (!failure) { res[deviceConnectedKey] = QLatin1String("YES"); res[deviceNameKey] = getStringValue(device, nullptr, CFSTR("DeviceName")); - res[developerStatusKey] = getStringValue(device, + res[uniqueDeviceId] = getStringValue(device, nullptr, CFSTR("UniqueDeviceID")); + const QString productVersion = getStringValue(device, nullptr, CFSTR("ProductVersion")); + + if (productVersion.startsWith("17.")) { + res[developerStatusKey] = checkDevelopmentStatusViaDeviceCtl(res[uniqueDeviceId]) + ? QLatin1String("Development") : QLatin1String("*off*"); + } else { + res[developerStatusKey] = getStringValue(device, CFSTR("com.apple.xcode.developerdomain"), CFSTR("DeveloperStatus"), "*off*"); + } + res[cpuArchitectureKey] = getStringValue(device, nullptr, CFSTR("CPUArchitecture")); - res[uniqueDeviceId] = getStringValue(device, nullptr, CFSTR("UniqueDeviceID")); - const QString productVersion = getStringValue(device, nullptr, CFSTR("ProductVersion")); const QString buildVersion = getStringValue(device, nullptr, CFSTR("BuildVersion")); if (!productVersion.isEmpty() && !buildVersion.isEmpty()) res[osVersionKey] = QString("%1 (%2)").arg(productVersion, buildVersion); From 72a8e2e6446cf9b427021859e02ecc24105e649e Mon Sep 17 00:00:00 2001 From: David Schulz Date: Tue, 21 Nov 2023 11:03:19 +0100 Subject: [PATCH 21/25] Python: fix pdb debugging The pdb engine is created in the DebuggerRunTool constructor so we cannot unconditionally overwrite the engine in DebuggerRunTool::start. Amends 9af8ecd935b8647d49574e1b66a522970025dcb8 Change-Id: I0c3c88d14235bfb01543da788a7bb5e7e99018d3 Reviewed-by: Artem Sokolovskii --- src/plugins/debugger/debuggerruncontrol.cpp | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/src/plugins/debugger/debuggerruncontrol.cpp b/src/plugins/debugger/debuggerruncontrol.cpp index d797586d793..a12c8cec40d 100644 --- a/src/plugins/debugger/debuggerruncontrol.cpp +++ b/src/plugins/debugger/debuggerruncontrol.cpp @@ -481,7 +481,8 @@ void DebuggerRunTool::start() runControl()->setDisplayName(m_runParameters.displayName); - m_engine = createDapEngine(runControl()->runMode()); + if (!m_engine) + m_engine = createDapEngine(runControl()->runMode()); if (!m_engine) { if (m_runParameters.isCppDebugging()) { From 712586221278c29b9d1a5e73eeaa5b038bda7a7f Mon Sep 17 00:00:00 2001 From: Christian Stenger Date: Tue, 21 Nov 2023 10:27:56 +0100 Subject: [PATCH 22/25] Add some include guards Change-Id: If306f95f206e2b1cba48df806c822b8e2d27cf72 Reviewed-by: Eike Ziller --- src/plugins/android/avdmanageroutputparser.h | 2 ++ src/plugins/cmakeprojectmanager/projecttreehelper.h | 2 ++ src/plugins/python/pythonwizardpage.h | 2 ++ src/plugins/silversearcher/silversearcherparser_test.h | 2 ++ src/tools/buildoutputparser/outputprocessor.h | 2 ++ 5 files changed, 10 insertions(+) diff --git a/src/plugins/android/avdmanageroutputparser.h b/src/plugins/android/avdmanageroutputparser.h index ac65fce02bb..b3a74f8fc8e 100644 --- a/src/plugins/android/avdmanageroutputparser.h +++ b/src/plugins/android/avdmanageroutputparser.h @@ -1,6 +1,8 @@ // Copyright (C) 2021 The Qt Company Ltd. // SPDX-License-Identifier: LicenseRef-Qt-Commercial OR GPL-3.0-only WITH Qt-GPL-exception-1.0 +#pragma once + #include "androiddeviceinfo.h" namespace Android { diff --git a/src/plugins/cmakeprojectmanager/projecttreehelper.h b/src/plugins/cmakeprojectmanager/projecttreehelper.h index aa655492d4a..08707360ed4 100644 --- a/src/plugins/cmakeprojectmanager/projecttreehelper.h +++ b/src/plugins/cmakeprojectmanager/projecttreehelper.h @@ -1,6 +1,8 @@ // Copyright (C) 2016 The Qt Company Ltd. // SPDX-License-Identifier: LicenseRef-Qt-Commercial OR GPL-3.0-only WITH Qt-GPL-exception-1.0 +#pragma once + #include "cmakeprojectnodes.h" #include diff --git a/src/plugins/python/pythonwizardpage.h b/src/plugins/python/pythonwizardpage.h index 6cf8a130c59..9691e767524 100644 --- a/src/plugins/python/pythonwizardpage.h +++ b/src/plugins/python/pythonwizardpage.h @@ -1,6 +1,8 @@ // Copyright (C) 2022 The Qt Company Ltd. // SPDX-License-Identifier: LicenseRef-Qt-Commercial OR GPL-3.0-only WITH Qt-GPL-exception-1.0 +#pragma once + #include #include #include diff --git a/src/plugins/silversearcher/silversearcherparser_test.h b/src/plugins/silversearcher/silversearcherparser_test.h index 6d85cd21981..4278fb95159 100644 --- a/src/plugins/silversearcher/silversearcherparser_test.h +++ b/src/plugins/silversearcher/silversearcherparser_test.h @@ -1,6 +1,8 @@ // Copyright (C) 2017 Przemyslaw Gorszkowski . // SPDX-License-Identifier: LicenseRef-Qt-Commercial OR GPL-3.0-only WITH Qt-GPL-exception-1.0 +#pragma once + #include namespace SilverSearcher { diff --git a/src/tools/buildoutputparser/outputprocessor.h b/src/tools/buildoutputparser/outputprocessor.h index 4a34a5203e5..d0ca1616fb8 100644 --- a/src/tools/buildoutputparser/outputprocessor.h +++ b/src/tools/buildoutputparser/outputprocessor.h @@ -1,6 +1,8 @@ // Copyright (C) 2016 The Qt Company Ltd. // SPDX-License-Identifier: LicenseRef-Qt-Commercial OR GPL-3.0-only WITH Qt-GPL-exception-1.0 +#pragma once + #include QT_BEGIN_NAMESPACE From 9c07e7ea7c0542928ee1a27fc21349d633b0c608 Mon Sep 17 00:00:00 2001 From: Christian Stenger Date: Mon, 20 Nov 2023 13:36:06 +0100 Subject: [PATCH 23/25] PE: Close generated files silently if they have an editor Omits the original request whether to save a modified file if the files are opened inside QC, but it ensures to format the correct file content instead of using some cached content. Fixes: QTCREATORBUG-29904 Change-Id: I3b3f3e53fb811288a208376559243bea01d0d4a4 Reviewed-by: Eike Ziller --- src/plugins/projectexplorer/jsonwizard/jsonwizard.cpp | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/src/plugins/projectexplorer/jsonwizard/jsonwizard.cpp b/src/plugins/projectexplorer/jsonwizard/jsonwizard.cpp index b7207ce45ef..17fc1e736c0 100644 --- a/src/plugins/projectexplorer/jsonwizard/jsonwizard.cpp +++ b/src/plugins/projectexplorer/jsonwizard/jsonwizard.cpp @@ -11,6 +11,7 @@ #include "../projectexplorertr.h" #include "../projecttree.h" +#include #include #include #include @@ -351,6 +352,14 @@ void JsonWizard::accept() return; } + const QList documentsToClose + = transform(m_files, [](const GeneratorFile &file) -> Core::IDocument * { + if ((file.file.attributes() & Core::GeneratedFile::OpenEditorAttribute) == 0) + return nullptr; + return Core::DocumentModel::documentForFilePath(file.file.filePath()); + }); + Core::EditorManager::closeDocuments(documentsToClose, /*askAboutModifiedEditors=*/false); + emit preWriteFiles(m_files); if (!JsonWizardGenerator::writeFiles(this, &m_files, &errorMessage)) { if (!errorMessage.isEmpty()) From 06595222fff5de1900de028e39caaccb9ac943d3 Mon Sep 17 00:00:00 2001 From: David Schulz Date: Tue, 21 Nov 2023 14:58:40 +0100 Subject: [PATCH 24/25] Python: fix commercial pyside installation Change-Id: I6a89b9a9f32e07db91e67df248d94c78ae731455 Reviewed-by: Christian Stenger --- src/plugins/python/pyside.cpp | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/src/plugins/python/pyside.cpp b/src/plugins/python/pyside.cpp index a17ae89dca8..b2483c7cac6 100644 --- a/src/plugins/python/pyside.cpp +++ b/src/plugins/python/pyside.cpp @@ -89,8 +89,8 @@ void PySideInstaller::installPyside(const FilePath &python, const Utils::QtcSettings *settings = Core::ICore::settings(QSettings::SystemScope); const FilePaths requirementsList - = Utils::transform(settings->value("Python/PySideWheelsRequirements").toList(), - &FilePath::fromSettings); + = Utils::transform(settings->value("Python/PySideWheelsRequirements").toStringList(), + &FilePath::fromString); for (const FilePath &requirements : requirementsList) { if (requirements.exists()) { auto version = QVersionNumber::fromString(requirements.parentDir().fileName()); From d08bb59faf92d6b869377d16ced4198d7234abe4 Mon Sep 17 00:00:00 2001 From: Yasser Grimes Date: Mon, 20 Nov 2023 15:52:17 +0200 Subject: [PATCH 25/25] McuSupport: Reset invalid packages to default on update When updating kits some packages will still have the cached value of the outdated package resulting in failure on updated. although default paths would have given the correct path. This patch restore package values to the default value, in addition to tracking changes in model-names that correspond to the same kit. Fixes: QTCREATORBUG-29855 Change-Id: Iad52df93e1e39c7f56bdb30036ac21cda8cdf670 Reviewed-by: Alessandro Portale Reviewed-by: Eike Ziller --- src/plugins/mcusupport/mcukitmanager.cpp | 12 +++++++++++- src/plugins/mcusupport/mcutarget.cpp | 13 +++++++++++++ src/plugins/mcusupport/mcutarget.h | 6 ++++++ 3 files changed, 30 insertions(+), 1 deletion(-) diff --git a/src/plugins/mcusupport/mcukitmanager.cpp b/src/plugins/mcusupport/mcukitmanager.cpp index 39e13f80892..2cc2311e693 100644 --- a/src/plugins/mcusupport/mcukitmanager.cpp +++ b/src/plugins/mcusupport/mcukitmanager.cpp @@ -30,6 +30,7 @@ #include +#include #include #include #include @@ -430,11 +431,17 @@ bool kitIsUpToDate(const Kit *kit, QList existingKits(const McuTarget *mcuTarget) { using namespace Constants; + // some models have compatible name changes that refere to the same supported board across versions. + // name changes are tracked here to recognize the corresponding kits as upgradable. + static QMap upgradable_to = { + {"MIMXRT1170-EVK-FREERTOS", {"MIMXRT1170-EVKB-FREERTOS"}}}; return Utils::filtered(KitManager::kits(), [mcuTarget](Kit *kit) { return kit->value(KIT_MCUTARGET_KITVERSION_KEY) == KIT_VERSION && (!mcuTarget || (kit->value(KIT_MCUTARGET_VENDOR_KEY) == mcuTarget->platform().vendor - && kit->value(KIT_MCUTARGET_MODEL_KEY) == mcuTarget->platform().name + && (kit->value(KIT_MCUTARGET_MODEL_KEY) == mcuTarget->platform().name + || upgradable_to[kit->value(KIT_MCUTARGET_MODEL_KEY).toString()].contains( + mcuTarget->platform().name)) && kit->value(KIT_MCUTARGET_COLORDEPTH_KEY) == mcuTarget->colorDepth() && kit->value(KIT_MCUTARGET_OS_KEY).toInt() == static_cast(mcuTarget->os()) @@ -590,6 +597,9 @@ void upgradeKitsByCreatingNewPackage(const SettingsHandler::Ptr &settingsHandler if (upgradeOption == UpgradeOption::Replace) { for (auto existingKit : kits) KitManager::deregisterKit(existingKit); + // Reset cached values that are not valid after an update + // Exp: a board sdk version that was dropped in newer releases + target->resetInvalidPathsToDefault(); } if (target->isValid()) diff --git a/src/plugins/mcusupport/mcutarget.cpp b/src/plugins/mcusupport/mcutarget.cpp index d7a3b0fe397..faef32b61ba 100644 --- a/src/plugins/mcusupport/mcutarget.cpp +++ b/src/plugins/mcusupport/mcutarget.cpp @@ -113,6 +113,19 @@ void McuTarget::handlePackageProblems(MessagesList &messages) const } } +void McuTarget::resetInvalidPathsToDefault() +{ + + for (McuPackagePtr package : std::as_const(m_packages)) { + if (!package) + continue; + if (package->isValidStatus()) + continue; + package->setPath(package->defaultPath()); + package->writeToSettings(); + } +} + QVersionNumber McuTarget::qulVersion() const { return m_qulVersion; diff --git a/src/plugins/mcusupport/mcutarget.h b/src/plugins/mcusupport/mcutarget.h index 8ee19f54ab0..ce715c8c6f7 100644 --- a/src/plugins/mcusupport/mcutarget.h +++ b/src/plugins/mcusupport/mcutarget.h @@ -56,6 +56,12 @@ public: QString desktopCompilerId() const; void handlePackageProblems(MessagesList &messages) const; + // Used when updating to new version of QtMCUs + // Paths that is not valid in the new version, + // and were valid in the old version. have the possibility be valid if + // reset to the default value without user intervention + void resetInvalidPathsToDefault(); + private: const QVersionNumber m_qulVersion; const Platform m_platform;