diff options
87 files changed, 27723 insertions, 10889 deletions
diff --git a/core/bind/core_bind.cpp b/core/bind/core_bind.cpp index 30aaa0e646..d07ba44788 100644 --- a/core/bind/core_bind.cpp +++ b/core/bind/core_bind.cpp @@ -481,15 +481,18 @@ Error _OS::shell_open(String p_uri) { int _OS::execute(const String &p_path, const Vector<String> &p_arguments, bool p_blocking, Array p_output, bool p_read_stderr) { OS::ProcessID pid = -2; + int exitcode = 0; List<String> args; for (int i = 0; i < p_arguments.size(); i++) args.push_back(p_arguments[i]); String pipe; - Error err = OS::get_singleton()->execute(p_path, args, p_blocking, &pid, &pipe, NULL, p_read_stderr); + Error err = OS::get_singleton()->execute(p_path, args, p_blocking, &pid, &pipe, &exitcode, p_read_stderr); p_output.clear(); p_output.push_back(pipe); if (err != OK) return -1; + else if (p_blocking) + return exitcode; else return pid; } diff --git a/core/io/stream_peer_tcp.cpp b/core/io/stream_peer_tcp.cpp index 310bb12bc0..b9c5896b24 100644 --- a/core/io/stream_peer_tcp.cpp +++ b/core/io/stream_peer_tcp.cpp @@ -248,16 +248,7 @@ void StreamPeerTCP::set_no_delay(bool p_enabled) { bool StreamPeerTCP::is_connected_to_host() const { - if (status == STATUS_NONE || status == STATUS_ERROR) { - - return false; - } - - if (status != STATUS_CONNECTED) { - return true; - } - - return _sock.is_valid() && _sock->is_open(); + return _sock.is_valid() && _sock->is_open() && (status == STATUS_CONNECTED || status == STATUS_CONNECTING); } StreamPeerTCP::Status StreamPeerTCP::get_status() { diff --git a/core/oa_hash_map.h b/core/oa_hash_map.h index 5ea6d8b0d4..1a466e57f4 100644 --- a/core/oa_hash_map.h +++ b/core/oa_hash_map.h @@ -37,10 +37,11 @@ #include "core/os/memory.h" /** - * A HashMap implementation that uses open addressing with robinhood hashing. - * Robinhood hashing swaps out entries that have a smaller probing distance + * A HashMap implementation that uses open addressing with Robin Hood hashing. + * Robin Hood hashing swaps out entries that have a smaller probing distance * than the to-be-inserted entry, that evens out the average probing distance - * and enables faster lookups. + * and enables faster lookups. Backward shift deletion is employed to further + * improve the performance and to avoid infinite loops in rare cases. * * The entries are stored inplace, so huge keys or values might fill cache lines * a lot faster. @@ -60,25 +61,20 @@ private: uint32_t num_elements; static const uint32_t EMPTY_HASH = 0; - static const uint32_t DELETED_HASH_BIT = 1 << 31; _FORCE_INLINE_ uint32_t _hash(const TKey &p_key) const { uint32_t hash = Hasher::hash(p_key); if (hash == EMPTY_HASH) { hash = EMPTY_HASH + 1; - } else if (hash & DELETED_HASH_BIT) { - hash &= ~DELETED_HASH_BIT; } return hash; } _FORCE_INLINE_ uint32_t _get_probe_length(uint32_t p_pos, uint32_t p_hash) const { - p_hash = p_hash & ~DELETED_HASH_BIT; // we don't care if it was deleted or not - uint32_t original_pos = p_hash % capacity; - return (p_pos - original_pos) % capacity; + return (p_pos - original_pos + capacity) % capacity; } _FORCE_INLINE_ void _construct(uint32_t p_pos, uint32_t p_hash, const TKey &p_key, const TValue &p_value) { @@ -132,14 +128,6 @@ private: // not an empty slot, let's check the probing length of the existing one uint32_t existing_probe_len = _get_probe_length(pos, hashes[pos]); if (existing_probe_len < distance) { - - if (hashes[pos] & DELETED_HASH_BIT) { - // we found a place where we can fit in! - _construct(pos, hash, key, value); - - return; - } - SWAP(hash, hashes[pos]); SWAP(key, keys[pos]); SWAP(value, values[pos]); @@ -173,9 +161,6 @@ private: if (old_hashes[i] == EMPTY_HASH) { continue; } - if (old_hashes[i] & DELETED_HASH_BIT) { - continue; - } _insert_with_hash(old_hashes[i], old_keys[i], old_values[i]); } @@ -205,10 +190,6 @@ public: continue; } - if (hashes[i] & DELETED_HASH_BIT) { - continue; - } - hashes[i] = EMPTY_HASH; values[i].~TValue(); keys[i].~TKey(); @@ -219,7 +200,7 @@ public: void insert(const TKey &p_key, const TValue &p_value) { - if ((float)num_elements / (float)capacity > 0.9) { + if (num_elements + 1 > 0.9 * capacity) { _resize_and_rehash(); } @@ -272,9 +253,20 @@ public: return; } - hashes[pos] |= DELETED_HASH_BIT; + uint32_t next_pos = (pos + 1) % capacity; + while (hashes[next_pos] != EMPTY_HASH && + _get_probe_length(next_pos, hashes[next_pos]) != 0) { + SWAP(hashes[next_pos], hashes[pos]); + SWAP(keys[next_pos], keys[pos]); + SWAP(values[next_pos], values[pos]); + pos = next_pos; + next_pos = (pos + 1) % capacity; + } + + hashes[pos] = EMPTY_HASH; values[pos].~TValue(); keys[pos].~TKey(); + num_elements--; } @@ -326,9 +318,6 @@ public: if (hashes[i] == EMPTY_HASH) { continue; } - if (hashes[i] & DELETED_HASH_BIT) { - continue; - } it.valid = true; it.key = &keys[i]; diff --git a/core/reference.cpp b/core/reference.cpp index 1984af9a34..92bbdacd5d 100644 --- a/core/reference.cpp +++ b/core/reference.cpp @@ -36,12 +36,7 @@ bool Reference::init_ref() { if (reference()) { - // this may fail in the scenario of two threads assigning the pointer for the FIRST TIME - // at the same time, which is never likely to happen (would be crazy to do) - // so don't do it. - - if (refcount_init.get() > 0) { - refcount_init.unref(); + if (!is_referenced() && refcount_init.unref()) { unreference(); // first referencing is already 1, so compensate for the ref above } @@ -64,9 +59,11 @@ int Reference::reference_get_count() const { } bool Reference::reference() { - bool success = refcount.ref(); - if (success && refcount.get() <= 2 /* higher is not relevant */) { + uint32_t rc_val = refcount.refval(); + bool success = rc_val != 0; + + if (success && rc_val <= 2 /* higher is not relevant */) { if (get_script_instance()) { get_script_instance()->refcount_incremented(); } @@ -84,9 +81,10 @@ bool Reference::reference() { bool Reference::unreference() { - bool die = refcount.unref(); + uint32_t rc_val = refcount.unrefval(); + bool die = rc_val == 0; - if (refcount.get() <= 1 /* higher is not relevant */) { + if (rc_val <= 1 /* higher is not relevant */) { if (get_script_instance()) { bool script_ret = get_script_instance()->refcount_decremented(); die = die && script_ret; diff --git a/core/reference.h b/core/reference.h index 20ee22ddfc..b8d00a94ad 100644 --- a/core/reference.h +++ b/core/reference.h @@ -47,7 +47,7 @@ protected: static void _bind_methods(); public: - _FORCE_INLINE_ bool is_referenced() const { return refcount_init.get() < 1; } + _FORCE_INLINE_ bool is_referenced() const { return refcount_init.get() != 1; } bool init_ref(); bool reference(); // returns false if refcount is at zero and didn't get increased bool unreference(); diff --git a/core/safe_refcount.h b/core/safe_refcount.h index 54f540b0c7..47161eed57 100644 --- a/core/safe_refcount.h +++ b/core/safe_refcount.h @@ -177,12 +177,12 @@ struct SafeRefCount { public: // destroy() is called when weak_count_ drops to zero. - _ALWAYS_INLINE_ bool ref() { //true on success + _ALWAYS_INLINE_ bool ref() { // true on success return atomic_conditional_increment(&count) != 0; } - _ALWAYS_INLINE_ uint32_t refval() { //true on success + _ALWAYS_INLINE_ uint32_t refval() { // none-zero on success return atomic_conditional_increment(&count); } @@ -192,6 +192,11 @@ public: return atomic_decrement(&count) == 0; } + _ALWAYS_INLINE_ uint32_t unrefval() { // 0 if must be disposed of + + return atomic_decrement(&count); + } + _ALWAYS_INLINE_ uint32_t get() const { // nothrow return count; diff --git a/doc/classes/MeshLibrary.xml b/doc/classes/MeshLibrary.xml index 041d1fa80d..44dc4f334f 100644 --- a/doc/classes/MeshLibrary.xml +++ b/doc/classes/MeshLibrary.xml @@ -4,7 +4,7 @@ Library of meshes. </brief_description> <description> - Library of meshes. Contains a list of [Mesh] resources, each with name and ID. This resource is used in [GridMap]. + A library of meshes. Contains a list of [Mesh] resources, each with a name and ID. This resource is used in [GridMap]. </description> <tutorials> </tutorials> @@ -13,7 +13,7 @@ <return type="void"> </return> <description> - Clear the library. + Clears the library. </description> </method> <method name="create_item"> @@ -22,7 +22,7 @@ <argument index="0" name="id" type="int"> </argument> <description> - Create a new item in the library, supplied an id. + Create a new item in the library, supplied as an ID. </description> </method> <method name="find_item_by_name" qualifiers="const"> @@ -80,6 +80,8 @@ <argument index="0" name="id" type="int"> </argument> <description> + Returns a generated item preview (a 3D rendering in isometric perspective). + [b]Note:[/b] Since item previews are only generated in an editor context, this function will return an empty [Texture] in a running project. </description> </method> <method name="get_item_shapes" qualifiers="const"> @@ -94,7 +96,7 @@ <return type="int"> </return> <description> - Gets an unused id for a new item. + Gets an unused ID for a new item. </description> </method> <method name="remove_item"> @@ -114,7 +116,7 @@ <argument index="1" name="mesh" type="Mesh"> </argument> <description> - Sets the mesh of the item. + Sets the item's mesh. </description> </method> <method name="set_item_name"> @@ -125,7 +127,7 @@ <argument index="1" name="name" type="String"> </argument> <description> - Sets the name of the item. + Sets the item's name. </description> </method> <method name="set_item_navmesh"> diff --git a/doc/classes/OS.xml b/doc/classes/OS.xml index 9f61245819..9acddb3115 100644 --- a/doc/classes/OS.xml +++ b/doc/classes/OS.xml @@ -105,11 +105,11 @@ This method has slightly different behavior based on whether the [code]blocking[/code] mode is enabled. If [code]blocking[/code] is [code]true[/code], the Godot thread will pause its execution while waiting for the process to terminate. The shell output of the process will be written to the [code]output[/code] array as a single string. When the process terminates, the Godot thread will resume execution. If [code]blocking[/code] is [code]false[/code], the Godot thread will continue while the new process runs. It is not possible to retrieve the shell output in non-blocking mode, so [code]output[/code] will be empty. - The return value also depends on the blocking mode. When blocking, the method will return -2 (no process ID information is available in blocking mode). When non-blocking, the method returns a process ID, which you can use to monitor the process (and potentially terminate it with [method kill]). If the process forking (non-blocking) or opening (blocking) fails, the method will return [code]-1[/code]. + The return value also depends on the blocking mode. When blocking, the method will return an exit code of the process. When non-blocking, the method returns a process ID, which you can use to monitor the process (and potentially terminate it with [method kill]). If the process forking (non-blocking) or opening (blocking) fails, the method will return [code]-1[/code] or another exit code. Example of blocking mode and retrieving the shell output: [codeblock] var output = [] - OS.execute("ls", ["-l", "/tmp"], true, output) + var exit_code = OS.execute("ls", ["-l", "/tmp"], true, output) [/codeblock] Example of non-blocking mode, running another instance of the project and storing its process ID: [codeblock] diff --git a/drivers/unix/os_unix.cpp b/drivers/unix/os_unix.cpp index bc57c0b8df..80d7a2ccaa 100644 --- a/drivers/unix/os_unix.cpp +++ b/drivers/unix/os_unix.cpp @@ -314,7 +314,7 @@ Error OS_Unix::execute(const String &p_path, const List<String> &p_arguments, bo } int rv = pclose(f); if (r_exitcode) - *r_exitcode = rv; + *r_exitcode = WEXITSTATUS(rv); return OK; } diff --git a/editor/connections_dialog.cpp b/editor/connections_dialog.cpp index cfc2ec11cf..1e5eabc24e 100644 --- a/editor/connections_dialog.cpp +++ b/editor/connections_dialog.cpp @@ -108,8 +108,8 @@ public: }; /* -Signal automatically called by parent dialog. -*/ + * Signal automatically called by parent dialog. + */ void ConnectDialog::ok_pressed() { if (dst_method->get_text() == "") { @@ -134,8 +134,8 @@ void ConnectDialog::_cancel_pressed() { } /* -Called each time a target node is selected within the target node tree. -*/ + * Called each time a target node is selected within the target node tree. + */ void ConnectDialog::_tree_node_selected() { Node *current = tree->get_selected(); @@ -148,8 +148,8 @@ void ConnectDialog::_tree_node_selected() { } /* -Adds a new parameter bind to connection. -*/ + * Adds a new parameter bind to connection. + */ void ConnectDialog::_add_bind() { if (cdbinds->params.size() >= VARIANT_ARG_MAX) @@ -184,8 +184,8 @@ void ConnectDialog::_add_bind() { } /* -Remove parameter bind from connection. -*/ + * Remove parameter bind from connection. + */ void ConnectDialog::_remove_bind() { String st = bind_editor->get_selected_path(); @@ -265,18 +265,18 @@ bool ConnectDialog::get_oneshot() const { } /* -Returns true if ConnectDialog is being used to edit an existing connection. -*/ + * Returns true if ConnectDialog is being used to edit an existing connection. + */ bool ConnectDialog::is_editing() const { return bEditMode; } /* -Initialize ConnectDialog and populate fields with expected data. -If creating a connection from scratch, sensible defaults are used. -If editing an existing connection, previous data is retained. -*/ + * Initialize ConnectDialog and populate fields with expected data. + * If creating a connection from scratch, sensible defaults are used. + * If editing an existing connection, previous data is retained. + */ void ConnectDialog::init(Connection c, bool bEdit) { source = static_cast<Node *>(c.source); @@ -482,9 +482,9 @@ struct _ConnectionsDockMethodInfoSort { }; /* -Post-ConnectDialog callback for creating/editing connections. -Creates or edits connections based on state of the ConnectDialog when "Connect" is pressed. -*/ + * Post-ConnectDialog callback for creating/editing connections. + * Creates or edits connections based on state of the ConnectDialog when "Connect" is pressed. + */ void ConnectionsDock::_make_or_edit_connection() { TreeItem *it = tree->get_selected(); @@ -552,8 +552,8 @@ void ConnectionsDock::_make_or_edit_connection() { } /* -Creates single connection w/ undo-redo functionality. -*/ + * Creates single connection w/ undo-redo functionality. + */ void ConnectionsDock::_connect(Connection cToMake) { Node *source = static_cast<Node *>(cToMake.source); @@ -575,8 +575,8 @@ void ConnectionsDock::_connect(Connection cToMake) { } /* -Break single connection w/ undo-redo functionality. -*/ + * Break single connection w/ undo-redo functionality. + */ void ConnectionsDock::_disconnect(TreeItem &item) { Connection c = item.get_metadata(0); @@ -595,9 +595,9 @@ void ConnectionsDock::_disconnect(TreeItem &item) { } /* -Break all connections of currently selected signal. -Can undo-redo as a single action. -*/ + * Break all connections of currently selected signal. + * Can undo-redo as a single action. + */ void ConnectionsDock::_disconnect_all() { TreeItem *item = tree->get_selected(); @@ -659,8 +659,8 @@ bool ConnectionsDock::_is_item_signal(TreeItem &item) { } /* -Open connection dialog with TreeItem data to CREATE a brand-new connection. -*/ + * Open connection dialog with TreeItem data to CREATE a brand-new connection. + */ void ConnectionsDock::_open_connection_dialog(TreeItem &item) { String signal = item.get_metadata(0).operator Dictionary()["name"]; @@ -700,8 +700,8 @@ void ConnectionsDock::_open_connection_dialog(TreeItem &item) { } /* -Open connection dialog with Connection data to EDIT an existing connection. -*/ + * Open connection dialog with Connection data to EDIT an existing connection. + */ void ConnectionsDock::_open_connection_dialog(Connection cToEdit) { Node *src = static_cast<Node *>(cToEdit.source); @@ -715,8 +715,8 @@ void ConnectionsDock::_open_connection_dialog(Connection cToEdit) { } /* -Open slot method location in script editor. -*/ + * Open slot method location in script editor. + */ void ConnectionsDock::_go_to_script(TreeItem &item) { if (_is_item_signal(item)) @@ -914,7 +914,6 @@ void ConnectionsDock::update_tree() { String signaldesc = "("; PoolStringArray argnames; if (mi.arguments.size()) { - signaldesc += " "; for (int i = 0; i < mi.arguments.size(); i++) { PropertyInfo &pi = mi.arguments[i]; @@ -927,10 +926,9 @@ void ConnectionsDock::update_tree() { } else if (pi.type != Variant::NIL) { tname = Variant::get_type_name(pi.type); } - signaldesc += tname + " " + (pi.name == "" ? String("arg " + itos(i)) : pi.name); + signaldesc += (pi.name == "" ? String("arg " + itos(i)) : pi.name) + ": " + tname; argnames.push_back(pi.name + ":" + tname); } - signaldesc += " "; } signaldesc += ")"; @@ -1000,14 +998,14 @@ void ConnectionsDock::update_tree() { path += " (oneshot)"; if (c.binds.size()) { - path += " binds( "; + path += " binds("; for (int i = 0; i < c.binds.size(); i++) { if (i > 0) path += ", "; path += c.binds[i].operator String(); } - path += " )"; + path += ")"; } TreeItem *item2 = tree->create_item(item); diff --git a/editor/editor_file_dialog.cpp b/editor/editor_file_dialog.cpp index 80aeeef868..02a9cc905b 100644 --- a/editor/editor_file_dialog.cpp +++ b/editor/editor_file_dialog.cpp @@ -35,6 +35,7 @@ #include "core/os/os.h" #include "core/print_string.h" #include "dependency_editor.h" +#include "editor_file_system.h" #include "editor_resource_preview.h" #include "editor_scale.h" #include "editor_settings.h" @@ -1085,7 +1086,7 @@ void EditorFileDialog::_make_dir_confirm() { update_filters(); update_dir(); _push_history(); - + EditorFileSystem::get_singleton()->scan_changes(); //we created a dir, so rescan changes } else { mkdirerr->popup_centered_minsize(Size2(250, 50) * EDSCALE); } diff --git a/editor/editor_node.cpp b/editor/editor_node.cpp index df1e8005ed..05b50d5dfe 100644 --- a/editor/editor_node.cpp +++ b/editor/editor_node.cpp @@ -2365,6 +2365,9 @@ void EditorNode::_menu_option_confirm(int p_option, bool p_confirmed) { } } } break; + case RUN_PROJECT_DATA_FOLDER: { + OS::get_singleton()->shell_open(String("file://") + OS::get_singleton()->get_user_data_dir()); + } break; case FILE_EXPLORE_ANDROID_BUILD_TEMPLATES: { OS::get_singleton()->shell_open("file://" + ProjectSettings::get_singleton()->get_resource_path().plus_file("android")); } break; @@ -2571,8 +2574,6 @@ void EditorNode::_menu_option_confirm(int p_option, bool p_confirmed) { save_all_scenes(); restart_editor(); } break; - default: { - } } } @@ -2605,9 +2606,6 @@ void EditorNode::_tool_menu_option(int p_idx) { case TOOLS_ORPHAN_RESOURCES: { orphan_resources->show(); } break; - case RUN_PROJECT_DATA_FOLDER: { - OS::get_singleton()->shell_open(String("file://") + OS::get_singleton()->get_user_data_dir()); - } break; case TOOLS_CUSTOM: { if (tool_menu->get_item_submenu(p_idx) == "") { Array params = tool_menu->get_item_metadata(p_idx); diff --git a/editor/editor_spin_slider.cpp b/editor/editor_spin_slider.cpp index 35fe366526..918b0ef96d 100644 --- a/editor/editor_spin_slider.cpp +++ b/editor/editor_spin_slider.cpp @@ -109,13 +109,8 @@ void EditorSpinSlider::_gui_input(const Ref<InputEvent> &p_event) { } if (grabbing_spinner) { - if (mm->get_control() || updown_offset != -1) { - set_value(Math::round(get_value())); - if (ABS(grabbing_spinner_dist_cache) > 6) { - set_value(get_value() + SGN(grabbing_spinner_dist_cache)); - grabbing_spinner_dist_cache = 0; - pre_grab_value = get_value(); - } + if (mm->get_control()) { + set_value(Math::round(pre_grab_value + get_step() * grabbing_spinner_dist_cache * 10)); } else { set_value(pre_grab_value + get_step() * grabbing_spinner_dist_cache * 10); } diff --git a/editor/filesystem_dock.cpp b/editor/filesystem_dock.cpp index 426ea8f196..e3f0021fbc 100644 --- a/editor/filesystem_dock.cpp +++ b/editor/filesystem_dock.cpp @@ -477,6 +477,7 @@ void FileSystemDock::_navigate_to_path(const String &p_path, bool p_select_in_fa } void FileSystemDock::navigate_to_path(const String &p_path) { + file_list_search_box->clear(); _navigate_to_path(p_path); } @@ -2099,6 +2100,7 @@ void FileSystemDock::_file_and_folders_fill_popup(PopupMenu *p_popup, Vector<Str bool all_folders = true; bool all_favorites = true; bool all_not_favorites = true; + for (int i = 0; i < p_paths.size(); i++) { String fpath = p_paths[i]; if (fpath.ends_with("/")) { @@ -2128,25 +2130,25 @@ void FileSystemDock::_file_and_folders_fill_popup(PopupMenu *p_popup, Vector<Str if (all_files) { if (all_files_scenes) { if (filenames.size() == 1) { - p_popup->add_item(TTR("Open Scene"), FILE_OPEN); - p_popup->add_item(TTR("New Inherited Scene"), FILE_INHERIT); + p_popup->add_icon_item(get_icon("Load", "EditorIcons"), TTR("Open Scene"), FILE_OPEN); + p_popup->add_icon_item(get_icon("CreateNewSceneFrom", "EditorIcons"), TTR("New Inherited Scene"), FILE_INHERIT); } else { - p_popup->add_item(TTR("Open Scenes"), FILE_OPEN); + p_popup->add_icon_item(get_icon("Load", "EditorIcons"), TTR("Open Scenes"), FILE_OPEN); } - p_popup->add_item(TTR("Instance"), FILE_INSTANCE); + p_popup->add_icon_item(get_icon("Instance", "EditorIcons"), TTR("Instance"), FILE_INSTANCE); p_popup->add_separator(); } else if (filenames.size() == 1) { - p_popup->add_item(TTR("Open"), FILE_OPEN); + p_popup->add_icon_item(get_icon("Load", "EditorIcons"), TTR("Open"), FILE_OPEN); p_popup->add_separator(); } } if (p_paths.size() >= 1) { if (!all_favorites) { - p_popup->add_item(TTR("Add to Favorites"), FILE_ADD_FAVORITE); + p_popup->add_icon_item(get_icon("Favorites", "EditorIcons"), TTR("Add to Favorites"), FILE_ADD_FAVORITE); } if (!all_not_favorites) { - p_popup->add_item(TTR("Remove from Favorites"), FILE_REMOVE_FAVORITE); + p_popup->add_icon_item(get_icon("NonFavorite", "EditorIcons"), TTR("Remove from Favorites"), FILE_REMOVE_FAVORITE); } p_popup->add_separator(); } @@ -2159,36 +2161,36 @@ void FileSystemDock::_file_and_folders_fill_popup(PopupMenu *p_popup, Vector<Str } } else if (all_folders && foldernames.size() > 0) { - p_popup->add_item(TTR("Open"), FILE_OPEN); + p_popup->add_icon_item(get_icon("Load", "EditorIcons"), TTR("Open"), FILE_OPEN); p_popup->add_separator(); } if (p_paths.size() == 1) { - p_popup->add_item(TTR("Copy Path"), FILE_COPY_PATH); + p_popup->add_icon_item(get_icon("ActionCopy", "EditorIcons"), TTR("Copy Path"), FILE_COPY_PATH); if (p_paths[0] != "res://") { - p_popup->add_item(TTR("Rename..."), FILE_RENAME); - p_popup->add_item(TTR("Duplicate..."), FILE_DUPLICATE); + p_popup->add_icon_item(get_icon("Rename", "EditorIcons"), TTR("Rename..."), FILE_RENAME); + p_popup->add_icon_item(get_icon("Duplicate", "EditorIcons"), TTR("Duplicate..."), FILE_DUPLICATE); } } if (p_paths.size() > 1 || p_paths[0] != "res://") { - p_popup->add_item(TTR("Move To..."), FILE_MOVE); - p_popup->add_item(TTR("Delete"), FILE_REMOVE); + p_popup->add_icon_item(get_icon("MoveUp", "EditorIcons"), TTR("Move To..."), FILE_MOVE); + p_popup->add_icon_item(get_icon("Remove", "EditorIcons"), TTR("Delete"), FILE_REMOVE); } if (p_paths.size() == 1) { p_popup->add_separator(); if (p_display_path_dependent_options) { - p_popup->add_item(TTR("New Folder..."), FILE_NEW_FOLDER); - p_popup->add_item(TTR("New Scene..."), FILE_NEW_SCENE); - p_popup->add_item(TTR("New Script..."), FILE_NEW_SCRIPT); - p_popup->add_item(TTR("New Resource..."), FILE_NEW_RESOURCE); + p_popup->add_icon_item(get_icon("Folder", "EditorIcons"), TTR("New Folder..."), FILE_NEW_FOLDER); + p_popup->add_icon_item(get_icon("PackedScene", "EditorIcons"), TTR("New Scene..."), FILE_NEW_SCENE); + p_popup->add_icon_item(get_icon("Script", "EditorIcons"), TTR("New Script..."), FILE_NEW_SCRIPT); + p_popup->add_icon_item(get_icon("Object", "EditorIcons"), TTR("New Resource..."), FILE_NEW_RESOURCE); p_popup->add_separator(); } String fpath = p_paths[0]; String item_text = fpath.ends_with("/") ? TTR("Open in File Manager") : TTR("Show in File Manager"); - p_popup->add_item(item_text, FILE_SHOW_IN_EXPLORER); + p_popup->add_icon_item(get_icon("Filesystem", "EditorIcons"), item_text, FILE_SHOW_IN_EXPLORER); } } @@ -2198,8 +2200,8 @@ void FileSystemDock::_tree_rmb_select(const Vector2 &p_pos) { if (paths.size() == 1) { if (paths[0].ends_with("/")) { - tree_popup->add_item(TTR("Expand All"), FOLDER_EXPAND_ALL); - tree_popup->add_item(TTR("Collapse All"), FOLDER_COLLAPSE_ALL); + tree_popup->add_icon_item(get_icon("GuiTreeArrowDown", "EditorIcons"), TTR("Expand All"), FOLDER_EXPAND_ALL); + tree_popup->add_icon_item(get_icon("GuiTreeArrowRight", "EditorIcons"), TTR("Collapse All"), FOLDER_COLLAPSE_ALL); tree_popup->add_separator(); } } @@ -2219,10 +2221,10 @@ void FileSystemDock::_tree_rmb_empty(const Vector2 &p_pos) { path = "res://"; tree_popup->clear(); tree_popup->set_size(Size2(1, 1)); - tree_popup->add_item(TTR("New Folder..."), FILE_NEW_FOLDER); - tree_popup->add_item(TTR("New Scene..."), FILE_NEW_SCENE); - tree_popup->add_item(TTR("New Script..."), FILE_NEW_SCRIPT); - tree_popup->add_item(TTR("New Resource..."), FILE_NEW_RESOURCE); + tree_popup->add_icon_item(get_icon("Folder", "EditorIcons"), TTR("New Folder..."), FILE_NEW_FOLDER); + tree_popup->add_icon_item(get_icon("PackedScene", "EditorIcons"), TTR("New Scene..."), FILE_NEW_SCENE); + tree_popup->add_icon_item(get_icon("Script", "EditorIcons"), TTR("New Script..."), FILE_NEW_SCRIPT); + tree_popup->add_icon_item(get_icon("Object", "EditorIcons"), TTR("New Resource..."), FILE_NEW_RESOURCE); tree_popup->set_position(tree->get_global_position() + p_pos); tree_popup->popup(); } @@ -2262,12 +2264,12 @@ void FileSystemDock::_file_list_rmb_pressed(const Vector2 &p_pos) { file_list_popup->clear(); file_list_popup->set_size(Size2(1, 1)); - file_list_popup->add_item(TTR("New Folder..."), FILE_NEW_FOLDER); - file_list_popup->add_item(TTR("New Scene..."), FILE_NEW_SCENE); - file_list_popup->add_item(TTR("New Script..."), FILE_NEW_SCRIPT); - file_list_popup->add_item(TTR("New Resource..."), FILE_NEW_RESOURCE); + file_list_popup->add_icon_item(get_icon("Folder", "EditorIcons"), TTR("New Folder..."), FILE_NEW_FOLDER); + file_list_popup->add_icon_item(get_icon("PackedScene", "EditorIcons"), TTR("New Scene..."), FILE_NEW_SCENE); + file_list_popup->add_icon_item(get_icon("Script", "EditorIcons"), TTR("New Script..."), FILE_NEW_SCRIPT); + file_list_popup->add_icon_item(get_icon("Object", "EditorIcons"), TTR("New Resource..."), FILE_NEW_RESOURCE); file_list_popup->add_separator(); - file_list_popup->add_item(TTR("Open in File Manager"), FILE_SHOW_IN_EXPLORER); + file_list_popup->add_icon_item(get_icon("Filesystem", "EditorIcons"), TTR("Open in File Manager"), FILE_SHOW_IN_EXPLORER); file_list_popup->set_position(files->get_global_position() + p_pos); file_list_popup->popup(); } diff --git a/editor/icons/icon_rotate_left.svg b/editor/icons/icon_rotate_left.svg new file mode 100644 index 0000000000..223a725332 --- /dev/null +++ b/editor/icons/icon_rotate_left.svg @@ -0,0 +1 @@ +<svg height="16" viewBox="0 0 16 16" width="16" xmlns="http://www.w3.org/2000/svg"><g fill="#e0e0e0" fill-opacity=".99608" transform="translate(0 -1036.4)"><path d="m9 2a6 6 0 0 0 -6 6h2a4 4 0 0 1 4-4 4 4 0 0 1 4 4 4 4 0 0 1 -4 4v2a6 6 0 0 0 6-6 6 6 0 0 0 -6-6z" transform="translate(0 1036.4)"/><path d="m4.118 1048.3-1.6771-.9683-1.6771-.9682 1.6771-.9683 1.6771-.9682-.0000001 1.9365z" transform="matrix(0 -1.1926 1.5492 0 -1617 1049.3)"/></g></svg>
\ No newline at end of file diff --git a/editor/icons/icon_rotate_right.svg b/editor/icons/icon_rotate_right.svg new file mode 100644 index 0000000000..2b66bae998 --- /dev/null +++ b/editor/icons/icon_rotate_right.svg @@ -0,0 +1 @@ +<svg height="16" viewBox="0 0 16 16" width="16" xmlns="http://www.w3.org/2000/svg"><g fill="#e0e0e0" fill-opacity=".99608" transform="matrix(-1 0 0 1 16.026308 -1036.4)"><path d="m9 2a6 6 0 0 0 -6 6h2a4 4 0 0 1 4-4 4 4 0 0 1 4 4 4 4 0 0 1 -4 4v2a6 6 0 0 0 6-6 6 6 0 0 0 -6-6z" transform="translate(0 1036.4)"/><path d="m4.118 1048.3-1.6771-.9683-1.6771-.9682 1.6771-.9683 1.6771-.9682-.0000001 1.9365z" transform="matrix(0 -1.1926 1.5492 0 -1617 1049.3)"/></g></svg>
\ No newline at end of file diff --git a/editor/import/editor_scene_importer_gltf.cpp b/editor/import/editor_scene_importer_gltf.cpp index df5511f540..49091dc812 100644 --- a/editor/import/editor_scene_importer_gltf.cpp +++ b/editor/import/editor_scene_importer_gltf.cpp @@ -156,7 +156,7 @@ static Transform _arr_to_xform(const Array &p_array) { } String EditorSceneImporterGLTF::_sanitize_scene_name(const String &name) { - RegEx regex("([^a-zA-Z0-9_ ]+)"); + RegEx regex("([^a-zA-Z0-9_ -]+)"); String p_name = regex.sub(name, "", true); return p_name; } diff --git a/editor/plugins/tile_map_editor_plugin.cpp b/editor/plugins/tile_map_editor_plugin.cpp index 86d538e702..2d66087699 100644 --- a/editor/plugins/tile_map_editor_plugin.cpp +++ b/editor/plugins/tile_map_editor_plugin.cpp @@ -71,8 +71,8 @@ void TileMapEditor::_notification(int p_what) { picker_button->set_icon(get_icon("ColorPick", "EditorIcons")); select_button->set_icon(get_icon("ActionCopy", "EditorIcons")); - rotate_left_button->set_icon(get_icon("Rotate270", "EditorIcons")); - rotate_right_button->set_icon(get_icon("Rotate90", "EditorIcons")); + rotate_left_button->set_icon(get_icon("RotateLeft", "EditorIcons")); + rotate_right_button->set_icon(get_icon("RotateRight", "EditorIcons")); flip_horizontal_button->set_icon(get_icon("MirrorX", "EditorIcons")); flip_vertical_button->set_icon(get_icon("MirrorY", "EditorIcons")); clear_transform_button->set_icon(get_icon("Clear", "EditorIcons")); diff --git a/editor/script_editor_debugger.cpp b/editor/script_editor_debugger.cpp index 6a9dbb103a..e96dfdd7b9 100644 --- a/editor/script_editor_debugger.cpp +++ b/editor/script_editor_debugger.cpp @@ -423,10 +423,12 @@ void ScriptEditorDebugger::_scene_tree_request() { int ScriptEditorDebugger::_update_scene_tree(TreeItem *parent, const Array &nodes, int current_index) { String filter = EditorNode::get_singleton()->get_scene_tree_dock()->get_filter(); String item_text = nodes[current_index + 1]; + String item_type = nodes[current_index + 2]; bool keep = filter.is_subsequence_ofi(item_text); TreeItem *item = inspect_scene_tree->create_item(parent); item->set_text(0, item_text); + item->set_tooltip(0, TTR("Type:") + " " + item_type); ObjectID id = ObjectID(nodes[current_index + 3]); Ref<Texture> icon = EditorNode::get_singleton()->get_class_icon(nodes[current_index + 2], ""); if (icon.is_valid()) { diff --git a/editor/translations/af.po b/editor/translations/af.po index 5c4eb539a8..0fa3736468 100644 --- a/editor/translations/af.po +++ b/editor/translations/af.po @@ -60,6 +60,34 @@ msgstr "" msgid "On call to '%s':" msgstr "" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +msgid "MiB" +msgstr "" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "Bevry" @@ -490,6 +518,12 @@ msgid "Select None" msgstr "Dupliseer Seleksie" #: editor/animation_track_editor.cpp +#, fuzzy +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" +"Selekteer 'n AnimasieSpeler van die Toeneel Boom om animasies te redigeer." + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "" @@ -823,7 +857,8 @@ msgstr "Koppel tans Sein:" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -933,7 +968,8 @@ msgstr "Soek:" msgid "Matches:" msgstr "Passendes:" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1256,7 +1292,8 @@ msgid "Delete Bus Effect" msgstr "Skrap Bus Effek" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +#, fuzzy +msgid "Drag & drop to rearrange." msgstr "Oudio-Bus, Sleep-en-los om dit te herrangskik." #: editor/editor_audio_buses.cpp @@ -1455,6 +1492,7 @@ msgid "Add AutoLoad" msgstr "Voeg AutoLaai By" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "Pad:" @@ -1690,6 +1728,7 @@ msgstr "Maak Funksie" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "" @@ -1767,6 +1806,7 @@ msgid "New Folder..." msgstr "" #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "Verfris" @@ -1928,7 +1968,8 @@ msgid "Inherited by:" msgstr "Geërf deur:" #: editor/editor_help.cpp -msgid "Brief Description:" +#, fuzzy +msgid "Brief Description" msgstr "Kort Beskrywing:" #: editor/editor_help.cpp @@ -1936,41 +1977,19 @@ msgid "Properties" msgstr "Eienskappe" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "" - -#: editor/editor_help.cpp msgid "Methods" msgstr "Metodes" #: editor/editor_help.cpp #, fuzzy -msgid "Methods:" -msgstr "Metodes" - -#: editor/editor_help.cpp -#, fuzzy msgid "Theme Properties" msgstr "Eienskappe" #: editor/editor_help.cpp -#, fuzzy -msgid "Theme Properties:" -msgstr "Eienskappe" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "Seine:" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "Opnoemings" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "Opnoemings:" - -#: editor/editor_help.cpp msgid "enum " msgstr "enum " @@ -1979,21 +1998,12 @@ msgid "Constants" msgstr "Konstantes" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "Konstantes:" - -#: editor/editor_help.cpp #, fuzzy msgid "Class Description" msgstr "Beskrywing" #: editor/editor_help.cpp -#, fuzzy -msgid "Class Description:" -msgstr "Beskrywing:" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +msgid "Online Tutorials" msgstr "" #: editor/editor_help.cpp @@ -2012,11 +2022,6 @@ msgid "Property Descriptions" msgstr "Eienskap Beskrywing:" #: editor/editor_help.cpp -#, fuzzy -msgid "Property Descriptions:" -msgstr "Eienskap Beskrywing:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -2030,11 +2035,6 @@ msgid "Method Descriptions" msgstr "Metode Beskrywing:" #: editor/editor_help.cpp -#, fuzzy -msgid "Method Descriptions:" -msgstr "Metode Beskrywing:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2112,8 +2112,8 @@ msgstr "Afvoer:" msgid "Copy Selection" msgstr "Verwyder Seleksie" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2127,6 +2127,48 @@ msgstr "Vee uit" msgid "Clear Output" msgstr "Afvoer:" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Down" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" msgstr "" @@ -2674,6 +2716,18 @@ msgstr "" msgid "Project Settings..." msgstr "" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control" +msgstr "" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp msgid "Export..." msgstr "" @@ -2877,10 +2931,6 @@ msgstr "" msgid "Stop the scene." msgstr "" -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "" @@ -2932,10 +2982,6 @@ msgid "Inspector" msgstr "" #: editor/editor_node.cpp -msgid "Node" -msgstr "" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "" @@ -2957,15 +3003,21 @@ msgstr "" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -3028,6 +3080,11 @@ msgstr "" msgid "Open the previous Editor" msgstr "" +#: editor/editor_path.cpp +#, fuzzy +msgid "No sub-resources found." +msgstr "Hulpbron" + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "" @@ -3037,6 +3094,11 @@ msgid "Thumbnail..." msgstr "" #: editor/editor_plugin_settings.cpp +#, fuzzy +msgid "Main Script:" +msgstr "Afhanklikheid Bewerker" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "" @@ -3065,11 +3127,6 @@ msgstr "" msgid "Edit:" msgstr "" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "" @@ -3885,9 +3942,10 @@ msgstr "" msgid "Import As:" msgstr "" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." -msgstr "" +#: editor/import_dock.cpp +#, fuzzy +msgid "Preset" +msgstr "Herset Zoem" #: editor/import_dock.cpp msgid "Reimport" @@ -4337,6 +4395,7 @@ msgid "Change Animation Name:" msgstr "" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "" @@ -4917,10 +4976,6 @@ msgid "Sort:" msgstr "" #: editor/plugins/asset_library_editor_plugin.cpp -msgid "Reverse sorting." -msgstr "" - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "" @@ -5195,6 +5250,11 @@ msgid "Pan Mode" msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy +msgid "Ruler Mode" +msgstr "Wissel Modus" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "" @@ -6263,7 +6323,7 @@ msgstr "" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "" @@ -6479,11 +6539,11 @@ msgid "Toggle Scripts Panel" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" +msgid "Step Into" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Into" +msgid "Step Over" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp @@ -6566,7 +6626,7 @@ msgstr "" msgid "Connections to method:" msgstr "Koppel aan Nodus:" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp #, fuzzy msgid "Source" msgstr "Hulpbron" @@ -7362,6 +7422,11 @@ msgstr "" #: editor/plugins/sprite_frames_editor_plugin.cpp #, fuzzy +msgid "Move Frame" +msgstr "Skuif Byvoeg Sleutel" + +#: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy msgid "Animations:" msgstr "Animasie Zoem." @@ -7687,6 +7752,15 @@ msgid "Enable Priority" msgstr "" #: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy +msgid "Filter tiles" +msgstr "Eienskappe" + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "" @@ -7825,6 +7899,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp #, fuzzy msgid "Remove selected texture? This will remove all tiles which use it." msgstr "Skuif huidige baan op." @@ -7994,6 +8073,105 @@ msgstr "" msgid "TileSet" msgstr "" +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No VCS addons are available." +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No commit message was provided" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Commit" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Initialize" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "Skep Nuwe" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "Verander Skikking Waarde-Soort" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "Nodus Naam:" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "Skrap" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Typechange" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "Skaal Seleksie" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage All" +msgstr "Vervang Alles" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Commit Changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -8241,6 +8419,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9446,6 +9629,10 @@ msgid "Settings saved OK." msgstr "" #: editor/project_settings_editor.cpp +msgid "Moved Input Action Event" +msgstr "" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "" @@ -9584,6 +9771,10 @@ msgid "Plugins" msgstr "" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "" + +#: editor/property_editor.cpp msgid "Zero" msgstr "" @@ -9752,10 +9943,6 @@ msgstr "" msgid "Reset" msgstr "Herset Zoem" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "" @@ -9811,6 +9998,10 @@ msgid "Instance Scene(s)" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Replace with Branch Scene" +msgstr "" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "" @@ -9851,10 +10042,24 @@ msgid "Make node as Root" msgstr "" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "Skrap" + +#: editor/scene_tree_dock.cpp +msgid "Delete the root node \"%s\"?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" msgstr "" #: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "Skrap" + +#: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." msgstr "" @@ -10245,26 +10450,60 @@ msgid "Bytes:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" +msgid "Warning:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." +#, fuzzy +msgid "Error:" +msgstr "Fout terwyl laai:" + +#: editor/script_editor_debugger.cpp +msgid "C++ Error" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Errors" +msgid "C++ Error:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +#, fuzzy +msgid "C++ Source" +msgstr "Hulpbron" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" +msgstr "Hulpbron" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source:" +msgstr "Hulpbron" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "Errors" msgstr "" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Child process connected." +msgstr "Ontkoppel" + +#: editor/script_editor_debugger.cpp msgid "Copy Error" msgstr "" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "Skep" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "" @@ -10281,6 +10520,11 @@ msgid "Profiler" msgstr "" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Network Profiler" +msgstr "Skep Vouer" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "" @@ -10293,6 +10537,10 @@ msgid "Monitors" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "" @@ -10490,10 +10738,6 @@ msgid "Library" msgstr "" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "" @@ -10502,6 +10746,10 @@ msgid "GDNative" msgstr "" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "" @@ -10656,6 +10904,15 @@ msgstr "" msgid "Pick Distance:" msgstr "" +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "Eienskappe" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -10795,6 +11052,10 @@ msgid "Create a new variable." msgstr "Skep Nuwe" #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "Seine:" + +#: modules/visual_script/visual_script_editor.cpp #, fuzzy msgid "Create a new signal." msgstr "Skep Intekening" @@ -10954,6 +11215,10 @@ msgid "Editing Signal:" msgstr "" #: modules/visual_script/visual_script_editor.cpp +msgid "Make Tool:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "" @@ -11103,7 +11368,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp @@ -11763,6 +12029,32 @@ msgid "Constants cannot be modified." msgstr "" #, fuzzy +#~ msgid "Methods:" +#~ msgstr "Metodes" + +#, fuzzy +#~ msgid "Theme Properties:" +#~ msgstr "Eienskappe" + +#~ msgid "Enumerations:" +#~ msgstr "Opnoemings:" + +#~ msgid "Constants:" +#~ msgstr "Konstantes:" + +#, fuzzy +#~ msgid "Class Description:" +#~ msgstr "Beskrywing:" + +#, fuzzy +#~ msgid "Property Descriptions:" +#~ msgstr "Eienskap Beskrywing:" + +#, fuzzy +#~ msgid "Method Descriptions:" +#~ msgstr "Metode Beskrywing:" + +#, fuzzy #~ msgid "Error: could not load file." #~ msgstr "Kon nie vouer skep nie." diff --git a/editor/translations/ar.po b/editor/translations/ar.po index 341617c1b8..5d6e0bd606 100644 --- a/editor/translations/ar.po +++ b/editor/translations/ar.po @@ -34,8 +34,8 @@ msgid "" msgstr "" "Project-Id-Version: Godot Engine editor\n" "POT-Creation-Date: \n" -"PO-Revision-Date: 2019-08-15 10:23+0000\n" -"Last-Translator: Rachid Graphicos <graphicos1d@gmail.com>\n" +"PO-Revision-Date: 2019-09-07 13:51+0000\n" +"Last-Translator: Omar Aglan <omar.aglan91@yahoo.com>\n" "Language-Team: Arabic <https://hosted.weblate.org/projects/godot-engine/" "godot/ar/>\n" "Language: ar\n" @@ -44,12 +44,12 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 " "&& n%100<=10 ? 3 : n%100>=11 ? 4 : 5;\n" -"X-Generator: Weblate 3.8\n" +"X-Generator: Weblate 3.9-dev\n" #: core/math/expression.cpp modules/gdscript/gdscript_functions.cpp #: modules/visual_script/visual_script_builtin_funcs.cpp msgid "Invalid type argument to convert(), use TYPE_* constants." -msgstr "نوع برهان خاطئ للتحويل()، إستخدم ثابت TYPE_*." +msgstr "نوع برهان خاطئ خاص بconvert()، إستخدم ثوابت TYPE_*." #: core/math/expression.cpp modules/gdscript/gdscript_functions.cpp #: modules/mono/glue/gd_glue.cpp @@ -85,6 +85,35 @@ msgstr "نقاش غير صالحة للبناء '%s'" msgid "On call to '%s':" msgstr "عند الأستدعاء إلى '%s':" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +#, fuzzy +msgid "MiB" +msgstr "خلط" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "مجاني/فارغ" @@ -102,7 +131,6 @@ msgid "Time:" msgstr "الوقت:" #: editor/animation_bezier_editor.cpp -#, fuzzy msgid "Value:" msgstr "القيمة:" @@ -403,9 +431,8 @@ msgstr "" "-الصوت الجاري للأعب ثلاثي الأبعاد" #: editor/animation_track_editor.cpp -#, fuzzy msgid "Animation tracks can only point to AnimationPlayer nodes." -msgstr "مسارات الحركة يمكنها فقط أن تشير إلى عقدة مشغّل الحركة AnimationPlayer" +msgstr "مسارات الحركة يمكنها فقط أن تشير إلى عقد مشغّل الحركة." #: editor/animation_track_editor.cpp msgid "An animation player can't animate itself, only other players." @@ -503,6 +530,11 @@ msgid "Select None" msgstr "تحديد الوضع" #: editor/animation_track_editor.cpp +#, fuzzy +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "حدد مشغل حركة من شجرة المشهد لكي تعدل الحركة." + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "فقط قم بتبين المقاطع من العقد (Nodes) المحددة في الشجرة." @@ -585,9 +617,8 @@ msgid "Pick the node that will be animated:" msgstr "إختار العقدة التي سوف يتم تحريكها:" #: editor/animation_track_editor.cpp -#, fuzzy msgid "Use Bezier Curves" -msgstr "إستعمل خطوط أو منحنيات Bezier" +msgstr "إستعمل منحنيات بيزية" #: editor/animation_track_editor.cpp msgid "Anim. Optimizer" @@ -831,7 +862,8 @@ msgstr "قم بوصل الإشارة: " #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -935,7 +967,8 @@ msgstr "بحث:" msgid "Matches:" msgstr "يطابق:" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1252,7 +1285,8 @@ msgid "Delete Bus Effect" msgstr "مسح تأثير البيوس" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +#, fuzzy +msgid "Drag & drop to rearrange." msgstr "بيوس الصوت، سحب وإسقاط لإعادة الترتيب." #: editor/editor_audio_buses.cpp @@ -1447,6 +1481,7 @@ msgid "Add AutoLoad" msgstr "إضافة للتحميل التلقائي" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "المسار:" @@ -1583,9 +1618,8 @@ msgid "Script Editor" msgstr "فتح مُعدل الكود" #: editor/editor_feature_profile.cpp -#, fuzzy msgid "Asset Library" -msgstr "فتح مكتبة الأصول" +msgstr "مكتبة الأصول" #: editor/editor_feature_profile.cpp msgid "Scene Tree Editing" @@ -1689,6 +1723,7 @@ msgstr "الحالي:" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "" @@ -1769,6 +1804,7 @@ msgid "New Folder..." msgstr "مجلد جديد..." #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "تحديث" @@ -1932,7 +1968,8 @@ msgid "Inherited by:" msgstr "مورث بواسطة:" #: editor/editor_help.cpp -msgid "Brief Description:" +#, fuzzy +msgid "Brief Description" msgstr "وصف مختصر:" #: editor/editor_help.cpp @@ -1940,41 +1977,18 @@ msgid "Properties" msgstr "خصائص" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "خصائص:" - -#: editor/editor_help.cpp msgid "Methods" msgstr "قائمة الطرق" #: editor/editor_help.cpp -#, fuzzy -msgid "Methods:" -msgstr "قائمة الطرق" - -#: editor/editor_help.cpp -#, fuzzy msgid "Theme Properties" -msgstr "خصائص النمط" - -#: editor/editor_help.cpp -#, fuzzy -msgid "Theme Properties:" -msgstr "خصائص" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "الإشارات:" +msgstr "خصائص الثمة" #: editor/editor_help.cpp msgid "Enumerations" msgstr "التعدادات" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "التعدادات:" - -#: editor/editor_help.cpp msgid "enum " msgstr "التعداد " @@ -1983,19 +1997,12 @@ msgid "Constants" msgstr "الثوابت" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "الثوابت:" - -#: editor/editor_help.cpp msgid "Class Description" msgstr "وصف الصف" #: editor/editor_help.cpp -msgid "Class Description:" -msgstr "وصف الصف:" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +#, fuzzy +msgid "Online Tutorials" msgstr "الدورس علي الإنترنت:" #: editor/editor_help.cpp @@ -2014,11 +2021,6 @@ msgid "Property Descriptions" msgstr "وصف الملكية:" #: editor/editor_help.cpp -#, fuzzy -msgid "Property Descriptions:" -msgstr "وصف الملكية:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -2032,11 +2034,6 @@ msgid "Method Descriptions" msgstr "وصف الطريقة:" #: editor/editor_help.cpp -#, fuzzy -msgid "Method Descriptions:" -msgstr "وصف الطريقة:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2083,9 +2080,8 @@ msgid "Member Type" msgstr "نوع العضو" #: editor/editor_help_search.cpp -#, fuzzy msgid "Class" -msgstr "صنف:" +msgstr "الصنف" #: editor/editor_inspector.cpp editor/project_settings_editor.cpp msgid "Property:" @@ -2108,8 +2104,8 @@ msgstr "الخرج:" msgid "Copy Selection" msgstr "حذف المُحدد" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2122,6 +2118,50 @@ msgstr "خالي" msgid "Clear Output" msgstr "أخلاء الخرج" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "إيقاف" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +#, fuzzy +msgid "Start" +msgstr "بدء!" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +#, fuzzy +msgid "Down" +msgstr "تنزيل" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "عقدة" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" msgstr "" @@ -2709,6 +2749,19 @@ msgstr "مشروع" msgid "Project Settings..." msgstr "إعدادات المشروع" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Version Control" +msgstr "النسخة:" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp #, fuzzy msgid "Export..." @@ -2936,10 +2989,6 @@ msgstr "إيقاف مؤقت للمشهد" msgid "Stop the scene." msgstr "إيقاف المشهد." -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "إيقاف" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "تشغيل المشهد المُعدل." @@ -2995,10 +3044,6 @@ msgid "Inspector" msgstr "مُراقب" #: editor/editor_node.cpp -msgid "Node" -msgstr "عقدة" - -#: editor/editor_node.cpp #, fuzzy msgid "Expand Bottom Panel" msgstr "توسيع الكل" @@ -3022,15 +3067,21 @@ msgstr "إدارة قوالب التصدير" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -3093,6 +3144,11 @@ msgstr "فتح في المُعدل التالي" msgid "Open the previous Editor" msgstr "إفتح المُعدل السابق" +#: editor/editor_path.cpp +#, fuzzy +msgid "No sub-resources found." +msgstr "لا مصدر للسطح تم تحديده." + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "يُنشئ مستعرضات الميش" @@ -3103,6 +3159,11 @@ msgstr "الصورة المصغرة..." #: editor/editor_plugin_settings.cpp #, fuzzy +msgid "Main Script:" +msgstr "فتح الكود" + +#: editor/editor_plugin_settings.cpp +#, fuzzy msgid "Edit Plugin" msgstr "تعديل البولي" @@ -3132,12 +3193,6 @@ msgstr "الحالة:" msgid "Edit:" msgstr "المُعدل" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -#, fuzzy -msgid "Start" -msgstr "بدء!" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "قياس:" @@ -3965,8 +4020,9 @@ msgstr " ملفات" msgid "Import As:" msgstr "إستيراد كـ:" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." +#: editor/import_dock.cpp +#, fuzzy +msgid "Preset" msgstr "إعداد مُسبق..." #: editor/import_dock.cpp @@ -4436,6 +4492,7 @@ msgid "Change Animation Name:" msgstr "تغيير إسم الحركة:" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "مسح الحركة؟" @@ -4731,7 +4788,7 @@ msgstr "تحول" #: editor/plugins/animation_tree_editor_plugin.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp msgid "AnimationTree" -msgstr "شجرة الحركة" +msgstr "مسارات التحريك" #: editor/plugins/animation_tree_player_editor_plugin.cpp msgid "New name:" @@ -5024,11 +5081,6 @@ msgid "Sort:" msgstr "ترتيب:" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy -msgid "Reverse sorting." -msgstr "جار الطلب..." - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "الفئة:" @@ -5315,6 +5367,11 @@ msgstr "وضع السحب" #: editor/plugins/canvas_item_editor_plugin.cpp #, fuzzy +msgid "Ruler Mode" +msgstr "تحديد الوضع" + +#: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy msgid "Toggle snapping." msgstr "إلغاء/تفعيل الكبس" @@ -5802,9 +5859,8 @@ msgid "Create Outline" msgstr "أنشئ الحد" #: editor/plugins/mesh_instance_editor_plugin.cpp -#, fuzzy msgid "Mesh" -msgstr "شبكة" +msgstr "مجسم" #: editor/plugins/mesh_instance_editor_plugin.cpp msgid "Create Trimesh Static Body" @@ -6420,7 +6476,7 @@ msgstr "" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "" @@ -6638,11 +6694,11 @@ msgid "Toggle Scripts Panel" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" +msgid "Step Into" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Into" +msgid "Step Over" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp @@ -6727,7 +6783,7 @@ msgstr "إخلاء المشاهد الحالية" msgid "Connections to method:" msgstr "صلها بالعقدة:" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp #, fuzzy msgid "Source" msgstr "مورد" @@ -6976,9 +7032,8 @@ msgid "Create physical bones" msgstr "أنشئ ميش التنقل" #: editor/plugins/skeleton_editor_plugin.cpp -#, fuzzy msgid "Skeleton" -msgstr "الفردية" +msgstr "الهيكل" #: editor/plugins/skeleton_editor_plugin.cpp #, fuzzy @@ -7536,6 +7591,11 @@ msgstr "" #: editor/plugins/sprite_frames_editor_plugin.cpp #, fuzzy +msgid "Move Frame" +msgstr "وضع التحريك" + +#: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy msgid "Animations:" msgstr "صورة متحركة" @@ -7873,6 +7933,15 @@ msgid "Enable Priority" msgstr "تعديل المصافي" #: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy +msgid "Filter tiles" +msgstr "فلتر الملفات..." + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "" @@ -8020,6 +8089,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp #, fuzzy msgid "Remove selected texture? This will remove all tiles which use it." msgstr "مسح المدخلة الحالية" @@ -8197,6 +8271,109 @@ msgstr "هذه العملية لا يمكن الإكتمال من غير مشه msgid "TileSet" msgstr "مجموعة البلاط" +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No VCS addons are available." +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No commit message was provided" +msgstr "لا أسم مُقدم" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit" +msgstr "المجتمع" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Initialize" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "إنشاء %s جديد" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "تغير" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "إعادة التسمية" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "مسح" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Typechange" +msgstr "تغير" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "تكبير المحدد" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage All" +msgstr "احفظ الكل" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit Changes" +msgstr "مزامنة تغييرات الكود" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -8217,9 +8394,8 @@ msgid "Scalar" msgstr "تكبير/تصغير:" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Vector" -msgstr "مُراقب" +msgstr "متجه" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Boolean" @@ -8453,6 +8629,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9669,6 +9850,11 @@ msgid "Settings saved OK." msgstr "" #: editor/project_settings_editor.cpp +#, fuzzy +msgid "Moved Input Action Event" +msgstr "حرك النقطة داخل المنحنى" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "" @@ -9733,9 +9919,8 @@ msgid "Action:" msgstr "" #: editor/project_settings_editor.cpp -#, fuzzy msgid "Action" -msgstr "عملية التحريك" +msgstr "الفعل" #: editor/project_settings_editor.cpp msgid "Deadzone" @@ -9808,6 +9993,10 @@ msgid "Plugins" msgstr "إضافات" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "إعداد مُسبق..." + +#: editor/property_editor.cpp msgid "Zero" msgstr "" @@ -9979,10 +10168,6 @@ msgstr "" msgid "Reset" msgstr "إرجاع التكبير" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "" @@ -10038,6 +10223,10 @@ msgid "Instance Scene(s)" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Replace with Branch Scene" +msgstr "" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "" @@ -10079,10 +10268,24 @@ msgid "Make node as Root" msgstr "حفظ المشهد" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "إنشاء عقدة" + +#: editor/scene_tree_dock.cpp +msgid "Delete the root node \"%s\"?" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" +msgstr "" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "إنشاء عقدة" + +#: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." msgstr "" @@ -10487,11 +10690,42 @@ msgid "Bytes:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" -msgstr "" +#, fuzzy +msgid "Warning:" +msgstr "تحذيرات" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." +#, fuzzy +msgid "Error:" +msgstr "خطأ!" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error" +msgstr "خطأ في نسخ" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error:" +msgstr "خطأ في نسخ" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source" +msgstr "مورد" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" +msgstr "مورد" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source:" +msgstr "مورد" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" msgstr "" #: editor/script_editor_debugger.cpp @@ -10499,14 +10733,20 @@ msgid "Errors" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" -msgstr "" +#, fuzzy +msgid "Child process connected." +msgstr "غير متصل" #: editor/script_editor_debugger.cpp msgid "Copy Error" msgstr "خطأ في نسخ" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "مسح النقاط" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "" @@ -10523,6 +10763,11 @@ msgid "Profiler" msgstr "" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Network Profiler" +msgstr "تصدير المشروع" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "" @@ -10535,6 +10780,10 @@ msgid "Monitors" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "" @@ -10737,10 +10986,6 @@ msgid "Library" msgstr "" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "" @@ -10749,6 +10994,10 @@ msgid "GDNative" msgstr "" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp #, fuzzy msgid "Step argument is zero!" msgstr "الخطوة (المتغيرة المدخلة/argument) تساوي صفر !" @@ -10911,6 +11160,15 @@ msgstr "" msgid "Pick Distance:" msgstr "" +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "وضع المُصفي:" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -11049,6 +11307,10 @@ msgid "Create a new variable." msgstr "إنشاء %s جديد" #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "الإشارات:" + +#: modules/visual_script/visual_script_editor.cpp #, fuzzy msgid "Create a new signal." msgstr "أنشئ شكل جديد من لا شئ." @@ -11209,6 +11471,11 @@ msgid "Editing Signal:" msgstr "" #: modules/visual_script/visual_script_editor.cpp +#, fuzzy +msgid "Make Tool:" +msgstr "أنشئ عظام" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "" @@ -11358,7 +11625,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp @@ -12027,6 +12295,38 @@ msgstr "يمكن تعيين المتغيرات فقط في الذروة ." msgid "Constants cannot be modified." msgstr "" +#~ msgid "Properties:" +#~ msgstr "خصائص:" + +#, fuzzy +#~ msgid "Methods:" +#~ msgstr "قائمة الطرق" + +#, fuzzy +#~ msgid "Theme Properties:" +#~ msgstr "خصائص" + +#~ msgid "Enumerations:" +#~ msgstr "التعدادات:" + +#~ msgid "Constants:" +#~ msgstr "الثوابت:" + +#~ msgid "Class Description:" +#~ msgstr "وصف الصف:" + +#, fuzzy +#~ msgid "Property Descriptions:" +#~ msgstr "وصف الملكية:" + +#, fuzzy +#~ msgid "Method Descriptions:" +#~ msgstr "وصف الطريقة:" + +#, fuzzy +#~ msgid "Reverse sorting." +#~ msgstr "جار الطلب..." + #~ msgid "" #~ "Can't open file_type_cache.cch for writing, not saving file type cache!" #~ msgstr "" @@ -12200,9 +12500,6 @@ msgstr "" #~ msgid "Poly" #~ msgstr "تعديل البولي" -#~ msgid "No name provided" -#~ msgstr "لا أسم مُقدم" - #~ msgid "Create Poly" #~ msgstr "إنشاء بولي" diff --git a/editor/translations/bg.po b/editor/translations/bg.po index eab5310b25..56196b743f 100644 --- a/editor/translations/bg.po +++ b/editor/translations/bg.po @@ -65,6 +65,34 @@ msgstr "Невалидени агрументи за конструкция '%s' msgid "On call to '%s':" msgstr "" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +msgid "MiB" +msgstr "" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp #, fuzzy msgid "Free" @@ -487,6 +515,10 @@ msgid "Select None" msgstr "Избиране на всичко" #: editor/animation_track_editor.cpp +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "" @@ -816,7 +848,8 @@ msgstr "Свържи Сигнала: " #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -922,7 +955,8 @@ msgstr "Търсене:" msgid "Matches:" msgstr "Съвпадащи:" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1226,7 +1260,7 @@ msgid "Delete Bus Effect" msgstr "" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +msgid "Drag & drop to rearrange." msgstr "" #: editor/editor_audio_buses.cpp @@ -1419,6 +1453,7 @@ msgid "Add AutoLoad" msgstr "" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "Път:" @@ -1653,6 +1688,7 @@ msgstr "" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "" @@ -1732,6 +1768,7 @@ msgid "New Folder..." msgstr "Нова папка..." #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "" @@ -1893,7 +1930,8 @@ msgid "Inherited by:" msgstr "" #: editor/editor_help.cpp -msgid "Brief Description:" +#, fuzzy +msgid "Brief Description" msgstr "Кратко Описание:" #: editor/editor_help.cpp @@ -1901,41 +1939,19 @@ msgid "Properties" msgstr "" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "" - -#: editor/editor_help.cpp msgid "Methods" msgstr "Методи" #: editor/editor_help.cpp #, fuzzy -msgid "Methods:" -msgstr "Методи" - -#: editor/editor_help.cpp -#, fuzzy msgid "Theme Properties" msgstr "Поставяне на възелите" #: editor/editor_help.cpp -#, fuzzy -msgid "Theme Properties:" -msgstr "Поставяне на възелите" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "Изброени типове" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "" - -#: editor/editor_help.cpp msgid "enum " msgstr "" @@ -1944,21 +1960,12 @@ msgid "Constants" msgstr "Константи" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "Константи:" - -#: editor/editor_help.cpp #, fuzzy msgid "Class Description" msgstr "Описание" #: editor/editor_help.cpp -#, fuzzy -msgid "Class Description:" -msgstr "Описание:" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +msgid "Online Tutorials" msgstr "" #: editor/editor_help.cpp @@ -1974,11 +1981,6 @@ msgid "Property Descriptions" msgstr "Кратко Описание:" #: editor/editor_help.cpp -#, fuzzy -msgid "Property Descriptions:" -msgstr "Кратко Описание:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -1990,11 +1992,6 @@ msgid "Method Descriptions" msgstr "Описание" #: editor/editor_help.cpp -#, fuzzy -msgid "Method Descriptions:" -msgstr "Описание:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2069,8 +2066,8 @@ msgstr "" msgid "Copy Selection" msgstr "Нова сцена" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2084,6 +2081,49 @@ msgstr "Изчистване" msgid "Clear Output" msgstr "Нова сцена" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +#, fuzzy +msgid "Down" +msgstr "Премести Надоло" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "Възел" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" msgstr "" @@ -2640,6 +2680,19 @@ msgstr "Проект" msgid "Project Settings..." msgstr "Настройки на проекта" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Version Control" +msgstr "Версия:" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp #, fuzzy msgid "Export..." @@ -2848,10 +2901,6 @@ msgstr "Преустановяване на сцената" msgid "Stop the scene." msgstr "Спиране на сцената." -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "Възпроизвеждане на редактирана сцена." @@ -2903,10 +2952,6 @@ msgid "Inspector" msgstr "Инспектор" #: editor/editor_node.cpp -msgid "Node" -msgstr "Възел" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "Разшири Долния Панел" @@ -2929,15 +2974,21 @@ msgstr "Шаблони" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -3001,6 +3052,10 @@ msgstr "" msgid "Open the previous Editor" msgstr "" +#: editor/editor_path.cpp +msgid "No sub-resources found." +msgstr "" + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "" @@ -3011,6 +3066,11 @@ msgstr "" #: editor/editor_plugin_settings.cpp #, fuzzy +msgid "Main Script:" +msgstr "Нова сцена" + +#: editor/editor_plugin_settings.cpp +#, fuzzy msgid "Edit Plugin" msgstr "Приставки" @@ -3039,11 +3099,6 @@ msgstr "" msgid "Edit:" msgstr "" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "" @@ -3879,8 +3934,8 @@ msgstr "Файл:" msgid "Import As:" msgstr "Внасяне като:" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." +#: editor/import_dock.cpp +msgid "Preset" msgstr "" #: editor/import_dock.cpp @@ -4347,6 +4402,7 @@ msgid "Change Animation Name:" msgstr "Промени Името на Анимацията:" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "Изтриване на анимацията?" @@ -4928,11 +4984,6 @@ msgid "Sort:" msgstr "Подреждане:" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy -msgid "Reverse sorting." -msgstr "Запитване..." - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "Категория:" @@ -5215,6 +5266,11 @@ msgid "Pan Mode" msgstr "Панорамен режим на Отместване (на работния прозорец)" #: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy +msgid "Ruler Mode" +msgstr "Режим на Селектиране" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "" @@ -6294,7 +6350,7 @@ msgstr "" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "Тип:" @@ -6508,11 +6564,11 @@ msgid "Toggle Scripts Panel" msgstr "Видимост на Панела със Скриптове" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" +msgid "Step Into" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Into" +msgid "Step Over" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp @@ -6598,7 +6654,7 @@ msgstr "Затваряне на сцената" msgid "Connections to method:" msgstr "Свързване..." -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp msgid "Source" msgstr "" @@ -7398,6 +7454,11 @@ msgstr "" #: editor/plugins/sprite_frames_editor_plugin.cpp #, fuzzy +msgid "Move Frame" +msgstr "Режим на Преместване" + +#: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy msgid "Animations:" msgstr "Анимационни Инструменти" @@ -7729,6 +7790,15 @@ msgid "Enable Priority" msgstr "Промени Филтрите" #: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy +msgid "Filter tiles" +msgstr "Поставяне на възелите" + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "" @@ -7877,6 +7947,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp #, fuzzy msgid "Remove selected texture? This will remove all tiles which use it." msgstr "Преместване на пътечката нагоре." @@ -8055,6 +8130,105 @@ msgstr "" msgid "TileSet" msgstr "Файл:" +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No VCS addons are available." +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No commit message was provided" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Commit" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Initialize" +msgstr "Всяка дума с Главна буква" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "Създай нови възли." + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "Възел" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "Изтрий" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Typechange" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "Покажи Селекцията (вмести в целия прозорец)" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage All" +msgstr "Запази Всичко" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Commit Changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -8305,6 +8479,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9528,6 +9707,10 @@ msgid "Settings saved OK." msgstr "Настройките са запазени." #: editor/project_settings_editor.cpp +msgid "Moved Input Action Event" +msgstr "" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "" @@ -9668,6 +9851,10 @@ msgid "Plugins" msgstr "Приставки" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "" + +#: editor/property_editor.cpp msgid "Zero" msgstr "" @@ -9837,10 +10024,6 @@ msgstr "" msgid "Reset" msgstr "" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "" @@ -9896,6 +10079,10 @@ msgid "Instance Scene(s)" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Replace with Branch Scene" +msgstr "" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "" @@ -9938,10 +10125,24 @@ msgid "Make node as Root" msgstr "Запазване на сцената" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "Избиране на всичко" + +#: editor/scene_tree_dock.cpp +msgid "Delete the root node \"%s\"?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" msgstr "" #: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "Избиране на всичко" + +#: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." msgstr "" @@ -10346,11 +10547,39 @@ msgid "Bytes:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" +#, fuzzy +msgid "Warning:" +msgstr "Предупреждения:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Error:" +msgstr "Грешки:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error" +msgstr "Грешки" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error:" +msgstr "Грешки:" + +#: editor/script_editor_debugger.cpp +msgid "C++ Source" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." +msgid "Source:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Source:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" msgstr "" #: editor/script_editor_debugger.cpp @@ -10358,8 +10587,9 @@ msgid "Errors" msgstr "Грешки" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" -msgstr "" +#, fuzzy +msgid "Child process connected." +msgstr "Разкачи" #: editor/script_editor_debugger.cpp #, fuzzy @@ -10367,6 +10597,11 @@ msgid "Copy Error" msgstr "Грешки" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "Създай точки." + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "" @@ -10383,6 +10618,11 @@ msgid "Profiler" msgstr "" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Network Profiler" +msgstr "Изнасяне на проекта" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "" @@ -10395,6 +10635,10 @@ msgid "Monitors" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "" @@ -10596,10 +10840,6 @@ msgid "Library" msgstr "Изнасяне на библиотеката" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "" @@ -10608,6 +10848,10 @@ msgid "GDNative" msgstr "" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp #, fuzzy msgid "Step argument is zero!" msgstr "Стъпката на range() е нула!" @@ -10778,6 +11022,15 @@ msgstr "Настройки" msgid "Pick Distance:" msgstr "" +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "Поставяне на възелите" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -10915,6 +11168,10 @@ msgid "Create a new variable." msgstr "Създай нови възли." #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp #, fuzzy msgid "Create a new signal." msgstr "Създай нов полигон от нулата." @@ -11078,6 +11335,10 @@ msgid "Editing Signal:" msgstr "" #: modules/visual_script/visual_script_editor.cpp +msgid "Make Tool:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "" @@ -11227,7 +11488,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp @@ -11923,6 +12185,33 @@ msgstr "" msgid "Constants cannot be modified." msgstr "" +#, fuzzy +#~ msgid "Methods:" +#~ msgstr "Методи" + +#, fuzzy +#~ msgid "Theme Properties:" +#~ msgstr "Поставяне на възелите" + +#~ msgid "Constants:" +#~ msgstr "Константи:" + +#, fuzzy +#~ msgid "Class Description:" +#~ msgstr "Описание:" + +#, fuzzy +#~ msgid "Property Descriptions:" +#~ msgstr "Кратко Описание:" + +#, fuzzy +#~ msgid "Method Descriptions:" +#~ msgstr "Описание:" + +#, fuzzy +#~ msgid "Reverse sorting." +#~ msgstr "Запитване..." + #~ msgid "No faces!" #~ msgstr "Няма лица!" @@ -12005,9 +12294,6 @@ msgstr "" #~ msgid "Create Exterior Connector" #~ msgstr "Създаване на нов проект" -#~ msgid "Warnings:" -#~ msgstr "Предупреждения:" - #, fuzzy #~ msgid "Font Size:" #~ msgstr "Изглед Отпред." @@ -12074,9 +12360,6 @@ msgstr "" #~ msgid "Search in files" #~ msgstr "Търси във файлове" -#~ msgid "Errors:" -#~ msgstr "Грешки:" - #~ msgid "Length (s):" #~ msgstr "Дължина (сек.):" diff --git a/editor/translations/bn.po b/editor/translations/bn.po index 44a7be497c..8e009dc63c 100644 --- a/editor/translations/bn.po +++ b/editor/translations/bn.po @@ -2,30 +2,29 @@ # Copyright (c) 2007-2019 Juan Linietsky, Ariel Manzur. # Copyright (c) 2014-2019 Godot Engine contributors (cf. AUTHORS.md) # This file is distributed under the same license as the Godot source code. -# # Abu Md. Maruf Sarker <maruf.webdev@gmail.com>, 2016-2017. # Abdullah Zubair <abdullahzubair109@gmail.com>, 2017. # Tahmid Karim <tahmidk15@gmail.com>, 2016. -# +# Tawhid H. <Tawhidk757@yahoo.com>, 2019. msgid "" msgstr "" "Project-Id-Version: Godot Engine editor\n" "POT-Creation-Date: \n" -"PO-Revision-Date: 2018-12-13 14:38+0100\n" -"Last-Translator: Abdullah Zubair <abdullahzubair109@gmail.com>\n" +"PO-Revision-Date: 2019-09-26 11:50+0000\n" +"Last-Translator: Tawhid H. <Tawhidk757@yahoo.com>\n" "Language-Team: Bengali <https://hosted.weblate.org/projects/godot-engine/" "godot/bn/>\n" "Language: bn\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Plural-Forms: nplurals=2; plural=n != 1;\n" -"X-Generator: Poedit 2.2\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"X-Generator: Weblate 3.9-dev\n" #: core/math/expression.cpp modules/gdscript/gdscript_functions.cpp #: modules/visual_script/visual_script_builtin_funcs.cpp msgid "Invalid type argument to convert(), use TYPE_* constants." -msgstr "অগ্রহণযোগ্য মান/আর্গুমেন্ট convert()-এ গিয়েছে, TYPE_* ধ্রুবক ব্যবহার করুন।" +msgstr "অবৈধ প্রকার রূপান্তর করার যুক্তি(),use TYPE_* constants." #: core/math/expression.cpp modules/gdscript/gdscript_functions.cpp #: modules/mono/glue/gd_glue.cpp @@ -35,11 +34,12 @@ msgstr "বিন্যাস জানার জন্য যথেষ্ট #: core/math/expression.cpp msgid "Invalid input %i (not passed) in expression" -msgstr "" +msgstr "অবৈধ ইনপুট %i (পাস করা হয়নি) প্রকাশে" #: core/math/expression.cpp +#, fuzzy msgid "self can't be used because instance is null (not passed)" -msgstr "" +msgstr "স্ব ব্যবহার করা যাবে না কারণ উদাহরণটি হলো null(উত্তীর্ণ হয়নি)" #: core/math/expression.cpp #, fuzzy @@ -53,15 +53,44 @@ msgstr "%s নোডে সূচক/ইনডেক্স মানের অ #: core/math/expression.cpp msgid "Invalid named index '%s' for base type %s" -msgstr "" +msgstr "অবৈধ নামকরণ সূচক I '%s' for ভিত্তি type %s" #: core/math/expression.cpp #, fuzzy msgid "Invalid arguments to construct '%s'" -msgstr ": অগ্রহনযোগ্য মান/আর্গুমেন্ট-এর ধরণ: " +msgstr ": অগ্রহনযোগ্য মান/আর্গুমেন্ট-এর ধরণ:" #: core/math/expression.cpp msgid "On call to '%s':" +msgstr "কল করুন '%s'" + +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +#, fuzzy +msgid "MiB" +msgstr "মিশ্রিত করুন" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" msgstr "" #: editor/animation_bezier_editor.cpp @@ -70,7 +99,7 @@ msgstr "মুক্ত করে দিন" #: editor/animation_bezier_editor.cpp msgid "Balanced" -msgstr "" +msgstr "স্থির" #: editor/animation_bezier_editor.cpp #, fuzzy @@ -82,9 +111,8 @@ msgid "Time:" msgstr "সময়:" #: editor/animation_bezier_editor.cpp -#, fuzzy msgid "Value:" -msgstr "মান" +msgstr "মান:" #: editor/animation_bezier_editor.cpp #, fuzzy @@ -112,8 +140,9 @@ msgid "Move Bezier Points" msgstr "বিন্দু সরান" #: editor/animation_bezier_editor.cpp editor/animation_track_editor.cpp +#, fuzzy msgid "Anim Duplicate Keys" -msgstr "অ্যানিমেশন (Anim) কি ডুপ্লিকেট করুন" +msgstr "অ্যানিমেশন (Anim) ডুপ্লিকেট করুন কি" #: editor/animation_bezier_editor.cpp editor/animation_track_editor.cpp msgid "Anim Delete Keys" @@ -508,6 +537,12 @@ msgid "Select None" msgstr "কোনোটাই নির্বাচন করবেন না" #: editor/animation_track_editor.cpp +#, fuzzy +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" +"অ্যানিমেশনসমূহ সম্পাদন করতে দৃশ্যের তালিকা থেকে একটি AnimationPlayer নির্বাচন করুন।" + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "" @@ -845,7 +880,8 @@ msgstr "সংযোজক সংকেত/সিগন্যাল:" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -957,7 +993,8 @@ msgstr "অনুসন্ধান করুন:" msgid "Matches:" msgstr "মিলসমূহ:" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1279,7 +1316,8 @@ msgid "Delete Bus Effect" msgstr "বাস ইফেক্ট ডিলিট করুন" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +#, fuzzy +msgid "Drag & drop to rearrange." msgstr "অডিও বাস, পুনরায় সাজানোর জন্য ড্র্যাগ এন্ড ড্রপ অ্যাপ্লাই করুন।" #: editor/editor_audio_buses.cpp @@ -1482,6 +1520,7 @@ msgid "Add AutoLoad" msgstr "AutoLoad সংযুক্ত করুন" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "পথ:" @@ -1728,6 +1767,7 @@ msgstr "বর্তমান:" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "নতুন" @@ -1810,6 +1850,7 @@ msgid "New Folder..." msgstr "ফোল্ডার তৈরি করুন" #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "রিফ্রেস করুন" @@ -1974,7 +2015,8 @@ msgid "Inherited by:" msgstr "গৃহীত হয়েছে:" #: editor/editor_help.cpp -msgid "Brief Description:" +#, fuzzy +msgid "Brief Description" msgstr "সংক্ষিপ্ত বর্ণনা:" #: editor/editor_help.cpp @@ -1983,44 +2025,21 @@ msgid "Properties" msgstr "প্রোপার্টি-সমূহ:" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "প্রোপার্টি-সমূহ:" - -#: editor/editor_help.cpp #, fuzzy msgid "Methods" msgstr "মেথডের তালিকা:" #: editor/editor_help.cpp #, fuzzy -msgid "Methods:" -msgstr "মেথডের তালিকা:" - -#: editor/editor_help.cpp -#, fuzzy msgid "Theme Properties" msgstr "প্রোপার্টি-সমূহ:" #: editor/editor_help.cpp #, fuzzy -msgid "Theme Properties:" -msgstr "প্রোপার্টি-সমূহ:" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "সিগন্যালস/সংকেতসমূহ:" - -#: editor/editor_help.cpp -#, fuzzy msgid "Enumerations" msgstr "অ্যানিমেশনসমূহ" #: editor/editor_help.cpp -#, fuzzy -msgid "Enumerations:" -msgstr "অ্যানিমেশনসমূহ" - -#: editor/editor_help.cpp msgid "enum " msgstr "enum " @@ -2030,22 +2049,13 @@ msgid "Constants" msgstr "ধ্রুবকসমূহ:" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "ধ্রুবকসমূহ:" - -#: editor/editor_help.cpp #, fuzzy msgid "Class Description" msgstr "বর্ণনা:" #: editor/editor_help.cpp #, fuzzy -msgid "Class Description:" -msgstr "বর্ণনা:" - -#: editor/editor_help.cpp -#, fuzzy -msgid "Online Tutorials:" +msgid "Online Tutorials" msgstr "টিউটোরিয়ালসমূহ" #: editor/editor_help.cpp @@ -2065,11 +2075,6 @@ msgid "Property Descriptions" msgstr "মান/প্রোপার্টির বর্ণনা:" #: editor/editor_help.cpp -#, fuzzy -msgid "Property Descriptions:" -msgstr "মান/প্রোপার্টির বর্ণনা:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -2084,11 +2089,6 @@ msgid "Method Descriptions" msgstr "মেথডের বর্ণ্না:" #: editor/editor_help.cpp -#, fuzzy -msgid "Method Descriptions:" -msgstr "মেথডের বর্ণ্না:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2169,8 +2169,8 @@ msgstr " আউটপুট/ফলাফল:" msgid "Copy Selection" msgstr "নির্বাচিত সমূহ অপসারণ করুন" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2184,6 +2184,49 @@ msgstr "পরিস্কার করুন/ক্লীয়ার" msgid "Clear Output" msgstr "আউটপুট/ফলাফল" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "থামান" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +#, fuzzy +msgid "Start" +msgstr "আরম্ভ!" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Down" +msgstr "নীচে" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "উপরে" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "নোড" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp #, fuzzy msgid "New Window" @@ -2794,6 +2837,19 @@ msgstr "নতুন প্রকল্প" msgid "Project Settings..." msgstr "প্রকল্পের সেটিংস" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Version Control" +msgstr "সংস্করণ:" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp msgid "Export..." msgstr "এক্সপোর্ট..." @@ -3025,10 +3081,6 @@ msgstr "দৃশ্যকে বিরতি দিন" msgid "Stop the scene." msgstr "দৃশ্যটিকে থামান।" -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "থামান" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "সম্পাদিত দৃশ্যটি চালান।" @@ -3084,10 +3136,6 @@ msgid "Inspector" msgstr "পরিদর্শক/পরীক্ষক" #: editor/editor_node.cpp -msgid "Node" -msgstr "নোড" - -#: editor/editor_node.cpp #, fuzzy msgid "Expand Bottom Panel" msgstr "ধারক/বাহক পর্যন্ত বিস্তৃত করুন" @@ -3111,15 +3159,21 @@ msgstr "এক্সপোর্ট টেমপ্লেটসমূহ লো #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -3189,6 +3243,11 @@ msgstr "এডিটরে খুলুন" msgid "Open the previous Editor" msgstr "এডিটরে খুলুন" +#: editor/editor_path.cpp +#, fuzzy +msgid "No sub-resources found." +msgstr "কোনো পৃষ্ঠতলের উৎস নির্দিষ্ট করা নেই।" + #: editor/editor_plugin.cpp #, fuzzy msgid "Creating Mesh Previews" @@ -3200,6 +3259,11 @@ msgstr "থাম্বনেইল..." #: editor/editor_plugin_settings.cpp #, fuzzy +msgid "Main Script:" +msgstr "পরবর্তী স্ক্রিপ্ট" + +#: editor/editor_plugin_settings.cpp +#, fuzzy msgid "Edit Plugin" msgstr "Poly সম্পাদন করুন" @@ -3229,12 +3293,6 @@ msgstr "অবস্থা:" msgid "Edit:" msgstr "সম্পাদন করুন (Edit)" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -#, fuzzy -msgid "Start" -msgstr "আরম্ভ!" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "মাপ:" @@ -4124,8 +4182,9 @@ msgstr "ফাইল" msgid "Import As:" msgstr "ইম্পোর্ট" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." +#: editor/import_dock.cpp +#, fuzzy +msgid "Preset" msgstr "প্রিসেট..." #: editor/import_dock.cpp @@ -4606,6 +4665,7 @@ msgid "Change Animation Name:" msgstr "অ্যানিমেশনের নাম পরিবর্তন করুন:" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp #, fuzzy msgid "Delete Animation?" msgstr "অ্যানিমেশন প্রতিলিপি করুন" @@ -5207,11 +5267,6 @@ msgid "Sort:" msgstr "সাজান:" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy -msgid "Reverse sorting." -msgstr "পরীক্ষামূলক উৎস" - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "বিভাগ:" @@ -5504,6 +5559,11 @@ msgstr "প্যান মোড" #: editor/plugins/canvas_item_editor_plugin.cpp #, fuzzy +msgid "Ruler Mode" +msgstr "চালানোর মোড:" + +#: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy msgid "Toggle snapping." msgstr "ছেদবিন্দু অদলবদল করুন (টগল ব্রেকপয়েন্ট)" @@ -6641,7 +6701,7 @@ msgstr "ইন্সট্যান্স:" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "ধরণ:" @@ -6867,14 +6927,14 @@ msgid "Toggle Scripts Panel" msgstr "ফেবরিট/প্রিয়-সমূহ অদলবদল/টগল করুন" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" -msgstr "ধাপ লাফিয়ে যান" - -#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Step Into" msgstr "পদার্পণ করুন" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp +msgid "Step Over" +msgstr "ধাপ লাফিয়ে যান" + +#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Break" msgstr "বিরতি/ভাঙ্গন" @@ -6959,7 +7019,7 @@ msgstr "বোন্/হাড় পরিষ্কার করুন" msgid "Connections to method:" msgstr "নোডের সাথে সংযুক্ত করুন:" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp #, fuzzy msgid "Source" msgstr "উৎস:" @@ -7801,6 +7861,11 @@ msgstr "(খালি/শূন্য)" #: editor/plugins/sprite_frames_editor_plugin.cpp #, fuzzy +msgid "Move Frame" +msgstr "ফ্রেম প্রতিলেপন করুন" + +#: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy msgid "Animations:" msgstr "অ্যানিমেশনসমূহ" @@ -8152,6 +8217,15 @@ msgstr "নোড ফিল্টারসমূহ সম্পাদন কর #: editor/plugins/tile_map_editor_plugin.cpp #, fuzzy +msgid "Filter tiles" +msgstr "দ্রুত ফাইলসমূহ ফিল্টার করুন..." + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy msgid "Paint Tile" msgstr "TileMap আঁকুন" @@ -8301,6 +8375,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp #, fuzzy msgid "Remove selected texture? This will remove all tiles which use it." msgstr "পথের বিন্দু অপসারণ করুন" @@ -8480,6 +8559,112 @@ msgstr "দৃশ্য ছাড়া এটি করা সম্ভব হব msgid "TileSet" msgstr "TileSet (টাইল-সেট)..." +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No VCS addons are available." +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "সমস্যা/ভুল" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No commit message was provided" +msgstr "কোন নাম ব্যাবহার করা হয়নি" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit" +msgstr "কমিউনিটি/যৌথ-সামাজিক উৎস" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Initialize" +msgstr "বড় হাতের অক্ষরে পরিবর্তনে করুন" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "নতুন তৈরি করুন" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "পরিবর্তন করুন" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "পুনঃনামকরণ করুন" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "অপসারণ করুন" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Typechange" +msgstr "পরিবর্তন করুন" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "নির্বাচিত সমূহ অপসারণ করুন" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage All" +msgstr "সকল্গুলি সংরক্ষণ করুন" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit Changes" +msgstr "স্ক্রিপ্টের পরিবর্তনসমূহ সুসংগত/সমন্বয় করুন" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +#, fuzzy +msgid "Status" +msgstr "অবস্থা:" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No file diff is active" +msgstr "কোনো ফাইল নির্বাচিত হয়নি!" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -8739,6 +8924,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -10027,6 +10217,11 @@ msgid "Settings saved OK." msgstr "সেটিংস সংরক্ষণ সফল হয়েছে।" #: editor/project_settings_editor.cpp +#, fuzzy +msgid "Moved Input Action Event" +msgstr "ইনপুট অ্যাকশন ইভেন্ট যোগ করুন" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "ফিচার ওভাররাইড" @@ -10170,6 +10365,10 @@ msgid "Plugins" msgstr "প্লাগইন-সমূহ" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "প্রিসেট..." + +#: editor/property_editor.cpp msgid "Zero" msgstr "শূন্য" @@ -10348,10 +10547,6 @@ msgstr "বড় হাতের অক্ষর" msgid "Reset" msgstr "সম্প্রসারন/সংকোচন অপসারণ করুন (রিসেট জুম্)" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "সমস্যা/ভুল" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "নোডের নতুন অভিভাবক দান করুন" @@ -10409,6 +10604,11 @@ msgid "Instance Scene(s)" msgstr "দৃশ্য(সমূহ) ইন্সট্যান্স করুন" #: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Replace with Branch Scene" +msgstr "প্রশাখাকে দৃশ্য হিসেবে সংরক্ষণ করুন" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "শীষ্য নোড ইন্সট্যান্স করুন" @@ -10450,8 +10650,23 @@ msgid "Make node as Root" msgstr "অর্থপূর্ন!" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" -msgstr "নোড(সমূহ) অপসারণ করবেন?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "নোড(সমূহ) অপসারণ করুন" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete the root node \"%s\"?" +msgstr "Shader Graph Node(s) অপসারণ করুন" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" +msgstr "" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "নোড(সমূহ) অপসারণ করুন" #: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." @@ -10896,19 +11111,50 @@ msgstr "বাইটস:" #: editor/script_editor_debugger.cpp #, fuzzy -msgid "Stack Trace" -msgstr "ফ্রেমসমূহ স্তূপ করুন" +msgid "Warning:" +msgstr "সতর্কতা" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." -msgstr "গ্রাফ প্রদর্শন করতে তালিকা থেকে এক বা একাধিক আইটেম বাছাই করুন।" +msgid "Error:" +msgstr "সমস্যা:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error" +msgstr "ভুল/সমস্যা-সমূহ লোড করুন" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error:" +msgstr "সমস্যা:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source" +msgstr "উৎস:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" +msgstr "উৎস:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source:" +msgstr "উৎস:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Stack Trace" +msgstr "ফ্রেমসমূহ স্তূপ করুন" #: editor/script_editor_debugger.cpp msgid "Errors" msgstr "সমস্যাসমূহ" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +#, fuzzy +msgid "Child process connected." msgstr "চাইল্ড প্রসেস সংযুক্ত হয়েছে" #: editor/script_editor_debugger.cpp @@ -10917,6 +11163,11 @@ msgid "Copy Error" msgstr "ভুল/সমস্যা-সমূহ লোড করুন" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "বিন্দু অপসারণ করুন" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "পূর্ববর্তী ইন্সট্যান্স পরীক্ষা করুন" @@ -10933,6 +11184,11 @@ msgid "Profiler" msgstr "প্রোফাইলার" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Network Profiler" +msgstr "প্রকল্প এক্সপোর্ট করুন" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "মনিটর" @@ -10945,6 +11201,10 @@ msgid "Monitors" msgstr "মনিটরস" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "গ্রাফ প্রদর্শন করতে তালিকা থেকে এক বা একাধিক আইটেম বাছাই করুন।" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "রিসোর্স অনুসারে ভিডিও মেমোরির ব্যবহারের তালিকা করুন:" @@ -11157,11 +11417,6 @@ msgid "Library" msgstr "MeshLibrary (মেস-লাইব্রেরি)..." #: modules/gdnative/gdnative_library_singleton_editor.cpp -#, fuzzy -msgid "Status" -msgstr "অবস্থা:" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "লাইব্রেরি: " @@ -11170,6 +11425,10 @@ msgid "GDNative" msgstr "জিডিন্যাটিভ" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp #, fuzzy msgid "Step argument is zero!" msgstr "ধাপ মান/আর্গুমেন্ট শূন্য!" @@ -11339,6 +11598,15 @@ msgstr "স্ন্যাপ সেটিংস" msgid "Pick Distance:" msgstr "ইন্সট্যান্স:" +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "ফিল্টারসমূহ" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -11498,6 +11766,10 @@ msgid "Create a new variable." msgstr "নতুন তৈরি করুন" #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "সিগন্যালস/সংকেতসমূহ:" + +#: modules/visual_script/visual_script_editor.cpp #, fuzzy msgid "Create a new signal." msgstr "আরম্ভ হতে নতুন polygon তৈরি করুন।" @@ -11678,6 +11950,11 @@ msgid "Editing Signal:" msgstr "সংকেত/সিগন্যাল সম্পাদন:" #: modules/visual_script/visual_script_editor.cpp +#, fuzzy +msgid "Make Tool:" +msgstr "স্থানীয় করুন" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "তলের ধরণ (Base Type):" @@ -11830,7 +12107,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp @@ -12558,6 +12836,43 @@ msgstr "" msgid "Constants cannot be modified." msgstr "" +#~ msgid "Properties:" +#~ msgstr "প্রোপার্টি-সমূহ:" + +#, fuzzy +#~ msgid "Methods:" +#~ msgstr "মেথডের তালিকা:" + +#, fuzzy +#~ msgid "Theme Properties:" +#~ msgstr "প্রোপার্টি-সমূহ:" + +#, fuzzy +#~ msgid "Enumerations:" +#~ msgstr "অ্যানিমেশনসমূহ" + +#~ msgid "Constants:" +#~ msgstr "ধ্রুবকসমূহ:" + +#, fuzzy +#~ msgid "Class Description:" +#~ msgstr "বর্ণনা:" + +#, fuzzy +#~ msgid "Property Descriptions:" +#~ msgstr "মান/প্রোপার্টির বর্ণনা:" + +#, fuzzy +#~ msgid "Method Descriptions:" +#~ msgstr "মেথডের বর্ণ্না:" + +#, fuzzy +#~ msgid "Reverse sorting." +#~ msgstr "পরীক্ষামূলক উৎস" + +#~ msgid "Delete Node(s)?" +#~ msgstr "নোড(সমূহ) অপসারণ করবেন?" + #~ msgid "" #~ "Can't open file_type_cache.cch for writing, not saving file type cache!" #~ msgstr "" @@ -12819,10 +13134,6 @@ msgstr "" #~ msgstr "নির্বাচিত দৃশ্য(সমূহ)-কে নির্বাচিত নোডের অংশ হিসেবে ইনস্ট্যান্স করুন।" #, fuzzy -#~ msgid "Warnings:" -#~ msgstr "সতর্কতা" - -#, fuzzy #~ msgid "Font Size:" #~ msgstr "উৎস ফন্টের আকার:" @@ -12864,9 +13175,6 @@ msgstr "" #~ msgid "Select a split to erase it." #~ msgstr "একটি সেটিং আইটেম প্রথম নির্বাচন করুন!" -#~ msgid "No name provided" -#~ msgstr "কোন নাম ব্যাবহার করা হয়নি" - #, fuzzy #~ msgid "Add Node.." #~ msgstr "নোড সংযোজন করুন" @@ -13006,9 +13314,6 @@ msgstr "" #~ msgid "Warning" #~ msgstr "সতর্কতা" -#~ msgid "Error:" -#~ msgstr "সমস্যা:" - #~ msgid "Function:" #~ msgstr "ফাংশন:" @@ -13088,9 +13393,6 @@ msgstr "" #~ msgid "Duplicate Graph Node(s)" #~ msgstr "গ্রাফ নোড(সমূহ) প্রতিলিপি করুন" -#~ msgid "Delete Shader Graph Node(s)" -#~ msgstr "Shader Graph Node(s) অপসারণ করুন" - #~ msgid "Error: Cyclic Connection Link" #~ msgstr "সমস্যা: আবর্তনশীল সংযোগ লিঙ্ক" @@ -13522,9 +13824,6 @@ msgstr "" #~ msgid "Pick New Name and Location For:" #~ msgstr "নতুন নাম এবং অবস্থান বাছাই করুন:" -#~ msgid "No files selected!" -#~ msgstr "কোনো ফাইল নির্বাচিত হয়নি!" - #~ msgid "Info" #~ msgstr "তথ্য" @@ -13926,12 +14225,6 @@ msgstr "" #~ msgid "Scaling to %s%%." #~ msgstr "%s%% -এ মাপিত হচ্ছে।" -#~ msgid "Up" -#~ msgstr "উপরে" - -#~ msgid "Down" -#~ msgstr "নীচে" - #~ msgid "Bucket" #~ msgstr "বাকেট্" diff --git a/editor/translations/ca.po b/editor/translations/ca.po index 44afcb8066..36548b1f29 100644 --- a/editor/translations/ca.po +++ b/editor/translations/ca.po @@ -12,7 +12,7 @@ msgid "" msgstr "" "Project-Id-Version: Godot Engine editor\n" "POT-Creation-Date: \n" -"PO-Revision-Date: 2019-08-04 14:23+0000\n" +"PO-Revision-Date: 2019-09-11 03:10+0000\n" "Last-Translator: roger <616steam@gmail.com>\n" "Language-Team: Catalan <https://hosted.weblate.org/projects/godot-engine/" "godot/ca/>\n" @@ -21,7 +21,7 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=n != 1;\n" -"X-Generator: Weblate 3.8-dev\n" +"X-Generator: Weblate 3.9-dev\n" #: core/math/expression.cpp modules/gdscript/gdscript_functions.cpp #: modules/visual_script/visual_script_builtin_funcs.cpp @@ -62,6 +62,35 @@ msgstr "Els arguments per a construir '%s' no són vàlids" msgid "On call to '%s':" msgstr "En la crida a '%s':" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +#, fuzzy +msgid "MiB" +msgstr "Mesclar" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "Allibera" @@ -477,6 +506,12 @@ msgid "Select None" msgstr "No seleccionar-ne cap" #: editor/animation_track_editor.cpp +#, fuzzy +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" +"Selecciona un AnimationPlayer a l'Arbre de l'Escena per editar-ne l'animació." + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "Mostra les pistes dels nodes seleccionats en l'arbre." @@ -800,7 +835,8 @@ msgstr "No es pot connectar el senyal" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -902,7 +938,8 @@ msgstr "Cerca:" msgid "Matches:" msgstr "Coincidències:" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1215,7 +1252,8 @@ msgid "Delete Bus Effect" msgstr "Elimina l'Efecte de Bus" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +#, fuzzy +msgid "Drag & drop to rearrange." msgstr "Bus d'Àudio, reorganitza Arrossegant i Deixant anar." #: editor/editor_audio_buses.cpp @@ -1414,6 +1452,7 @@ msgid "Add AutoLoad" msgstr "Afegeix AutoCàrrega" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "Camí:" @@ -1646,6 +1685,7 @@ msgstr "Fer Actual" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "Nou" @@ -1716,6 +1756,7 @@ msgid "New Folder..." msgstr "Nou Directori..." #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "Refresca" @@ -1803,9 +1844,8 @@ msgid "Go to parent folder." msgstr "Anar al directori pare." #: editor/editor_file_dialog.cpp scene/gui/file_dialog.cpp -#, fuzzy msgid "Refresh files." -msgstr "Actualitzar Fitxers" +msgstr "Actualitzar fitxers." #: editor/editor_file_dialog.cpp msgid "(Un)favorite current folder." @@ -1874,7 +1914,8 @@ msgid "Inherited by:" msgstr "Heretat per:" #: editor/editor_help.cpp -msgid "Brief Description:" +#, fuzzy +msgid "Brief Description" msgstr "Descripció breu:" #: editor/editor_help.cpp @@ -1882,38 +1923,18 @@ msgid "Properties" msgstr "Propietats" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "Propietats:" - -#: editor/editor_help.cpp msgid "Methods" msgstr "Mètodes" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "Mètodes:" - -#: editor/editor_help.cpp msgid "Theme Properties" msgstr "Propietats del tema" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "Propietats del tema:" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "Senyals:" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "Enumeracions" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "Enumeracions:" - -#: editor/editor_help.cpp msgid "enum " msgstr "enum " @@ -1922,19 +1943,12 @@ msgid "Constants" msgstr "Constants" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "Constants:" - -#: editor/editor_help.cpp msgid "Class Description" msgstr "Descripció de la classe" #: editor/editor_help.cpp -msgid "Class Description:" -msgstr "Descripció de la classe:" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +#, fuzzy +msgid "Online Tutorials" msgstr "Tutorials en línia:" #: editor/editor_help.cpp @@ -1952,10 +1966,6 @@ msgid "Property Descriptions" msgstr "Descripcions de la Propietat" #: editor/editor_help.cpp -msgid "Property Descriptions:" -msgstr "Descripcions de la Propietat:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -1968,10 +1978,6 @@ msgid "Method Descriptions" msgstr "Descripcions del Mètode" #: editor/editor_help.cpp -msgid "Method Descriptions:" -msgstr "Descripcions del Mètode:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2040,8 +2046,8 @@ msgstr "Sortida:" msgid "Copy Selection" msgstr "Copiar Selecció" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2054,9 +2060,52 @@ msgstr "Neteja" msgid "Clear Output" msgstr "Buida la Sortida" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "Atura" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "Inicia" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +#, fuzzy +msgid "Down" +msgstr "Baixa" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "Node" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" -msgstr "" +msgstr "Nova finestra" #: editor/editor_node.cpp msgid "Project export failed with error code %d." @@ -2646,6 +2695,19 @@ msgstr "Projecte" msgid "Project Settings..." msgstr "Configuració del Projecte" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Version Control" +msgstr "Versió:" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp #, fuzzy msgid "Export..." @@ -2873,10 +2935,6 @@ msgstr "Pausa Escena" msgid "Stop the scene." msgstr "Atura l'escena." -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "Atura" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "Reprodueix l'escena editada." @@ -2928,10 +2986,6 @@ msgid "Inspector" msgstr "Inspector" #: editor/editor_node.cpp -msgid "Node" -msgstr "Node" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "Expandeix el Quadre inferior" @@ -2955,15 +3009,22 @@ msgstr "Administrar Plantilles" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp +#, fuzzy msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" "La plantilla de compilació d'Android ja està instal·lada i no se " "sobreescriurà.\n" @@ -3030,6 +3091,11 @@ msgstr "Obre l'Editor Següent" msgid "Open the previous Editor" msgstr "Obre l'Editor precedent" +#: editor/editor_path.cpp +#, fuzzy +msgid "No sub-resources found." +msgstr "Manca una superfície d'origen." + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "Creant Previsualitzacions de Malles" @@ -3039,6 +3105,11 @@ msgid "Thumbnail..." msgstr "Miniatura..." #: editor/editor_plugin_settings.cpp +#, fuzzy +msgid "Main Script:" +msgstr "Obrir Script:" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "Edita Connector" @@ -3067,11 +3138,6 @@ msgstr "Estat:" msgid "Edit:" msgstr "Edita:" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "Inicia" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "Mesura:" @@ -3301,6 +3367,8 @@ msgstr "Baixa" #: editor/export_template_manager.cpp msgid "Official export templates aren't available for development builds." msgstr "" +"Les plantilles oficials d'exportació no estan disponibles per a les versions " +"de desenvolupament." #: editor/export_template_manager.cpp msgid "(Missing)" @@ -3763,7 +3831,7 @@ msgstr "Nodes del Grup" #: editor/groups_editor.cpp msgid "Empty groups will be automatically removed." -msgstr "" +msgstr "Els grups buits s'eliminaran automàticament." #: editor/groups_editor.cpp #, fuzzy @@ -3867,9 +3935,10 @@ msgstr " Fitxers" msgid "Import As:" msgstr "Importar com a:" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." -msgstr "Configuració..." +#: editor/import_dock.cpp +#, fuzzy +msgid "Preset" +msgstr "Configuracions prestablertes" #: editor/import_dock.cpp msgid "Reimport" @@ -4312,6 +4381,7 @@ msgid "Change Animation Name:" msgstr "Modifica el Nom de l'Animació:" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "Eliminar l'Animació?" @@ -4774,7 +4844,7 @@ msgstr "No es pot desar el Tema:" #: editor/plugins/asset_library_editor_plugin.cpp msgid "Write error." -msgstr "" +msgstr "Error d'escriptura." #: editor/plugins/asset_library_editor_plugin.cpp msgid "Request failed, too many redirects" @@ -4886,11 +4956,6 @@ msgid "Sort:" msgstr "Ordena:" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy -msgid "Reverse sorting." -msgstr "Ordenació inversa." - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "Categoria:" @@ -5181,6 +5246,11 @@ msgid "Pan Mode" msgstr "Mode d'Escombratge lateral" #: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy +msgid "Ruler Mode" +msgstr "Mode d'Execució:" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "Commutar Ajustament." @@ -5847,7 +5917,7 @@ msgstr "Temps de generació (s):" #: editor/plugins/particles_editor_plugin.cpp msgid "The geometry's faces don't contain any area." -msgstr "" +msgstr "Les cares de la geometria no contenen cap àrea." #: editor/plugins/particles_editor_plugin.cpp #, fuzzy @@ -5855,8 +5925,9 @@ msgid "The geometry doesn't contain any faces." msgstr "El Node no conté cap geometria (cares)." #: editor/plugins/particles_editor_plugin.cpp +#, fuzzy msgid "\"%s\" doesn't inherit from Spatial." -msgstr "" +msgstr "\"% s\" no hereta de Spatial." #: editor/plugins/particles_editor_plugin.cpp #, fuzzy @@ -6268,7 +6339,7 @@ msgstr "Instància:" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "Tipus:" @@ -6474,14 +6545,14 @@ msgid "Toggle Scripts Panel" msgstr "Panell d'Scripts" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" -msgstr "Pas a Pas (per Procediments)" - -#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Step Into" msgstr "Pas a Pas (per instruccions)" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp +msgid "Step Over" +msgstr "Pas a Pas (per Procediments)" + +#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Break" msgstr "Atura" @@ -6562,7 +6633,7 @@ msgstr "Buida les Escenes Recents" msgid "Connections to method:" msgstr "Connexions al mètode:" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp msgid "Source" msgstr "Font" @@ -6629,7 +6700,7 @@ msgstr "Ressaltador de sintaxi" #: editor/plugins/script_text_editor.cpp #: editor/plugins/shader_editor_plugin.cpp editor/plugins/text_editor.cpp msgid "Go To" -msgstr "" +msgstr "Anar a" #: editor/plugins/script_text_editor.cpp #: editor/plugins/shader_editor_plugin.cpp editor/plugins/text_editor.cpp @@ -7062,8 +7133,9 @@ msgid "Snap Nodes To Floor" msgstr "Ajustar Nodes al Terra" #: editor/plugins/spatial_editor_plugin.cpp +#, fuzzy msgid "Couldn't find a solid floor to snap the selection to." -msgstr "" +msgstr "No ha pogut trobar un terra sòlid per ajustar la selecció." #: editor/plugins/spatial_editor_plugin.cpp msgid "" @@ -7370,6 +7442,11 @@ msgid "(empty)" msgstr "(buit)" #: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy +msgid "Move Frame" +msgstr "Enganxa el Fotograma" + +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Animations:" msgstr "Animacions:" @@ -7698,6 +7775,15 @@ msgid "Enable Priority" msgstr "Habilitar Prioritat" #: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy +msgid "Filter tiles" +msgstr "Filtrat de Fitxers..." + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "Pinta Rajola" @@ -7844,6 +7930,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "Mostrar noms de les rajoles (manteniu pressionada la tecla Alt)" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp msgid "Remove selected texture? This will remove all tiles which use it." msgstr "" "Eliminar la textura seleccionada? Això eliminarà totes les rajoles que " @@ -8022,9 +8113,115 @@ msgstr "Aquesta propietat no es pot canviar." msgid "TileSet" msgstr "Conjunt de rajoles" +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No VCS addons are available." +msgstr "Nom del pare del node, si està disponible" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "Error" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No commit message was provided" +msgstr "Manca Nom" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit" +msgstr "Comunitat" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Initialize" +msgstr "Converteix a Majúscules" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "Crear un nou rectangle." + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "Modifica" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "Reanomena" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "Esborra" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Typechange" +msgstr "Modifica" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "Elimina Seleccionats" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage All" +msgstr "Desa-ho Tot" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit Changes" +msgstr "Sincronitzar Canvis en Scripts" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "Estat" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No file diff is active" +msgstr "Cap fitxer seleccionat!" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" -msgstr "" +msgstr "(Només GLES3)" #: editor/plugins/visual_shader_editor_plugin.cpp #, fuzzy @@ -8232,15 +8429,15 @@ msgstr "Retorna l'invers de l'arrel quadrada del paràmetre." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Equal (==)" -msgstr "" +msgstr "Igual (= =)" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Greater Than (>)" -msgstr "" +msgstr "Major Que (>)" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Greater Than or Equal (>=)" -msgstr "" +msgstr "Major o Igual Que (>=)" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "" @@ -8251,28 +8448,34 @@ msgstr "" "o menors." #: editor/plugins/visual_shader_editor_plugin.cpp +#, fuzzy msgid "" "Returns the boolean result of the comparison between INF and a scalar " "parameter." msgstr "" +"Retorna el resultat booleà de la comparació entre un paràmetre INF i un " +"escalar." #: editor/plugins/visual_shader_editor_plugin.cpp +#, fuzzy msgid "" "Returns the boolean result of the comparison between NaN and a scalar " "parameter." msgstr "" +"Retorna el resultat booleà de la comparació entre NaN i un paràmetre escalar." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Less Than (<)" -msgstr "" +msgstr "Menor Que (<)" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Less Than or Equal (<=)" -msgstr "" +msgstr "Menor o Igual Que (<=)" #: editor/plugins/visual_shader_editor_plugin.cpp +#, fuzzy msgid "Not Equal (!=)" -msgstr "" +msgstr "No Igual (!=)" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "" @@ -8282,14 +8485,24 @@ msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp #, fuzzy +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" +"Retorna un vector associat si el valor booleà proporcionat és cert o fals." + +#: editor/plugins/visual_shader_editor_plugin.cpp +#, fuzzy msgid "Returns the boolean result of the comparison between two parameters." msgstr "Retorna la tangent del paràmetre." #: editor/plugins/visual_shader_editor_plugin.cpp +#, fuzzy msgid "" "Returns the boolean result of the comparison between INF (or NaN) and a " "scalar parameter." msgstr "" +"Retorna el resultat booleà de la comparació entre INF (o NaN) i un paràmetre " +"escalar." #: editor/plugins/visual_shader_editor_plugin.cpp #, fuzzy @@ -9227,8 +9440,9 @@ msgid "Missing Project" msgstr "Importa un Projecte existent" #: editor/project_manager.cpp +#, fuzzy msgid "Error: Project is missing on the filesystem." -msgstr "" +msgstr "Error: falta el projecte al sistema de fitxers." #: editor/project_manager.cpp msgid "Can't open project at '%s'." @@ -9597,6 +9811,11 @@ msgid "Settings saved OK." msgstr "Configuració desada correctament." #: editor/project_settings_editor.cpp +#, fuzzy +msgid "Moved Input Action Event" +msgstr "Afegeix un Incidència d'Acció de Entrada" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "Substitutiu per a Característica" @@ -9733,6 +9952,10 @@ msgid "Plugins" msgstr "Connectors" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "Configuració..." + +#: editor/property_editor.cpp msgid "Zero" msgstr "Zero" @@ -9902,10 +10125,6 @@ msgstr "A Majúscules" msgid "Reset" msgstr "Resetejar" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "Error" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "Torna a Parentar el Node" @@ -9963,6 +10182,11 @@ msgid "Instance Scene(s)" msgstr "Instància les Escenes" #: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Replace with Branch Scene" +msgstr "Desa la Branca com un Escena" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "Instancia una Escena Filla" @@ -9987,8 +10211,11 @@ msgid "Duplicate Node(s)" msgstr "Duplica els Nodes" #: editor/scene_tree_dock.cpp +#, fuzzy msgid "Can't reparent nodes in inherited scenes, order of nodes can't change." msgstr "" +"No es poden re-emparentar els nodes en escenes heretades, l'ordre de nodes " +"no pot canviar." #: editor/scene_tree_dock.cpp msgid "Node must belong to the edited scene to become root." @@ -10005,8 +10232,23 @@ msgid "Make node as Root" msgstr "Convertir node en arrel" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" -msgstr "Elimina els Nodes?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "Eliminar Nodes" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete the root node \"%s\"?" +msgstr "Elimina el(s) Node(s) de Graf d'Ombreig" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" +msgstr "" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "Eliminar Nodes" #: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." @@ -10021,10 +10263,13 @@ msgid "Save New Scene As..." msgstr "Anomena i Desa la Nova Escena..." #: editor/scene_tree_dock.cpp +#, fuzzy msgid "" "Disabling \"editable_instance\" will cause all properties of the node to be " "reverted to their default." msgstr "" +"Deshabilitar \"editable_instance\" provocarà que totes les propietats del " +"node tornin al seu valor per defecte." #: editor/scene_tree_dock.cpp msgid "Editable Children" @@ -10412,19 +10657,50 @@ msgstr "Bytes:" #: editor/script_editor_debugger.cpp #, fuzzy -msgid "Stack Trace" -msgstr "Fotogrames de la Pila" +msgid "Warning:" +msgstr "Avisos:" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." -msgstr "Trieu un o més elements de la llista per mostrar el Graf." +msgid "Error:" +msgstr "Error:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error" +msgstr "Error de Còpia" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error:" +msgstr "Error:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source" +msgstr "Font" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" +msgstr "Font" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source:" +msgstr "Font" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Stack Trace" +msgstr "Fotogrames de la Pila" #: editor/script_editor_debugger.cpp msgid "Errors" msgstr "Errors" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +#, fuzzy +msgid "Child process connected." msgstr "Procés Fill Connectat" #: editor/script_editor_debugger.cpp @@ -10432,6 +10708,11 @@ msgid "Copy Error" msgstr "Error de Còpia" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "Crea punts." + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "Inspecciona la Instància anterior" @@ -10448,6 +10729,11 @@ msgid "Profiler" msgstr "Perfilador" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Network Profiler" +msgstr "Exportar Perfil" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "Monitor" @@ -10460,6 +10746,10 @@ msgid "Monitors" msgstr "Monitors" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "Trieu un o més elements de la llista per mostrar el Graf." + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "Llista d'Ús de la Memòria de Vídeo per Recurs:" @@ -10663,10 +10953,6 @@ msgid "Library" msgstr "Biblioteca" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "Estat" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "Biblioteques: " @@ -10675,6 +10961,10 @@ msgid "GDNative" msgstr "GDNative" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp #, fuzzy msgid "Step argument is zero!" msgstr "L'argument pas és zero!" @@ -10834,6 +11124,15 @@ msgstr "Configuració del GridMap" msgid "Pick Distance:" msgstr "Trieu la distància:" +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "Filtra Mode:" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "El nom de la classe no pot ser una paraula clau reservada" @@ -10982,6 +11281,10 @@ msgid "Create a new variable." msgstr "Crear un nou rectangle." #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "Senyals:" + +#: modules/visual_script/visual_script_editor.cpp #, fuzzy msgid "Create a new signal." msgstr "Crear un nou polígon." @@ -11145,6 +11448,11 @@ msgid "Editing Signal:" msgstr "Edició del Senyal:" #: modules/visual_script/visual_script_editor.cpp +#, fuzzy +msgid "Make Tool:" +msgstr "Fer Local" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "Tipus Base:" @@ -11311,7 +11619,8 @@ msgstr "" #: platform/android/export/export.cpp #, fuzzy msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" "El projecte Android no està instal·lat per a la compilació. Instal·leu-lo " "des del menú Editor." @@ -11348,8 +11657,9 @@ msgstr "" "'Projecte'." #: platform/android/export/export.cpp +#, fuzzy msgid "Building Android Project (gradle)" -msgstr "" +msgstr "Construint Projecte Android (gradle)" #: platform/android/export/export.cpp #, fuzzy @@ -12104,6 +12414,36 @@ msgstr "" msgid "Constants cannot be modified." msgstr "Les constants no es poden modificar." +#~ msgid "Properties:" +#~ msgstr "Propietats:" + +#~ msgid "Methods:" +#~ msgstr "Mètodes:" + +#~ msgid "Theme Properties:" +#~ msgstr "Propietats del tema:" + +#~ msgid "Enumerations:" +#~ msgstr "Enumeracions:" + +#~ msgid "Constants:" +#~ msgstr "Constants:" + +#~ msgid "Class Description:" +#~ msgstr "Descripció de la classe:" + +#~ msgid "Property Descriptions:" +#~ msgstr "Descripcions de la Propietat:" + +#~ msgid "Method Descriptions:" +#~ msgstr "Descripcions del Mètode:" + +#~ msgid "Reverse sorting." +#~ msgstr "Ordenació inversa." + +#~ msgid "Delete Node(s)?" +#~ msgstr "Elimina els Nodes?" + #~ msgid "No Matches" #~ msgstr "Cap Coincidència" @@ -12384,9 +12724,6 @@ msgstr "Les constants no es poden modificar." #~ msgstr "" #~ "Instancia les escenes seleccionades com a filles del node seleccionat." -#~ msgid "Warnings:" -#~ msgstr "Avisos:" - #, fuzzy #~ msgid "Font Size:" #~ msgstr "Mida de la lletra:" @@ -12430,9 +12767,6 @@ msgstr "Les constants no es poden modificar." #~ msgid "Select a split to erase it." #~ msgstr "Cal seleccionar un Element!" -#~ msgid "No name provided" -#~ msgstr "Manca Nom" - #, fuzzy #~ msgid "Add Node.." #~ msgstr "Afegeix un Node" @@ -12573,9 +12907,6 @@ msgstr "Les constants no es poden modificar." #~ msgid "Warning" #~ msgstr "Avís" -#~ msgid "Error:" -#~ msgstr "Error:" - #~ msgid "Function:" #~ msgstr "Funció:" @@ -12654,9 +12985,6 @@ msgstr "Les constants no es poden modificar." #~ msgid "Duplicate Graph Node(s)" #~ msgstr "Duplica el(s) Node(s) de Graf" -#~ msgid "Delete Shader Graph Node(s)" -#~ msgstr "Elimina el(s) Node(s) de Graf d'Ombreig" - #~ msgid "Error: Cyclic Connection Link" #~ msgstr "Error: Enllaç de Connexió Cíclic" @@ -13072,9 +13400,6 @@ msgstr "Les constants no es poden modificar." #~ msgid "Pick New Name and Location For:" #~ msgstr "Tria un Nou Nom i Ubicació per a:" -#~ msgid "No files selected!" -#~ msgstr "Cap fitxer seleccionat!" - #~ msgid "Info" #~ msgstr "Informació" diff --git a/editor/translations/cs.po b/editor/translations/cs.po index a9cae4a444..3b805043f5 100644 --- a/editor/translations/cs.po +++ b/editor/translations/cs.po @@ -68,6 +68,34 @@ msgstr "Neplatné argumenty pro zkonstruování '%s'" msgid "On call to '%s':" msgstr "Při volání '%s':" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +msgid "MiB" +msgstr "" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "Volný" @@ -485,6 +513,11 @@ msgid "Select None" msgstr "Nevybrat nic" #: editor/animation_track_editor.cpp +#, fuzzy +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "Pro úpravu animací vyberte ze stromu scény uzel AnimationPlayer." + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "Zobrazit pouze stopy vybraných uzlů." @@ -806,7 +839,8 @@ msgstr "Připojit Signál" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -911,7 +945,8 @@ msgstr "Hledat:" msgid "Matches:" msgstr "Shody:" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1230,7 +1265,7 @@ msgid "Delete Bus Effect" msgstr "Smazat Bus efekt" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +msgid "Drag & drop to rearrange." msgstr "" #: editor/editor_audio_buses.cpp @@ -1428,6 +1463,7 @@ msgid "Add AutoLoad" msgstr "Přidat AutoLoad" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "Cesta:" @@ -1670,6 +1706,7 @@ msgstr "Aktuální:" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "Nový" @@ -1747,6 +1784,7 @@ msgid "New Folder..." msgstr "Nová složka..." #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "Obnovit" @@ -1910,7 +1948,8 @@ msgid "Inherited by:" msgstr "Děděná z:" #: editor/editor_help.cpp -msgid "Brief Description:" +#, fuzzy +msgid "Brief Description" msgstr "Stručný popis:" #: editor/editor_help.cpp @@ -1918,38 +1957,18 @@ msgid "Properties" msgstr "Vlastnosti" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "Vlastnosti:" - -#: editor/editor_help.cpp msgid "Methods" msgstr "Metody" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "Metody:" - -#: editor/editor_help.cpp msgid "Theme Properties" msgstr "Vlastnosti motivu" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "Vlastnosti motivu:" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "Signály:" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "Výčty" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "Výčty:" - -#: editor/editor_help.cpp msgid "enum " msgstr "výčet " @@ -1958,19 +1977,12 @@ msgid "Constants" msgstr "Konstanty" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "Konstanty:" - -#: editor/editor_help.cpp msgid "Class Description" msgstr "Popis třídy" #: editor/editor_help.cpp -msgid "Class Description:" -msgstr "Popis třídy:" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +#, fuzzy +msgid "Online Tutorials" msgstr "Online návody:" #: editor/editor_help.cpp @@ -1988,10 +2000,6 @@ msgid "Property Descriptions" msgstr "Popis vlastnosti" #: editor/editor_help.cpp -msgid "Property Descriptions:" -msgstr "Popis vlastnosti:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -2004,10 +2012,6 @@ msgid "Method Descriptions" msgstr "Popis metody" #: editor/editor_help.cpp -msgid "Method Descriptions:" -msgstr "Popis metody:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2077,8 +2081,8 @@ msgstr "Výstup:" msgid "Copy Selection" msgstr "Kopírovat výběr" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2091,6 +2095,49 @@ msgstr "Vyčistit" msgid "Clear Output" msgstr "Vymazat výstup" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "Zastavit" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "Start" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +#, fuzzy +msgid "Down" +msgstr "Stáhnout" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "Uzel" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" msgstr "" @@ -2674,6 +2721,19 @@ msgstr "Projekt" msgid "Project Settings..." msgstr "Nastavení projektu" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Version Control" +msgstr "Verze:" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp #, fuzzy msgid "Export..." @@ -2899,10 +2959,6 @@ msgstr "Pozastavit scénu" msgid "Stop the scene." msgstr "Zastavit scénu." -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "Zastavit" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "Spustit upravenou scénu." @@ -2956,10 +3012,6 @@ msgid "Inspector" msgstr "Inspektor" #: editor/editor_node.cpp -msgid "Node" -msgstr "Uzel" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "" @@ -2982,15 +3034,21 @@ msgstr "Spravovat exportní šablony" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -3053,6 +3111,11 @@ msgstr "Otevřít další editor" msgid "Open the previous Editor" msgstr "Otevřít předchozí editor" +#: editor/editor_path.cpp +#, fuzzy +msgid "No sub-resources found." +msgstr "Dílčí zdroje" + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "" @@ -3062,6 +3125,11 @@ msgid "Thumbnail..." msgstr "Náhled..." #: editor/editor_plugin_settings.cpp +#, fuzzy +msgid "Main Script:" +msgstr "Otevřít skript" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "Upravit plugin" @@ -3090,11 +3158,6 @@ msgstr "Stav:" msgid "Edit:" msgstr "Upravit:" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "Start" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "Měření:" @@ -3904,9 +3967,10 @@ msgstr " Soubory" msgid "Import As:" msgstr "Importovat jako:" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." -msgstr "Předvolba..." +#: editor/import_dock.cpp +#, fuzzy +msgid "Preset" +msgstr "Předvolby" #: editor/import_dock.cpp msgid "Reimport" @@ -4347,6 +4411,7 @@ msgid "Change Animation Name:" msgstr "Změnit název animace:" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "Smazat animaci?" @@ -4917,11 +4982,6 @@ msgid "Sort:" msgstr "Řadit:" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy -msgid "Reverse sorting." -msgstr "Posílá se žádost..." - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "Kategorie:" @@ -5202,6 +5262,11 @@ msgid "Pan Mode" msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy +msgid "Ruler Mode" +msgstr "Režim škálování" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "Přepnout přichycování." @@ -6286,7 +6351,7 @@ msgstr "Instance:" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "Typ:" @@ -6493,15 +6558,15 @@ msgid "Toggle Scripts Panel" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" -msgstr "Přeskočit" - -#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp #, fuzzy msgid "Step Into" msgstr "Vstoupit" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp +msgid "Step Over" +msgstr "Přeskočit" + +#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Break" msgstr "Přerušit" @@ -6583,7 +6648,7 @@ msgstr "Vymazat nedávné scény" msgid "Connections to method:" msgstr "Připojit k uzlu:" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp #, fuzzy msgid "Source" msgstr "Zdroj:" @@ -7386,6 +7451,11 @@ msgid "(empty)" msgstr "(prázdný)" #: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy +msgid "Move Frame" +msgstr "Vložit snímek" + +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Animations:" msgstr "Animace:" @@ -7719,6 +7789,15 @@ msgid "Enable Priority" msgstr "Editovat filtry" #: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy +msgid "Filter tiles" +msgstr "Filtrovat soubory..." + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "" @@ -7866,6 +7945,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp msgid "Remove selected texture? This will remove all tiles which use it." msgstr "" "Odstranit vybranou texturu? Toto odstraní všechny dlaždice, které ji " @@ -8038,6 +8122,111 @@ msgstr "Tato vlastnost nemůže být změněna." msgid "TileSet" msgstr "TileSet" +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No VCS addons are available." +msgstr "Jméno rodiče uzlu, pokud dostupné" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "Chyba" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No commit message was provided" +msgstr "Nebylo poskytnuto žádné jméno" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit" +msgstr "Komunita" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Initialize" +msgstr "Velká písmena" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "Vytvořit nové uzly." + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "Změnit" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "Přejmenovat" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "Odstranit" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Typechange" +msgstr "Změnit" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "Smazat vybraný" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage All" +msgstr "Uložit vše" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit Changes" +msgstr "Synchornizace změn skriptu" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "Status" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -8296,6 +8485,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp #, fuzzy msgid "Returns the boolean result of the comparison between two parameters." msgstr "Vrátí tangens parametru." @@ -9534,6 +9728,11 @@ msgid "Settings saved OK." msgstr "Nastavení úspěšně uloženo." #: editor/project_settings_editor.cpp +#, fuzzy +msgid "Moved Input Action Event" +msgstr "Změnit měřítko výběru" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "" @@ -9673,6 +9872,10 @@ msgid "Plugins" msgstr "Pluginy" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "Předvolba..." + +#: editor/property_editor.cpp msgid "Zero" msgstr "Nula" @@ -9839,10 +10042,6 @@ msgstr "Na velká písmena" msgid "Reset" msgstr "Resetovat" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "Chyba" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "" @@ -9898,6 +10097,11 @@ msgid "Instance Scene(s)" msgstr "" #: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Replace with Branch Scene" +msgstr "Uložit větev jako scénu" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "" @@ -9939,8 +10143,22 @@ msgid "Make node as Root" msgstr "Dává smysl!" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" -msgstr "Odstranit uzel/uzly?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "Smazat uzel" + +#: editor/scene_tree_dock.cpp +msgid "Delete the root node \"%s\"?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" +msgstr "" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "Smazat uzel" #: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." @@ -10348,11 +10566,41 @@ msgid "Bytes:" msgstr "Bajtů:" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" -msgstr "" +#, fuzzy +msgid "Warning:" +msgstr "Varování:" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." +msgid "Error:" +msgstr "Chyba:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error" +msgstr "Kopírovat chybu" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error:" +msgstr "Chyba:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source" +msgstr "Zdroj:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" +msgstr "Zdroj:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source:" +msgstr "Zdroj:" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" msgstr "" #: editor/script_editor_debugger.cpp @@ -10360,14 +10608,20 @@ msgid "Errors" msgstr "Chyby" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" -msgstr "" +#, fuzzy +msgid "Child process connected." +msgstr "Odpojené uzly" #: editor/script_editor_debugger.cpp msgid "Copy Error" msgstr "Kopírovat chybu" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "Vytvořit body." + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "" @@ -10384,6 +10638,11 @@ msgid "Profiler" msgstr "Profiler" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Network Profiler" +msgstr "Exportovat projekt" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "" @@ -10396,6 +10655,10 @@ msgid "Monitors" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "" @@ -10602,10 +10865,6 @@ msgid "Library" msgstr "Knihovna" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "Status" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "Knihovny: " @@ -10614,6 +10873,10 @@ msgid "GDNative" msgstr "GDNative" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp #, fuzzy msgid "Step argument is zero!" msgstr "Argument kroku je nula!" @@ -10773,6 +11036,15 @@ msgstr "Nastavení GridMap" msgid "Pick Distance:" msgstr "" +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "Režim filtru:" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "Název třídy nemůže být rezervované klíčové slovo" @@ -10919,6 +11191,10 @@ msgid "Create a new variable." msgstr "Vytvořit nové uzly." #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "Signály:" + +#: modules/visual_script/visual_script_editor.cpp #, fuzzy msgid "Create a new signal." msgstr "Vytvořit nový polygon." @@ -11085,6 +11361,11 @@ msgid "Editing Signal:" msgstr "Úprava signálu:" #: modules/visual_script/visual_script_editor.cpp +#, fuzzy +msgid "Make Tool:" +msgstr "Místní" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "Základní typ:" @@ -11237,7 +11518,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp @@ -11972,6 +12254,37 @@ msgstr "" msgid "Constants cannot be modified." msgstr "Konstanty není možné upravovat." +#~ msgid "Properties:" +#~ msgstr "Vlastnosti:" + +#~ msgid "Methods:" +#~ msgstr "Metody:" + +#~ msgid "Theme Properties:" +#~ msgstr "Vlastnosti motivu:" + +#~ msgid "Enumerations:" +#~ msgstr "Výčty:" + +#~ msgid "Constants:" +#~ msgstr "Konstanty:" + +#~ msgid "Class Description:" +#~ msgstr "Popis třídy:" + +#~ msgid "Property Descriptions:" +#~ msgstr "Popis vlastnosti:" + +#~ msgid "Method Descriptions:" +#~ msgstr "Popis metody:" + +#, fuzzy +#~ msgid "Reverse sorting." +#~ msgstr "Posílá se žádost..." + +#~ msgid "Delete Node(s)?" +#~ msgstr "Odstranit uzel/uzly?" + #~ msgid "No Matches" #~ msgstr "Žádné shody" @@ -12177,9 +12490,6 @@ msgstr "Konstanty není možné upravovat." #~ msgid "Insert keys." #~ msgstr "Vložit klíče." -#~ msgid "Warnings:" -#~ msgstr "Varování:" - #, fuzzy #~ msgid "Font Size:" #~ msgstr "Pohled zepředu" @@ -12217,9 +12527,6 @@ msgstr "Konstanty není možné upravovat." #~ msgid "Select a split to erase it." #~ msgstr "Vyberte složku pro skenování" -#~ msgid "No name provided" -#~ msgstr "Nebylo poskytnuto žádné jméno" - #~ msgid "Add Node.." #~ msgstr "Přidat uzel.." @@ -12333,9 +12640,6 @@ msgstr "Konstanty není možné upravovat." #~ msgid "Warning" #~ msgstr "Varování" -#~ msgid "Error:" -#~ msgstr "Chyba:" - #~ msgid "Function:" #~ msgstr "Funkce:" diff --git a/editor/translations/da.po b/editor/translations/da.po index bacbf07ff6..3dc3b082aa 100644 --- a/editor/translations/da.po +++ b/editor/translations/da.po @@ -12,12 +12,13 @@ # Jonathan B. Jørgensen <pizzaernam@gmail.com>, 2018. # Peter G. Laursen <GhostReven@gmail.com>, 2018. # Rémi Verschelde <akien@godotengine.org>, 2019. +# Mads K. Bredager <mbredager@gmail.com>, 2019. msgid "" msgstr "" "Project-Id-Version: Godot Engine editor\n" "POT-Creation-Date: \n" -"PO-Revision-Date: 2019-01-13 15:06+0000\n" -"Last-Translator: Rémi Verschelde <akien@godotengine.org>\n" +"PO-Revision-Date: 2019-09-07 13:51+0000\n" +"Last-Translator: Mads K. Bredager <mbredager@gmail.com>\n" "Language-Team: Danish <https://hosted.weblate.org/projects/godot-engine/" "godot/da/>\n" "Language: da\n" @@ -25,7 +26,7 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=n != 1;\n" -"X-Generator: Weblate 3.4-dev\n" +"X-Generator: Weblate 3.9-dev\n" #: core/math/expression.cpp modules/gdscript/gdscript_functions.cpp #: modules/visual_script/visual_script_builtin_funcs.cpp @@ -66,6 +67,34 @@ msgstr "Ugyldige argumenter til at konstruere '%s'" msgid "On call to '%s':" msgstr "Ved kald til '%s':" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +msgid "MiB" +msgstr "" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "Gratis" @@ -84,7 +113,7 @@ msgstr "Tid:" #: editor/animation_bezier_editor.cpp msgid "Value:" -msgstr "" +msgstr "Værdi:" #: editor/animation_bezier_editor.cpp msgid "Insert Key Here" @@ -104,9 +133,8 @@ msgid "Add Bezier Point" msgstr "Tilføj punkt" #: editor/animation_bezier_editor.cpp -#, fuzzy msgid "Move Bezier Points" -msgstr "Fjern punkt" +msgstr "Flyt punkt" #: editor/animation_bezier_editor.cpp editor/animation_track_editor.cpp msgid "Anim Duplicate Keys" @@ -169,7 +197,7 @@ msgstr "Ændre Animation Navn:" #: editor/animation_track_editor.cpp #: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Change Animation Loop" -msgstr "" +msgstr "Redigér animationsløkke" #: editor/animation_track_editor.cpp msgid "Property Track" @@ -257,7 +285,7 @@ msgstr "Tid (s): " #: editor/animation_track_editor.cpp msgid "Toggle Track Enabled" -msgstr "" +msgstr "Skift bane slået til" #: editor/animation_track_editor.cpp msgid "Continuous" @@ -477,10 +505,20 @@ msgid "" "Alternatively, use an import preset that imports animations to separate " "files." msgstr "" +"Animationen hører til en importeret scene, og ændringer til importerede spor " +"vil ikke blive gemt.\n" +"\n" +"For at slå muligheden for at tilføje brugerdefinerede spor til, naviger til " +"scenens importerings-\n" +"muligheder og sæt \"Animation > Lager\" til \"Filer\", slå \"animation > " +"Behold brugerdefinerede\n" +"spor\" til, og importer igen.\n" +"Alternativt, brug en import forudindstilling, der importerer animationer til " +"separate filer." #: editor/animation_track_editor.cpp msgid "Warning: Editing imported animation" -msgstr "" +msgstr "Advarsel: Redigerer importeret animation" #: editor/animation_track_editor.cpp editor/plugins/script_text_editor.cpp #: scene/gui/line_edit.cpp scene/gui/text_edit.cpp @@ -493,6 +531,12 @@ msgid "Select None" msgstr "Vælg Node" #: editor/animation_track_editor.cpp +#, fuzzy +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" +"Vælg en Animations afspiller fra Scene Tree for at redigere i animationer." + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "Vis kun spor fra noder valgt in træ." @@ -511,11 +555,11 @@ msgstr "Animation trin værdi." #: editor/animation_track_editor.cpp msgid "Seconds" -msgstr "" +msgstr "Sekunder" #: editor/animation_track_editor.cpp msgid "FPS" -msgstr "" +msgstr "FPS" #: editor/animation_track_editor.cpp editor/editor_properties.cpp #: editor/plugins/polygon_2d_editor_plugin.cpp @@ -642,11 +686,11 @@ msgstr "Lydklip:" #: editor/animation_track_editor_plugins.cpp msgid "Change Audio Track Clip Start Offset" -msgstr "" +msgstr "Forskyd lydsporets start" #: editor/animation_track_editor_plugins.cpp msgid "Change Audio Track Clip End Offset" -msgstr "" +msgstr "Forskyd lydsporets slutning" #: editor/array_property_edit.cpp msgid "Resize Array" @@ -724,7 +768,7 @@ msgstr "Nulstil Zoom" #: editor/code_editor.cpp msgid "Warnings" -msgstr "" +msgstr "Advarsler" #: editor/code_editor.cpp msgid "Line and column numbers." @@ -822,7 +866,8 @@ msgstr "Forbind Signal: " #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -927,7 +972,8 @@ msgstr "Søgning:" msgid "Matches:" msgstr "Matches:" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1244,7 +1290,8 @@ msgid "Delete Bus Effect" msgstr "Slet Bus Effekt" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +#, fuzzy +msgid "Drag & drop to rearrange." msgstr "Audio Bus, Træk og Slip for at omarrangere." #: editor/editor_audio_buses.cpp @@ -1445,6 +1492,7 @@ msgid "Add AutoLoad" msgstr "Tilføj AutoLoad" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "Sti:" @@ -1684,6 +1732,7 @@ msgstr "(Nuværende)" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "" @@ -1761,6 +1810,7 @@ msgid "New Folder..." msgstr "Opret mappe..." #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "Opdater" @@ -1924,7 +1974,8 @@ msgid "Inherited by:" msgstr "Arvet af:" #: editor/editor_help.cpp -msgid "Brief Description:" +#, fuzzy +msgid "Brief Description" msgstr "Kort Beskrivelse:" #: editor/editor_help.cpp @@ -1932,38 +1983,18 @@ msgid "Properties" msgstr "Egenskaber" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "" - -#: editor/editor_help.cpp msgid "Methods" msgstr "Metoder" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "Metoder:" - -#: editor/editor_help.cpp msgid "Theme Properties" msgstr "Tema Egenskaber" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "Tema Egenskaber:" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "Signaler:" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "Tællinger" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "Tællinger:" - -#: editor/editor_help.cpp msgid "enum " msgstr "enum " @@ -1972,19 +2003,12 @@ msgid "Constants" msgstr "Konstanter" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "Konstanter:" - -#: editor/editor_help.cpp msgid "Class Description" msgstr "Klasse beskrivelse" #: editor/editor_help.cpp -msgid "Class Description:" -msgstr "Klasse beskrivelse:" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +#, fuzzy +msgid "Online Tutorials" msgstr "Online Undervisning:" #: editor/editor_help.cpp @@ -2002,10 +2026,6 @@ msgid "Property Descriptions" msgstr "Egenskab beskrivelser" #: editor/editor_help.cpp -msgid "Property Descriptions:" -msgstr "Egenskab beskrivelser:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -2018,10 +2038,6 @@ msgid "Method Descriptions" msgstr "Metode beskrivelser" #: editor/editor_help.cpp -msgid "Method Descriptions:" -msgstr "Metode beskrivelser:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2092,8 +2108,8 @@ msgstr "Output:" msgid "Copy Selection" msgstr "Fjern Markering" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2106,6 +2122,49 @@ msgstr "Clear" msgid "Clear Output" msgstr "Ryd Output" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "Stop" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +#, fuzzy +msgid "Down" +msgstr "Download" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "Node" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" msgstr "" @@ -2694,6 +2753,19 @@ msgstr "Projekt" msgid "Project Settings..." msgstr "Projekt Indstillinger" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Version Control" +msgstr "Version:" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp #, fuzzy msgid "Export..." @@ -2920,10 +2992,6 @@ msgstr "Sæt scenen på pause" msgid "Stop the scene." msgstr "Stop scenen." -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "Stop" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "Spil den redigerede scene." @@ -2978,10 +3046,6 @@ msgid "Inspector" msgstr "Inspektør" #: editor/editor_node.cpp -msgid "Node" -msgstr "Node" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "Udvid nederste panel" @@ -3004,15 +3068,21 @@ msgstr "Organiser Eksport Skabeloner" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -3075,6 +3145,11 @@ msgstr "Åbn næste Editor" msgid "Open the previous Editor" msgstr "Åben den forrige Editor" +#: editor/editor_path.cpp +#, fuzzy +msgid "No sub-resources found." +msgstr "Sub-Ressourcer:" + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "Opretter Maske Forhåndsvisninger" @@ -3084,6 +3159,11 @@ msgid "Thumbnail..." msgstr "Miniature..." #: editor/editor_plugin_settings.cpp +#, fuzzy +msgid "Main Script:" +msgstr "Åben script" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "Redigere tilslutning" @@ -3112,11 +3192,6 @@ msgstr "Status:" msgid "Edit:" msgstr "Rediger:" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "Måling:" @@ -3949,8 +4024,9 @@ msgstr " Filer" msgid "Import As:" msgstr "Importer Som:" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." +#: editor/import_dock.cpp +#, fuzzy +msgid "Preset" msgstr "Forudindstillet..." #: editor/import_dock.cpp @@ -4418,6 +4494,7 @@ msgid "Change Animation Name:" msgstr "Ændre Animation Navn:" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "Slet Animation?" @@ -5006,11 +5083,6 @@ msgid "Sort:" msgstr "Sorter:" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy -msgid "Reverse sorting." -msgstr "Anmoder..." - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "Kategori:" @@ -5293,6 +5365,11 @@ msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp #, fuzzy +msgid "Ruler Mode" +msgstr "Skifter Modus" + +#: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy msgid "Toggle snapping." msgstr "Skift snapping mode" @@ -6378,7 +6455,7 @@ msgstr "" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "" @@ -6596,11 +6673,11 @@ msgid "Toggle Scripts Panel" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" +msgid "Step Into" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Into" +msgid "Step Over" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp @@ -6685,7 +6762,7 @@ msgstr "Ryd Seneste Scener" msgid "Connections to method:" msgstr "Forbind Til Node:" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp #, fuzzy msgid "Source" msgstr "Ressource" @@ -7490,6 +7567,11 @@ msgstr "" #: editor/plugins/sprite_frames_editor_plugin.cpp #, fuzzy +msgid "Move Frame" +msgstr "Flyt Node(s)" + +#: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy msgid "Animations:" msgstr "Tilføj animation" @@ -7819,6 +7901,15 @@ msgid "Enable Priority" msgstr "Rediger filtre" #: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy +msgid "Filter tiles" +msgstr "Filtrer filer..." + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "" @@ -7963,6 +8054,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp #, fuzzy msgid "Remove selected texture? This will remove all tiles which use it." msgstr "Fjern Kurve Punkt" @@ -8140,6 +8236,109 @@ msgstr "Denne handling kan ikke udføres uden en scene." msgid "TileSet" msgstr "TileSet..." +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No VCS addons are available." +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No commit message was provided" +msgstr "Intet navn angivet" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit" +msgstr "Fællesskab" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Initialize" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "Opret Ny %s" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "Skift" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "Omdøb" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "Slet" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Typechange" +msgstr "Skift" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "Slet Valgte" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage All" +msgstr "Vælg alle" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit Changes" +msgstr "Synkroniser Script Ændringer" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -8395,6 +8594,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9620,6 +9824,11 @@ msgid "Settings saved OK." msgstr "" #: editor/project_settings_editor.cpp +#, fuzzy +msgid "Moved Input Action Event" +msgstr "Slet valgte" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "" @@ -9758,6 +9967,10 @@ msgid "Plugins" msgstr "" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "Forudindstillet..." + +#: editor/property_editor.cpp msgid "Zero" msgstr "" @@ -9930,10 +10143,6 @@ msgstr "" msgid "Reset" msgstr "Nulstil Zoom" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "" @@ -9989,6 +10198,10 @@ msgid "Instance Scene(s)" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Replace with Branch Scene" +msgstr "" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "" @@ -10030,10 +10243,24 @@ msgid "Make node as Root" msgstr "Gem Scene" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "Vælg Node" + +#: editor/scene_tree_dock.cpp +msgid "Delete the root node \"%s\"?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" msgstr "" #: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "Vælg Node" + +#: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." msgstr "" @@ -10442,11 +10669,42 @@ msgid "Bytes:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" -msgstr "" +#, fuzzy +msgid "Warning:" +msgstr "Advarsler:" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." +#, fuzzy +msgid "Error:" +msgstr "Spejl" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error" +msgstr "Indlæs Fejl" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error:" +msgstr "Indlæs Fejl" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source" +msgstr "Ressource" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" +msgstr "Ressource" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source:" +msgstr "Ressource" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" msgstr "" #: editor/script_editor_debugger.cpp @@ -10454,8 +10712,9 @@ msgid "Errors" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" -msgstr "" +#, fuzzy +msgid "Child process connected." +msgstr "Afbrudt" #: editor/script_editor_debugger.cpp #, fuzzy @@ -10463,6 +10722,11 @@ msgid "Copy Error" msgstr "Indlæs Fejl" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "Slet points" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "" @@ -10479,6 +10743,11 @@ msgid "Profiler" msgstr "" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Network Profiler" +msgstr "Eksporter Projekt" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "" @@ -10491,6 +10760,10 @@ msgid "Monitors" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "" @@ -10690,10 +10963,6 @@ msgid "Library" msgstr "" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "" @@ -10702,6 +10971,10 @@ msgid "GDNative" msgstr "" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp #, fuzzy msgid "Step argument is zero!" msgstr "trin argument er nul!" @@ -10860,6 +11133,15 @@ msgstr "" msgid "Pick Distance:" msgstr "" +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "Filter mode:" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -11006,6 +11288,10 @@ msgid "Create a new variable." msgstr "Opret Ny %s" #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "Signaler:" + +#: modules/visual_script/visual_script_editor.cpp #, fuzzy msgid "Create a new signal." msgstr "Opret Poly" @@ -11166,6 +11452,10 @@ msgid "Editing Signal:" msgstr "Redigerer Signal:" #: modules/visual_script/visual_script_editor.cpp +msgid "Make Tool:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "Basis Type:" @@ -11320,7 +11610,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp @@ -12046,7 +12337,32 @@ msgstr "" #: servers/visual/shader_language.cpp msgid "Constants cannot be modified." -msgstr "" +msgstr "Konstanter kan ikke ændres." + +#~ msgid "Methods:" +#~ msgstr "Metoder:" + +#~ msgid "Theme Properties:" +#~ msgstr "Tema Egenskaber:" + +#~ msgid "Enumerations:" +#~ msgstr "Tællinger:" + +#~ msgid "Constants:" +#~ msgstr "Konstanter:" + +#~ msgid "Class Description:" +#~ msgstr "Klasse beskrivelse:" + +#~ msgid "Property Descriptions:" +#~ msgstr "Egenskab beskrivelser:" + +#~ msgid "Method Descriptions:" +#~ msgstr "Metode beskrivelser:" + +#, fuzzy +#~ msgid "Reverse sorting." +#~ msgstr "Anmoder..." #~ msgid "" #~ "Can't open file_type_cache.cch for writing, not saving file type cache!" @@ -12173,9 +12489,6 @@ msgstr "" #~ msgid "Edit Variable:" #~ msgstr "Rediger Variabel:" -#~ msgid "Warnings:" -#~ msgstr "Advarsler:" - #~ msgid "Font Size:" #~ msgstr "Skrifttype Størrelse:" @@ -12210,9 +12523,6 @@ msgstr "" #~ msgid "Poly" #~ msgstr "Rediger Poly" -#~ msgid "No name provided" -#~ msgstr "Intet navn angivet" - #, fuzzy #~ msgid "Add Node.." #~ msgstr "Tilføj Node" diff --git a/editor/translations/de.po b/editor/translations/de.po index bc00839d04..bab1cae627 100644 --- a/editor/translations/de.po +++ b/editor/translations/de.po @@ -50,8 +50,8 @@ msgid "" msgstr "" "Project-Id-Version: Godot Engine editor\n" "POT-Creation-Date: \n" -"PO-Revision-Date: 2019-08-18 10:23+0000\n" -"Last-Translator: Linux User <no-ads@mail.de>\n" +"PO-Revision-Date: 2019-09-07 13:51+0000\n" +"Last-Translator: So Wieso <sowieso@dukun.de>\n" "Language-Team: German <https://hosted.weblate.org/projects/godot-engine/" "godot/de/>\n" "Language: de\n" @@ -59,7 +59,7 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=n != 1;\n" -"X-Generator: Weblate 3.8\n" +"X-Generator: Weblate 3.9-dev\n" #: core/math/expression.cpp modules/gdscript/gdscript_functions.cpp #: modules/visual_script/visual_script_builtin_funcs.cpp @@ -102,6 +102,35 @@ msgstr "Ungültige Parameter für die Konstruktion von ‚%s‘" msgid "On call to '%s':" msgstr "Im Aufruf von ‚%s‘:" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +#, fuzzy +msgid "MiB" +msgstr "Mischen" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "Kostenlos" @@ -519,6 +548,13 @@ msgid "Select None" msgstr "Nichts auswählen" #: editor/animation_track_editor.cpp +#, fuzzy +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" +"Es ist kein Pfad zu einem Animationsspieler mit Animationen festgelegt " +"worden." + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "Nur Spuren der aktuell ausgewählten Nodes anzeigen." @@ -697,14 +733,12 @@ msgid "Replaced %d occurrence(s)." msgstr "Suchbegriff wurde %d mal ersetzt." #: editor/code_editor.cpp editor/editor_help.cpp -#, fuzzy msgid "%d match." -msgstr "%d Übereinstimmung(en) gefunden." +msgstr "%d Übereinstimmung gefunden." #: editor/code_editor.cpp editor/editor_help.cpp -#, fuzzy msgid "%d matches." -msgstr "%d Übereinstimmung(en) gefunden." +msgstr "%d Übereinstimmungen gefunden." #: editor/code_editor.cpp editor/find_in_files.cpp msgid "Match Case" @@ -842,7 +876,8 @@ msgstr "Signal kann nicht verbunden werden" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -943,7 +978,8 @@ msgstr "Suche:" msgid "Matches:" msgstr "Treffer:" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1160,12 +1196,10 @@ msgid "License" msgstr "Lizenz" #: editor/editor_about.cpp -#, fuzzy msgid "Third-party Licenses" -msgstr "Drittpartei-Lizenz" +msgstr "Drittpartei-Lizenzen" #: editor/editor_about.cpp -#, fuzzy msgid "" "Godot Engine relies on a number of third-party free and open source " "libraries, all compatible with the terms of its MIT license. The following " @@ -1191,7 +1225,6 @@ msgid "Licenses" msgstr "Lizenzen" #: editor/editor_asset_installer.cpp editor/project_manager.cpp -#, fuzzy msgid "Error opening package file, not in ZIP format." msgstr "Fehler beim Öffnen der Paketdatei, kein ZIP-Format." @@ -1261,7 +1294,8 @@ msgid "Delete Bus Effect" msgstr "Audiobuseffekt löschen" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +#, fuzzy +msgid "Drag & drop to rearrange." msgstr "Audiobus, Drag & Drop zum Umsortieren." #: editor/editor_audio_buses.cpp @@ -1452,6 +1486,7 @@ msgid "Add AutoLoad" msgstr "Autoload hinzufügen" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "Pfad:" @@ -1682,6 +1717,7 @@ msgstr "Als aktuell auswählen" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "Neu" @@ -1752,6 +1788,7 @@ msgid "New Folder..." msgstr "Neuer Ordner..." #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "Aktualisieren" @@ -1909,7 +1946,8 @@ msgid "Inherited by:" msgstr "Vererbt an:" #: editor/editor_help.cpp -msgid "Brief Description:" +#, fuzzy +msgid "Brief Description" msgstr "Kurze Beschreibung:" #: editor/editor_help.cpp @@ -1917,38 +1955,18 @@ msgid "Properties" msgstr "Eigenschaften" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "Eigenschaften:" - -#: editor/editor_help.cpp msgid "Methods" msgstr "Methoden" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "Methoden:" - -#: editor/editor_help.cpp msgid "Theme Properties" msgstr "Motiv-Eigenschaften" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "Motiv-Eigenschaften:" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "Signale:" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "Aufzählungen" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "Enums:" - -#: editor/editor_help.cpp msgid "enum " msgstr "Enum " @@ -1957,19 +1975,12 @@ msgid "Constants" msgstr "Konstanten" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "Konstanten:" - -#: editor/editor_help.cpp msgid "Class Description" msgstr "Klassenbeschreibung" #: editor/editor_help.cpp -msgid "Class Description:" -msgstr "Klassenbeschreibung:" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +#, fuzzy +msgid "Online Tutorials" msgstr "Anleitungen im Netz:" #: editor/editor_help.cpp @@ -1987,10 +1998,6 @@ msgid "Property Descriptions" msgstr "Eigenschaften-Beschreibung" #: editor/editor_help.cpp -msgid "Property Descriptions:" -msgstr "Eigenschaften-Beschreibung:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -2003,10 +2010,6 @@ msgid "Method Descriptions" msgstr "Methoden-Beschreibung" #: editor/editor_help.cpp -msgid "Method Descriptions:" -msgstr "Methoden-Beschreibung:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2075,8 +2078,8 @@ msgstr "Ausgabe:" msgid "Copy Selection" msgstr "Auswahl kopieren" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2089,10 +2092,51 @@ msgstr "Löschen" msgid "Clear Output" msgstr "Ausgabe löschen" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "Stop" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "Start" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Down" +msgstr "Herunter" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "Hoch" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "Node" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp -#, fuzzy msgid "New Window" -msgstr "Fenster" +msgstr "Neues Fenster" #: editor/editor_node.cpp msgid "Project export failed with error code %d." @@ -2425,9 +2469,8 @@ msgid "Close Scene" msgstr "Szene schließen" #: editor/editor_node.cpp -#, fuzzy msgid "Reopen Closed Scene" -msgstr "Szene schließen" +msgstr "Geschlossene Szene erneut öffnen" #: editor/editor_node.cpp msgid "Unable to enable addon plugin at: '%s' parsing of config failed." @@ -2550,9 +2593,8 @@ msgid "Close Tab" msgstr "Tab schließen" #: editor/editor_node.cpp -#, fuzzy msgid "Undo Close Tab" -msgstr "Tab schließen" +msgstr "Tab-Schließen rückgängig machen" #: editor/editor_node.cpp editor/plugins/script_editor_plugin.cpp msgid "Close Other Tabs" @@ -2685,18 +2727,29 @@ msgid "Project" msgstr "Projekt" #: editor/editor_node.cpp -#, fuzzy msgid "Project Settings..." -msgstr "Projekteinstellungen" +msgstr "Projekteinstellungen..." + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Version Control" +msgstr "Version:" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" #: editor/editor_node.cpp msgid "Export..." msgstr "Exportieren..." #: editor/editor_node.cpp -#, fuzzy msgid "Install Android Build Template..." -msgstr "Android-Build-Vorlage installieren" +msgstr "Android-Build-Vorlage installieren..." #: editor/editor_node.cpp msgid "Open Project Data Folder" @@ -2707,9 +2760,8 @@ msgid "Tools" msgstr "Werkzeuge" #: editor/editor_node.cpp -#, fuzzy msgid "Orphan Resource Explorer..." -msgstr "Unbenutzte Dateien ansehen" +msgstr "Verwaiste-Ressourcen-Dateimanager…" #: editor/editor_node.cpp msgid "Quit to Project List" @@ -2813,9 +2865,8 @@ msgid "Editor" msgstr "Editor" #: editor/editor_node.cpp -#, fuzzy msgid "Editor Settings..." -msgstr "Editoreinstellungen" +msgstr "Editoreinstellungen…" #: editor/editor_node.cpp msgid "Editor Layout" @@ -2851,14 +2902,12 @@ msgid "Open Editor Settings Folder" msgstr "Editoreinstellungenordner öffnen" #: editor/editor_node.cpp -#, fuzzy msgid "Manage Editor Features..." -msgstr "Editorfunktionen verwalten" +msgstr "Editorfunktionen verwalten…" #: editor/editor_node.cpp -#, fuzzy msgid "Manage Export Templates..." -msgstr "Verwalte Exportvorlagen" +msgstr "Exportvorlagen verwalten…" #: editor/editor_node.cpp editor/plugins/shader_editor_plugin.cpp msgid "Help" @@ -2914,10 +2963,6 @@ msgstr "Szene pausieren" msgid "Stop the scene." msgstr "Szene stoppen." -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "Stop" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "Spiele die bearbeitete Szene." @@ -2968,10 +3013,6 @@ msgid "Inspector" msgstr "Inspektor" #: editor/editor_node.cpp -msgid "Node" -msgstr "Node" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "Unteres Panel vergrößern" @@ -2994,18 +3035,22 @@ msgstr "Vorlagen verwalten" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" -"Dies wird das Android-Projekt für eigene Builds installieren.\n" -"Hinweis: Um es zu benutzen muss es in den jeweiligen Exportvoreinstellungen " -"aktivierten werden." #: editor/editor_node.cpp +#, fuzzy msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" "Android-Build-Vorlage wurde bereits installiert und wird nicht " "überschrieben.\n" @@ -3072,6 +3117,11 @@ msgstr "Nächsten Editor öffnen" msgid "Open the previous Editor" msgstr "Vorigen Editor öffnen" +#: editor/editor_path.cpp +#, fuzzy +msgid "No sub-resources found." +msgstr "Keine Quelle für Oberfläche angegeben." + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "Mesh-Vorschauen erzeugen" @@ -3081,6 +3131,11 @@ msgid "Thumbnail..." msgstr "Vorschau..." #: editor/editor_plugin_settings.cpp +#, fuzzy +msgid "Main Script:" +msgstr "Offenes Skript:" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "Plugin bearbeiten" @@ -3109,11 +3164,6 @@ msgstr "Status:" msgid "Edit:" msgstr "Bearbeiten:" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "Start" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "Messung:" @@ -3330,7 +3380,6 @@ msgid "Import From Node:" msgstr "Aus Node importieren:" #: editor/export_template_manager.cpp -#, fuzzy msgid "Redownload" msgstr "Erneut herunterladen" @@ -3350,6 +3399,8 @@ msgstr "Herunterladen" #: editor/export_template_manager.cpp msgid "Official export templates aren't available for development builds." msgstr "" +"Für Entwicklungsversionen werden keine offizielle Exportvorlagen bereit " +"gestellt." #: editor/export_template_manager.cpp msgid "(Missing)" @@ -3432,23 +3483,20 @@ msgid "Download Complete." msgstr "Download abgeschlossen." #: editor/export_template_manager.cpp -#, fuzzy msgid "Cannot remove temporary file:" -msgstr "Kann Motiv nicht speichern in Datei:" +msgstr "Temporäre Datei kann nicht entfernt werden:" #: editor/export_template_manager.cpp -#, fuzzy msgid "" "Templates installation failed.\n" "The problematic templates archives can be found at '%s'." msgstr "" -"Template-Installation fehlgeschlagen. Des problematische Template-Archiv " -"befindet sich hier: ‚%s‘." +"Exportvorlagen-Installation fehlgeschlagen.\n" +"Das problematische Exportvorlagen-Archiv befindet sich hier in ‚%s‘." #: editor/export_template_manager.cpp -#, fuzzy msgid "Error requesting URL:" -msgstr "Fehler beim Abrufen der URL: " +msgstr "Fehler beim Abrufen der URL:" #: editor/export_template_manager.cpp msgid "Connecting to Mirror..." @@ -3634,9 +3682,8 @@ msgid "Move To..." msgstr "Verschiebe zu..." #: editor/filesystem_dock.cpp -#, fuzzy msgid "New Scene..." -msgstr "Neue Szene" +msgstr "Neue Szene…" #: editor/filesystem_dock.cpp editor/plugins/script_editor_plugin.cpp msgid "New Script..." @@ -3706,9 +3753,8 @@ msgid "Overwrite" msgstr "Überschreiben" #: editor/filesystem_dock.cpp -#, fuzzy msgid "Create Scene" -msgstr "Von Szene erstellen" +msgstr "Szene erstellen" #: editor/filesystem_dock.cpp editor/plugins/script_editor_plugin.cpp msgid "Create Script" @@ -3788,23 +3834,20 @@ msgid "Invalid group name." msgstr "Ungültiger Gruppenname." #: editor/groups_editor.cpp -#, fuzzy msgid "Rename Group" -msgstr "Gruppen verwalten" +msgstr "Gruppe umbenennen" #: editor/groups_editor.cpp -#, fuzzy msgid "Delete Group" -msgstr "Lösche Bildergruppe" +msgstr "Gruppe löschen" #: editor/groups_editor.cpp editor/node_dock.cpp msgid "Groups" msgstr "Gruppen" #: editor/groups_editor.cpp -#, fuzzy msgid "Nodes Not in Group" -msgstr "Nodes nicht in der Gruppe" +msgstr "Nodes nicht in Gruppe" #: editor/groups_editor.cpp editor/scene_tree_dock.cpp #: editor/scene_tree_editor.cpp @@ -3817,12 +3860,11 @@ msgstr "Nodes in der Gruppe" #: editor/groups_editor.cpp msgid "Empty groups will be automatically removed." -msgstr "" +msgstr "Leere Gruppen werden automatisch entfernt." #: editor/groups_editor.cpp -#, fuzzy msgid "Group Editor" -msgstr "Skripteditor" +msgstr "Gruppeneditor" #: editor/groups_editor.cpp msgid "Manage Groups" @@ -3921,9 +3963,10 @@ msgstr " Dateien" msgid "Import As:" msgstr "Importiere als:" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." -msgstr "Voreinstellungen..." +#: editor/import_dock.cpp +#, fuzzy +msgid "Preset" +msgstr "Vorlagen" #: editor/import_dock.cpp msgid "Reimport" @@ -4032,9 +4075,9 @@ msgid "MultiNode Set" msgstr "MultiNode setzen" #: editor/node_dock.cpp -#, fuzzy msgid "Select a single node to edit its signals and groups." -msgstr "Node auswählen um Signale und Gruppen zu bearbeiten." +msgstr "" +"Ein einzelnes Node auswählen um seine Signale und Gruppen zu bearbeiten." #: editor/plugin_config_dialog.cpp msgid "Edit a Plugin" @@ -4366,6 +4409,7 @@ msgid "Change Animation Name:" msgstr "Animationsname ändern:" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "Animation löschen?" @@ -4813,37 +4857,32 @@ msgid "Request failed, return code:" msgstr "Anfrage fehlgeschlagen: Rückgabewert:" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Request failed." msgstr "Anfrage fehlgeschlagen." #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Cannot save response to:" -msgstr "Kann Motiv nicht speichern in Datei:" +msgstr "Kann Antwort nicht speichern in:" #: editor/plugins/asset_library_editor_plugin.cpp msgid "Write error." -msgstr "" +msgstr "Schreibfehler." #: editor/plugins/asset_library_editor_plugin.cpp msgid "Request failed, too many redirects" msgstr "Anfrage fehlgeschlagen, zu viele Weiterleitungen" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Redirect loop." msgstr "Weiterleitungsschleife." #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Request failed, timeout" -msgstr "Anfrage fehlgeschlagen: Rückgabewert:" +msgstr "Anfrage fehlgeschlagen, Zeitüberschreitung" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Timeout." -msgstr "Zeit" +msgstr "Zeitüberschreitung." #: editor/plugins/asset_library_editor_plugin.cpp msgid "Bad download hash, assuming file has been tampered with." @@ -4922,24 +4961,18 @@ msgid "All" msgstr "Alle" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Import..." -msgstr "Neuimport..." +msgstr "Importieren…" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Plugins..." -msgstr "Erweiterungen" +msgstr "Erweiterungen…" #: editor/plugins/asset_library_editor_plugin.cpp editor/project_manager.cpp msgid "Sort:" msgstr "Sortiere:" #: editor/plugins/asset_library_editor_plugin.cpp -msgid "Reverse sorting." -msgstr "Sortierung umkehren." - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "Kategorie:" @@ -4949,9 +4982,8 @@ msgid "Site:" msgstr "Seite:" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Support" -msgstr "Stabilität..." +msgstr "Stabilität" #: editor/plugins/asset_library_editor_plugin.cpp msgid "Official" @@ -4962,9 +4994,8 @@ msgid "Testing" msgstr "Testphase" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Loading..." -msgstr "Lade..." +msgstr "Lade…" #: editor/plugins/asset_library_editor_plugin.cpp msgid "Assets ZIP File" @@ -5133,9 +5164,8 @@ msgid "Paste Pose" msgstr "Pose einfügen" #: editor/plugins/canvas_item_editor_plugin.cpp -#, fuzzy msgid "Clear Guides" -msgstr "Knochen löschen" +msgstr "Hilfslinien löschen" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Create Custom Bone(s) from Node(s)" @@ -5224,6 +5254,11 @@ msgid "Pan Mode" msgstr "Schwenkmodus" #: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy +msgid "Ruler Mode" +msgstr "Ausführungsmodus:" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "Einrasten umschalten." @@ -5875,26 +5910,23 @@ msgstr "Erzeugungszeit (s):" #: editor/plugins/particles_editor_plugin.cpp msgid "The geometry's faces don't contain any area." -msgstr "" +msgstr "Die Faces der Geometrie enthalten keine Area." #: editor/plugins/particles_editor_plugin.cpp -#, fuzzy msgid "The geometry doesn't contain any faces." -msgstr "Knoten enthält keine Geometrie (Flächen)." +msgstr "Die Geometrie enthält keine Faces." #: editor/plugins/particles_editor_plugin.cpp msgid "\"%s\" doesn't inherit from Spatial." -msgstr "" +msgstr "„%s“ erbt nicht von Spatial." #: editor/plugins/particles_editor_plugin.cpp -#, fuzzy msgid "\"%s\" doesn't contain geometry." -msgstr "Knoten enthält keine Geometrie." +msgstr "„%s“ enthält keine Geometrie." #: editor/plugins/particles_editor_plugin.cpp -#, fuzzy msgid "\"%s\" doesn't contain face geometry." -msgstr "Knoten enthält keine Geometrie." +msgstr "„%s“ enthält keine Face-Geometrie." #: editor/plugins/particles_editor_plugin.cpp msgid "Create Emitter" @@ -6294,7 +6326,7 @@ msgstr "Instanz:" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "Typ:" @@ -6333,9 +6365,8 @@ msgid "Error writing TextFile:" msgstr "Fehler beim Schreiben von Textdatei:" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "Could not load file at:" -msgstr "Konnte Kachel nicht finden:" +msgstr "Datei konnte nicht geladen werden von:" #: editor/plugins/script_editor_plugin.cpp msgid "Error saving file!" @@ -6358,9 +6389,8 @@ msgid "Error Importing" msgstr "Fehler beim Importieren" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "New Text File..." -msgstr "Neue Textdatei..." +msgstr "Neue Textdatei…" #: editor/plugins/script_editor_plugin.cpp msgid "Open File" @@ -6440,9 +6470,8 @@ msgid "Open..." msgstr "Öffnen..." #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "Reopen Closed Script" -msgstr "Skript öffnen" +msgstr "Geschlossenes Skript erneut öffnen" #: editor/plugins/script_editor_plugin.cpp msgid "Save All" @@ -6498,14 +6527,14 @@ msgid "Toggle Scripts Panel" msgstr "Seitenleiste umschalten" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" -msgstr "Überspringen" - -#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Step Into" msgstr "Hineinspringen" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp +msgid "Step Over" +msgstr "Überspringen" + +#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Break" msgstr "Unterbrechen" @@ -6578,15 +6607,14 @@ msgid "Search Results" msgstr "Suchergebnisse" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "Clear Recent Scripts" -msgstr "Verlauf leeren" +msgstr "Skript-Verlauf leeren" #: editor/plugins/script_text_editor.cpp msgid "Connections to method:" msgstr "Verbindungen mit Methode:" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp msgid "Source" msgstr "Quelle" @@ -6704,9 +6732,8 @@ msgid "Complete Symbol" msgstr "Symbol vervollständigen" #: editor/plugins/script_text_editor.cpp -#, fuzzy msgid "Evaluate Selection" -msgstr "Auswahl skalieren" +msgstr "Auswahl auswerten" #: editor/plugins/script_text_editor.cpp msgid "Trim Trailing Whitespace" @@ -7017,9 +7044,8 @@ msgid "Audio Listener" msgstr "Audiosenke" #: editor/plugins/spatial_editor_plugin.cpp -#, fuzzy msgid "Enable Doppler" -msgstr "Filtern aktivieren" +msgstr "Dopplereffekt aktivieren" #: editor/plugins/spatial_editor_plugin.cpp msgid "Cinematic Preview" @@ -7076,6 +7102,8 @@ msgstr "Nodes am Boden einrasten" #: editor/plugins/spatial_editor_plugin.cpp msgid "Couldn't find a solid floor to snap the selection to." msgstr "" +"Es wurde kein fester Boden gefunden an dem die Auswahl eingerastet werden " +"könnte." #: editor/plugins/spatial_editor_plugin.cpp msgid "" @@ -7088,9 +7116,8 @@ msgstr "" "Alt+RMT: Tiefenauswahl" #: editor/plugins/spatial_editor_plugin.cpp -#, fuzzy msgid "Use Local Space" -msgstr "Lokalkoordinatenmodus (%s)" +msgstr "Lokalkoordinaten verwenden" #: editor/plugins/spatial_editor_plugin.cpp msgid "Bottom View" @@ -7187,9 +7214,8 @@ msgstr "Zeige Gitter" #: editor/plugins/spatial_editor_plugin.cpp #: modules/gridmap/grid_map_editor_plugin.cpp -#, fuzzy msgid "Settings..." -msgstr "Einstellungen" +msgstr "Einstellungen…" #: editor/plugins/spatial_editor_plugin.cpp msgid "Snap Settings" @@ -7370,6 +7396,11 @@ msgid "(empty)" msgstr "(leer)" #: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy +msgid "Move Frame" +msgstr "Frame einfügen" + +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Animations:" msgstr "Animationen:" @@ -7567,14 +7598,12 @@ msgid "Submenu" msgstr "Untermenü" #: editor/plugins/theme_editor_plugin.cpp -#, fuzzy msgid "Subitem 1" -msgstr "Element 1" +msgstr "Unterelement 1" #: editor/plugins/theme_editor_plugin.cpp -#, fuzzy msgid "Subitem 2" -msgstr "Element 2" +msgstr "Unterelement 2" #: editor/plugins/theme_editor_plugin.cpp msgid "Has" @@ -7686,17 +7715,25 @@ msgid "Enable Priority" msgstr "Priorität aktivieren" #: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy +msgid "Filter tiles" +msgstr "Dateien filtern..." + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "Kachel zeichnen" #: editor/plugins/tile_map_editor_plugin.cpp -#, fuzzy msgid "" "Shift+LMB: Line Draw\n" "Shift+Ctrl+LMB: Rectangle Paint" msgstr "" "Umsch+RMT: Linie zeichnen\n" -"Umsch+Strg+RMT: Rechteck einfärben" +"Umsch+Strg+RMT: Rechteck bemalen" #: editor/plugins/tile_map_editor_plugin.cpp msgid "Pick Tile" @@ -7820,6 +7857,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "Kachelnamen anzeigen (Alt-Taste halten)" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp msgid "Remove selected texture? This will remove all tiles which use it." msgstr "" "Ausgewählte Textur entfernen? Alle Kacheln die sie nutzen werden entfernt." @@ -7992,6 +8034,112 @@ msgstr "Diese Eigenschaft kann nicht geändert werden." msgid "TileSet" msgstr "TileSet" +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No VCS addons are available." +msgstr "Name des Eltern-Nodes, falls vorhanden" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "Fehler" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No commit message was provided" +msgstr "Kein Name angegeben" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit" +msgstr "Community (Gemeinschaft)" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Initialize" +msgstr "Kapitalisiere" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "Neues Rechteck erstellen." + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "Ändern" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "Umbenennen" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "Löschen" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Typechange" +msgstr "Ändern" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "Ausgewähltes löschen" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage All" +msgstr "Alle speichern" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit Changes" +msgstr "Skriptänderungen synchronisieren" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "Status" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No file diff is active" +msgstr "Keine Dateien ausgewählt!" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "(Nur GLES3)" @@ -8098,9 +8246,8 @@ msgid "Light" msgstr "Licht" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Show resulted shader code." -msgstr "Shader-Node erzeugen" +msgstr "Resultierenden Shader-Code zeigen." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Create Shader Node" @@ -8234,6 +8381,14 @@ msgstr "" "oder falsch ist." #: editor/plugins/visual_shader_editor_plugin.cpp +#, fuzzy +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" +"Gibt einen geeigneten Vektor zurück je nach dem ob der übergebene Wert wahr " +"oder falsch ist." + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "Gibt den Wahrheitswert des Vergleiches zweier Parameter zurück." @@ -8468,7 +8623,6 @@ msgid "Returns the square root of the parameter." msgstr "Gibt die Quadratwurzel des Parameters zurück." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "SmoothStep function( scalar(edge0), scalar(edge1), scalar(x) ).\n" "\n" @@ -8476,20 +8630,19 @@ msgid "" "'edge1'. Otherwise the return value is interpolated between 0.0 and 1.0 " "using Hermite polynomials." msgstr "" -"Weichschrittfunktion ( Skalar(Kante0), Skalar(Kante1), Skalar(x) ).\n" +"Glatte Stufenfunktion ( Skalar(Kante0), Skalar(Kante1), Skalar(x) ).\n" "\n" "Gibt 0.0 zurück falls ‚x‘ kleiner als ‚Kante0‘, gibt 1.0 zurück falls ‚x‘ " "größer ‚Kante1‘. Ansonsten wird ein durch Hermite-Polynome interpolierter " "Wert zwischen 0.0 und 1.0 zurück gegeben." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "Step function( scalar(edge), scalar(x) ).\n" "\n" "Returns 0.0 if 'x' is smaller than 'edge' and otherwise 1.0." msgstr "" -"Schrittfunktion ( Skalar(Kante), Skalar(x) ).\n" +"Stufenfunktion ( Skalar(Kante), Skalar(x) ).\n" "\n" "Gibt 0.0 zurück falls ‚x‘ kleiner als ‚Kante‘, ansonsten 1.0." @@ -8660,9 +8813,8 @@ msgid "Linear interpolation between two vectors." msgstr "Lineare Interpolation zwischen zwei Vektoren." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Linear interpolation between two vectors using scalar." -msgstr "Lineare Interpolation zwischen zwei Vektoren." +msgstr "Lineare Interpolation zwischen zwei Vektoren, benutzt ein Skalar." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Calculates the normalize product of vector." @@ -8689,7 +8841,6 @@ msgid "Returns the vector that points in the direction of refraction." msgstr "Gibt den Vektor zurück der in Richtung der Brechung zeigt." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "SmoothStep function( vector(edge0), vector(edge1), vector(x) ).\n" "\n" @@ -8697,14 +8848,13 @@ msgid "" "'edge1'. Otherwise the return value is interpolated between 0.0 and 1.0 " "using Hermite polynomials." msgstr "" -"Weiche Stufenfunktion ( Vektor(Kante0), Vektor(Kante1), Vektor(x) ).\n" +"Glatte Stufenfunktion ( Vektor(Kante0), Vektor(Kante1), Vektor(x) ).\n" "\n" "Gibt 0.0 zurück falls ‚x‘ kleiner als ‚Kante0‘, gibt 1.0 zurück falls ‚x‘ " "größer als ‚Kante1‘. Ansonsten wird ein durch Hermite-Polynome " "interpolierter Wert zwischen 0.0 und 1.0 zurückgegeben." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "SmoothStep function( scalar(edge0), scalar(edge1), vector(x) ).\n" "\n" @@ -8719,7 +8869,6 @@ msgstr "" "interpolierter Wert zwischen 0.0 und 1.0 zurückgegeben." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "Step function( vector(edge), vector(x) ).\n" "\n" @@ -8730,7 +8879,6 @@ msgstr "" "Gibt 0.0 zurück falls ‚x‘ kleiner als ‚Kante‘, ansonsten 1.0." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "Step function( scalar(edge), vector(x) ).\n" "\n" @@ -8794,6 +8942,11 @@ msgid "" "shader. You can place various function definitions inside and call it later " "in the Expressions. You can also declare varyings, uniforms and constants." msgstr "" +"Ein selbst-erstellter Ausdruck in der Godot-Shader-Sprache, welcher vor dem " +"resultierten Shader platziert wird. Hier können beliebige " +"Funktionsdefinitionen eingefügt werden die dann in späteren Ausdrücken " +"verwendet werden können. Das gleiche gilt für Varyings, Uniforms und " +"Konstanten." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(Fragment/Light mode only) Scalar derivative function." @@ -9187,13 +9340,12 @@ msgid "Unnamed Project" msgstr "Unbenanntes Projekt" #: editor/project_manager.cpp -#, fuzzy msgid "Missing Project" -msgstr "Existierendes Projekt importieren" +msgstr "Fehlendes Projekt" #: editor/project_manager.cpp msgid "Error: Project is missing on the filesystem." -msgstr "" +msgstr "Fehler: Projekt ist nicht im Dateisystem vorhanden." #: editor/project_manager.cpp msgid "Can't open project at '%s'." @@ -9294,13 +9446,12 @@ msgstr "" "Inhalte des Projektordners werden nicht geändert." #: editor/project_manager.cpp -#, fuzzy msgid "" "Remove all missing projects from the list?\n" "The project folders' contents won't be modified." msgstr "" -"%d Projekte aus der Liste entfernen?\n" -"Inhalte der Projektordner werden nicht geändert." +"Alle fehlenden Projekte aus der Liste entfernen?\n" +"Inhalte des Projektordners werden nicht geändert." #: editor/project_manager.cpp msgid "" @@ -9324,9 +9475,8 @@ msgid "Project Manager" msgstr "Projektverwaltung" #: editor/project_manager.cpp -#, fuzzy msgid "Projects" -msgstr "Projekt" +msgstr "Projekte" #: editor/project_manager.cpp msgid "Scan" @@ -9558,6 +9708,11 @@ msgid "Settings saved OK." msgstr "Einstellungen gespeichert OK." #: editor/project_settings_editor.cpp +#, fuzzy +msgid "Moved Input Action Event" +msgstr "Eingabeaktionsereignis hinzufügen" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "Für Funktion überschreiben" @@ -9695,6 +9850,10 @@ msgid "Plugins" msgstr "Erweiterungen" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "Voreinstellungen..." + +#: editor/property_editor.cpp msgid "Zero" msgstr "Null" @@ -9863,10 +10022,6 @@ msgstr "Zu Großbuchstaben" msgid "Reset" msgstr "Zurücksetzen" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "Fehler" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "Node umhängen" @@ -9925,6 +10080,11 @@ msgid "Instance Scene(s)" msgstr "Instanz-Szene(n)" #: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Replace with Branch Scene" +msgstr "Speichere Verzweigung als Szene" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "Szene hier instantiieren" @@ -9967,8 +10127,23 @@ msgid "Make node as Root" msgstr "Node zur Szenenwurzel machen" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" -msgstr "Node(s) wirklich löschen?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "Nodes löschen" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete the root node \"%s\"?" +msgstr "Entferne Shade-Graph-Node(s)" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" +msgstr "" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "Nodes löschen" #: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." @@ -10043,9 +10218,8 @@ msgid "Remove Node(s)" msgstr "Entferne Node(s)" #: editor/scene_tree_dock.cpp -#, fuzzy msgid "Change type of node(s)" -msgstr "Ausgangsschnittstellenname ändern" +msgstr "Nodetyp(en) ändern" #: editor/scene_tree_dock.cpp msgid "" @@ -10168,30 +10342,27 @@ msgid "Node configuration warning:" msgstr "Node-Konfigurationswarnung:" #: editor/scene_tree_editor.cpp -#, fuzzy msgid "" "Node has %s connection(s) and %s group(s).\n" "Click to show signals dock." msgstr "" -"Node hat Verbindungen und Gruppen.\n" -"Klicken um Signalverwaltung aufzurufen." +"Node hat %s Verbindung(en) und %s Gruppe(n).\n" +"Hier klicken um Signalverwaltung aufzurufen." #: editor/scene_tree_editor.cpp -#, fuzzy msgid "" "Node has %s connection(s).\n" "Click to show signals dock." msgstr "" -"Node hat Verbindungen.\n" +"Node hat %s Verbindung(en).\n" "Hier klicken zur Signalverwaltung." #: editor/scene_tree_editor.cpp -#, fuzzy msgid "" "Node is in %s group(s).\n" "Click to show groups dock." msgstr "" -"Node ist in Gruppe(n).\n" +"Node ist %s Gruppe(n).\n" "Hier klicken zur Gruppenverwaltung." #: editor/scene_tree_editor.cpp @@ -10288,9 +10459,8 @@ msgid "Error loading script from %s" msgstr "Fehler beim Laden des Skripts von %s" #: editor/script_create_dialog.cpp -#, fuzzy msgid "Overrides" -msgstr "Überschreiben" +msgstr "Überschreibungen" #: editor/script_create_dialog.cpp msgid "N/A" @@ -10369,19 +10539,50 @@ msgid "Bytes:" msgstr "Bytes:" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" -msgstr "Stacktrace" +#, fuzzy +msgid "Warning:" +msgstr "Warnungen:" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." -msgstr "Ein oder mehrere Einträge der Liste auswählen um Graph anzuzeigen." +msgid "Error:" +msgstr "Fehler:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error" +msgstr "Fehlermeldung kopieren" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error:" +msgstr "Fehler:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source" +msgstr "Quelle" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" +msgstr "Quelle" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source:" +msgstr "Quelle" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" +msgstr "Stacktrace" #: editor/script_editor_debugger.cpp msgid "Errors" msgstr "Fehler" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +#, fuzzy +msgid "Child process connected." msgstr "Unterprozess verbunden" #: editor/script_editor_debugger.cpp @@ -10389,6 +10590,11 @@ msgid "Copy Error" msgstr "Fehlermeldung kopieren" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "Haltepunkte" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "Vorherige Instanz untersuchen" @@ -10405,6 +10611,11 @@ msgid "Profiler" msgstr "Profiler" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Network Profiler" +msgstr "Profil exportieren" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "Monitor" @@ -10417,6 +10628,10 @@ msgid "Monitors" msgstr "Monitore" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "Ein oder mehrere Einträge der Liste auswählen um Graph anzuzeigen." + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "Auflistung der Grafikspeichernutzung nach Ressource:" @@ -10613,10 +10828,6 @@ msgid "Library" msgstr "Bibliothek" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "Status" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "Bibliotheken: " @@ -10625,6 +10836,10 @@ msgid "GDNative" msgstr "GDNative" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "Schrittargument ist null!" @@ -10778,6 +10993,15 @@ msgstr "GridMap-Einstellungen" msgid "Pick Distance:" msgstr "Auswahlradius:" +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "Methoden filtern" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "Der Klassenname kann nicht ein reserviertes Schlüsselwort sein" @@ -10905,28 +11129,28 @@ msgid "Set Variable Type" msgstr "Variablentyp festlegen" #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Override an existing built-in function." -msgstr "Darf nicht mit existierenden eingebauten Typnamen übereinstimmen." +msgstr "Eine existierende eingebaute Funktion überschreiben." #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Create a new function." -msgstr "Neues Rechteck erstellen." +msgstr "Eine neue Funktion erstellen." #: modules/visual_script/visual_script_editor.cpp msgid "Variables:" msgstr "Variablen:" #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Create a new variable." -msgstr "Neues Rechteck erstellen." +msgstr "Eine neue Variable erstellen." + +#: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "Signale:" #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Create a new signal." -msgstr "Neues Polygon erstellen." +msgstr "Ein neues Signal erstellen." #: modules/visual_script/visual_script_editor.cpp msgid "Name is not a valid identifier:" @@ -11085,6 +11309,11 @@ msgid "Editing Signal:" msgstr "bearbeite Signal:" #: modules/visual_script/visual_script_editor.cpp +#, fuzzy +msgid "Make Tool:" +msgstr "Lokal machen" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "Basistyp:" @@ -11241,8 +11470,10 @@ msgstr "" "Ungültiger Android-SDK-Pfad für eigene Builds in den Editoreinstellungen." #: platform/android/export/export.cpp +#, fuzzy msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" "Es ist kein Android-Projekt zum Kompilieren installiert worden. Es kann im " "Editormenü installiert werden." @@ -12054,6 +12285,44 @@ msgstr "Varyings können nur in Vertex-Funktion zugewiesen werden." msgid "Constants cannot be modified." msgstr "Konstanten können nicht verändert werden." +#~ msgid "Properties:" +#~ msgstr "Eigenschaften:" + +#~ msgid "Methods:" +#~ msgstr "Methoden:" + +#~ msgid "Theme Properties:" +#~ msgstr "Motiv-Eigenschaften:" + +#~ msgid "Enumerations:" +#~ msgstr "Enums:" + +#~ msgid "Constants:" +#~ msgstr "Konstanten:" + +#~ msgid "Class Description:" +#~ msgstr "Klassenbeschreibung:" + +#~ msgid "Property Descriptions:" +#~ msgstr "Eigenschaften-Beschreibung:" + +#~ msgid "Method Descriptions:" +#~ msgstr "Methoden-Beschreibung:" + +#~ msgid "" +#~ "This will install the Android project for custom builds.\n" +#~ "Note that, in order to use it, it needs to be enabled per export preset." +#~ msgstr "" +#~ "Dies wird das Android-Projekt für eigene Builds installieren.\n" +#~ "Hinweis: Um es zu benutzen muss es in den jeweiligen " +#~ "Exportvoreinstellungen aktivierten werden." + +#~ msgid "Reverse sorting." +#~ msgstr "Sortierung umkehren." + +#~ msgid "Delete Node(s)?" +#~ msgstr "Node(s) wirklich löschen?" + #~ msgid "No Matches" #~ msgstr "Keine Übereinstimmungen" @@ -12472,9 +12741,6 @@ msgstr "Konstanten können nicht verändert werden." #~ msgstr "" #~ "Instantiiere gewählte Szene(n) als Unterobjekt des ausgewählten Nodes." -#~ msgid "Warnings:" -#~ msgstr "Warnungen:" - #~ msgid "Font Size:" #~ msgstr "Schriftgröße:" @@ -12519,9 +12785,6 @@ msgstr "Konstanten können nicht verändert werden." #~ msgid "Select a split to erase it." #~ msgstr "Teilung zum Löschen auswählen." -#~ msgid "No name provided" -#~ msgstr "Kein Name angegeben" - #~ msgid "Add Node.." #~ msgstr "Node hinzufügen.." @@ -12657,9 +12920,6 @@ msgstr "Konstanten können nicht verändert werden." #~ msgid "Warning" #~ msgstr "Warnung" -#~ msgid "Error:" -#~ msgstr "Fehler:" - #~ msgid "Function:" #~ msgstr "Funktion:" @@ -12741,9 +13001,6 @@ msgstr "Konstanten können nicht verändert werden." #~ msgid "Duplicate Graph Node(s)" #~ msgstr "Dupliziere Graph-Node(s)" -#~ msgid "Delete Shader Graph Node(s)" -#~ msgstr "Entferne Shade-Graph-Node(s)" - #~ msgid "Error: Cyclic Connection Link" #~ msgstr "Fehler: Zyklische Verbindung" @@ -13191,9 +13448,6 @@ msgstr "Konstanten können nicht verändert werden." #~ msgid "Pick New Name and Location For:" #~ msgstr "Wähle neuen Namen und Ort für:" -#~ msgid "No files selected!" -#~ msgstr "Keine Dateien ausgewählt!" - #~ msgid "Info" #~ msgstr "Info" @@ -13592,12 +13846,6 @@ msgstr "Konstanten können nicht verändert werden." #~ msgid "Scaling to %s%%." #~ msgstr "Skaliere auf %s%%." -#~ msgid "Up" -#~ msgstr "Hoch" - -#~ msgid "Down" -#~ msgstr "Herunter" - #~ msgid "Bucket" #~ msgstr "Eimer" diff --git a/editor/translations/de_CH.po b/editor/translations/de_CH.po index ad007f96c5..e61cbeec84 100644 --- a/editor/translations/de_CH.po +++ b/editor/translations/de_CH.po @@ -59,6 +59,34 @@ msgstr "" msgid "On call to '%s':" msgstr "" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +msgid "MiB" +msgstr "" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "" @@ -483,6 +511,10 @@ msgid "Select None" msgstr "Node(s) löschen" #: editor/animation_track_editor.cpp +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "" @@ -810,7 +842,8 @@ msgstr "Connections editieren" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -917,7 +950,8 @@ msgstr "" msgid "Matches:" msgstr "" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1223,7 +1257,7 @@ msgid "Delete Bus Effect" msgstr "" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +msgid "Drag & drop to rearrange." msgstr "" #: editor/editor_audio_buses.cpp @@ -1418,6 +1452,7 @@ msgid "Add AutoLoad" msgstr "" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "" @@ -1646,6 +1681,7 @@ msgstr "" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "" @@ -1726,6 +1762,7 @@ msgid "New Folder..." msgstr "" #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "" @@ -1884,48 +1921,28 @@ msgid "Inherited by:" msgstr "" #: editor/editor_help.cpp -msgid "Brief Description:" -msgstr "" +#, fuzzy +msgid "Brief Description" +msgstr "Script hinzufügen" #: editor/editor_help.cpp msgid "Properties" msgstr "" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "" - -#: editor/editor_help.cpp msgid "Methods" msgstr "" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "" - -#: editor/editor_help.cpp #, fuzzy msgid "Theme Properties" msgstr "Node erstellen" #: editor/editor_help.cpp -#, fuzzy -msgid "Theme Properties:" -msgstr "Node erstellen" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "" - -#: editor/editor_help.cpp msgid "enum " msgstr "" @@ -1934,21 +1951,12 @@ msgid "Constants" msgstr "" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "" - -#: editor/editor_help.cpp #, fuzzy msgid "Class Description" msgstr "Script hinzufügen" #: editor/editor_help.cpp -#, fuzzy -msgid "Class Description:" -msgstr "Script hinzufügen" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +msgid "Online Tutorials" msgstr "" #: editor/editor_help.cpp @@ -1964,11 +1972,6 @@ msgid "Property Descriptions" msgstr "Script hinzufügen" #: editor/editor_help.cpp -#, fuzzy -msgid "Property Descriptions:" -msgstr "Script hinzufügen" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -1980,11 +1983,6 @@ msgid "Method Descriptions" msgstr "Script hinzufügen" #: editor/editor_help.cpp -#, fuzzy -msgid "Method Descriptions:" -msgstr "Script hinzufügen" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2052,8 +2050,8 @@ msgstr "" msgid "Copy Selection" msgstr "Script hinzufügen" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2067,6 +2065,48 @@ msgstr "" msgid "Clear Output" msgstr "Script hinzufügen" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Down" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "Node" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" msgstr "" @@ -2625,6 +2665,18 @@ msgstr "Projektname:" msgid "Project Settings..." msgstr "Projekteinstellungen" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control" +msgstr "" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp #, fuzzy msgid "Export..." @@ -2831,10 +2883,6 @@ msgstr "" msgid "Stop the scene." msgstr "" -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "Spiele die editierte Szene." @@ -2888,10 +2936,6 @@ msgid "Inspector" msgstr "" #: editor/editor_node.cpp -msgid "Node" -msgstr "Node" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "" @@ -2914,15 +2958,21 @@ msgstr "Ungültige Bilder löschen" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -2988,6 +3038,11 @@ msgstr "" msgid "Open the previous Editor" msgstr "" +#: editor/editor_path.cpp +#, fuzzy +msgid "No sub-resources found." +msgstr "Keine Oberflächen Quelle spezifiziert." + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "" @@ -2998,6 +3053,11 @@ msgstr "" #: editor/editor_plugin_settings.cpp #, fuzzy +msgid "Main Script:" +msgstr "Script hinzufügen" + +#: editor/editor_plugin_settings.cpp +#, fuzzy msgid "Edit Plugin" msgstr "Script hinzufügen" @@ -3026,11 +3086,6 @@ msgstr "" msgid "Edit:" msgstr "" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "" @@ -3846,8 +3901,8 @@ msgstr "Datei(en) öffnen" msgid "Import As:" msgstr "" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." +#: editor/import_dock.cpp +msgid "Preset" msgstr "" #: editor/import_dock.cpp @@ -4306,6 +4361,7 @@ msgid "Change Animation Name:" msgstr "" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp #, fuzzy msgid "Delete Animation?" msgstr "Bild einfügen" @@ -4889,10 +4945,6 @@ msgid "Sort:" msgstr "" #: editor/plugins/asset_library_editor_plugin.cpp -msgid "Reverse sorting." -msgstr "" - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "" @@ -5173,6 +5225,11 @@ msgid "Pan Mode" msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy +msgid "Ruler Mode" +msgstr "TimeScale-Node" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "" @@ -6264,7 +6321,7 @@ msgstr "" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "" @@ -6478,11 +6535,11 @@ msgid "Toggle Scripts Panel" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" +msgid "Step Into" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Into" +msgid "Step Over" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp @@ -6565,7 +6622,7 @@ msgstr "Script hinzufügen" msgid "Connections to method:" msgstr "Verbindung zu Node:" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp msgid "Source" msgstr "" @@ -7360,6 +7417,11 @@ msgstr "" #: editor/plugins/sprite_frames_editor_plugin.cpp #, fuzzy +msgid "Move Frame" +msgstr "Bild bewegen/einfügen" + +#: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy msgid "Animations:" msgstr "Animations-Node" @@ -7688,6 +7750,15 @@ msgid "Enable Priority" msgstr "Node Filter editieren" #: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy +msgid "Filter tiles" +msgstr "Node erstellen" + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "" @@ -7834,6 +7905,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp #, fuzzy msgid "Remove selected texture? This will remove all tiles which use it." msgstr "Ungültige Bilder löschen" @@ -8010,6 +8086,106 @@ msgstr "Ohne eine Szene kann das nicht funktionieren." msgid "TileSet" msgstr "Datei(en) öffnen" +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No VCS addons are available." +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No commit message was provided" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Commit" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Initialize" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "Node erstellen" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "Typ ändern" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "Node" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "Node(s) löschen" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Typechange" +msgstr "Typ ändern" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "Verbindung zu Node:" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Stage All" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit Changes" +msgstr "Typ ändern" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -8259,6 +8435,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9479,6 +9660,10 @@ msgid "Settings saved OK." msgstr "" #: editor/project_settings_editor.cpp +msgid "Moved Input Action Event" +msgstr "" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "" @@ -9619,6 +9804,10 @@ msgid "Plugins" msgstr "" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "" + +#: editor/property_editor.cpp msgid "Zero" msgstr "" @@ -9788,10 +9977,6 @@ msgstr "" msgid "Reset" msgstr "" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "" @@ -9847,6 +10032,10 @@ msgid "Instance Scene(s)" msgstr "Instanziere Szene(n)" #: editor/scene_tree_dock.cpp +msgid "Replace with Branch Scene" +msgstr "" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "" @@ -9889,8 +10078,22 @@ msgid "Make node as Root" msgstr "" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" -msgstr "Node(s) löschen?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "Node(s) löschen" + +#: editor/scene_tree_dock.cpp +msgid "Delete the root node \"%s\"?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" +msgstr "" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "Node(s) löschen" #: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." @@ -10292,27 +10495,60 @@ msgid "Bytes:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" +msgid "Warning:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." +#, fuzzy +msgid "Error:" +msgstr "Szene kann nicht gespeichert werden." + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error" +msgstr "Connections editieren" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error:" +msgstr "Connections editieren" + +#: editor/script_editor_debugger.cpp +msgid "C++ Source" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Errors" +msgid "Source:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +msgid "C++ Source:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "Errors" msgstr "" #: editor/script_editor_debugger.cpp #, fuzzy +msgid "Child process connected." +msgstr "Verbindung zu Node:" + +#: editor/script_editor_debugger.cpp +#, fuzzy msgid "Copy Error" msgstr "Connections editieren" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "Bild einfügen" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "" @@ -10329,6 +10565,11 @@ msgid "Profiler" msgstr "" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Network Profiler" +msgstr "Projekt exportieren" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "" @@ -10341,6 +10582,10 @@ msgid "Monitors" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "" @@ -10538,10 +10783,6 @@ msgid "Library" msgstr "" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "" @@ -10550,6 +10791,10 @@ msgid "GDNative" msgstr "" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "" @@ -10707,6 +10952,15 @@ msgstr "Projekteinstellungen" msgid "Pick Distance:" msgstr "" +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "Node erstellen" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -10846,6 +11100,10 @@ msgid "Create a new variable." msgstr "Node erstellen" #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp #, fuzzy msgid "Create a new signal." msgstr "Node erstellen" @@ -11019,6 +11277,10 @@ msgid "Editing Signal:" msgstr "" #: modules/visual_script/visual_script_editor.cpp +msgid "Make Tool:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp #, fuzzy msgid "Base Type:" msgstr "Typ ändern" @@ -11171,7 +11433,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp @@ -11853,6 +12116,25 @@ msgstr "" msgid "Constants cannot be modified." msgstr "" +#, fuzzy +#~ msgid "Theme Properties:" +#~ msgstr "Node erstellen" + +#, fuzzy +#~ msgid "Class Description:" +#~ msgstr "Script hinzufügen" + +#, fuzzy +#~ msgid "Property Descriptions:" +#~ msgstr "Script hinzufügen" + +#, fuzzy +#~ msgid "Method Descriptions:" +#~ msgstr "Script hinzufügen" + +#~ msgid "Delete Node(s)?" +#~ msgstr "Node(s) löschen?" + #~ msgid "Faces contain no area!" #~ msgstr "Flächen enthalten keinen Bereich!" diff --git a/editor/translations/editor.pot b/editor/translations/editor.pot index e27bfdfe87..ca6da01f4c 100644 --- a/editor/translations/editor.pot +++ b/editor/translations/editor.pot @@ -51,6 +51,34 @@ msgstr "" msgid "On call to '%s':" msgstr "" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +msgid "MiB" +msgstr "" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "" @@ -450,6 +478,10 @@ msgid "Select None" msgstr "" #: editor/animation_track_editor.cpp +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "" @@ -767,7 +799,8 @@ msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -868,7 +901,8 @@ msgstr "" msgid "Matches:" msgstr "" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1168,7 +1202,7 @@ msgid "Delete Bus Effect" msgstr "" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +msgid "Drag & drop to rearrange." msgstr "" #: editor/editor_audio_buses.cpp @@ -1359,6 +1393,7 @@ msgid "Add AutoLoad" msgstr "" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "" @@ -1578,6 +1613,7 @@ msgstr "" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "" @@ -1648,6 +1684,7 @@ msgid "New Folder..." msgstr "" #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "" @@ -1803,7 +1840,7 @@ msgid "Inherited by:" msgstr "" #: editor/editor_help.cpp -msgid "Brief Description:" +msgid "Brief Description" msgstr "" #: editor/editor_help.cpp @@ -1811,38 +1848,18 @@ msgid "Properties" msgstr "" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "" - -#: editor/editor_help.cpp msgid "Methods" msgstr "" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "" - -#: editor/editor_help.cpp msgid "Theme Properties" msgstr "" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "" - -#: editor/editor_help.cpp msgid "enum " msgstr "" @@ -1851,19 +1868,11 @@ msgid "Constants" msgstr "" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "" - -#: editor/editor_help.cpp msgid "Class Description" msgstr "" #: editor/editor_help.cpp -msgid "Class Description:" -msgstr "" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +msgid "Online Tutorials" msgstr "" #: editor/editor_help.cpp @@ -1878,10 +1887,6 @@ msgid "Property Descriptions" msgstr "" #: editor/editor_help.cpp -msgid "Property Descriptions:" -msgstr "" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -1892,10 +1897,6 @@ msgid "Method Descriptions" msgstr "" #: editor/editor_help.cpp -msgid "Method Descriptions:" -msgstr "" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -1962,8 +1963,8 @@ msgstr "" msgid "Copy Selection" msgstr "" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -1976,6 +1977,48 @@ msgstr "" msgid "Clear Output" msgstr "" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Down" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" msgstr "" @@ -2515,6 +2558,18 @@ msgstr "" msgid "Project Settings..." msgstr "" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control" +msgstr "" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp msgid "Export..." msgstr "" @@ -2714,10 +2769,6 @@ msgstr "" msgid "Stop the scene." msgstr "" -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "" @@ -2768,10 +2819,6 @@ msgid "Inspector" msgstr "" #: editor/editor_node.cpp -msgid "Node" -msgstr "" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "" @@ -2793,15 +2840,21 @@ msgstr "" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -2864,6 +2917,10 @@ msgstr "" msgid "Open the previous Editor" msgstr "" +#: editor/editor_path.cpp +msgid "No sub-resources found." +msgstr "" + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "" @@ -2873,6 +2930,10 @@ msgid "Thumbnail..." msgstr "" #: editor/editor_plugin_settings.cpp +msgid "Main Script:" +msgstr "" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "" @@ -2901,11 +2962,6 @@ msgstr "" msgid "Edit:" msgstr "" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "" @@ -3681,8 +3737,8 @@ msgstr "" msgid "Import As:" msgstr "" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." +#: editor/import_dock.cpp +msgid "Preset" msgstr "" #: editor/import_dock.cpp @@ -4108,6 +4164,7 @@ msgid "Change Animation Name:" msgstr "" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "" @@ -4666,10 +4723,6 @@ msgid "Sort:" msgstr "" #: editor/plugins/asset_library_editor_plugin.cpp -msgid "Reverse sorting." -msgstr "" - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "" @@ -4932,6 +4985,10 @@ msgid "Pan Mode" msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp +msgid "Ruler Mode" +msgstr "" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "" @@ -5980,7 +6037,7 @@ msgstr "" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "" @@ -6180,11 +6237,11 @@ msgid "Toggle Scripts Panel" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" +msgid "Step Into" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Into" +msgid "Step Over" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp @@ -6264,7 +6321,7 @@ msgstr "" msgid "Connections to method:" msgstr "" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp msgid "Source" msgstr "" @@ -7031,6 +7088,10 @@ msgid "(empty)" msgstr "" #: editor/plugins/sprite_frames_editor_plugin.cpp +msgid "Move Frame" +msgstr "" + +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Animations:" msgstr "" @@ -7345,6 +7406,14 @@ msgid "Enable Priority" msgstr "" #: editor/plugins/tile_map_editor_plugin.cpp +msgid "Filter tiles" +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "" @@ -7475,6 +7544,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp msgid "Remove selected texture? This will remove all tiles which use it." msgstr "" @@ -7629,6 +7703,99 @@ msgstr "" msgid "TileSet" msgstr "" +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No VCS addons are available." +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No commit message was provided" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Commit" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Initialize" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect new changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Renamed" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Deleted" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Typechange" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Stage Selected" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Stage All" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Commit Changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -7862,6 +8029,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9052,6 +9224,10 @@ msgid "Settings saved OK." msgstr "" #: editor/project_settings_editor.cpp +msgid "Moved Input Action Event" +msgstr "" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "" @@ -9188,6 +9364,10 @@ msgid "Plugins" msgstr "" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "" + +#: editor/property_editor.cpp msgid "Zero" msgstr "" @@ -9351,10 +9531,6 @@ msgstr "" msgid "Reset" msgstr "" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "" @@ -9410,6 +9586,10 @@ msgid "Instance Scene(s)" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Replace with Branch Scene" +msgstr "" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "" @@ -9450,7 +9630,19 @@ msgid "Make node as Root" msgstr "" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" +msgid "Delete %d nodes?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete the root node \"%s\"?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\"?" msgstr "" #: editor/scene_tree_dock.cpp @@ -9828,11 +10020,35 @@ msgid "Bytes:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" +msgid "Warning:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." +msgid "Error:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Error" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Error:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Source" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "Source:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Source:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" msgstr "" #: editor/script_editor_debugger.cpp @@ -9840,7 +10056,7 @@ msgid "Errors" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +msgid "Child process connected." msgstr "" #: editor/script_editor_debugger.cpp @@ -9848,6 +10064,10 @@ msgid "Copy Error" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Skip Breakpoints" +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "" @@ -9864,6 +10084,10 @@ msgid "Profiler" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Network Profiler" +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "" @@ -9876,6 +10100,10 @@ msgid "Monitors" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "" @@ -10072,10 +10300,6 @@ msgid "Library" msgstr "" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "" @@ -10084,6 +10308,10 @@ msgid "GDNative" msgstr "" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "" @@ -10235,6 +10463,14 @@ msgstr "" msgid "Pick Distance:" msgstr "" +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Filter meshes" +msgstr "" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -10370,6 +10606,10 @@ msgid "Create a new variable." msgstr "" #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Create a new signal." msgstr "" @@ -10526,6 +10766,10 @@ msgid "Editing Signal:" msgstr "" #: modules/visual_script/visual_script_editor.cpp +msgid "Make Tool:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "" @@ -10673,7 +10917,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp diff --git a/editor/translations/el.po b/editor/translations/el.po index 8b5b93ec94..9dbb9c49e6 100644 --- a/editor/translations/el.po +++ b/editor/translations/el.po @@ -4,12 +4,13 @@ # This file is distributed under the same license as the Godot source code. # George Tsiamasiotis <gtsiam@windowslive.com>, 2017-2018, 2019. # Georgios Katsanakis <geo.elgeo@gmail.com>, 2019. +# Overloaded <manoschool@yahoo.gr>, 2019. msgid "" msgstr "" "Project-Id-Version: Godot Engine editor\n" "POT-Creation-Date: \n" -"PO-Revision-Date: 2019-08-21 15:57+0000\n" -"Last-Translator: George Tsiamasiotis <gtsiam@windowslive.com>\n" +"PO-Revision-Date: 2019-09-07 13:51+0000\n" +"Last-Translator: Overloaded <manoschool@yahoo.gr>\n" "Language-Team: Greek <https://hosted.weblate.org/projects/godot-engine/godot/" "el/>\n" "Language: el\n" @@ -61,6 +62,35 @@ msgstr "Άκυρα ορίσματα στην κατασκευή του '%s'" msgid "On call to '%s':" msgstr "Στην κλήση στο '%s':" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +#, fuzzy +msgid "MiB" +msgstr "Μείξη" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "Ελεύθερο" @@ -478,6 +508,13 @@ msgid "Select None" msgstr "Αποεπιλογή Όλων" #: editor/animation_track_editor.cpp +#, fuzzy +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" +"Επιλέξτε ένα AnimationPlayer από την ιεραρχία της σκηνής για να " +"επεξεργαστείτε animations." + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "Δείξε μόνο κομμάτια απο επιλεγμένους κόμβους στο δέντρο." @@ -801,7 +838,8 @@ msgstr "Αδύνατη η σύνδεση σήματος" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -904,7 +942,8 @@ msgstr "Αναζήτηση:" msgid "Matches:" msgstr "Αντιστοιχίες:" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1117,12 +1156,10 @@ msgid "License" msgstr "Άδεια" #: editor/editor_about.cpp -#, fuzzy msgid "Third-party Licenses" -msgstr "Άδεια τρίτων ομάδων" +msgstr "Άδειες τρίτων κατασκευαστών" #: editor/editor_about.cpp -#, fuzzy msgid "" "Godot Engine relies on a number of third-party free and open source " "libraries, all compatible with the terms of its MIT license. The following " @@ -1130,10 +1167,10 @@ msgid "" "respective copyright statements and license terms." msgstr "" "Η μηχανή Godot βασίζεται σε μια σειρά από δωρεάν και ανοιχτού κώδικα " -"βιβλιοθήκες τρίτων ομάδων, όλες συμβατές με τους όρους της άδειας MIT. " -"Ακολουθεί μία εκτενής λίστα με όλα τα σχετικά συστατικά της μηχανής μαζί με " -"όλες τις αντοίστοιχες δηλώσεις προστασίας πνευματικών δικαιωμάτων και τους " -"όρους των αδειών τους." +"βιβλιοθήκες τρίτων κατασκευαστών, όλες συμβατές με τους όρους της άδειας " +"MIT. Ακολουθεί μία εκτενής λίστα με όλα τα σχετικά συστατικά της μηχανής " +"μαζί με όλες τις αντοίστοιχες δηλώσεις προστασίας πνευματικών δικαιωμάτων " +"και τους όρους των αδειών τους." #: editor/editor_about.cpp msgid "All Components" @@ -1218,7 +1255,8 @@ msgid "Delete Bus Effect" msgstr "Διαγραφή εφέ διαύλου ήχου" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +#, fuzzy +msgid "Drag & drop to rearrange." msgstr "Δίαυλος ήχου, Σύρσιμο και απόθεση για αναδιάταξη." #: editor/editor_audio_buses.cpp @@ -1410,6 +1448,7 @@ msgid "Add AutoLoad" msgstr "Προσθήκη AutoLoad" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "Διαδρομή:" @@ -1639,6 +1678,7 @@ msgstr "Κάνε Τρέχων" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "Νέο" @@ -1709,6 +1749,7 @@ msgid "New Folder..." msgstr "Νέος φάκελος..." #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "Αναναίωση" @@ -1866,7 +1907,8 @@ msgid "Inherited by:" msgstr "Κληρονομείται από:" #: editor/editor_help.cpp -msgid "Brief Description:" +#, fuzzy +msgid "Brief Description" msgstr "Σύντομη περιγραφή:" #: editor/editor_help.cpp @@ -1874,38 +1916,18 @@ msgid "Properties" msgstr "Ιδιότητες" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "Ιδιότητες:" - -#: editor/editor_help.cpp msgid "Methods" msgstr "Συναρτήσεις" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "Μεθόδοι:" - -#: editor/editor_help.cpp msgid "Theme Properties" msgstr "Ιδιότητες θέματος" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "Ιδιότητες θέματος:" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "Σήματα:" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "Απαριθμήσεις" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "Απαριθμήσεις:" - -#: editor/editor_help.cpp msgid "enum " msgstr "απαρίθμηση " @@ -1914,19 +1936,12 @@ msgid "Constants" msgstr "Σταθερές" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "Σταθερές:" - -#: editor/editor_help.cpp msgid "Class Description" msgstr "Περιγραφή κλάσης" #: editor/editor_help.cpp -msgid "Class Description:" -msgstr "Περιγραφή κλάσης:" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +#, fuzzy +msgid "Online Tutorials" msgstr "Online Tutorial:" #: editor/editor_help.cpp @@ -1944,10 +1959,6 @@ msgid "Property Descriptions" msgstr "Περιγραφές ιδιοτήτων" #: editor/editor_help.cpp -msgid "Property Descriptions:" -msgstr "Περιγραφές ιδιοτήτων:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -1960,10 +1971,6 @@ msgid "Method Descriptions" msgstr "Περιγραφές μεθόδων" #: editor/editor_help.cpp -msgid "Method Descriptions:" -msgstr "Περιγραφές μεθόδων:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2032,8 +2039,8 @@ msgstr "Έξοδος:" msgid "Copy Selection" msgstr "Αντιγραφή Επιλογής" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2046,10 +2053,51 @@ msgstr "Εκκαθάριση" msgid "Clear Output" msgstr "Εκκαθάριση εξόδου" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "Διακοπή" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "Εκκινιση" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Down" +msgstr "Κάτω" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "Πάνω" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "Κόμβος" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp -#, fuzzy msgid "New Window" -msgstr "Παράθυρο" +msgstr "Νέο Παράθυρο" #: editor/editor_node.cpp msgid "Project export failed with error code %d." @@ -2384,9 +2432,8 @@ msgid "Close Scene" msgstr "Κλείσιμο σκηνής" #: editor/editor_node.cpp -#, fuzzy msgid "Reopen Closed Scene" -msgstr "Κλείσιμο σκηνής" +msgstr "Άνοιγμα Εκ Νέου Κλειστής Σκηνής" #: editor/editor_node.cpp msgid "Unable to enable addon plugin at: '%s' parsing of config failed." @@ -2509,9 +2556,8 @@ msgid "Close Tab" msgstr "Κλείσιμο καρτέλας" #: editor/editor_node.cpp -#, fuzzy msgid "Undo Close Tab" -msgstr "Κλείσιμο καρτέλας" +msgstr "Αναίρεση Κλεισίματος Καρτέλας" #: editor/editor_node.cpp editor/plugins/script_editor_plugin.cpp msgid "Close Other Tabs" @@ -2648,6 +2694,19 @@ msgstr "Έργο" msgid "Project Settings..." msgstr "Ρυθμίσεις έργου" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Version Control" +msgstr "Έκδοση:" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp #, fuzzy msgid "Export..." @@ -2875,10 +2934,6 @@ msgstr "Παύση της σκηνής" msgid "Stop the scene." msgstr "Διέκοψε τη σκηνή." -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "Διακοπή" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "Αναπαραγωγή επεξεργαζόμενης σκηνής." @@ -2929,10 +2984,6 @@ msgid "Inspector" msgstr "Επιθεωρητής" #: editor/editor_node.cpp -msgid "Node" -msgstr "Κόμβος" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "Ανάπτυξη κάτω πλαισίου" @@ -2956,18 +3007,22 @@ msgstr "Διαχείριση Προτύπων" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" -"Αυτό θα εγκαταστήσει το έργο Android για προσαρμοσμένα χτισίματα.\n" -"Σημειώστε πως, για τη χρήση του, πρέπει να ενεργοποιηθεί ανά διαμόρφωση " -"εξαγωγής." #: editor/editor_node.cpp +#, fuzzy msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" "Το πρότυπο χτισίματος Android είναι εγκατεστημένο και δεν θα " "αντικατασταθεί.\n" @@ -3033,6 +3088,11 @@ msgstr "Άνοιγμα του επόμενου επεξεργαστή" msgid "Open the previous Editor" msgstr "Άνοιγμα του προηγούμενου επεξεργαστή" +#: editor/editor_path.cpp +#, fuzzy +msgid "No sub-resources found." +msgstr "Δεν ορίστηκε πηγαία επιφάνεια." + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "Δημιουργία προεπισκοπήσεων πλεγμάτων" @@ -3042,6 +3102,11 @@ msgid "Thumbnail..." msgstr "Μικρογραφία..." #: editor/editor_plugin_settings.cpp +#, fuzzy +msgid "Main Script:" +msgstr "Άνοιγμα Δέσμης Ενεργειών:" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "Επεγεργασία επέκτασης" @@ -3070,11 +3135,6 @@ msgstr "Κατάσταση:" msgid "Edit:" msgstr "Επεξεργασία:" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "Εκκινιση" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "Μέτρο:" @@ -3290,7 +3350,6 @@ msgid "Import From Node:" msgstr "Εισαγωγή σκηνής από κόμβο:" #: editor/export_template_manager.cpp -#, fuzzy msgid "Redownload" msgstr "Εκ νέου λήψη" @@ -3308,8 +3367,11 @@ msgid "Download" msgstr "Λήψη" #: editor/export_template_manager.cpp +#, fuzzy msgid "Official export templates aren't available for development builds." msgstr "" +"Τα επίσημα πρότυπα εξαγωγής δεν είναι διαθέσιμα για τις εκδόσεις που " +"βρίσκονται ακόμα σε εξέλιξη" #: editor/export_template_manager.cpp msgid "(Missing)" @@ -3778,7 +3840,7 @@ msgstr "Κόμβοι σε ομάδα" #: editor/groups_editor.cpp msgid "Empty groups will be automatically removed." -msgstr "" +msgstr "Οι άδειες ομάδες θα διαγράφονται αυτομάτως." #: editor/groups_editor.cpp #, fuzzy @@ -3884,9 +3946,10 @@ msgstr " Αρχεία" msgid "Import As:" msgstr "Εισαγωγή ώς:" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." -msgstr "Διαμόρφωση..." +#: editor/import_dock.cpp +#, fuzzy +msgid "Preset" +msgstr "Διαμορφώσεις" #: editor/import_dock.cpp msgid "Reimport" @@ -4327,6 +4390,7 @@ msgid "Change Animation Name:" msgstr "Αλλαγή ονόματος κίνησης:" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "Διαγραφή κίνησης;" @@ -4785,7 +4849,7 @@ msgstr "Δεν ήταν δυνατή η αποθήκευση θέματος σε #: editor/plugins/asset_library_editor_plugin.cpp msgid "Write error." -msgstr "" +msgstr "Σφάλμα κατά την εγγραφή." #: editor/plugins/asset_library_editor_plugin.cpp msgid "Request failed, too many redirects" @@ -4898,10 +4962,6 @@ msgid "Sort:" msgstr "Ταξινόμηση:" #: editor/plugins/asset_library_editor_plugin.cpp -msgid "Reverse sorting." -msgstr "Αντιστροφή ταξινόμησης." - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "Κατηγορία:" @@ -5185,6 +5245,11 @@ msgid "Pan Mode" msgstr "Λειτουργία Μετακίνησης κάμερας" #: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy +msgid "Ruler Mode" +msgstr "Λειτουργία εκτέλεσης:" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "Εναλλαγή κουμπώματος." @@ -5834,8 +5899,9 @@ msgid "Generation Time (sec):" msgstr "Χρόνος παραγωγής (sec):" #: editor/plugins/particles_editor_plugin.cpp +#, fuzzy msgid "The geometry's faces don't contain any area." -msgstr "" +msgstr "Οι όψεις της γεωμετρίας δεν περιέχουν καμία περιοχή." #: editor/plugins/particles_editor_plugin.cpp #, fuzzy @@ -5843,8 +5909,9 @@ msgid "The geometry doesn't contain any faces." msgstr "Ο κόμβος δεν περιέχει γεωμετρία (Επιφάνειες)." #: editor/plugins/particles_editor_plugin.cpp +#, fuzzy msgid "\"%s\" doesn't inherit from Spatial." -msgstr "" +msgstr "Το \"%s\" δεν κληρονομείται από το Spatial." #: editor/plugins/particles_editor_plugin.cpp #, fuzzy @@ -6255,7 +6322,7 @@ msgstr "Στιγμιότυπο:" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "Τύπος:" @@ -6458,14 +6525,14 @@ msgid "Toggle Scripts Panel" msgstr "Εναλλαγή πλαισίου δεσμών ενεργειών" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" -msgstr "Βήμα πάνω" - -#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Step Into" msgstr "Βήμα μέσα" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp +msgid "Step Over" +msgstr "Βήμα πάνω" + +#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Break" msgstr "Διακοπή" @@ -6545,7 +6612,7 @@ msgstr "Εκκαθάριση πρόσφατων σκηνών" msgid "Connections to method:" msgstr "Σύνδεση σε μέθοδο:" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp msgid "Source" msgstr "Πηγή" @@ -7329,6 +7396,11 @@ msgid "(empty)" msgstr "(άδειο)" #: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy +msgid "Move Frame" +msgstr "Επικόλληση καρέ" + +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Animations:" msgstr "Κινήσεις:" @@ -7645,6 +7717,15 @@ msgid "Enable Priority" msgstr "Επεξεργασία Προτεραιότητας" #: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy +msgid "Filter tiles" +msgstr "Φιλτράρισμα αρχείων..." + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "Βάψιμο πλακιδίου" @@ -7780,6 +7861,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "Απενεργοποίηση Ονομάτων Πλακιδίων (Κρατήστε πατημένο το Alt)" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp msgid "Remove selected texture? This will remove all tiles which use it." msgstr "" "Αφαίρεση επιλεγμένης υφής; Αυτό θα αφαιρέσει όλα τα πλακίδια που την " @@ -7949,6 +8035,112 @@ msgstr "Αυτή η ιδιότητα δεν μπορεί να αλλάξει." msgid "TileSet" msgstr "TileSet" +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No VCS addons are available." +msgstr "Όνομα γονικού κόμβου, εάν είναι διαθέσιμο" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "Σφάλμα" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No commit message was provided" +msgstr "Δεν δόθηκε όνομα" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit" +msgstr "Κοινότητα" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Initialize" +msgstr "Κεφαλαιοποίηση" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "Δημιουργία νέου ορθογωνίου." + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "Αλλαγή" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "Μετονομασία" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "Διαγραφή" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Typechange" +msgstr "Αλλαγή" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "Διαγραφή επιλεγμένου" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage All" +msgstr "Αποθήκευση όλων" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit Changes" +msgstr "Συγχρονισμός αλλαγών στις δεσμές ενεργειών" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "Κατάσταση" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No file diff is active" +msgstr "Δεν επιλέχθηκαν αρχεία!" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "(Μόνο GLES3)" @@ -8188,6 +8380,13 @@ msgstr "" "Επιστρέφει ένα συσχετισμένο διάνυσμα εάν η λογική τιμή είναι αληθής ή ψευδής." #: editor/plugins/visual_shader_editor_plugin.cpp +#, fuzzy +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" +"Επιστρέφει ένα συσχετισμένο διάνυσμα εάν η λογική τιμή είναι αληθής ή ψευδής." + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "Επιστρέφει το λογικό αποτέλεσμα της σύγκρισης δύο παραμέτρων." @@ -9147,7 +9346,7 @@ msgstr "Εισαγωγή υπαρκτού έργου" #: editor/project_manager.cpp msgid "Error: Project is missing on the filesystem." -msgstr "" +msgstr "Σφάλμα: Το έργο λείπει από το σύστημα αρχείων." #: editor/project_manager.cpp msgid "Can't open project at '%s'." @@ -9509,6 +9708,11 @@ msgid "Settings saved OK." msgstr "Οι ρυθμίσεις αποθηκεύτικαν εντάξει." #: editor/project_settings_editor.cpp +#, fuzzy +msgid "Moved Input Action Event" +msgstr "Προσθήκη συμβάντος εισόδου" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "Παράκαμψη για δυνατότητα" @@ -9645,6 +9849,10 @@ msgid "Plugins" msgstr "Πρόσθετα" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "Διαμόρφωση..." + +#: editor/property_editor.cpp msgid "Zero" msgstr "Μηδέν" @@ -9812,10 +10020,6 @@ msgstr "Κάνε Κεφαλαία" msgid "Reset" msgstr "Επαναφορά" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "Σφάλμα" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "Επαναπροσδιορισμός γονέα κόμβου" @@ -9873,6 +10077,11 @@ msgid "Instance Scene(s)" msgstr "Δημιουργία στιγμιοτύπυ σκηνών" #: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Replace with Branch Scene" +msgstr "Αποθήκευσι κλαδιού ως σκηνή" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "Αρχικοποίηση σκηνής ως παιδί" @@ -9916,8 +10125,23 @@ msgid "Make node as Root" msgstr "Κάνε κόμβο ρίζα" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" -msgstr "Διαγραφή κόμβων;" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "Διαγραφή Κόμβων" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete the root node \"%s\"?" +msgstr "Διαγραφή κόμβων γραφήματος" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" +msgstr "" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "Διαγραφή Κόμβων" #: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." @@ -10321,21 +10545,50 @@ msgid "Bytes:" msgstr "Ψηφιολέξεις:" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" -msgstr "Ίχνος Στοίβας" +#, fuzzy +msgid "Warning:" +msgstr "Προειδοποιήσεις:" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." -msgstr "" -"Επιλέξτε ένα ή περισσότερα αντικείμενα από την λίστα για να εμφανιστεί το " -"γράφημα." +msgid "Error:" +msgstr "Σφάλμα:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error" +msgstr "Αντιγραφή σφάλματος" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error:" +msgstr "Σφάλμα:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source" +msgstr "Πηγή" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" +msgstr "Πηγή" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source:" +msgstr "Πηγή" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" +msgstr "Ίχνος Στοίβας" #: editor/script_editor_debugger.cpp msgid "Errors" msgstr "Σφάλματα" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +#, fuzzy +msgid "Child process connected." msgstr "Η παιδική διαδικασία συνδέθηκε" #: editor/script_editor_debugger.cpp @@ -10343,6 +10596,11 @@ msgid "Copy Error" msgstr "Αντιγραφή σφάλματος" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "Σημεία Διακοπής" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "Επιθεώρηση του προηγούμενου στιγμιοτύπου" @@ -10359,6 +10617,11 @@ msgid "Profiler" msgstr "Πρόγραμμα δημιουργίας προφιλ" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Network Profiler" +msgstr "Εξαγωγή Προφίλ" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "Κλειδί" @@ -10371,6 +10634,12 @@ msgid "Monitors" msgstr "Παρακολούθηση" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" +"Επιλέξτε ένα ή περισσότερα αντικείμενα από την λίστα για να εμφανιστεί το " +"γράφημα." + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "Λίστα χρήσης βίντεο-μνήμης ανά πόρο:" @@ -10578,10 +10847,6 @@ msgid "Library" msgstr "Βιβλιοθήκη" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "Κατάσταση" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "Βιβλιοθήκες: " @@ -10590,6 +10855,10 @@ msgid "GDNative" msgstr "GDNative" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp #, fuzzy msgid "Step argument is zero!" msgstr "Η παράμετρος step είναι μηδέν!" @@ -10746,6 +11015,15 @@ msgstr "Ρυθμίσεις GridMap" msgid "Pick Distance:" msgstr "Επιλογή απόστασης:" +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "Φιλτράρισμα μεθόδων" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "Το όνομα της κλάσης δεν μπορεί να είναι λέξη-κλειδί" @@ -10755,8 +11033,9 @@ msgid "End of inner exception stack trace" msgstr "Τέλος ιχνηλάτησης στοίβας εσωτερικής εξαίρεσης" #: modules/recast/navigation_mesh_editor_plugin.cpp +#, fuzzy msgid "Bake NavMesh" -msgstr "" +msgstr "Ψήσιμο NavMesh (πλέγματος πλοήγησης)" #: modules/recast/navigation_mesh_editor_plugin.cpp msgid "Clear the navigation mesh." @@ -10892,6 +11171,10 @@ msgid "Create a new variable." msgstr "Δημιουργία νέου ορθογωνίου." #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "Σήματα:" + +#: modules/visual_script/visual_script_editor.cpp #, fuzzy msgid "Create a new signal." msgstr "Δημιουργία νέου πολυγώνου." @@ -11058,6 +11341,11 @@ msgid "Editing Signal:" msgstr "Επεξεργασία σήματος:" #: modules/visual_script/visual_script_editor.cpp +#, fuzzy +msgid "Make Tool:" +msgstr "Κάνε τοπικό" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "Τύπος βάσης:" @@ -11167,56 +11455,75 @@ msgstr "" #: platform/android/export/export.cpp msgid "Package name is missing." -msgstr "" +msgstr "Το όνομα του πακέτου λείπει." #: platform/android/export/export.cpp msgid "Package segments must be of non-zero length." -msgstr "" +msgstr "Τα τμήματα του πακέτου πρέπει να έχουν μη μηδενικό μήκος." #: platform/android/export/export.cpp +#, fuzzy msgid "The character '%s' is not allowed in Android application package names." msgstr "" +"Ο χαρακτήρας '%s' δεν επιτρέπεται στα ονόματα των πακέτων εφαρμογών Android." #: platform/android/export/export.cpp msgid "A digit cannot be the first character in a package segment." msgstr "" +"Ένα ψηφίο δεν μπορεί να είναι ο πρώτος χαρακτήρας σε ένα τμήμα πακέτου." #: platform/android/export/export.cpp msgid "The character '%s' cannot be the first character in a package segment." msgstr "" +"Ο χαρακτήρας '%s' δεν μπορεί να είναι ο πρώτος χαρακτήρας σε ένα τμήμα " +"πακέτου." #: platform/android/export/export.cpp msgid "The package must have at least one '.' separator." -msgstr "" +msgstr "Το πακέτο πρέπει να έχει τουλάχιστον έναν '.' διαχωριστή." #: platform/android/export/export.cpp msgid "ADB executable not configured in the Editor Settings." msgstr "" +"Το εκτελέσιμο αρχείο ADB δεν έχει ρυθμιστεί στις Ρυθμίσεις Επεξεργαστή." #: platform/android/export/export.cpp msgid "OpenJDK jarsigner not configured in the Editor Settings." -msgstr "" +msgstr "Το OpenJDK jarsigner δεν έχει ρυθμιστεί στις Ρυθμίσεις Επεξεργαστή." #: platform/android/export/export.cpp +#, fuzzy msgid "Debug keystore not configured in the Editor Settings nor in the preset." msgstr "" +"Το Debug keystore δεν έχει ρυθμιστεί στις Ρυθμίσεις Επεξεργαστή ή στην " +"προεπιλεγμένη ρύθμιση." #: platform/android/export/export.cpp +#, fuzzy msgid "Custom build requires a valid Android SDK path in Editor Settings." msgstr "" +"Η προσαρμοσμένη κατασκευή απαιτεί μια έγκυρη διαδρομή για το Android SDK " +"στις Ρυθμίσεις Επεξεργαστή." #: platform/android/export/export.cpp +#, fuzzy msgid "Invalid Android SDK path for custom build in Editor Settings." msgstr "" +"Μη έγκυρη διαδρομή Android SDK για προσαρμοσμένη κατασκευή στις Ρυθμίσεις " +"Επεξεργαστή." #: platform/android/export/export.cpp +#, fuzzy msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" +"Λείπει το πρότυπο χτισίματος Android, παρακαλούμε εγκαταστήστε τα σχετικά " +"πρότυπα." #: platform/android/export/export.cpp msgid "Invalid public key for APK expansion." -msgstr "" +msgstr "Μη έγκυρο δημόσιο κλειδί (public key) για επέκταση APK." #: platform/android/export/export.cpp #, fuzzy @@ -11238,26 +11545,32 @@ msgid "" msgstr "" #: platform/android/export/export.cpp +#, fuzzy msgid "Building Android Project (gradle)" -msgstr "" +msgstr "Κατασκευή Έργου Android (gradle)" #: platform/android/export/export.cpp +#, fuzzy msgid "" "Building of Android project failed, check output for the error.\n" "Alternatively visit docs.godotengine.org for Android build documentation." msgstr "" +"Η κατασκευή του έργου Android απέτυχε, ελέγξτε την έξοδο για το σφάλμα.\n" +"Εναλλακτικά, επισκεφτείτε τη σελίδα docs.godotengine.org για το εγχειρίδιο " +"πάνω στο θέμα της κατασκευής για Android." #: platform/android/export/export.cpp +#, fuzzy msgid "No build apk generated at: " -msgstr "" +msgstr "Δεν παράχθηκε κατασκευή apk στο: " #: platform/iphone/export/export.cpp msgid "Identifier is missing." -msgstr "" +msgstr "Το αναγνωριστικό λείπει." #: platform/iphone/export/export.cpp msgid "Identifier segments must be of non-zero length." -msgstr "" +msgstr "Τα τμήματα του αναγνωριστικού πρέπει να έχουν μη μηδενικό μήκος." #: platform/iphone/export/export.cpp #, fuzzy @@ -11267,19 +11580,26 @@ msgstr "Το όνομα δεν είναι έγκυρο αναγνωριστικ #: platform/iphone/export/export.cpp msgid "A digit cannot be the first character in a Identifier segment." msgstr "" +"Ένα ψηφίο δεν μπορεί να είναι ο πρώτος χαρακτήρας σε ένα τμήμα " +"αναγνωριστικού." #: platform/iphone/export/export.cpp msgid "" "The character '%s' cannot be the first character in a Identifier segment." msgstr "" +"Ο χαρακτήρας '%s' δεν μπορεί να είναι ο πρώτος χαρακτήρας σε ένα τμήμα " +"αναγνωριστικού." #: platform/iphone/export/export.cpp msgid "The Identifier must have at least one '.' separator." -msgstr "" +msgstr "Το αναγνωριστικό πρέπει να έχει τουλάχιστον έναν '.' διαχωριστή." #: platform/iphone/export/export.cpp +#, fuzzy msgid "App Store Team ID not specified - cannot configure the project." msgstr "" +"Το ομαδικό αναγνωριστικό (Team ID) App Store δεν έχει καθοριστεί - δεν " +"είναι δυνατή η διαμόρφωση του έργου." #: platform/iphone/export/export.cpp #, fuzzy @@ -11287,8 +11607,9 @@ msgid "Invalid Identifier:" msgstr "Το όνομα δεν είναι έγκυρο αναγνωριστικό:" #: platform/iphone/export/export.cpp +#, fuzzy msgid "Required icon is not specified in the preset." -msgstr "" +msgstr "Το απαιτούμενο εικονίδιο δεν έχει καθοριστεί στην προεπιλογή." #: platform/javascript/export/export.cpp msgid "Run in Browser" @@ -11670,6 +11991,8 @@ msgid "" "Plane shapes don't work well and will be removed in future versions. Please " "don't use them." msgstr "" +"Τα επίπεδα σχήματα δεν λειτουργούν καλά και θα αφαιρεθούν σε μελλοντικές " +"εκδόσεις. Παρακαλώ μην τα χρησιμοποιήσετε." #: scene/3d/cpu_particles.cpp #, fuzzy @@ -11688,14 +12011,20 @@ msgid "Plotting Meshes" msgstr "Τοποθέτηση πλεγμάτων" #: scene/3d/gi_probe.cpp +#, fuzzy msgid "" "GIProbes are not supported by the GLES2 video driver.\n" "Use a BakedLightmap instead." msgstr "" +"Ται GIProbes δεν υποστηρίζονται από το πρόγραμμα οδήγησης οθόνης GLES2.\n" +"Χρησιμοποιήστε ένα BakedLightmap αντ 'αυτού." #: scene/3d/light.cpp +#, fuzzy msgid "A SpotLight with an angle wider than 90 degrees cannot cast shadows." msgstr "" +"Ένα SpotLight (προβολέας) με γωνία ευρύτερη από 90 μοίρες δεν μπορεί να " +"δημιουργεί σκιές." #: scene/3d/navigation_mesh.cpp msgid "A NavigationMesh resource must be set or created for this node to work." @@ -11762,7 +12091,7 @@ msgstr "" #: scene/3d/soft_body.cpp msgid "This body will be ignored until you set a mesh." -msgstr "" +msgstr "Το σώμα αυτό δε θα ληφθεί υπόψιν μέχρι να ορίσετε ένα πλέγμα (mesh)." #: scene/3d/soft_body.cpp #, fuzzy @@ -11823,8 +12152,9 @@ msgid "Animation not found: '%s'" msgstr "Εργαλεία κινήσεων" #: scene/animation/animation_tree.cpp +#, fuzzy msgid "In node '%s', invalid animation: '%s'." -msgstr "" +msgstr "Στον κόμβο '%s', μη έγκυρο animation: '%s'." #: scene/animation/animation_tree.cpp #, fuzzy @@ -11859,14 +12189,15 @@ msgstr "Το δέντρο κίνησης δεν είναι έγκυρο." #: scene/animation/animation_tree_player.cpp msgid "This node has been deprecated. Use AnimationTree instead." msgstr "" +"Αυτός ο κόμβος έχει καταργηθεί. Χρησιμοποιήστε το AnimationTree αντ 'αυτού." #: scene/gui/color_picker.cpp msgid "Pick a color from the screen." -msgstr "" +msgstr "Διαλέξτε ένα χρώμα από την οθόνη." #: scene/gui/color_picker.cpp msgid "HSV" -msgstr "" +msgstr "HSV" #: scene/gui/color_picker.cpp #, fuzzy @@ -11991,7 +12322,45 @@ msgstr "" #: servers/visual/shader_language.cpp msgid "Constants cannot be modified." -msgstr "" +msgstr "Οι σταθερές δεν μπορούν να τροποποιηθούν." + +#~ msgid "Properties:" +#~ msgstr "Ιδιότητες:" + +#~ msgid "Methods:" +#~ msgstr "Μεθόδοι:" + +#~ msgid "Theme Properties:" +#~ msgstr "Ιδιότητες θέματος:" + +#~ msgid "Enumerations:" +#~ msgstr "Απαριθμήσεις:" + +#~ msgid "Constants:" +#~ msgstr "Σταθερές:" + +#~ msgid "Class Description:" +#~ msgstr "Περιγραφή κλάσης:" + +#~ msgid "Property Descriptions:" +#~ msgstr "Περιγραφές ιδιοτήτων:" + +#~ msgid "Method Descriptions:" +#~ msgstr "Περιγραφές μεθόδων:" + +#~ msgid "" +#~ "This will install the Android project for custom builds.\n" +#~ "Note that, in order to use it, it needs to be enabled per export preset." +#~ msgstr "" +#~ "Αυτό θα εγκαταστήσει το έργο Android για προσαρμοσμένα χτισίματα.\n" +#~ "Σημειώστε πως, για τη χρήση του, πρέπει να ενεργοποιηθεί ανά διαμόρφωση " +#~ "εξαγωγής." + +#~ msgid "Reverse sorting." +#~ msgstr "Αντιστροφή ταξινόμησης." + +#~ msgid "Delete Node(s)?" +#~ msgstr "Διαγραφή κόμβων;" #~ msgid "No Matches" #~ msgstr "Δεν υπάρχουν αντιστοιχίες" @@ -12415,9 +12784,6 @@ msgstr "" #~ "Δημιουργία στιγμιοτύπων των επιλεγμένων σκηνών ως παιδιά του επιλεγμένου " #~ "κόμβου." -#~ msgid "Warnings:" -#~ msgstr "Προειδοποιήσεις:" - #, fuzzy #~ msgid "Font Size:" #~ msgstr "Μέγεθος πηγαίας γραμματοσειράς:" @@ -12460,9 +12826,6 @@ msgstr "" #~ msgid "Select a split to erase it." #~ msgstr "Επιλέξτε ένα αντικείμενο ρύθμισης πρώτα!" -#~ msgid "No name provided" -#~ msgstr "Δεν δόθηκε όνομα" - #~ msgid "Add Node.." #~ msgstr "Προσθήκη κόμβου.." @@ -12601,9 +12964,6 @@ msgstr "" #~ msgid "Warning" #~ msgstr "Προειδοποίηση" -#~ msgid "Error:" -#~ msgstr "Σφάλμα:" - #~ msgid "Function:" #~ msgstr "Συνάρτηση:" @@ -12682,9 +13042,6 @@ msgstr "" #~ msgid "Duplicate Graph Node(s)" #~ msgstr "Διπλασιασμός κόμβων γραφήματος" -#~ msgid "Delete Shader Graph Node(s)" -#~ msgstr "Διαγραφή κόμβων γραφήματος" - #~ msgid "Error: Cyclic Connection Link" #~ msgstr "Σφάλμα: Κυκλικός σύνδεσμος" @@ -13124,9 +13481,6 @@ msgstr "" #~ msgid "Pick New Name and Location For:" #~ msgstr "Επιλέξτε νέο όνομα και θέση για:" -#~ msgid "No files selected!" -#~ msgstr "Δεν επιλέχθηκαν αρχεία!" - #~ msgid "Info" #~ msgstr "Πληροφορίες" @@ -13521,12 +13875,6 @@ msgstr "" #~ msgid "Scaling to %s%%." #~ msgstr "Κλιμάκωση to %s%%." -#~ msgid "Up" -#~ msgstr "Πάνω" - -#~ msgid "Down" -#~ msgstr "Κάτω" - #~ msgid "Bucket" #~ msgstr "Κουβάς" diff --git a/editor/translations/eo.po b/editor/translations/eo.po index 7434ca1246..a1906a2985 100644 --- a/editor/translations/eo.po +++ b/editor/translations/eo.po @@ -5,11 +5,12 @@ # Scott Starkey <yekrats@gmail.com>, 2019. # AlexHoratio <yukithetupper@gmail.com>, 2019. # Teashrock <kajitsu22@gmail.com>, 2019. +# Brandon Dyer <brandondyer64@gmail.com>, 2019. msgid "" msgstr "" "Project-Id-Version: Godot Engine editor\n" -"PO-Revision-Date: 2019-08-29 13:34+0000\n" -"Last-Translator: Teashrock <kajitsu22@gmail.com>\n" +"PO-Revision-Date: 2019-09-15 20:01+0000\n" +"Last-Translator: Brandon Dyer <brandondyer64@gmail.com>\n" "Language-Team: Esperanto <https://hosted.weblate.org/projects/godot-engine/" "godot/eo/>\n" "Language: eo\n" @@ -57,9 +58,37 @@ msgstr "Malvalidaj argumentoj por konstrui '%s'" msgid "On call to '%s':" msgstr "En voko al '%s':" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +msgid "MiB" +msgstr "" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" -msgstr "Libera" +msgstr "Senkosta" #: editor/animation_bezier_editor.cpp msgid "Balanced" @@ -475,6 +504,10 @@ msgid "Select None" msgstr "Elektaro nur" #: editor/animation_track_editor.cpp +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "Nur vidigi vojetojn el elektis nodojn en arbo." @@ -734,7 +767,7 @@ msgstr "Konektu al skripto:" #: editor/connections_dialog.cpp msgid "From Signal:" -msgstr "" +msgstr "De Signalo:" #: editor/connections_dialog.cpp msgid "Scene does not contain any script." @@ -777,6 +810,7 @@ msgstr "Diferita" msgid "" "Defers the signal, storing it in a queue and only firing it at idle time." msgstr "" +"Prokrastas la signalon, memoras ĝin en atendovico kaj nur pafas atende." #: editor/connections_dialog.cpp msgid "Oneshot" @@ -797,16 +831,17 @@ msgstr "Ne povas konekti signalo" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp msgid "Close" -msgstr "Fermiĝu" +msgstr "Fermiĝi" #: editor/connections_dialog.cpp msgid "Connect" -msgstr "Konektu" +msgstr "Konekti" #: editor/connections_dialog.cpp msgid "Signal:" @@ -814,24 +849,24 @@ msgstr "Signalo:" #: editor/connections_dialog.cpp msgid "Connect '%s' to '%s'" -msgstr "Konektu '%s' al '%s'" +msgstr "Konekti '%s' al '%s'" #: editor/connections_dialog.cpp msgid "Disconnect '%s' from '%s'" -msgstr "Malkonektu '%s' de '%s'" +msgstr "Malkonekti '%s' de '%s'" #: editor/connections_dialog.cpp msgid "Disconnect all from signal: '%s'" -msgstr "Malkonektu ĉiuj de signalo: '%s'" +msgstr "Malkonekti ĉiuj de signalo: '%s'" #: editor/connections_dialog.cpp msgid "Connect..." -msgstr "" +msgstr "Konekti..." #: editor/connections_dialog.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp msgid "Disconnect" -msgstr "Malkonektu" +msgstr "Malkonekti" #: editor/connections_dialog.cpp msgid "Connect a Signal to a Method" @@ -839,7 +874,7 @@ msgstr "Konektu la signalo al metodo" #: editor/connections_dialog.cpp msgid "Edit Connection:" -msgstr "" +msgstr "Redakti Konekton:" #: editor/connections_dialog.cpp msgid "Are you sure you want to remove all connections from the \"%s\" signal?" @@ -855,11 +890,11 @@ msgstr "" #: editor/connections_dialog.cpp msgid "Disconnect All" -msgstr "Malkonektu ĉiuj" +msgstr "Malkonektigi ĉiun" #: editor/connections_dialog.cpp msgid "Edit..." -msgstr "Redaktu..." +msgstr "Redakti..." #: editor/connections_dialog.cpp msgid "Go To Method" @@ -898,7 +933,8 @@ msgstr "Serĉo:" msgid "Matches:" msgstr "Matĉoj:" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -937,7 +973,7 @@ msgstr "Rimedo" #: editor/dependency_editor.cpp editor/editor_autoload_settings.cpp #: editor/project_settings_editor.cpp editor/script_create_dialog.cpp msgid "Path" -msgstr "Pado" +msgstr "Vojo" #: editor/dependency_editor.cpp msgid "Dependencies:" @@ -1198,7 +1234,7 @@ msgid "Delete Bus Effect" msgstr "" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +msgid "Drag & drop to rearrange." msgstr "" #: editor/editor_audio_buses.cpp @@ -1389,6 +1425,7 @@ msgid "Add AutoLoad" msgstr "" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "" @@ -1608,6 +1645,7 @@ msgstr "" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "" @@ -1678,6 +1716,7 @@ msgid "New Folder..." msgstr "" #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "" @@ -1835,46 +1874,27 @@ msgid "Inherited by:" msgstr "" #: editor/editor_help.cpp -msgid "Brief Description:" -msgstr "" +#, fuzzy +msgid "Brief Description" +msgstr "Priskribo:" #: editor/editor_help.cpp msgid "Properties" msgstr "" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "" - -#: editor/editor_help.cpp msgid "Methods" msgstr "" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "" - -#: editor/editor_help.cpp msgid "Theme Properties" msgstr "" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "" - -#: editor/editor_help.cpp msgid "enum " msgstr "" @@ -1883,19 +1903,11 @@ msgid "Constants" msgstr "" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "" - -#: editor/editor_help.cpp msgid "Class Description" msgstr "" #: editor/editor_help.cpp -msgid "Class Description:" -msgstr "" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +msgid "Online Tutorials" msgstr "" #: editor/editor_help.cpp @@ -1910,10 +1922,6 @@ msgid "Property Descriptions" msgstr "" #: editor/editor_help.cpp -msgid "Property Descriptions:" -msgstr "" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -1924,10 +1932,6 @@ msgid "Method Descriptions" msgstr "" #: editor/editor_help.cpp -msgid "Method Descriptions:" -msgstr "" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -1994,8 +1998,8 @@ msgstr "" msgid "Copy Selection" msgstr "" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2008,6 +2012,48 @@ msgstr "" msgid "Clear Output" msgstr "" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Down" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" msgstr "" @@ -2548,6 +2594,18 @@ msgstr "" msgid "Project Settings..." msgstr "" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control" +msgstr "" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp #, fuzzy msgid "Export..." @@ -2748,10 +2806,6 @@ msgstr "" msgid "Stop the scene." msgstr "" -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "" @@ -2803,10 +2857,6 @@ msgid "Inspector" msgstr "" #: editor/editor_node.cpp -msgid "Node" -msgstr "" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "" @@ -2828,15 +2878,21 @@ msgstr "" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -2899,6 +2955,10 @@ msgstr "" msgid "Open the previous Editor" msgstr "" +#: editor/editor_path.cpp +msgid "No sub-resources found." +msgstr "" + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "" @@ -2908,6 +2968,11 @@ msgid "Thumbnail..." msgstr "" #: editor/editor_plugin_settings.cpp +#, fuzzy +msgid "Main Script:" +msgstr "Konektu al skripto:" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "" @@ -2936,11 +3001,6 @@ msgstr "" msgid "Edit:" msgstr "" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "" @@ -3717,8 +3777,8 @@ msgstr "" msgid "Import As:" msgstr "" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." +#: editor/import_dock.cpp +msgid "Preset" msgstr "" #: editor/import_dock.cpp @@ -4144,6 +4204,7 @@ msgid "Change Animation Name:" msgstr "" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "" @@ -4703,10 +4764,6 @@ msgid "Sort:" msgstr "" #: editor/plugins/asset_library_editor_plugin.cpp -msgid "Reverse sorting." -msgstr "" - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "" @@ -4971,6 +5028,10 @@ msgid "Pan Mode" msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp +msgid "Ruler Mode" +msgstr "" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "" @@ -6020,7 +6081,7 @@ msgstr "" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "" @@ -6220,11 +6281,11 @@ msgid "Toggle Scripts Panel" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" +msgid "Step Into" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Into" +msgid "Step Over" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp @@ -6304,7 +6365,7 @@ msgstr "" msgid "Connections to method:" msgstr "" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp msgid "Source" msgstr "" @@ -7072,6 +7133,10 @@ msgid "(empty)" msgstr "" #: editor/plugins/sprite_frames_editor_plugin.cpp +msgid "Move Frame" +msgstr "" + +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Animations:" msgstr "" @@ -7386,6 +7451,14 @@ msgid "Enable Priority" msgstr "" #: editor/plugins/tile_map_editor_plugin.cpp +msgid "Filter tiles" +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "" @@ -7516,6 +7589,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp msgid "Remove selected texture? This will remove all tiles which use it." msgstr "" @@ -7670,6 +7748,105 @@ msgstr "" msgid "TileSet" msgstr "" +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No VCS addons are available." +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No commit message was provided" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Commit" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Initialize" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect new changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "Ŝanĝu" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Renamed" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "Forigi Ŝlosilo(j)n" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Typechange" +msgstr "Ŝanĝu" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "Skali Elektaron" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage All" +msgstr "Elektaro ĉiuj" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit Changes" +msgstr "Ŝanĝu" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -7903,6 +8080,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9093,6 +9275,10 @@ msgid "Settings saved OK." msgstr "" #: editor/project_settings_editor.cpp +msgid "Moved Input Action Event" +msgstr "" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "" @@ -9229,6 +9415,10 @@ msgid "Plugins" msgstr "" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "" + +#: editor/property_editor.cpp msgid "Zero" msgstr "" @@ -9392,10 +9582,6 @@ msgstr "" msgid "Reset" msgstr "" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "" @@ -9451,6 +9637,10 @@ msgid "Instance Scene(s)" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Replace with Branch Scene" +msgstr "" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "" @@ -9491,10 +9681,24 @@ msgid "Make node as Root" msgstr "" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "Forigi Ŝlosilo(j)n" + +#: editor/scene_tree_dock.cpp +msgid "Delete the root node \"%s\"?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" msgstr "" #: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "Forigi Ŝlosilo(j)n" + +#: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." msgstr "" @@ -9869,11 +10073,38 @@ msgid "Bytes:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" +#, fuzzy +msgid "Warning:" +msgstr "Avertoj" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Error:" +msgstr "Spegulo" + +#: editor/script_editor_debugger.cpp +msgid "C++ Error" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." +msgid "C++ Error:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Source" +msgstr "" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" +msgstr "Rimedo" + +#: editor/script_editor_debugger.cpp +msgid "C++ Source:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" msgstr "" #: editor/script_editor_debugger.cpp @@ -9881,7 +10112,7 @@ msgid "Errors" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +msgid "Child process connected." msgstr "" #: editor/script_editor_debugger.cpp @@ -9889,6 +10120,10 @@ msgid "Copy Error" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Skip Breakpoints" +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "" @@ -9905,6 +10140,10 @@ msgid "Profiler" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Network Profiler" +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "" @@ -9917,6 +10156,10 @@ msgid "Monitors" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "" @@ -10113,10 +10356,6 @@ msgid "Library" msgstr "" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "" @@ -10125,6 +10364,10 @@ msgid "GDNative" msgstr "" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "" @@ -10276,6 +10519,14 @@ msgstr "" msgid "Pick Distance:" msgstr "" +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Filter meshes" +msgstr "" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -10411,6 +10662,10 @@ msgid "Create a new variable." msgstr "" #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp #, fuzzy msgid "Create a new signal." msgstr "Kreu novan %s" @@ -10568,6 +10823,10 @@ msgid "Editing Signal:" msgstr "" #: modules/visual_script/visual_script_editor.cpp +msgid "Make Tool:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "" @@ -10715,7 +10974,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp diff --git a/editor/translations/es.po b/editor/translations/es.po index 08a6012cc2..8479f11639 100644 --- a/editor/translations/es.po +++ b/editor/translations/es.po @@ -18,7 +18,7 @@ # Jose Maria Martinez <josemar1992@hotmail.com>, 2018. # Juan Quiroga <juanquiroga9@gmail.com>, 2017. # Kiji Pixel <raccoon.fella@gmail.com>, 2017. -# Lisandro Lorea <lisandrolorea@gmail.com>, 2016-2017. +# Lisandro Lorea <lisandrolorea@gmail.com>, 2016-2017, 2019. # Lonsfor <lotharw@protonmail.com>, 2017-2018. # Mario Nachbaur <manachbaur@gmail.com>, 2018. # Oscar Carballal <oscar.carballal@protonmail.com>, 2017-2018. @@ -44,7 +44,7 @@ msgid "" msgstr "" "Project-Id-Version: Godot Engine editor\n" "POT-Creation-Date: \n" -"PO-Revision-Date: 2019-08-22 17:23+0000\n" +"PO-Revision-Date: 2019-09-07 13:51+0000\n" "Last-Translator: Javier Ocampos <xavier.ocampos@gmail.com>\n" "Language-Team: Spanish <https://hosted.weblate.org/projects/godot-engine/" "godot/es/>\n" @@ -95,6 +95,35 @@ msgstr "Argumentos inválidos para construir '%s'" msgid "On call to '%s':" msgstr "En llamada a '%s':" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +#, fuzzy +msgid "MiB" +msgstr "Mix" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "Libre" @@ -515,6 +544,12 @@ msgid "Select None" msgstr "Deseleccionar todo" #: editor/animation_track_editor.cpp +#, fuzzy +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" +"No hay asignada una ruta a un nodo AnimationPlayer conteniendo animaciones." + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "Mostrar solo las pistas de los nodos seleccionados en el árbol." @@ -693,18 +728,16 @@ msgid "Replaced %d occurrence(s)." msgstr "%d ocurrencia(s) reemplazada(s)." #: editor/code_editor.cpp editor/editor_help.cpp -#, fuzzy msgid "%d match." -msgstr "Se encontraron %d coincidencias." +msgstr "%d coincidencia." #: editor/code_editor.cpp editor/editor_help.cpp -#, fuzzy msgid "%d matches." -msgstr "Se encontraron %d coincidencias." +msgstr "%d coincidencias." #: editor/code_editor.cpp editor/find_in_files.cpp msgid "Match Case" -msgstr "Coincidir mayús/minúsculas" +msgstr "Coincidir Mayús./Minús." #: editor/code_editor.cpp editor/find_in_files.cpp msgid "Whole Words" @@ -838,7 +871,8 @@ msgstr "No se puede conectar la señal" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -941,7 +975,8 @@ msgstr "Buscar:" msgid "Matches:" msgstr "Coincidencias:" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1156,20 +1191,18 @@ msgid "License" msgstr "Licencia" #: editor/editor_about.cpp -#, fuzzy msgid "Third-party Licenses" msgstr "Licencia de Terceros" #: editor/editor_about.cpp -#, fuzzy msgid "" "Godot Engine relies on a number of third-party free and open source " "libraries, all compatible with the terms of its MIT license. The following " "is an exhaustive list of all such third-party components with their " "respective copyright statements and license terms." msgstr "" -"Godot Engine se basa en una serie de bibliotecas libres y de código abierto " -"de terceros, todas ellas compatibles con los términos de su licencia MIT. La " +"Godot Engine se basa en una serie de librerías libres y de código abierto de " +"terceros, todas ellas compatibles con los términos de su licencia MIT. La " "siguiente es una lista exhaustiva de todos estos componentes de terceros con " "sus respectivas declaraciones de derechos de autor y términos de licencia." @@ -1186,9 +1219,8 @@ msgid "Licenses" msgstr "Licencias" #: editor/editor_asset_installer.cpp editor/project_manager.cpp -#, fuzzy msgid "Error opening package file, not in ZIP format." -msgstr "Error al abrir el archivo empaquetado, no tiene formato zip." +msgstr "Error al abrir el archivo comprimido, no está en formato ZIP." #: editor/editor_asset_installer.cpp msgid "Uncompressing Assets" @@ -1256,7 +1288,8 @@ msgid "Delete Bus Effect" msgstr "Eliminar Efecto de Bus" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +#, fuzzy +msgid "Drag & drop to rearrange." msgstr "Bus de audio, arrastra y suelta para reordenar." #: editor/editor_audio_buses.cpp @@ -1447,6 +1480,7 @@ msgid "Add AutoLoad" msgstr "Añadir AutoLoad" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "Ruta:" @@ -1680,6 +1714,7 @@ msgstr "Hacer Actual" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "Nuevo" @@ -1750,6 +1785,7 @@ msgid "New Folder..." msgstr "Nueva Carpeta..." #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "Recargar" @@ -1907,7 +1943,8 @@ msgid "Inherited by:" msgstr "Heredada por:" #: editor/editor_help.cpp -msgid "Brief Description:" +#, fuzzy +msgid "Brief Description" msgstr "Descripción Breve:" #: editor/editor_help.cpp @@ -1915,38 +1952,18 @@ msgid "Properties" msgstr "Propiedades" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "Propiedades:" - -#: editor/editor_help.cpp msgid "Methods" msgstr "Métodos" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "Métodos:" - -#: editor/editor_help.cpp msgid "Theme Properties" msgstr "Propiedades del Tema" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "Propiedades del Tema:" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "Señales:" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "Enumeraciones" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "Enumeraciones:" - -#: editor/editor_help.cpp msgid "enum " msgstr "enum " @@ -1955,19 +1972,12 @@ msgid "Constants" msgstr "Constantes" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "Constantes:" - -#: editor/editor_help.cpp msgid "Class Description" msgstr "Descripción de la Clase" #: editor/editor_help.cpp -msgid "Class Description:" -msgstr "Descripción de la Clase:" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +#, fuzzy +msgid "Online Tutorials" msgstr "Tutoriales en línea:" #: editor/editor_help.cpp @@ -1985,10 +1995,6 @@ msgid "Property Descriptions" msgstr "Descripción de Propiedades" #: editor/editor_help.cpp -msgid "Property Descriptions:" -msgstr "Descripción de Propiedades:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -2001,10 +2007,6 @@ msgid "Method Descriptions" msgstr "Descripción de Métodos" #: editor/editor_help.cpp -msgid "Method Descriptions:" -msgstr "Descripción de Métodos:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2076,8 +2078,8 @@ msgstr "Salida:" msgid "Copy Selection" msgstr "Copiar Selección" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2090,10 +2092,51 @@ msgstr "Limpiar" msgid "Clear Output" msgstr "Limpiar Salida" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "Detener" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "Iniciar" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Down" +msgstr "Abajo" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "Arriba" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "Nodos" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp -#, fuzzy msgid "New Window" -msgstr "Ventana" +msgstr "Nueva Ventana" #: editor/editor_node.cpp msgid "Project export failed with error code %d." @@ -2424,9 +2467,8 @@ msgid "Close Scene" msgstr "Cerrar Escena" #: editor/editor_node.cpp -#, fuzzy msgid "Reopen Closed Scene" -msgstr "Cerrar Escena" +msgstr "Reabrir Escena Cerrada" #: editor/editor_node.cpp msgid "Unable to enable addon plugin at: '%s' parsing of config failed." @@ -2549,9 +2591,8 @@ msgid "Close Tab" msgstr "Cerrar Pestaña" #: editor/editor_node.cpp -#, fuzzy msgid "Undo Close Tab" -msgstr "Cerrar Pestaña" +msgstr "Deshacer Cerrar Pestaña" #: editor/editor_node.cpp editor/plugins/script_editor_plugin.cpp msgid "Close Other Tabs" @@ -2684,18 +2725,29 @@ msgid "Project" msgstr "Proyecto" #: editor/editor_node.cpp -#, fuzzy msgid "Project Settings..." -msgstr "Ajustes del proyecto" +msgstr "Ajustes del Proyecto..." + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Version Control" +msgstr "Versión:" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" #: editor/editor_node.cpp msgid "Export..." msgstr "Exportar…" #: editor/editor_node.cpp -#, fuzzy msgid "Install Android Build Template..." -msgstr "Instalar plantilla de compilación de Android" +msgstr "Instalar plantilla de compilación de Android..." #: editor/editor_node.cpp msgid "Open Project Data Folder" @@ -2706,9 +2758,8 @@ msgid "Tools" msgstr "Herramientas" #: editor/editor_node.cpp -#, fuzzy msgid "Orphan Resource Explorer..." -msgstr "Explorador de Recursos Huérfanos" +msgstr "Explorador de Recursos Huérfanos..." #: editor/editor_node.cpp msgid "Quit to Project List" @@ -2811,9 +2862,8 @@ msgid "Editor" msgstr "Editor" #: editor/editor_node.cpp -#, fuzzy msgid "Editor Settings..." -msgstr "Configuración del Editor" +msgstr "Configuración del Editor..." #: editor/editor_node.cpp msgid "Editor Layout" @@ -2850,14 +2900,12 @@ msgid "Open Editor Settings Folder" msgstr "Abrir Carpeta de Configuración del Editor" #: editor/editor_node.cpp -#, fuzzy msgid "Manage Editor Features..." -msgstr "Administrar Características del Editor" +msgstr "Administrar Características del Editor..." #: editor/editor_node.cpp -#, fuzzy msgid "Manage Export Templates..." -msgstr "Administrar Plantillas de Exportación" +msgstr "Administrar Plantillas de Exportación..." #: editor/editor_node.cpp editor/plugins/shader_editor_plugin.cpp msgid "Help" @@ -2913,10 +2961,6 @@ msgstr "Pausar Escena" msgid "Stop the scene." msgstr "Detener la escena." -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "Detener" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "Reproducir la escena editada." @@ -2967,10 +3011,6 @@ msgid "Inspector" msgstr "Inspector" #: editor/editor_node.cpp -msgid "Node" -msgstr "Nodos" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "Expandir Panel Inferior" @@ -2994,17 +3034,22 @@ msgstr "Administrar Plantillas" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" -"Esto instalará el proyecto Android para compilaciones personalizadas.\n" -"Para utilizarlo, es necesario habilitarlo mediante un preset de exportación." #: editor/editor_node.cpp +#, fuzzy msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" "La plantilla de compilación de Android ya está instalada y no se " "sobrescribirá.\n" @@ -3071,6 +3116,11 @@ msgstr "Abrir Editor siguiente" msgid "Open the previous Editor" msgstr "Abrir Editor anterior" +#: editor/editor_path.cpp +#, fuzzy +msgid "No sub-resources found." +msgstr "Ningún origen para la superficie especificado." + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "Creando Vistas Previas de Mesh/es" @@ -3080,6 +3130,11 @@ msgid "Thumbnail..." msgstr "Miniatura..." #: editor/editor_plugin_settings.cpp +#, fuzzy +msgid "Main Script:" +msgstr "Abrir Script:" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "Editar Plugin" @@ -3108,11 +3163,6 @@ msgstr "Estado:" msgid "Edit:" msgstr "Editar:" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "Iniciar" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "Medida:" @@ -3330,7 +3380,6 @@ msgid "Import From Node:" msgstr "Importar Desde Nodo:" #: editor/export_template_manager.cpp -#, fuzzy msgid "Redownload" msgstr "Volver a Descargar" @@ -3350,6 +3399,8 @@ msgstr "Descargar" #: editor/export_template_manager.cpp msgid "Official export templates aren't available for development builds." msgstr "" +"Las plantillas de exportación oficiales no están disponibles para las " +"versiones de desarrollo." #: editor/export_template_manager.cpp msgid "(Missing)" @@ -3432,23 +3483,20 @@ msgid "Download Complete." msgstr "Descarga Completada." #: editor/export_template_manager.cpp -#, fuzzy msgid "Cannot remove temporary file:" -msgstr "No se pudo guardar el tema a un archivo:" +msgstr "No se puede eliminar el archivo temporal:" #: editor/export_template_manager.cpp -#, fuzzy msgid "" "Templates installation failed.\n" "The problematic templates archives can be found at '%s'." msgstr "" -"Fallo la instalación de plantillas. Las plantillas problemáticas pueden ser " -"encontradas en '%s'." +"Falló la instalación de plantillas.\n" +"Las plantillas problemáticas se pueden encontrar en '%s'." #: editor/export_template_manager.cpp -#, fuzzy msgid "Error requesting URL:" -msgstr "Error al solicitar url: " +msgstr "Error al solicitar la URL:" #: editor/export_template_manager.cpp msgid "Connecting to Mirror..." @@ -3636,9 +3684,8 @@ msgid "Move To..." msgstr "Mover a..." #: editor/filesystem_dock.cpp -#, fuzzy msgid "New Scene..." -msgstr "Nueva Escena" +msgstr "Nueva Escena..." #: editor/filesystem_dock.cpp editor/plugins/script_editor_plugin.cpp msgid "New Script..." @@ -3706,9 +3753,8 @@ msgid "Overwrite" msgstr "Sobreescribir" #: editor/filesystem_dock.cpp -#, fuzzy msgid "Create Scene" -msgstr "Crear desde escena" +msgstr "Crear Escena" #: editor/filesystem_dock.cpp editor/plugins/script_editor_plugin.cpp msgid "Create Script" @@ -3788,23 +3834,20 @@ msgid "Invalid group name." msgstr "Nombre de grupo inválido." #: editor/groups_editor.cpp -#, fuzzy msgid "Rename Group" -msgstr "Administrar Grupos" +msgstr "Renombrar Grupo" #: editor/groups_editor.cpp -#, fuzzy msgid "Delete Group" -msgstr "Eliminar grupo de imágenes" +msgstr "Eliminar Grupo" #: editor/groups_editor.cpp editor/node_dock.cpp msgid "Groups" msgstr "Grupos" #: editor/groups_editor.cpp -#, fuzzy msgid "Nodes Not in Group" -msgstr "Nodos fuera del Grupo" +msgstr "Nodos Fuera del Grupo" #: editor/groups_editor.cpp editor/scene_tree_dock.cpp #: editor/scene_tree_editor.cpp @@ -3817,7 +3860,7 @@ msgstr "Nodos dentro del Grupo" #: editor/groups_editor.cpp msgid "Empty groups will be automatically removed." -msgstr "" +msgstr "Los grupos vacíos se eliminarán automáticamente." #: editor/groups_editor.cpp msgid "Group Editor" @@ -3921,9 +3964,10 @@ msgstr " Archivos" msgid "Import As:" msgstr "Importar como:" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." -msgstr "Preset..." +#: editor/import_dock.cpp +#, fuzzy +msgid "Preset" +msgstr "Ajustes preestablecidos" #: editor/import_dock.cpp msgid "Reimport" @@ -4030,9 +4074,8 @@ msgid "MultiNode Set" msgstr "Establecer multinodo" #: editor/node_dock.cpp -#, fuzzy msgid "Select a single node to edit its signals and groups." -msgstr "Selecciona un nodo para editar señales y grupos." +msgstr "Selecciona un único nodo para editar sus señales y grupos." #: editor/plugin_config_dialog.cpp msgid "Edit a Plugin" @@ -4366,6 +4409,7 @@ msgid "Change Animation Name:" msgstr "Cambiar nombre de animación:" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "¿Eliminar Animación?" @@ -4815,37 +4859,32 @@ msgid "Request failed, return code:" msgstr "Petición fallida, código:" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Request failed." -msgstr "Petición Fallida." +msgstr "Petición fallida." #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Cannot save response to:" -msgstr "No se pudo guardar el tema a un archivo:" +msgstr "No se pudo guardar la respuesta a:" #: editor/plugins/asset_library_editor_plugin.cpp msgid "Write error." -msgstr "" +msgstr "Error de escritura." #: editor/plugins/asset_library_editor_plugin.cpp msgid "Request failed, too many redirects" msgstr "Petición fallida, demasiadas redirecciones" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Redirect loop." -msgstr "Redireccionar Loop." +msgstr "Redireccionar loop." #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Request failed, timeout" -msgstr "Petición fallida, código:" +msgstr "Petición fallida, expiración del tiempo de espera" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Timeout." -msgstr "Tiempo" +msgstr "Tiempo de espera." #: editor/plugins/asset_library_editor_plugin.cpp msgid "Bad download hash, assuming file has been tampered with." @@ -4924,24 +4963,18 @@ msgid "All" msgstr "Todos" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Import..." -msgstr "Reimportar..." +msgstr "Importar..." #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Plugins..." -msgstr "Plugins" +msgstr "Plugins..." #: editor/plugins/asset_library_editor_plugin.cpp editor/project_manager.cpp msgid "Sort:" msgstr "Ordenar:" #: editor/plugins/asset_library_editor_plugin.cpp -msgid "Reverse sorting." -msgstr "Orden inverso." - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "Categoría:" @@ -4951,9 +4984,8 @@ msgid "Site:" msgstr "Sitio:" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Support" -msgstr "Soporte..." +msgstr "Soporte" #: editor/plugins/asset_library_editor_plugin.cpp msgid "Official" @@ -4964,7 +4996,6 @@ msgid "Testing" msgstr "Prueba" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Loading..." msgstr "Cargar..." @@ -5134,9 +5165,8 @@ msgid "Paste Pose" msgstr "Pegar Pose" #: editor/plugins/canvas_item_editor_plugin.cpp -#, fuzzy msgid "Clear Guides" -msgstr "Limpiar Huesos" +msgstr "Limpiar Guías" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Create Custom Bone(s) from Node(s)" @@ -5225,6 +5255,11 @@ msgid "Pan Mode" msgstr "Modo desplazamiento lateral" #: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy +msgid "Ruler Mode" +msgstr "Modo de ejecución:" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "Act./Desact. alineado." @@ -5873,26 +5908,23 @@ msgstr "Tiempo de Generación (seg):" #: editor/plugins/particles_editor_plugin.cpp msgid "The geometry's faces don't contain any area." -msgstr "" +msgstr "Las caras de la geometría no contienen ningún área." #: editor/plugins/particles_editor_plugin.cpp -#, fuzzy msgid "The geometry doesn't contain any faces." -msgstr "El nodo no posee geometría (caras)." +msgstr "La geometría no contiene ninguna cara." #: editor/plugins/particles_editor_plugin.cpp msgid "\"%s\" doesn't inherit from Spatial." -msgstr "" +msgstr "\"%s\" no hereda de Spatial." #: editor/plugins/particles_editor_plugin.cpp -#, fuzzy msgid "\"%s\" doesn't contain geometry." -msgstr "El nodo no tiene geometría." +msgstr "\"%s\" no tiene geometría." #: editor/plugins/particles_editor_plugin.cpp -#, fuzzy msgid "\"%s\" doesn't contain face geometry." -msgstr "El nodo no tiene geometría." +msgstr "\"%s\" no tiene geometría de caras." #: editor/plugins/particles_editor_plugin.cpp msgid "Create Emitter" @@ -6293,7 +6325,7 @@ msgstr "Instancia:" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "Tipo:" @@ -6331,9 +6363,8 @@ msgid "Error writing TextFile:" msgstr "Error al escribir el TextFile:" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "Could not load file at:" -msgstr "No se pudo cargar el tile:" +msgstr "No se pudo cargar el archivo en:" #: editor/plugins/script_editor_plugin.cpp msgid "Error saving file!" @@ -6356,9 +6387,8 @@ msgid "Error Importing" msgstr "Error al Importar" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "New Text File..." -msgstr "Nuevo TextFile..." +msgstr "Nuevo Archivo de Texto..." #: editor/plugins/script_editor_plugin.cpp msgid "Open File" @@ -6438,9 +6468,8 @@ msgid "Open..." msgstr "Abrir..." #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "Reopen Closed Script" -msgstr "Abrir Script" +msgstr "Reabrir Script Cerrado" #: editor/plugins/script_editor_plugin.cpp msgid "Save All" @@ -6496,14 +6525,14 @@ msgid "Toggle Scripts Panel" msgstr "Act./Desact. Panel de Scripts" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" -msgstr "Step Over" - -#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Step Into" msgstr "Step Into" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp +msgid "Step Over" +msgstr "Step Over" + +#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Break" msgstr "Break" @@ -6575,15 +6604,14 @@ msgid "Search Results" msgstr "Resultados de la Búsqueda" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "Clear Recent Scripts" -msgstr "Limpiar escenas recientes" +msgstr "Limpiar Scripts Recientes" #: editor/plugins/script_text_editor.cpp msgid "Connections to method:" msgstr "Conexiones al método:" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp msgid "Source" msgstr "Fuente" @@ -6628,7 +6656,7 @@ msgstr "Seleccionar Color" #: editor/plugins/script_text_editor.cpp editor/plugins/text_editor.cpp msgid "Convert Case" -msgstr "Convertir Mayúsculas y Minúsculas" +msgstr "Convertir Mayús./Minús." #: editor/plugins/script_text_editor.cpp editor/plugins/text_editor.cpp msgid "Uppercase" @@ -6702,9 +6730,8 @@ msgid "Complete Symbol" msgstr "Completar Símbolo" #: editor/plugins/script_text_editor.cpp -#, fuzzy msgid "Evaluate Selection" -msgstr "Escalar Selección" +msgstr "Evaluar Selección" #: editor/plugins/script_text_editor.cpp msgid "Trim Trailing Whitespace" @@ -7012,9 +7039,8 @@ msgid "Audio Listener" msgstr "Oyente de Audio" #: editor/plugins/spatial_editor_plugin.cpp -#, fuzzy msgid "Enable Doppler" -msgstr "Habilitar Filtrado" +msgstr "Activar Doppler" #: editor/plugins/spatial_editor_plugin.cpp msgid "Cinematic Preview" @@ -7070,7 +7096,7 @@ msgstr "Ajustar Nodos al Suelo" #: editor/plugins/spatial_editor_plugin.cpp msgid "Couldn't find a solid floor to snap the selection to." -msgstr "" +msgstr "No se pudo encontrar un suelo sólido para ajustar la selección." #: editor/plugins/spatial_editor_plugin.cpp msgid "" @@ -7083,9 +7109,8 @@ msgstr "" "Alt + Clic Derecho: Selección en la lista de superposición" #: editor/plugins/spatial_editor_plugin.cpp -#, fuzzy msgid "Use Local Space" -msgstr "Modo de Espacio Local (%s)" +msgstr "Usar Espacio Local" #: editor/plugins/spatial_editor_plugin.cpp msgid "Bottom View" @@ -7182,9 +7207,8 @@ msgstr "Ver Grid" #: editor/plugins/spatial_editor_plugin.cpp #: modules/gridmap/grid_map_editor_plugin.cpp -#, fuzzy msgid "Settings..." -msgstr "Configuración" +msgstr "Configuración..." #: editor/plugins/spatial_editor_plugin.cpp msgid "Snap Settings" @@ -7363,6 +7387,11 @@ msgid "(empty)" msgstr "(vacío)" #: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy +msgid "Move Frame" +msgstr "Pegar Frame" + +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Animations:" msgstr "Animaciones:" @@ -7560,14 +7589,12 @@ msgid "Submenu" msgstr "Submenú" #: editor/plugins/theme_editor_plugin.cpp -#, fuzzy msgid "Subitem 1" -msgstr "Ítem 1" +msgstr "Subítem 1" #: editor/plugins/theme_editor_plugin.cpp -#, fuzzy msgid "Subitem 2" -msgstr "Ítem 2" +msgstr "Subítem 2" #: editor/plugins/theme_editor_plugin.cpp msgid "Has" @@ -7679,17 +7706,25 @@ msgid "Enable Priority" msgstr "Activar Prioridad" #: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy +msgid "Filter tiles" +msgstr "Filtrar Archivos..." + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "Dibujar tile" #: editor/plugins/tile_map_editor_plugin.cpp -#, fuzzy msgid "" "Shift+LMB: Line Draw\n" "Shift+Ctrl+LMB: Rectangle Paint" msgstr "" -"Shift + Clic derecho: Trazar línea\n" -"Shift + Ctrl + Clic derecho: Pintar Rectángulo" +"Shift + Clic izq: Dibujar línea\n" +"Shift + Ctrl + Clic izq: Pintar Rectángulo" #: editor/plugins/tile_map_editor_plugin.cpp msgid "Pick Tile" @@ -7812,6 +7847,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "Mostrar Nombres de Tiles (mantener Tecla Alt)" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp msgid "Remove selected texture? This will remove all tiles which use it." msgstr "" "¿Eliminar la textura seleccionada? Esto eliminará todas las tiles que lo " @@ -7983,6 +8023,112 @@ msgstr "Esta propiedad no se puede cambiar." msgid "TileSet" msgstr "TileSet" +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No VCS addons are available." +msgstr "Nombre del padre del nodo, si está disponible" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "Error" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No commit message was provided" +msgstr "No se proporcionó un nombre" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit" +msgstr "Comunidad" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Initialize" +msgstr "Capitalizar" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "Cree un nuevo rectángulo." + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "Cambiar" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "Renombrar" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "Eliminar" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Typechange" +msgstr "Cambiar" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "Eliminar Seleccionados" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage All" +msgstr "Guardar Todo" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit Changes" +msgstr "Sincronizar Cambios en Scripts" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "Estado" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No file diff is active" +msgstr "¡No has seleccionado ningún archivo!" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "(Sólo GLES3)" @@ -8089,9 +8235,8 @@ msgid "Light" msgstr "Luz" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Show resulted shader code." -msgstr "Crear Nodo Shader" +msgstr "Mostrar el código del shader resultante." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Create Shader Node" @@ -8226,6 +8371,14 @@ msgstr "" "o falso." #: editor/plugins/visual_shader_editor_plugin.cpp +#, fuzzy +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" +"Devuelve un vector asociado si el valor booleano proporcionado es verdadero " +"o falso." + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "Devuelve el resultado booleano de la comparación entre dos parámetros." @@ -8461,7 +8614,6 @@ msgid "Returns the square root of the parameter." msgstr "Devuelve la raíz cuadrada del parámetro." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "SmoothStep function( scalar(edge0), scalar(edge1), scalar(x) ).\n" "\n" @@ -8476,7 +8628,6 @@ msgstr "" "polinomios de Hermite." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "Step function( scalar(edge), scalar(x) ).\n" "\n" @@ -8654,9 +8805,8 @@ msgid "Linear interpolation between two vectors." msgstr "Interpolación lineal entre dos vectores." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Linear interpolation between two vectors using scalar." -msgstr "Interpolación lineal entre dos vectores." +msgstr "Interpolación lineal entre dos vectores usando escalar." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Calculates the normalize product of vector." @@ -8683,7 +8833,6 @@ msgid "Returns the vector that points in the direction of refraction." msgstr "Devuelve el vector que apunta en la dirección de refracción." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "SmoothStep function( vector(edge0), vector(edge1), vector(x) ).\n" "\n" @@ -8698,7 +8847,6 @@ msgstr "" "polinomios de Hermite." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "SmoothStep function( scalar(edge0), scalar(edge1), vector(x) ).\n" "\n" @@ -8713,7 +8861,6 @@ msgstr "" "polinomios de Hermite." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "Step function( vector(edge), vector(x) ).\n" "\n" @@ -8724,7 +8871,6 @@ msgstr "" "Devuelve 0.0 si 'x' es menor que 'edge' y 1.0 en caso contrario." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "Step function( scalar(edge), vector(x) ).\n" "\n" @@ -8788,6 +8934,10 @@ msgid "" "shader. You can place various function definitions inside and call it later " "in the Expressions. You can also declare varyings, uniforms and constants." msgstr "" +"Expresión personalizada del lenguaje de shader de Godot, que se coloca " +"encima del shader resultante. Puedes colocar varias definiciones de " +"funciones dentro y llamarlas más tarde en las Expresiones. También puedes " +"declarar variaciones, uniformes y constantes." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(Fragment/Light mode only) Scalar derivative function." @@ -9180,13 +9330,12 @@ msgid "Unnamed Project" msgstr "Proyecto Sin Nombre" #: editor/project_manager.cpp -#, fuzzy msgid "Missing Project" -msgstr "Importar Proyecto Existente" +msgstr "Proyecto Faltante" #: editor/project_manager.cpp msgid "Error: Project is missing on the filesystem." -msgstr "" +msgstr "Error: Proyecto faltante en el sistema de archivos." #: editor/project_manager.cpp msgid "Can't open project at '%s'." @@ -9285,12 +9434,11 @@ msgstr "" "El contenido de la carpeta de proyecto no se modificará." #: editor/project_manager.cpp -#, fuzzy msgid "" "Remove all missing projects from the list?\n" "The project folders' contents won't be modified." msgstr "" -"¿Eliminar %d proyectos de la lista?\n" +"¿Eliminar todos los proyectos faltantes de la lista?\n" "El contenido de las carpetas del proyecto no se modificará." #: editor/project_manager.cpp @@ -9316,9 +9464,8 @@ msgid "Project Manager" msgstr "Administrador de Proyectos" #: editor/project_manager.cpp -#, fuzzy msgid "Projects" -msgstr "Proyecto" +msgstr "Proyectos" #: editor/project_manager.cpp msgid "Scan" @@ -9549,6 +9696,11 @@ msgid "Settings saved OK." msgstr "Los ajustes se han guardado correctamente." #: editor/project_settings_editor.cpp +#, fuzzy +msgid "Moved Input Action Event" +msgstr "Añadir Evento de Acción de Entrada" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "Sobrescribir la Característica" @@ -9685,6 +9837,10 @@ msgid "Plugins" msgstr "Plugins" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "Preset..." + +#: editor/property_editor.cpp msgid "Zero" msgstr "Cero" @@ -9838,7 +9994,7 @@ msgstr "under_scored a CamelCase" #: editor/rename_dialog.cpp msgid "Case" -msgstr "Mayus./Minus." +msgstr "Mayús./Minús." #: editor/rename_dialog.cpp msgid "To Lowercase" @@ -9852,10 +10008,6 @@ msgstr "A mayúsculas" msgid "Reset" msgstr "Resetear" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "Error" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "Reemparentar nodo" @@ -9913,6 +10065,11 @@ msgid "Instance Scene(s)" msgstr "Instanciar Escena(s)" #: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Replace with Branch Scene" +msgstr "Guardar Rama como Escena" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "Instanciar Escena Hija" @@ -9955,8 +10112,23 @@ msgid "Make node as Root" msgstr "Convertir nodo como Raíz" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" -msgstr "¿Eliminar Nodo(s)?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "Eliminar Nodos" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete the root node \"%s\"?" +msgstr "Eliminar nodo(s) gráfico(s) del shader" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" +msgstr "" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "Eliminar Nodos" #: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." @@ -10031,9 +10203,8 @@ msgid "Remove Node(s)" msgstr "Eliminar Nodo(s)" #: editor/scene_tree_dock.cpp -#, fuzzy msgid "Change type of node(s)" -msgstr "Cambiar nombre del puerto de salida" +msgstr "Cambiar tipo de nodo(s)" #: editor/scene_tree_dock.cpp msgid "" @@ -10156,31 +10327,28 @@ msgid "Node configuration warning:" msgstr "Alerta de configuración de nodos:" #: editor/scene_tree_editor.cpp -#, fuzzy msgid "" "Node has %s connection(s) and %s group(s).\n" "Click to show signals dock." msgstr "" -"El nodo tiene conexión/es y grupo/s.\n" +"El nodo tiene %s conexión(es) y %(s) grupo(s).\n" "Clic para mostrar el panel de señales." #: editor/scene_tree_editor.cpp -#, fuzzy msgid "" "Node has %s connection(s).\n" "Click to show signals dock." msgstr "" -"El nodo tiene conexiones.\n" -"Haz clic para mostrar el panel de señales." +"El nodo tiene %s conexión(es).\n" +"Clic para mostrar el panel de señales." #: editor/scene_tree_editor.cpp -#, fuzzy msgid "" "Node is in %s group(s).\n" "Click to show groups dock." msgstr "" -"El nodo está en el/los grupo(s).\n" -"Haz clic para mostrar el panel de grupos." +"El nodo está en %s grupo(s).\n" +"Clic para mostrar el panel de grupos." #: editor/scene_tree_editor.cpp msgid "Open Script:" @@ -10276,9 +10444,8 @@ msgid "Error loading script from %s" msgstr "Error al cargar script desde %s" #: editor/script_create_dialog.cpp -#, fuzzy msgid "Overrides" -msgstr "Sobreescribir" +msgstr "Sobreescritura" #: editor/script_create_dialog.cpp msgid "N/A" @@ -10357,19 +10524,50 @@ msgid "Bytes:" msgstr "Bytes:" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" -msgstr "Stack Trace" +#, fuzzy +msgid "Warning:" +msgstr "Advertencias:" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." -msgstr "Elige uno o más elementos de la lista para mostrar el gráfico." +msgid "Error:" +msgstr "Error:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error" +msgstr "Copiar Error" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error:" +msgstr "Error:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source" +msgstr "Fuente" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" +msgstr "Fuente" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source:" +msgstr "Fuente" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" +msgstr "Stack Trace" #: editor/script_editor_debugger.cpp msgid "Errors" msgstr "Errores" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +#, fuzzy +msgid "Child process connected." msgstr "Proceso Hijo Conectado" #: editor/script_editor_debugger.cpp @@ -10377,6 +10575,11 @@ msgid "Copy Error" msgstr "Copiar Error" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "Puntos de interrupción" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "Inspeccionar Instancia Anterior" @@ -10393,6 +10596,11 @@ msgid "Profiler" msgstr "Profiler" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Network Profiler" +msgstr "Exportar Perfil" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "Monitor" @@ -10405,6 +10613,10 @@ msgid "Monitors" msgstr "Monitores" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "Elige uno o más elementos de la lista para mostrar el gráfico." + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "Lista de uso de memoria de video por recurso:" @@ -10601,10 +10813,6 @@ msgid "Library" msgstr "Biblioteca" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "Estado" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "Bibliotecas: " @@ -10613,6 +10821,10 @@ msgid "GDNative" msgstr "GDNative" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "¡El argumento step es cero!" @@ -10768,6 +10980,15 @@ msgstr "Configuración de GridMap" msgid "Pick Distance:" msgstr "Seleccionar Distancia:" +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "Filtrar métodos" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "El nombre de la clase no puede ser una palabra reservada" @@ -10895,28 +11116,28 @@ msgid "Set Variable Type" msgstr "Establecer Tipo de la Variable" #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Override an existing built-in function." -msgstr "No debe coincidir con un nombre de tipo built-in existente." +msgstr "Sobrescribir una función incorporada existente." #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Create a new function." -msgstr "Cree un nuevo rectángulo." +msgstr "Crear una nueva función." #: modules/visual_script/visual_script_editor.cpp msgid "Variables:" msgstr "Variables:" #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Create a new variable." -msgstr "Cree un nuevo rectángulo." +msgstr "Crear una nueva variable." + +#: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "Señales:" #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Create a new signal." -msgstr "Crear un nuevo polígono." +msgstr "Crear una nueva señal." #: modules/visual_script/visual_script_editor.cpp msgid "Name is not a valid identifier:" @@ -11075,6 +11296,11 @@ msgid "Editing Signal:" msgstr "Editando señal:" #: modules/visual_script/visual_script_editor.cpp +#, fuzzy +msgid "Make Tool:" +msgstr "Crear Local" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "Tipo Base:" @@ -11233,8 +11459,10 @@ msgstr "" "Configuración del Editor." #: platform/android/export/export.cpp +#, fuzzy msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" "El proyecto Android no está instalado para la compilación. Instálalo desde " "el menú Editor." @@ -12040,6 +12268,44 @@ msgstr "Solo se pueden asignar variaciones en funciones de vértice." msgid "Constants cannot be modified." msgstr "Las constantes no pueden modificarse." +#~ msgid "Properties:" +#~ msgstr "Propiedades:" + +#~ msgid "Methods:" +#~ msgstr "Métodos:" + +#~ msgid "Theme Properties:" +#~ msgstr "Propiedades del Tema:" + +#~ msgid "Enumerations:" +#~ msgstr "Enumeraciones:" + +#~ msgid "Constants:" +#~ msgstr "Constantes:" + +#~ msgid "Class Description:" +#~ msgstr "Descripción de la Clase:" + +#~ msgid "Property Descriptions:" +#~ msgstr "Descripción de Propiedades:" + +#~ msgid "Method Descriptions:" +#~ msgstr "Descripción de Métodos:" + +#~ msgid "" +#~ "This will install the Android project for custom builds.\n" +#~ "Note that, in order to use it, it needs to be enabled per export preset." +#~ msgstr "" +#~ "Esto instalará el proyecto Android para compilaciones personalizadas.\n" +#~ "Para utilizarlo, es necesario habilitarlo mediante un preset de " +#~ "exportación." + +#~ msgid "Reverse sorting." +#~ msgstr "Orden inverso." + +#~ msgid "Delete Node(s)?" +#~ msgstr "¿Eliminar Nodo(s)?" + #~ msgid "No Matches" #~ msgstr "Sin Coincidencias" @@ -12476,9 +12742,6 @@ msgstr "Las constantes no pueden modificarse." #~ msgstr "" #~ "Instanciar la(s) escena(s) seleccionadas como hijas del nodo seleccionado." -#~ msgid "Warnings:" -#~ msgstr "Advertencias:" - #~ msgid "Font Size:" #~ msgstr "Tamaño de la tipografía:" @@ -12523,9 +12786,6 @@ msgstr "Las constantes no pueden modificarse." #~ msgid "Select a split to erase it." #~ msgstr "Selecciona una división para borrarla." -#~ msgid "No name provided" -#~ msgstr "No se proporcionó un nombre" - #~ msgid "Add Node.." #~ msgstr "Añadir Nodo..." @@ -12661,9 +12921,6 @@ msgstr "Las constantes no pueden modificarse." #~ msgid "Warning" #~ msgstr "Advertencia" -#~ msgid "Error:" -#~ msgstr "Error:" - #~ msgid "Function:" #~ msgstr "Función:" @@ -12745,9 +13002,6 @@ msgstr "Las constantes no pueden modificarse." #~ msgid "Duplicate Graph Node(s)" #~ msgstr "Duplicar nodo(s) gráfico" -#~ msgid "Delete Shader Graph Node(s)" -#~ msgstr "Eliminar nodo(s) gráfico(s) del shader" - #~ msgid "Error: Cyclic Connection Link" #~ msgstr "Error: Link de conexión cíclico" @@ -13206,9 +13460,6 @@ msgstr "Las constantes no pueden modificarse." #~ msgid "Pick New Name and Location For:" #~ msgstr "Elige un nombre nuevo y ubicación para:" -#~ msgid "No files selected!" -#~ msgstr "¡No has seleccionado ningún archivo!" - #~ msgid "Info" #~ msgstr "Info" @@ -13611,12 +13862,6 @@ msgstr "Las constantes no pueden modificarse." #~ msgid "Scaling to %s%%." #~ msgstr "Escalando al %s%%." -#~ msgid "Up" -#~ msgstr "Arriba" - -#~ msgid "Down" -#~ msgstr "Abajo" - #~ msgid "Bucket" #~ msgstr "Cubo" diff --git a/editor/translations/es_AR.po b/editor/translations/es_AR.po index 9208cc669c..d6f7409cbd 100644 --- a/editor/translations/es_AR.po +++ b/editor/translations/es_AR.po @@ -16,7 +16,7 @@ msgid "" msgstr "" "Project-Id-Version: Godot Engine editor\n" "POT-Creation-Date: \n" -"PO-Revision-Date: 2019-08-11 10:24+0000\n" +"PO-Revision-Date: 2019-09-07 13:52+0000\n" "Last-Translator: Lisandro Lorea <lisandrolorea@gmail.com>\n" "Language-Team: Spanish (Argentina) <https://hosted.weblate.org/projects/" "godot-engine/godot/es_AR/>\n" @@ -25,7 +25,7 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=n != 1;\n" -"X-Generator: Weblate 3.8-dev\n" +"X-Generator: Weblate 3.9-dev\n" #: core/math/expression.cpp modules/gdscript/gdscript_functions.cpp #: modules/visual_script/visual_script_builtin_funcs.cpp @@ -67,6 +67,35 @@ msgstr "Argumentos inválidos para construir '%s'" msgid "On call to '%s':" msgstr "En la llamada a '%s':" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +#, fuzzy +msgid "MiB" +msgstr "Mix" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "Gratis" @@ -485,6 +514,12 @@ msgid "Select None" msgstr "No Seleccionar Ninguno" #: editor/animation_track_editor.cpp +#, fuzzy +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" +"No hay asignada una ruta a un nodo AnimationPlayer conteniendo animaciones." + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "Mostrar solo las pistas de los nodos seleccionados en el árbol." @@ -663,14 +698,12 @@ msgid "Replaced %d occurrence(s)." msgstr "%d ocurrencia(s) Reemplazadas." #: editor/code_editor.cpp editor/editor_help.cpp -#, fuzzy msgid "%d match." -msgstr "Se encontraron %d coincidencias." +msgstr "%d coincidencia." #: editor/code_editor.cpp editor/editor_help.cpp -#, fuzzy msgid "%d matches." -msgstr "Se encontraron %d coincidencias." +msgstr "%d coincidencias." #: editor/code_editor.cpp editor/find_in_files.cpp msgid "Match Case" @@ -808,7 +841,8 @@ msgstr "No se puede conectar la señal" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -910,7 +944,8 @@ msgstr "Buscar:" msgid "Matches:" msgstr "Coincidencias:" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1125,22 +1160,20 @@ msgid "License" msgstr "Licencia" #: editor/editor_about.cpp -#, fuzzy msgid "Third-party Licenses" msgstr "Licencia de Terceros" #: editor/editor_about.cpp -#, fuzzy msgid "" "Godot Engine relies on a number of third-party free and open source " "libraries, all compatible with the terms of its MIT license. The following " "is an exhaustive list of all such third-party components with their " "respective copyright statements and license terms." msgstr "" -"Godot Engine depende de un número de licencias de terceros, libres y de " -"código abierto, todas compatibles con los términos de su licencia MIT. La " -"siguiente es una lista exhaustiva de los mencionados componentes de terceros " -"con sus respectivas declaraciones de copyright y términos de licencia." +"Godot Engine se basa en una serie de librerías libres y de código abierto de " +"terceros, todas ellas compatibles con los términos de su licencia MIT. La " +"siguiente es una lista exhaustiva de todos estos componentes de terceros con " +"sus respectivas declaraciones de derechos de autor y términos de licencia." #: editor/editor_about.cpp msgid "All Components" @@ -1155,9 +1188,8 @@ msgid "Licenses" msgstr "Licencias" #: editor/editor_asset_installer.cpp editor/project_manager.cpp -#, fuzzy msgid "Error opening package file, not in ZIP format." -msgstr "Error al abrir el archivo de paquete. No está en formato zip." +msgstr "Error al abrir el archivo comprimido, no está en formato ZIP." #: editor/editor_asset_installer.cpp msgid "Uncompressing Assets" @@ -1225,7 +1257,8 @@ msgid "Delete Bus Effect" msgstr "Eliminar Efecto de Bus" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +#, fuzzy +msgid "Drag & drop to rearrange." msgstr "Audio Bus, Arrastrar y Soltar para reordenar." #: editor/editor_audio_buses.cpp @@ -1416,6 +1449,7 @@ msgid "Add AutoLoad" msgstr "Agregar AutoLoad" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "Ruta:" @@ -1648,6 +1682,7 @@ msgstr "Hacer Actual" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "Nuevo" @@ -1718,6 +1753,7 @@ msgid "New Folder..." msgstr "Nueva Carpeta..." #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "Refrescar" @@ -1875,7 +1911,8 @@ msgid "Inherited by:" msgstr "Heredada por:" #: editor/editor_help.cpp -msgid "Brief Description:" +#, fuzzy +msgid "Brief Description" msgstr "Descripción Breve:" #: editor/editor_help.cpp @@ -1883,38 +1920,18 @@ msgid "Properties" msgstr "Propiedades" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "Propiedades:" - -#: editor/editor_help.cpp msgid "Methods" msgstr "Métodos" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "Métodos:" - -#: editor/editor_help.cpp msgid "Theme Properties" msgstr "Propiedades de Tema" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "Propiedades de Tema:" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "Señales:" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "Enumeraciones" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "Enumeraciones:" - -#: editor/editor_help.cpp msgid "enum " msgstr "enum " @@ -1923,19 +1940,12 @@ msgid "Constants" msgstr "Constantes" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "Constantes:" - -#: editor/editor_help.cpp msgid "Class Description" msgstr "Descripción de Clase" #: editor/editor_help.cpp -msgid "Class Description:" -msgstr "Descripción de Clase:" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +#, fuzzy +msgid "Online Tutorials" msgstr "Tutoriales En Linea:" #: editor/editor_help.cpp @@ -1953,10 +1963,6 @@ msgid "Property Descriptions" msgstr "Descripción de Propiedades" #: editor/editor_help.cpp -msgid "Property Descriptions:" -msgstr "Descripción de Propiedades:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -1969,10 +1975,6 @@ msgid "Method Descriptions" msgstr "Descripción de Método" #: editor/editor_help.cpp -msgid "Method Descriptions:" -msgstr "Descripción de Métodos:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2041,8 +2043,8 @@ msgstr "Salida:" msgid "Copy Selection" msgstr "Copiar Selección" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2055,10 +2057,51 @@ msgstr "Limpiar" msgid "Clear Output" msgstr "Limpiar Salida" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "Detener" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "Iniciar" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Down" +msgstr "Abajo" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "Arriba" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "Nodo" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp -#, fuzzy msgid "New Window" -msgstr "Ventana" +msgstr "Nueva Ventana" #: editor/editor_node.cpp msgid "Project export failed with error code %d." @@ -2389,9 +2432,8 @@ msgid "Close Scene" msgstr "Cerrar Escena" #: editor/editor_node.cpp -#, fuzzy msgid "Reopen Closed Scene" -msgstr "Cerrar Escena" +msgstr "Reabrir Escena Cerrada" #: editor/editor_node.cpp msgid "Unable to enable addon plugin at: '%s' parsing of config failed." @@ -2514,9 +2556,8 @@ msgid "Close Tab" msgstr "Cerrar Pestaña" #: editor/editor_node.cpp -#, fuzzy msgid "Undo Close Tab" -msgstr "Cerrar Pestaña" +msgstr "Deshacer Cerrar Pestaña" #: editor/editor_node.cpp editor/plugins/script_editor_plugin.cpp msgid "Close Other Tabs" @@ -2649,18 +2690,29 @@ msgid "Project" msgstr "Proyecto" #: editor/editor_node.cpp -#, fuzzy msgid "Project Settings..." -msgstr "Configuración de Proyecto" +msgstr "Ajustes del Proyecto..." + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Version Control" +msgstr "Version:" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" #: editor/editor_node.cpp msgid "Export..." msgstr "Exportar..." #: editor/editor_node.cpp -#, fuzzy msgid "Install Android Build Template..." -msgstr "Instalar plantilla de compilación de Android" +msgstr "Instalar Plantilla de Compilación de Android..." #: editor/editor_node.cpp msgid "Open Project Data Folder" @@ -2671,9 +2723,8 @@ msgid "Tools" msgstr "Herramientas" #: editor/editor_node.cpp -#, fuzzy msgid "Orphan Resource Explorer..." -msgstr "Explorador de Recursos Huérfanos" +msgstr "Explorador de Recursos Huérfanos..." #: editor/editor_node.cpp msgid "Quit to Project List" @@ -2777,9 +2828,8 @@ msgid "Editor" msgstr "Editor" #: editor/editor_node.cpp -#, fuzzy msgid "Editor Settings..." -msgstr "Configuración del Editor" +msgstr "Configuración del Editor..." #: editor/editor_node.cpp msgid "Editor Layout" @@ -2814,14 +2864,12 @@ msgid "Open Editor Settings Folder" msgstr "Abrir Carpeta de Configuración del Editor" #: editor/editor_node.cpp -#, fuzzy msgid "Manage Editor Features..." -msgstr "Administrar Características del Editor" +msgstr "Administrar Características del Editor..." #: editor/editor_node.cpp -#, fuzzy msgid "Manage Export Templates..." -msgstr "Gestionar Plantillas de Exportación" +msgstr "Administrar Plantillas de Exportación..." #: editor/editor_node.cpp editor/plugins/shader_editor_plugin.cpp msgid "Help" @@ -2877,10 +2925,6 @@ msgstr "Pausar Escena" msgid "Stop the scene." msgstr "Parar la escena." -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "Detener" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "Reproducir la escena editada." @@ -2931,10 +2975,6 @@ msgid "Inspector" msgstr "Inspector" #: editor/editor_node.cpp -msgid "Node" -msgstr "Nodo" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "Expandir Panel Inferior" @@ -2958,18 +2998,22 @@ msgstr "Administrar Plantillas" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" -"Esto instalará el proyecto de Android para compilaciones personalizadas.\n" -"Tené en cuenta que, para usarlo, necesita estar activado por cada preset de " -"exportación." #: editor/editor_node.cpp +#, fuzzy msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" "La plantilla de compilación de Android ya está instalada y no se " "sobrescribirá.\n" @@ -3036,6 +3080,11 @@ msgstr "Abrir el Editor siguiente" msgid "Open the previous Editor" msgstr "Abrir el Editor anterior" +#: editor/editor_path.cpp +#, fuzzy +msgid "No sub-resources found." +msgstr "Ninguna superficie de origen especificada." + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "Creando Vistas Previas de Mesh/es" @@ -3045,6 +3094,11 @@ msgid "Thumbnail..." msgstr "Miniatura..." #: editor/editor_plugin_settings.cpp +#, fuzzy +msgid "Main Script:" +msgstr "Abrir Script:" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "Editar Plugin" @@ -3073,11 +3127,6 @@ msgstr "Estado:" msgid "Edit:" msgstr "Editar:" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "Iniciar" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "Medida:" @@ -3294,7 +3343,6 @@ msgid "Import From Node:" msgstr "Importar Desde Nodo:" #: editor/export_template_manager.cpp -#, fuzzy msgid "Redownload" msgstr "Volver a Descargar" @@ -3314,6 +3362,8 @@ msgstr "Descargar" #: editor/export_template_manager.cpp msgid "Official export templates aren't available for development builds." msgstr "" +"Las plantillas de exportación oficiales no están disponibles para las " +"versiones de desarrollo." #: editor/export_template_manager.cpp msgid "(Missing)" @@ -3396,23 +3446,20 @@ msgid "Download Complete." msgstr "Descarga Completa." #: editor/export_template_manager.cpp -#, fuzzy msgid "Cannot remove temporary file:" -msgstr "No se pudo guardar el tema a un archivo:" +msgstr "No se puede eliminar el archivo temporal:" #: editor/export_template_manager.cpp -#, fuzzy msgid "" "Templates installation failed.\n" "The problematic templates archives can be found at '%s'." msgstr "" -"Fallo la instalación de plantillas. Las plantillas problemáticas pueden ser " -"encontradas en '%s'." +"Falló la instalación de plantillas.\n" +"Las plantillas problemáticas se pueden encontrar en '%s'." #: editor/export_template_manager.cpp -#, fuzzy msgid "Error requesting URL:" -msgstr "Error al pedir el url: " +msgstr "Error al solicitar la URL:" #: editor/export_template_manager.cpp msgid "Connecting to Mirror..." @@ -3600,9 +3647,8 @@ msgid "Move To..." msgstr "Mover A..." #: editor/filesystem_dock.cpp -#, fuzzy msgid "New Scene..." -msgstr "Nueva Escena" +msgstr "Nueva Escena..." #: editor/filesystem_dock.cpp editor/plugins/script_editor_plugin.cpp msgid "New Script..." @@ -3670,9 +3716,8 @@ msgid "Overwrite" msgstr "Sobreescribir" #: editor/filesystem_dock.cpp -#, fuzzy msgid "Create Scene" -msgstr "Crear desde Escena" +msgstr "Crear Escena" #: editor/filesystem_dock.cpp editor/plugins/script_editor_plugin.cpp msgid "Create Script" @@ -3752,23 +3797,20 @@ msgid "Invalid group name." msgstr "Nombre de grupo inválido." #: editor/groups_editor.cpp -#, fuzzy msgid "Rename Group" -msgstr "Administrar Grupos" +msgstr "Renombrar Grupo" #: editor/groups_editor.cpp -#, fuzzy msgid "Delete Group" -msgstr "Eliminar Grupo de Imágenes" +msgstr "Eliminar Grupo" #: editor/groups_editor.cpp editor/node_dock.cpp msgid "Groups" msgstr "Grupos" #: editor/groups_editor.cpp -#, fuzzy msgid "Nodes Not in Group" -msgstr "Nodos fuera del Grupo" +msgstr "Nodos Fuera del Grupo" #: editor/groups_editor.cpp editor/scene_tree_dock.cpp #: editor/scene_tree_editor.cpp @@ -3781,7 +3823,7 @@ msgstr "Nodos dentro del Grupo" #: editor/groups_editor.cpp msgid "Empty groups will be automatically removed." -msgstr "" +msgstr "Los grupos vacíos se eliminarán automáticamente." #: editor/groups_editor.cpp msgid "Group Editor" @@ -3884,9 +3926,10 @@ msgstr " Archivos" msgid "Import As:" msgstr "Importar Como:" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." -msgstr "Preseteo..." +#: editor/import_dock.cpp +#, fuzzy +msgid "Preset" +msgstr "Presets" #: editor/import_dock.cpp msgid "Reimport" @@ -3995,9 +4038,8 @@ msgid "MultiNode Set" msgstr "Setear MultiNodo" #: editor/node_dock.cpp -#, fuzzy msgid "Select a single node to edit its signals and groups." -msgstr "Seleccionar un Nodo para editar Señales y Grupos." +msgstr "Selecciona un único nodo para editar sus señales y grupos." #: editor/plugin_config_dialog.cpp msgid "Edit a Plugin" @@ -4331,6 +4373,7 @@ msgid "Change Animation Name:" msgstr "Cambiar Nombre de Animación:" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "Eliminar Animación?" @@ -4780,37 +4823,32 @@ msgid "Request failed, return code:" msgstr "Solicitud fallida. Código de retorno:" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Request failed." msgstr "Solicitud fallida." #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Cannot save response to:" -msgstr "No se pudo guardar el tema a un archivo:" +msgstr "No se puede guardar la respuesta a:" #: editor/plugins/asset_library_editor_plugin.cpp msgid "Write error." -msgstr "" +msgstr "Error de escritura." #: editor/plugins/asset_library_editor_plugin.cpp msgid "Request failed, too many redirects" msgstr "Solicitud fallida, demasiadas redireccinoes" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Redirect loop." msgstr "Bucle de redireccionamiento." #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Request failed, timeout" -msgstr "Solicitud fallida. Código de retorno:" +msgstr "Solicitud fallida, tiempo de espera agotado" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Timeout." -msgstr "Tiempo" +msgstr "Tiempo de espera." #: editor/plugins/asset_library_editor_plugin.cpp msgid "Bad download hash, assuming file has been tampered with." @@ -4889,24 +4927,18 @@ msgid "All" msgstr "Todos" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Import..." -msgstr "Reimportando..." +msgstr "Importar..." #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Plugins..." -msgstr "Plugins" +msgstr "Plugins..." #: editor/plugins/asset_library_editor_plugin.cpp editor/project_manager.cpp msgid "Sort:" msgstr "Ordenar:" #: editor/plugins/asset_library_editor_plugin.cpp -msgid "Reverse sorting." -msgstr "Orden inverso." - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "Categoría:" @@ -4916,9 +4948,8 @@ msgid "Site:" msgstr "Sitio:" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Support" -msgstr "Soporte..." +msgstr "Soporte" #: editor/plugins/asset_library_editor_plugin.cpp msgid "Official" @@ -4929,9 +4960,8 @@ msgid "Testing" msgstr "Prueba" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Loading..." -msgstr "Cargar..." +msgstr "Cargando..." #: editor/plugins/asset_library_editor_plugin.cpp msgid "Assets ZIP File" @@ -5099,9 +5129,8 @@ msgid "Paste Pose" msgstr "Pegar Pose" #: editor/plugins/canvas_item_editor_plugin.cpp -#, fuzzy msgid "Clear Guides" -msgstr "Restablecer Huesos" +msgstr "Restablecer Guías" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Create Custom Bone(s) from Node(s)" @@ -5189,6 +5218,11 @@ msgid "Pan Mode" msgstr "Modo Paneo" #: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy +msgid "Ruler Mode" +msgstr "Modo de Ejecución:" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "Act/Desact. alineado." @@ -5837,26 +5871,23 @@ msgstr "Tiempo de Generación (seg):" #: editor/plugins/particles_editor_plugin.cpp msgid "The geometry's faces don't contain any area." -msgstr "" +msgstr "Las caras de la geometría no contienen ningún área." #: editor/plugins/particles_editor_plugin.cpp -#, fuzzy msgid "The geometry doesn't contain any faces." -msgstr "El nodo no contiene geometría (caras)." +msgstr "La geometría no contiene ninguna cara." #: editor/plugins/particles_editor_plugin.cpp msgid "\"%s\" doesn't inherit from Spatial." -msgstr "" +msgstr "\"%s\" no hereda de Spatial." #: editor/plugins/particles_editor_plugin.cpp -#, fuzzy msgid "\"%s\" doesn't contain geometry." -msgstr "El nodo no contiene geometría." +msgstr "\"%s\" no contiene geometría." #: editor/plugins/particles_editor_plugin.cpp -#, fuzzy msgid "\"%s\" doesn't contain face geometry." -msgstr "El nodo no contiene geometría." +msgstr "\"%s\" no tiene geometría de caras." #: editor/plugins/particles_editor_plugin.cpp msgid "Create Emitter" @@ -6257,7 +6288,7 @@ msgstr "Instancia:" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "Tipo:" @@ -6295,9 +6326,8 @@ msgid "Error writing TextFile:" msgstr "Error al escribir el TextFile:" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "Could not load file at:" -msgstr "No se pudo cargar el tile:" +msgstr "No se pudo cargar el archivo en:" #: editor/plugins/script_editor_plugin.cpp msgid "Error saving file!" @@ -6320,9 +6350,8 @@ msgid "Error Importing" msgstr "Error al Importar" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "New Text File..." -msgstr "Nuevo TextFile..." +msgstr "Nuevo Archivo de Texto..." #: editor/plugins/script_editor_plugin.cpp msgid "Open File" @@ -6402,9 +6431,8 @@ msgid "Open..." msgstr "Abrir..." #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "Reopen Closed Script" -msgstr "Abrir Script" +msgstr "Reabrir Script Cerrado" #: editor/plugins/script_editor_plugin.cpp msgid "Save All" @@ -6460,14 +6488,14 @@ msgid "Toggle Scripts Panel" msgstr "Act/Desact. Panel de Scripts" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" -msgstr "Step Over" - -#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Step Into" msgstr "Step Into" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp +msgid "Step Over" +msgstr "Step Over" + +#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Break" msgstr "Break" @@ -6539,15 +6567,14 @@ msgid "Search Results" msgstr "Resultados de la Búsqueda" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "Clear Recent Scripts" -msgstr "Restablecer Escenas Recientes" +msgstr "Restablecer Scripts Recientes" #: editor/plugins/script_text_editor.cpp msgid "Connections to method:" msgstr "Conexiones al método:" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp msgid "Source" msgstr "Fuente" @@ -6666,9 +6693,8 @@ msgid "Complete Symbol" msgstr "Completar Símbolo" #: editor/plugins/script_text_editor.cpp -#, fuzzy msgid "Evaluate Selection" -msgstr "Escalar Selección" +msgstr "Evaluar Selección" #: editor/plugins/script_text_editor.cpp msgid "Trim Trailing Whitespace" @@ -6976,9 +7002,8 @@ msgid "Audio Listener" msgstr "Oyente de Audio" #: editor/plugins/spatial_editor_plugin.cpp -#, fuzzy msgid "Enable Doppler" -msgstr "Habilitar Filtrado" +msgstr "Activar Doppler" #: editor/plugins/spatial_editor_plugin.cpp msgid "Cinematic Preview" @@ -7034,7 +7059,7 @@ msgstr "Ajustar Nodos al Suelo" #: editor/plugins/spatial_editor_plugin.cpp msgid "Couldn't find a solid floor to snap the selection to." -msgstr "" +msgstr "No se pudo encontrar un suelo sólido al que ajustar la selección." #: editor/plugins/spatial_editor_plugin.cpp msgid "" @@ -7047,9 +7072,8 @@ msgstr "" "Alt+Click Der.: Selección en depth list" #: editor/plugins/spatial_editor_plugin.cpp -#, fuzzy msgid "Use Local Space" -msgstr "Modo de Espacio Local (%s)" +msgstr "Usar Espacio Local" #: editor/plugins/spatial_editor_plugin.cpp msgid "Bottom View" @@ -7146,9 +7170,8 @@ msgstr "Ver Grilla" #: editor/plugins/spatial_editor_plugin.cpp #: modules/gridmap/grid_map_editor_plugin.cpp -#, fuzzy msgid "Settings..." -msgstr "Configuración" +msgstr "Configuración..." #: editor/plugins/spatial_editor_plugin.cpp msgid "Snap Settings" @@ -7327,6 +7350,11 @@ msgid "(empty)" msgstr "(vacío)" #: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy +msgid "Move Frame" +msgstr "Pegar Frame" + +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Animations:" msgstr "Animaciones:" @@ -7524,14 +7552,12 @@ msgid "Submenu" msgstr "Submenú" #: editor/plugins/theme_editor_plugin.cpp -#, fuzzy msgid "Subitem 1" -msgstr "Ítem 1" +msgstr "Subítem 1" #: editor/plugins/theme_editor_plugin.cpp -#, fuzzy msgid "Subitem 2" -msgstr "Ítem 2" +msgstr "Subítem 2" #: editor/plugins/theme_editor_plugin.cpp msgid "Has" @@ -7643,17 +7669,25 @@ msgid "Enable Priority" msgstr "Activar Prioridad" #: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy +msgid "Filter tiles" +msgstr "Filtrar Archivos..." + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "Pintar Tile" #: editor/plugins/tile_map_editor_plugin.cpp -#, fuzzy msgid "" "Shift+LMB: Line Draw\n" "Shift+Ctrl+LMB: Rectangle Paint" msgstr "" -"Shift + Clic derecho: Dibujar línea\n" -"Shift + Ctrl + Clic derecho: Pintar Rectángulo" +"Shift + Clic izq: Dibujar línea\n" +"Shift + Ctrl + Clic izq: Pintar Rectángulo" #: editor/plugins/tile_map_editor_plugin.cpp msgid "Pick Tile" @@ -7776,6 +7810,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "Mostrar Nombres de Tiles (mantener Tecla Alt)" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp msgid "Remove selected texture? This will remove all tiles which use it." msgstr "" "¿Remover la textura seleccionada? Esto removerá todos los tiles que la usan." @@ -7946,6 +7985,112 @@ msgstr "Esta propiedad no se puede cambiar." msgid "TileSet" msgstr "TileSet" +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No VCS addons are available." +msgstr "Nombre del padre del nodo, si está disponible" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "Error" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No commit message was provided" +msgstr "No se indicó ningún nombre" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit" +msgstr "Comunidad" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Initialize" +msgstr "Capitalizar" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "Crear un rectángulo nuevo." + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "Cambiar" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "Renombrar" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "Eliminar" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Typechange" +msgstr "Cambiar" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "Eliminar Seleccionados" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage All" +msgstr "Guardar Todo" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit Changes" +msgstr "Sincronizar Cambios en Scripts" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "Estado" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No file diff is active" +msgstr "Ningún Archivo seleccionado!" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "(Sólo GLES3)" @@ -8052,9 +8197,8 @@ msgid "Light" msgstr "Luz" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Show resulted shader code." -msgstr "Crear Nodo Shader" +msgstr "Mostrar el código del shader resultante." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Create Shader Node" @@ -8189,6 +8333,14 @@ msgstr "" "o falso." #: editor/plugins/visual_shader_editor_plugin.cpp +#, fuzzy +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" +"Devuelve un vector asociado si el valor booleano proporcionado es verdadero " +"o falso." + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "Devuelve el resultado booleano de la comparación entre dos parámetros." @@ -8424,7 +8576,6 @@ msgid "Returns the square root of the parameter." msgstr "Devuelve la raíz cuadrada del parámetro." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "SmoothStep function( scalar(edge0), scalar(edge1), scalar(x) ).\n" "\n" @@ -8439,7 +8590,6 @@ msgstr "" "polinomios de Hermite." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "Step function( scalar(edge), scalar(x) ).\n" "\n" @@ -8617,9 +8767,8 @@ msgid "Linear interpolation between two vectors." msgstr "Interpolación lineal entre dos vectores." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Linear interpolation between two vectors using scalar." -msgstr "Interpolación lineal entre dos vectores." +msgstr "Interpolación lineal entre dos vectores usando escalar." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Calculates the normalize product of vector." @@ -8646,7 +8795,6 @@ msgid "Returns the vector that points in the direction of refraction." msgstr "Devuelve el vector que apunta en la dirección de refracción." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "SmoothStep function( vector(edge0), vector(edge1), vector(x) ).\n" "\n" @@ -8661,7 +8809,6 @@ msgstr "" "polinomios de Hermite." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "SmoothStep function( scalar(edge0), scalar(edge1), vector(x) ).\n" "\n" @@ -8676,7 +8823,6 @@ msgstr "" "polinomios de Hermite." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "Step function( vector(edge), vector(x) ).\n" "\n" @@ -8687,7 +8833,6 @@ msgstr "" "Devuelve 0.0 si 'x' es menor que 'edge' y 1.0 en caso contrario." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "Step function( scalar(edge), vector(x) ).\n" "\n" @@ -8750,6 +8895,10 @@ msgid "" "shader. You can place various function definitions inside and call it later " "in the Expressions. You can also declare varyings, uniforms and constants." msgstr "" +"Expresión personalizada del lenguaje de shader de Godot, que se coloca " +"encima del shader resultante. Puedes colocar varias definiciones de " +"funciones dentro y llamarlas más tarde en las Expresiones. También puedes " +"declarar varyings, uniforms y constantes." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(Fragment/Light mode only) Scalar derivative function." @@ -9144,13 +9293,12 @@ msgid "Unnamed Project" msgstr "Proyecto Sin Nombre" #: editor/project_manager.cpp -#, fuzzy msgid "Missing Project" -msgstr "Importar Proyecto Existente" +msgstr "Proyecto Faltante" #: editor/project_manager.cpp msgid "Error: Project is missing on the filesystem." -msgstr "" +msgstr "Error: Proyecto faltante en el sistema de archivos." #: editor/project_manager.cpp msgid "Can't open project at '%s'." @@ -9250,13 +9398,12 @@ msgstr "" "El contenido de la carpeta de proyecto no será modificado." #: editor/project_manager.cpp -#, fuzzy msgid "" "Remove all missing projects from the list?\n" "The project folders' contents won't be modified." msgstr "" -"¿Quitar %d proyectos de la lista?\n" -"El contenido de las carpetas de proyecto no será modificado." +"¿Eliminar todos los proyectos faltantes de la lista?\n" +"El contenido de las carpetas del proyecto no se modificará." #: editor/project_manager.cpp msgid "" @@ -9281,9 +9428,8 @@ msgid "Project Manager" msgstr "Gestor de Proyectos" #: editor/project_manager.cpp -#, fuzzy msgid "Projects" -msgstr "Proyecto" +msgstr "Proyectos" #: editor/project_manager.cpp msgid "Scan" @@ -9514,6 +9660,11 @@ msgid "Settings saved OK." msgstr "Ajustes guardados satisfactoriamente." #: editor/project_settings_editor.cpp +#, fuzzy +msgid "Moved Input Action Event" +msgstr "Agregar Evento de Acción de Entrada" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "Sobreescribir para Característica" @@ -9650,6 +9801,10 @@ msgid "Plugins" msgstr "Plugins" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "Preseteo..." + +#: editor/property_editor.cpp msgid "Zero" msgstr "Zero" @@ -9817,10 +9972,6 @@ msgstr "A Mayúsculas" msgid "Reset" msgstr "Resetear" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "Error" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "Reemparentar Nodo" @@ -9878,6 +10029,11 @@ msgid "Instance Scene(s)" msgstr "Instanciar Escena(s)" #: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Replace with Branch Scene" +msgstr "Guardar Rama como Escena" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "Instanciar Escena Hija" @@ -9920,8 +10076,23 @@ msgid "Make node as Root" msgstr "Convertir nodo en Raíz" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" -msgstr "Eliminar Nodo(s)?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "Eliminar Nodos" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete the root node \"%s\"?" +msgstr "Quitar Nodo(s) de Gráfico de Shaders" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" +msgstr "" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "Eliminar Nodos" #: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." @@ -9997,9 +10168,8 @@ msgid "Remove Node(s)" msgstr "Quitar Nodo(s)" #: editor/scene_tree_dock.cpp -#, fuzzy msgid "Change type of node(s)" -msgstr "Cambiar nombre del puerto de salida" +msgstr "Cambiar tipo de nodo(s)" #: editor/scene_tree_dock.cpp msgid "" @@ -10122,31 +10292,28 @@ msgid "Node configuration warning:" msgstr "Advertencia de configuración de nodo:" #: editor/scene_tree_editor.cpp -#, fuzzy msgid "" "Node has %s connection(s) and %s group(s).\n" "Click to show signals dock." msgstr "" -"El nodo tiene conexión/es y grupo/s.\n" +"El nodo tiene %s conexión(es) y %(s) grupo(s).\n" "Clic para mostrar el panel de señales." #: editor/scene_tree_editor.cpp -#, fuzzy msgid "" "Node has %s connection(s).\n" "Click to show signals dock." msgstr "" -"El nodo tiene conexiones.\n" -"Click para mostrar el panel de señales." +"El nodo tiene %s conexión(es).\n" +"Clic para mostrar el panel de señales." #: editor/scene_tree_editor.cpp -#, fuzzy msgid "" "Node is in %s group(s).\n" "Click to show groups dock." msgstr "" -"El nodo está en un grupo/s.\n" -"Click para mostrar el panel de grupos." +"El nodo está en %s grupo(s).\n" +"Clic para mostrar el panel de grupos." #: editor/scene_tree_editor.cpp msgid "Open Script:" @@ -10242,9 +10409,8 @@ msgid "Error loading script from %s" msgstr "Error al cargar el script desde %s" #: editor/script_create_dialog.cpp -#, fuzzy msgid "Overrides" -msgstr "Sobreescribir" +msgstr "Reemplazos(Overrides)" #: editor/script_create_dialog.cpp msgid "N/A" @@ -10323,19 +10489,50 @@ msgid "Bytes:" msgstr "Bytes:" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" -msgstr "Stack Trace" +#, fuzzy +msgid "Warning:" +msgstr "Advertencias:" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." -msgstr "Elegir uno o mas items de la lista para mostrar el gráfico." +msgid "Error:" +msgstr "Error:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error" +msgstr "Copiar Error" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error:" +msgstr "Error:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source" +msgstr "Fuente" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" +msgstr "Fuente" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source:" +msgstr "Fuente" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" +msgstr "Stack Trace" #: editor/script_editor_debugger.cpp msgid "Errors" msgstr "Errores" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +#, fuzzy +msgid "Child process connected." msgstr "Proceso Hijo Conectado" #: editor/script_editor_debugger.cpp @@ -10343,6 +10540,11 @@ msgid "Copy Error" msgstr "Copiar Error" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "Puntos de interrupción" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "Inspeccionar Instancia Previa" @@ -10359,6 +10561,11 @@ msgid "Profiler" msgstr "Profiler" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Network Profiler" +msgstr "Exportar Perfil" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "Monitor" @@ -10371,6 +10578,10 @@ msgid "Monitors" msgstr "Monitores" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "Elegir uno o mas items de la lista para mostrar el gráfico." + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "Lista de Uso de Memoria de Video por Recurso:" @@ -10567,10 +10778,6 @@ msgid "Library" msgstr "Biblioteca" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "Estado" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "Bibliotecas: " @@ -10579,6 +10786,10 @@ msgid "GDNative" msgstr "GDNative" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "El argumento step es cero!" @@ -10733,6 +10944,15 @@ msgstr "Ajustes de GridMap" msgid "Pick Distance:" msgstr "Elegir Instancia:" +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "Filtrar métodos" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "El nombre de la clase no puede ser una palabra reservada" @@ -10859,28 +11079,28 @@ msgid "Set Variable Type" msgstr "Editar Tipo de Variable" #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Override an existing built-in function." -msgstr "No debe coincidir con el nombre de un tipo built-in ya existente." +msgstr "Reemplazar(Override) una función integrada existente." #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Create a new function." -msgstr "Crear un rectángulo nuevo." +msgstr "Crear una nueva función." #: modules/visual_script/visual_script_editor.cpp msgid "Variables:" msgstr "Variables:" #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Create a new variable." -msgstr "Crear un rectángulo nuevo." +msgstr "Crear una nueva variable." + +#: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "Señales:" #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Create a new signal." -msgstr "Crear un nuevo polígono." +msgstr "Crear una nueva señal." #: modules/visual_script/visual_script_editor.cpp msgid "Name is not a valid identifier:" @@ -11039,6 +11259,11 @@ msgid "Editing Signal:" msgstr "Editando Señal:" #: modules/visual_script/visual_script_editor.cpp +#, fuzzy +msgid "Make Tool:" +msgstr "Crear Local" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "Tipo Base:" @@ -11197,8 +11422,10 @@ msgstr "" "Configuración del Editor." #: platform/android/export/export.cpp +#, fuzzy msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" "El proyecto Android no está instalado para la compilación. Instálalo desde " "el menú Editor." @@ -11999,6 +12226,44 @@ msgstr "Solo se pueden asignar variaciones en funciones de vértice." msgid "Constants cannot be modified." msgstr "Las constantes no pueden modificarse." +#~ msgid "Properties:" +#~ msgstr "Propiedades:" + +#~ msgid "Methods:" +#~ msgstr "Métodos:" + +#~ msgid "Theme Properties:" +#~ msgstr "Propiedades de Tema:" + +#~ msgid "Enumerations:" +#~ msgstr "Enumeraciones:" + +#~ msgid "Constants:" +#~ msgstr "Constantes:" + +#~ msgid "Class Description:" +#~ msgstr "Descripción de Clase:" + +#~ msgid "Property Descriptions:" +#~ msgstr "Descripción de Propiedades:" + +#~ msgid "Method Descriptions:" +#~ msgstr "Descripción de Métodos:" + +#~ msgid "" +#~ "This will install the Android project for custom builds.\n" +#~ "Note that, in order to use it, it needs to be enabled per export preset." +#~ msgstr "" +#~ "Esto instalará el proyecto de Android para compilaciones personalizadas.\n" +#~ "Tené en cuenta que, para usarlo, necesita estar activado por cada preset " +#~ "de exportación." + +#~ msgid "Reverse sorting." +#~ msgstr "Orden inverso." + +#~ msgid "Delete Node(s)?" +#~ msgstr "Eliminar Nodo(s)?" + #~ msgid "No Matches" #~ msgstr "Sin Coincidencias" @@ -12249,9 +12514,6 @@ msgstr "Las constantes no pueden modificarse." #~ msgstr "" #~ "Instanciar la(s) escena(s) seleccionadas como hijas del nodo seleccionado." -#~ msgid "Warnings:" -#~ msgstr "Advertencias:" - #~ msgid "Font Size:" #~ msgstr "Tamaño de Tipografía:" @@ -12296,9 +12558,6 @@ msgstr "Las constantes no pueden modificarse." #~ msgid "Select a split to erase it." #~ msgstr "Seleccioná una división para borrarla." -#~ msgid "No name provided" -#~ msgstr "No se indicó ningún nombre" - #~ msgid "Add Node.." #~ msgstr "Agregar Nodo.." @@ -12434,9 +12693,6 @@ msgstr "Las constantes no pueden modificarse." #~ msgid "Warning" #~ msgstr "Advertencia" -#~ msgid "Error:" -#~ msgstr "Error:" - #~ msgid "Function:" #~ msgstr "Funcion:" @@ -12518,9 +12774,6 @@ msgstr "Las constantes no pueden modificarse." #~ msgid "Duplicate Graph Node(s)" #~ msgstr "Duplicar Nodo(s) de Gráfico" -#~ msgid "Delete Shader Graph Node(s)" -#~ msgstr "Quitar Nodo(s) de Gráfico de Shaders" - #~ msgid "Error: Cyclic Connection Link" #~ msgstr "Error: Link de Conección Cíclico" @@ -12969,9 +13222,6 @@ msgstr "Las constantes no pueden modificarse." #~ msgid "Pick New Name and Location For:" #~ msgstr "Elejí un Nuevo Nombre y Ubicación Para:" -#~ msgid "No files selected!" -#~ msgstr "Ningún Archivo seleccionado!" - #~ msgid "Info" #~ msgstr "Info" @@ -13372,12 +13622,6 @@ msgstr "Las constantes no pueden modificarse." #~ msgid "Scaling to %s%%." #~ msgstr "Escalando a %s%%." -#~ msgid "Up" -#~ msgstr "Arriba" - -#~ msgid "Down" -#~ msgstr "Abajo" - #~ msgid "Bucket" #~ msgstr "Balde" diff --git a/editor/translations/et.po b/editor/translations/et.po index 1540cf65d0..df0c1148a7 100644 --- a/editor/translations/et.po +++ b/editor/translations/et.po @@ -57,6 +57,34 @@ msgstr "Kehtetud argumendid '%s' ehitamise jaoks" msgid "On call to '%s':" msgstr "'%' kutsudes:" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +msgid "MiB" +msgstr "" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "Vaba" @@ -457,6 +485,10 @@ msgid "Select None" msgstr "Tühista Valik" #: editor/animation_track_editor.cpp +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "" @@ -774,7 +806,8 @@ msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -875,7 +908,8 @@ msgstr "" msgid "Matches:" msgstr "" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1175,7 +1209,7 @@ msgid "Delete Bus Effect" msgstr "" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +msgid "Drag & drop to rearrange." msgstr "" #: editor/editor_audio_buses.cpp @@ -1366,6 +1400,7 @@ msgid "Add AutoLoad" msgstr "" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "" @@ -1585,6 +1620,7 @@ msgstr "" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "" @@ -1655,6 +1691,7 @@ msgid "New Folder..." msgstr "" #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "" @@ -1812,7 +1849,7 @@ msgid "Inherited by:" msgstr "" #: editor/editor_help.cpp -msgid "Brief Description:" +msgid "Brief Description" msgstr "" #: editor/editor_help.cpp @@ -1820,38 +1857,18 @@ msgid "Properties" msgstr "" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "" - -#: editor/editor_help.cpp msgid "Methods" msgstr "" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "" - -#: editor/editor_help.cpp msgid "Theme Properties" msgstr "" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "" - -#: editor/editor_help.cpp msgid "enum " msgstr "" @@ -1860,19 +1877,11 @@ msgid "Constants" msgstr "" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "" - -#: editor/editor_help.cpp msgid "Class Description" msgstr "" #: editor/editor_help.cpp -msgid "Class Description:" -msgstr "" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +msgid "Online Tutorials" msgstr "" #: editor/editor_help.cpp @@ -1887,10 +1896,6 @@ msgid "Property Descriptions" msgstr "" #: editor/editor_help.cpp -msgid "Property Descriptions:" -msgstr "" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -1901,10 +1906,6 @@ msgid "Method Descriptions" msgstr "" #: editor/editor_help.cpp -msgid "Method Descriptions:" -msgstr "" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -1971,8 +1972,8 @@ msgstr "" msgid "Copy Selection" msgstr "" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -1985,6 +1986,48 @@ msgstr "" msgid "Clear Output" msgstr "" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Down" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" msgstr "" @@ -2525,6 +2568,18 @@ msgstr "" msgid "Project Settings..." msgstr "" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control" +msgstr "" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp msgid "Export..." msgstr "" @@ -2724,10 +2779,6 @@ msgstr "" msgid "Stop the scene." msgstr "" -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "" @@ -2778,10 +2829,6 @@ msgid "Inspector" msgstr "" #: editor/editor_node.cpp -msgid "Node" -msgstr "" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "" @@ -2803,15 +2850,21 @@ msgstr "" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -2874,6 +2927,10 @@ msgstr "" msgid "Open the previous Editor" msgstr "" +#: editor/editor_path.cpp +msgid "No sub-resources found." +msgstr "" + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "" @@ -2883,6 +2940,10 @@ msgid "Thumbnail..." msgstr "" #: editor/editor_plugin_settings.cpp +msgid "Main Script:" +msgstr "" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "" @@ -2911,11 +2972,6 @@ msgstr "" msgid "Edit:" msgstr "" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "" @@ -3692,8 +3748,8 @@ msgstr "" msgid "Import As:" msgstr "" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." +#: editor/import_dock.cpp +msgid "Preset" msgstr "" #: editor/import_dock.cpp @@ -4119,6 +4175,7 @@ msgid "Change Animation Name:" msgstr "" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "" @@ -4678,10 +4735,6 @@ msgid "Sort:" msgstr "" #: editor/plugins/asset_library_editor_plugin.cpp -msgid "Reverse sorting." -msgstr "" - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "" @@ -4946,6 +4999,10 @@ msgid "Pan Mode" msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp +msgid "Ruler Mode" +msgstr "" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "" @@ -5994,7 +6051,7 @@ msgstr "" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "" @@ -6194,11 +6251,11 @@ msgid "Toggle Scripts Panel" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" +msgid "Step Into" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Into" +msgid "Step Over" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp @@ -6278,7 +6335,7 @@ msgstr "" msgid "Connections to method:" msgstr "" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp msgid "Source" msgstr "" @@ -7046,6 +7103,10 @@ msgid "(empty)" msgstr "" #: editor/plugins/sprite_frames_editor_plugin.cpp +msgid "Move Frame" +msgstr "" + +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Animations:" msgstr "" @@ -7360,6 +7421,14 @@ msgid "Enable Priority" msgstr "" #: editor/plugins/tile_map_editor_plugin.cpp +msgid "Filter tiles" +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "" @@ -7490,6 +7559,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp msgid "Remove selected texture? This will remove all tiles which use it." msgstr "" @@ -7644,6 +7718,102 @@ msgstr "" msgid "TileSet" msgstr "" +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No VCS addons are available." +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No commit message was provided" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Commit" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Initialize" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect new changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Renamed" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "Kustuta Võti (Võtmed)" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Typechange" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "Kustuta Valitud Võti (Võtmed)" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage All" +msgstr "Vali Kõik" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Commit Changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -7877,6 +8047,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9067,6 +9242,10 @@ msgid "Settings saved OK." msgstr "" #: editor/project_settings_editor.cpp +msgid "Moved Input Action Event" +msgstr "" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "" @@ -9203,6 +9382,10 @@ msgid "Plugins" msgstr "" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "" + +#: editor/property_editor.cpp msgid "Zero" msgstr "" @@ -9366,10 +9549,6 @@ msgstr "" msgid "Reset" msgstr "" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "" @@ -9425,6 +9604,10 @@ msgid "Instance Scene(s)" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Replace with Branch Scene" +msgstr "" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "" @@ -9465,10 +9648,24 @@ msgid "Make node as Root" msgstr "" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "Kustuta Võti (Võtmed)" + +#: editor/scene_tree_dock.cpp +msgid "Delete the root node \"%s\"?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" msgstr "" #: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "Kustuta Võti (Võtmed)" + +#: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." msgstr "" @@ -9843,11 +10040,36 @@ msgid "Bytes:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" +msgid "Warning:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." +#, fuzzy +msgid "Error:" +msgstr "Peegel" + +#: editor/script_editor_debugger.cpp +msgid "C++ Error" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Error:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Source" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "Source:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Source:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" msgstr "" #: editor/script_editor_debugger.cpp @@ -9855,7 +10077,7 @@ msgid "Errors" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +msgid "Child process connected." msgstr "" #: editor/script_editor_debugger.cpp @@ -9863,6 +10085,10 @@ msgid "Copy Error" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Skip Breakpoints" +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "" @@ -9879,6 +10105,10 @@ msgid "Profiler" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Network Profiler" +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "" @@ -9891,6 +10121,10 @@ msgid "Monitors" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "" @@ -10087,10 +10321,6 @@ msgid "Library" msgstr "" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "" @@ -10099,6 +10329,10 @@ msgid "GDNative" msgstr "" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "" @@ -10250,6 +10484,14 @@ msgstr "" msgid "Pick Distance:" msgstr "" +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Filter meshes" +msgstr "" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -10385,6 +10627,10 @@ msgid "Create a new variable." msgstr "" #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Create a new signal." msgstr "" @@ -10541,6 +10787,10 @@ msgid "Editing Signal:" msgstr "" #: modules/visual_script/visual_script_editor.cpp +msgid "Make Tool:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "" @@ -10688,7 +10938,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp diff --git a/editor/translations/eu.po b/editor/translations/eu.po index 881afb2b7c..069836ce69 100644 --- a/editor/translations/eu.po +++ b/editor/translations/eu.po @@ -56,6 +56,34 @@ msgstr "" msgid "On call to '%s':" msgstr "" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +msgid "MiB" +msgstr "" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "" @@ -455,6 +483,10 @@ msgid "Select None" msgstr "" #: editor/animation_track_editor.cpp +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "" @@ -772,7 +804,8 @@ msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -873,7 +906,8 @@ msgstr "" msgid "Matches:" msgstr "" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1173,7 +1207,7 @@ msgid "Delete Bus Effect" msgstr "" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +msgid "Drag & drop to rearrange." msgstr "" #: editor/editor_audio_buses.cpp @@ -1364,6 +1398,7 @@ msgid "Add AutoLoad" msgstr "" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "" @@ -1583,6 +1618,7 @@ msgstr "" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "" @@ -1653,6 +1689,7 @@ msgid "New Folder..." msgstr "" #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "" @@ -1808,7 +1845,7 @@ msgid "Inherited by:" msgstr "" #: editor/editor_help.cpp -msgid "Brief Description:" +msgid "Brief Description" msgstr "" #: editor/editor_help.cpp @@ -1816,38 +1853,18 @@ msgid "Properties" msgstr "" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "" - -#: editor/editor_help.cpp msgid "Methods" msgstr "" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "" - -#: editor/editor_help.cpp msgid "Theme Properties" msgstr "" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "" - -#: editor/editor_help.cpp msgid "enum " msgstr "" @@ -1856,19 +1873,11 @@ msgid "Constants" msgstr "" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "" - -#: editor/editor_help.cpp msgid "Class Description" msgstr "" #: editor/editor_help.cpp -msgid "Class Description:" -msgstr "" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +msgid "Online Tutorials" msgstr "" #: editor/editor_help.cpp @@ -1883,10 +1892,6 @@ msgid "Property Descriptions" msgstr "" #: editor/editor_help.cpp -msgid "Property Descriptions:" -msgstr "" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -1897,10 +1902,6 @@ msgid "Method Descriptions" msgstr "" #: editor/editor_help.cpp -msgid "Method Descriptions:" -msgstr "" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -1967,8 +1968,8 @@ msgstr "" msgid "Copy Selection" msgstr "" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -1981,6 +1982,48 @@ msgstr "" msgid "Clear Output" msgstr "" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Down" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" msgstr "" @@ -2520,6 +2563,18 @@ msgstr "" msgid "Project Settings..." msgstr "" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control" +msgstr "" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp msgid "Export..." msgstr "" @@ -2719,10 +2774,6 @@ msgstr "" msgid "Stop the scene." msgstr "" -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "" @@ -2773,10 +2824,6 @@ msgid "Inspector" msgstr "" #: editor/editor_node.cpp -msgid "Node" -msgstr "" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "" @@ -2798,15 +2845,21 @@ msgstr "" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -2869,6 +2922,10 @@ msgstr "" msgid "Open the previous Editor" msgstr "" +#: editor/editor_path.cpp +msgid "No sub-resources found." +msgstr "" + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "" @@ -2878,6 +2935,10 @@ msgid "Thumbnail..." msgstr "" #: editor/editor_plugin_settings.cpp +msgid "Main Script:" +msgstr "" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "" @@ -2906,11 +2967,6 @@ msgstr "" msgid "Edit:" msgstr "" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "" @@ -3686,8 +3742,8 @@ msgstr "" msgid "Import As:" msgstr "" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." +#: editor/import_dock.cpp +msgid "Preset" msgstr "" #: editor/import_dock.cpp @@ -4113,6 +4169,7 @@ msgid "Change Animation Name:" msgstr "" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "" @@ -4671,10 +4728,6 @@ msgid "Sort:" msgstr "" #: editor/plugins/asset_library_editor_plugin.cpp -msgid "Reverse sorting." -msgstr "" - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "" @@ -4937,6 +4990,10 @@ msgid "Pan Mode" msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp +msgid "Ruler Mode" +msgstr "" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "" @@ -5985,7 +6042,7 @@ msgstr "" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "" @@ -6185,11 +6242,11 @@ msgid "Toggle Scripts Panel" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" +msgid "Step Into" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Into" +msgid "Step Over" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp @@ -6269,7 +6326,7 @@ msgstr "" msgid "Connections to method:" msgstr "" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp msgid "Source" msgstr "" @@ -7036,6 +7093,10 @@ msgid "(empty)" msgstr "" #: editor/plugins/sprite_frames_editor_plugin.cpp +msgid "Move Frame" +msgstr "" + +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Animations:" msgstr "" @@ -7350,6 +7411,14 @@ msgid "Enable Priority" msgstr "" #: editor/plugins/tile_map_editor_plugin.cpp +msgid "Filter tiles" +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "" @@ -7480,6 +7549,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp msgid "Remove selected texture? This will remove all tiles which use it." msgstr "" @@ -7634,6 +7708,99 @@ msgstr "" msgid "TileSet" msgstr "" +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No VCS addons are available." +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No commit message was provided" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Commit" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Initialize" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect new changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Renamed" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Deleted" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Typechange" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Stage Selected" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Stage All" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Commit Changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -7867,6 +8034,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9057,6 +9229,10 @@ msgid "Settings saved OK." msgstr "" #: editor/project_settings_editor.cpp +msgid "Moved Input Action Event" +msgstr "" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "" @@ -9193,6 +9369,10 @@ msgid "Plugins" msgstr "" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "" + +#: editor/property_editor.cpp msgid "Zero" msgstr "" @@ -9356,10 +9536,6 @@ msgstr "" msgid "Reset" msgstr "" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "" @@ -9415,6 +9591,10 @@ msgid "Instance Scene(s)" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Replace with Branch Scene" +msgstr "" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "" @@ -9455,7 +9635,19 @@ msgid "Make node as Root" msgstr "" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" +msgid "Delete %d nodes?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete the root node \"%s\"?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\"?" msgstr "" #: editor/scene_tree_dock.cpp @@ -9833,11 +10025,35 @@ msgid "Bytes:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" +msgid "Warning:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." +msgid "Error:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Error" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Error:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Source" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "Source:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Source:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" msgstr "" #: editor/script_editor_debugger.cpp @@ -9845,7 +10061,7 @@ msgid "Errors" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +msgid "Child process connected." msgstr "" #: editor/script_editor_debugger.cpp @@ -9853,6 +10069,10 @@ msgid "Copy Error" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Skip Breakpoints" +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "" @@ -9869,6 +10089,10 @@ msgid "Profiler" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Network Profiler" +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "" @@ -9881,6 +10105,10 @@ msgid "Monitors" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "" @@ -10077,10 +10305,6 @@ msgid "Library" msgstr "" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "" @@ -10089,6 +10313,10 @@ msgid "GDNative" msgstr "" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "" @@ -10240,6 +10468,14 @@ msgstr "" msgid "Pick Distance:" msgstr "" +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Filter meshes" +msgstr "" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -10375,6 +10611,10 @@ msgid "Create a new variable." msgstr "" #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Create a new signal." msgstr "" @@ -10531,6 +10771,10 @@ msgid "Editing Signal:" msgstr "" #: modules/visual_script/visual_script_editor.cpp +msgid "Make Tool:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "" @@ -10678,7 +10922,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp diff --git a/editor/translations/fa.po b/editor/translations/fa.po index 9c919cfa50..f66805fbdd 100644 --- a/editor/translations/fa.po +++ b/editor/translations/fa.po @@ -11,12 +11,13 @@ # Behrooz Kashani <bkashani@gmail.com>, 2018. # Mahdi <sadisticwarlock@gmail.com>, 2018. # hpn33 <hamed.hpn332@gmail.com>, 2019. +# Focus <saeeddashticlash@gmail.com>, 2019. msgid "" msgstr "" "Project-Id-Version: Godot Engine editor\n" "POT-Creation-Date: \n" -"PO-Revision-Date: 2019-07-09 10:47+0000\n" -"Last-Translator: hpn33 <hamed.hpn332@gmail.com>\n" +"PO-Revision-Date: 2019-09-26 11:50+0000\n" +"Last-Translator: Focus <saeeddashticlash@gmail.com>\n" "Language-Team: Persian <https://hosted.weblate.org/projects/godot-engine/" "godot/fa/>\n" "Language: fa\n" @@ -24,7 +25,7 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=n > 1;\n" -"X-Generator: Weblate 3.8-dev\n" +"X-Generator: Weblate 3.9-dev\n" #: core/math/expression.cpp modules/gdscript/gdscript_functions.cpp #: modules/visual_script/visual_script_builtin_funcs.cpp @@ -62,15 +63,42 @@ msgstr "نام دارایی ایندکس نامعتبر 's%' در گره s%." #: core/math/expression.cpp msgid "Invalid named index '%s' for base type %s" -msgstr "" +msgstr "شاخص نامگذاری شده \"٪ s\" برای نوع پایه٪ s نامعتبر است" #: core/math/expression.cpp -#, fuzzy msgid "Invalid arguments to construct '%s'" -msgstr ": آرگومان نوع نامعتبر " +msgstr ": آرگومان نوع نامعتبر آرگومان های نامعتبر برای ساخت '٪ s'" #: core/math/expression.cpp msgid "On call to '%s':" +msgstr "در تماس با '٪ s':" + +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +msgid "MiB" +msgstr "" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" msgstr "" #: editor/animation_bezier_editor.cpp @@ -91,7 +119,7 @@ msgstr "زمان:" #: editor/animation_bezier_editor.cpp msgid "Value:" -msgstr "" +msgstr "ارزش:" #: editor/animation_bezier_editor.cpp msgid "Insert Key Here" @@ -106,9 +134,8 @@ msgid "Delete Selected Key(s)" msgstr "کلیدها را پاک کن" #: editor/animation_bezier_editor.cpp -#, fuzzy msgid "Add Bezier Point" -msgstr "افزودن نقطه" +msgstr "Bezier Point را اضافه کنید" #: editor/animation_bezier_editor.cpp #, fuzzy @@ -176,20 +203,19 @@ msgstr "طول انیمیشن را تغییر بده" #: editor/animation_track_editor.cpp #: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Change Animation Loop" -msgstr "" +msgstr "حلقه(loop) انیمیشن را تغییر دهید" #: editor/animation_track_editor.cpp -#, fuzzy msgid "Property Track" -msgstr "ویژگی:" +msgstr "ویژگی مسیر" #: editor/animation_track_editor.cpp msgid "3D Transform Track" -msgstr "" +msgstr "مسیر 3D Transform" #: editor/animation_track_editor.cpp msgid "Call Method Track" -msgstr "" +msgstr "صدا زدن Method Track" #: editor/animation_track_editor.cpp msgid "Bezier Curve Track" @@ -197,21 +223,19 @@ msgstr "" #: editor/animation_track_editor.cpp msgid "Audio Playback Track" -msgstr "" +msgstr "مسیر Audio Playback" #: editor/animation_track_editor.cpp msgid "Animation Playback Track" -msgstr "" +msgstr "مسیر پخش Animation" #: editor/animation_track_editor.cpp -#, fuzzy msgid "Animation length (frames)" -msgstr "طول انیمیشن (به ثانیه)" +msgstr "طول انیمیشن ( frames)" #: editor/animation_track_editor.cpp -#, fuzzy msgid "Animation length (seconds)" -msgstr "طول انیمیشن (به ثانیه)" +msgstr "طول انیمیشن (seconds)" #: editor/animation_track_editor.cpp msgid "Add Track" @@ -228,46 +252,43 @@ msgstr "وظایف:" #: editor/animation_track_editor.cpp msgid "Audio Clips:" -msgstr "" +msgstr "کلیپ های صوتی:" #: editor/animation_track_editor.cpp msgid "Anim Clips:" -msgstr "" +msgstr "کلیپ های انیمیشن:" #: editor/animation_track_editor.cpp -#, fuzzy msgid "Change Track Path" -msgstr "مقدار آرایه را تغییر بده" +msgstr "تغییرمیسر path" #: editor/animation_track_editor.cpp msgid "Toggle this track on/off." -msgstr "" +msgstr "روشن / خاموش کردن این Track." #: editor/animation_track_editor.cpp msgid "Update Mode (How this property is set)" -msgstr "" +msgstr "حالت بروزرسانی (نحوه تنظیم این ویژگی)" #: editor/animation_track_editor.cpp -#, fuzzy msgid "Interpolation Mode" -msgstr "گره انیمیشن" +msgstr "حالت درون یابی(درونیابی روشی است برای یافتن مقدار تابع درون یک بازه)" #: editor/animation_track_editor.cpp msgid "Loop Wrap Mode (Interpolate end with beginning on loop)" -msgstr "" +msgstr "حالت بسته بندی حلقه (انتهای درون قطبی با شروع در حلقه)" #: editor/animation_track_editor.cpp msgid "Remove this track." msgstr "این ترک را حذف کن." #: editor/animation_track_editor.cpp -#, fuzzy msgid "Time (s): " -msgstr "زمان:" +msgstr "زمان(s): " #: editor/animation_track_editor.cpp msgid "Toggle Track Enabled" -msgstr "" +msgstr "Toggle Track Enabled" #: editor/animation_track_editor.cpp msgid "Continuous" @@ -283,11 +304,11 @@ msgstr "تریگر" #: editor/animation_track_editor.cpp msgid "Capture" -msgstr "" +msgstr "گرفتن" #: editor/animation_track_editor.cpp msgid "Nearest" -msgstr "" +msgstr "نزدیکترین" #: editor/animation_track_editor.cpp editor/plugins/curve_editor_plugin.cpp #: editor/property_editor.cpp @@ -296,45 +317,40 @@ msgstr "خطی" #: editor/animation_track_editor.cpp msgid "Cubic" -msgstr "" +msgstr "مکعب" #: editor/animation_track_editor.cpp msgid "Clamp Loop Interp" -msgstr "" +msgstr "رابط گره حلقه(Loop)" #: editor/animation_track_editor.cpp msgid "Wrap Loop Interp" -msgstr "" +msgstr "رابط پوشش حلقه" #: editor/animation_track_editor.cpp #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Insert Key" -msgstr "" +msgstr "درج کلید" #: editor/animation_track_editor.cpp -#, fuzzy msgid "Duplicate Key(s)" -msgstr "تکرار کلیدهای انیمیشن" +msgstr "کپی کردن (Duplicate ) کلید(key)" #: editor/animation_track_editor.cpp -#, fuzzy msgid "Delete Key(s)" -msgstr "حذف گره(ها)" +msgstr "حذف کلید(key)" #: editor/animation_track_editor.cpp -#, fuzzy msgid "Change Animation Update Mode" -msgstr "تغییر مقدار دیکشنری" +msgstr "تغییر حالت بروزرسانی انیمیشن" #: editor/animation_track_editor.cpp -#, fuzzy msgid "Change Animation Interpolation Mode" -msgstr "گره انیمیشن" +msgstr "تغییر حالت درون یابی(Interpolation ) انیمیشن" #: editor/animation_track_editor.cpp -#, fuzzy msgid "Change Animation Loop Mode" -msgstr "حلقه انیمیشن را تغییر بده" +msgstr "تغییر حالت تکررار (Loop) انیمیشن" #: editor/animation_track_editor.cpp msgid "Remove Anim Track" @@ -365,7 +381,7 @@ msgstr "در انیمیشن درج کن" #: editor/animation_track_editor.cpp msgid "AnimationPlayer can't animate itself, only other players." -msgstr "" +msgstr "انیمیشن پلیر نمی تواند خود را انیمیت کند. فقط پلیر دیگر." #: editor/animation_track_editor.cpp msgid "Anim Create & Insert" @@ -380,18 +396,16 @@ msgid "Anim Insert Key" msgstr "کلید را در انیمیشن درج کن" #: editor/animation_track_editor.cpp -#, fuzzy msgid "Change Animation Step" -msgstr "طول انیمیشن را تغییر بده" +msgstr "تغییر گام(Step)انیمیشن" #: editor/animation_track_editor.cpp -#, fuzzy msgid "Rearrange Tracks" -msgstr "مسیر به سمت گره:" +msgstr "تنظیم مجدد مسیر" #: editor/animation_track_editor.cpp msgid "Transform tracks only apply to Spatial-based nodes." -msgstr "" +msgstr "مسیر تبدیل (Transform) فقط برای گرههای مبتنی بر مکانی اعمال می شوند." #: editor/animation_track_editor.cpp msgid "" @@ -400,6 +414,10 @@ msgid "" "-AudioStreamPlayer2D\n" "-AudioStreamPlayer3D" msgstr "" +"آهنگ های صوتی فقط می توانند به گره های نوع (nodes) اشاره کنند\n" +"-AudioStreamPlayer\n" +"-AudioStreamPlayer2D\n" +"-AudioStreamPlayer3D" #: editor/animation_track_editor.cpp msgid "Animation tracks can only point to AnimationPlayer nodes." @@ -501,6 +519,12 @@ msgid "Select None" msgstr "گره انتخاب" #: editor/animation_track_editor.cpp +#, fuzzy +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" +"یک AnimationPlayer از درخت صحنه انتخاب کنید تا انیمیشنها را ویرایش کنید." + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "" @@ -835,7 +859,8 @@ msgstr "اتصال سیگنال:" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -943,7 +968,8 @@ msgstr "جستجو:" msgid "Matches:" msgstr "تطبیقها:" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1257,7 +1283,7 @@ msgid "Delete Bus Effect" msgstr "حذف اثر گذرا" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +msgid "Drag & drop to rearrange." msgstr "" #: editor/editor_audio_buses.cpp @@ -1456,6 +1482,7 @@ msgid "Add AutoLoad" msgstr "بارگذاری خودکار (AutoLoad) را اضافه کن" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "مسیر:" @@ -1694,6 +1721,7 @@ msgstr "تابع را بساز" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "" @@ -1775,6 +1803,7 @@ msgid "New Folder..." msgstr "ساختن پوشه..." #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "" @@ -1935,7 +1964,8 @@ msgid "Inherited by:" msgstr "به ارث رسیده به وسیله:" #: editor/editor_help.cpp -msgid "Brief Description:" +#, fuzzy +msgid "Brief Description" msgstr "خلاصه توضیحات:" #: editor/editor_help.cpp @@ -1943,41 +1973,19 @@ msgid "Properties" msgstr "" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "" - -#: editor/editor_help.cpp msgid "Methods" msgstr "روش ها" #: editor/editor_help.cpp #, fuzzy -msgid "Methods:" -msgstr "روش ها" - -#: editor/editor_help.cpp -#, fuzzy msgid "Theme Properties" msgstr "صافی کردن گرهها" #: editor/editor_help.cpp -#, fuzzy -msgid "Theme Properties:" -msgstr "صافی کردن گرهها" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "سیگنال ها:" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "شمارش ها" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "شمارش ها:" - -#: editor/editor_help.cpp msgid "enum " msgstr "" @@ -1986,21 +1994,12 @@ msgid "Constants" msgstr "ثابت ها" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "" - -#: editor/editor_help.cpp #, fuzzy msgid "Class Description" msgstr "توضیحات" #: editor/editor_help.cpp -#, fuzzy -msgid "Class Description:" -msgstr "توضیح:" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +msgid "Online Tutorials" msgstr "" #: editor/editor_help.cpp @@ -2016,11 +2015,6 @@ msgid "Property Descriptions" msgstr "توضیحات مشخصه:" #: editor/editor_help.cpp -#, fuzzy -msgid "Property Descriptions:" -msgstr "توضیحات مشخصه:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -2032,11 +2026,6 @@ msgid "Method Descriptions" msgstr "توضیحات" #: editor/editor_help.cpp -#, fuzzy -msgid "Method Descriptions:" -msgstr "توضیح:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2112,8 +2101,8 @@ msgstr "خروجی:" msgid "Copy Selection" msgstr "برداشتن انتخاب شده" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2127,6 +2116,48 @@ msgstr "پاک کردن" msgid "Clear Output" msgstr "خروجی" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Down" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "گره" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" msgstr "" @@ -2680,6 +2711,19 @@ msgstr "پروژه" msgid "Project Settings..." msgstr "ترجیحات پروژه" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Version Control" +msgstr "نسخه:" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp #, fuzzy msgid "Export..." @@ -2890,10 +2934,6 @@ msgstr "" msgid "Stop the scene." msgstr "" -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "" @@ -2947,10 +2987,6 @@ msgid "Inspector" msgstr "" #: editor/editor_node.cpp -msgid "Node" -msgstr "گره" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "" @@ -2973,15 +3009,21 @@ msgstr "مدیریت صدور قالب ها" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -3044,6 +3086,11 @@ msgstr "گشودن ویرایشگر متن" msgid "Open the previous Editor" msgstr "" +#: editor/editor_path.cpp +#, fuzzy +msgid "No sub-resources found." +msgstr "زیرمنبعها:" + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "" @@ -3054,6 +3101,11 @@ msgstr "" #: editor/editor_plugin_settings.cpp #, fuzzy +msgid "Main Script:" +msgstr "باز کردن و اجرای یک اسکریپت" + +#: editor/editor_plugin_settings.cpp +#, fuzzy msgid "Edit Plugin" msgstr "ویرایش سیگنال" @@ -3083,11 +3135,6 @@ msgstr "وضعیت:" msgid "Edit:" msgstr "ویرایش" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "" @@ -3916,9 +3963,10 @@ msgstr " پوشه ها" msgid "Import As:" msgstr "" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." -msgstr "" +#: editor/import_dock.cpp +#, fuzzy +msgid "Preset" +msgstr "بازنشانی بزرگنمایی" #: editor/import_dock.cpp msgid "Reimport" @@ -4376,6 +4424,7 @@ msgid "Change Animation Name:" msgstr "" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "انیمیشن حذف شود؟" @@ -4965,11 +5014,6 @@ msgid "Sort:" msgstr "مرتبسازی:" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy -msgid "Reverse sorting." -msgstr "در حال درخواست..." - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "طبقهبندی:" @@ -5252,6 +5296,11 @@ msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp #, fuzzy +msgid "Ruler Mode" +msgstr "انتخاب حالت" + +#: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy msgid "Toggle snapping." msgstr "یک Breakpoint درج کن" @@ -6336,7 +6385,7 @@ msgstr "" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "" @@ -6556,11 +6605,11 @@ msgid "Toggle Scripts Panel" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" +msgid "Step Into" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Into" +msgid "Step Over" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp @@ -6646,7 +6695,7 @@ msgstr "صحنه جدید" msgid "Connections to method:" msgstr "اتصال به گره:" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp #, fuzzy msgid "Source" msgstr "منبع" @@ -7459,6 +7508,11 @@ msgstr "(خالی)" #: editor/plugins/sprite_frames_editor_plugin.cpp #, fuzzy +msgid "Move Frame" +msgstr "حرکت دادن گره(ها)" + +#: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy msgid "Animations:" msgstr "گره انیمیشن" @@ -7794,6 +7848,15 @@ msgid "Enable Priority" msgstr "ویرایش صافی ها" #: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy +msgid "Filter tiles" +msgstr "صافی کردن گرهها" + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "" @@ -7938,6 +8001,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp #, fuzzy msgid "Remove selected texture? This will remove all tiles which use it." msgstr "حذف نقطهٔ منحنی" @@ -8114,6 +8182,109 @@ msgstr "" msgid "TileSet" msgstr "صدور مجموعه کاشی" +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No VCS addons are available." +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No commit message was provided" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit" +msgstr "انجمن" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Initialize" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "ساختن %s جدید" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "تغییر بده" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "تغییر نام" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "حذف کن" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Typechange" +msgstr "تغییر بده" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "انتخاب شده را حذف کن" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage All" +msgstr "انتخاب همه" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit Changes" +msgstr "تغییر بده" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +#, fuzzy +msgid "Status" +msgstr "وضعیت:" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -8368,6 +8539,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9599,6 +9775,11 @@ msgid "Settings saved OK." msgstr "تنظیمات با موفقیت ذخیره شد." #: editor/project_settings_editor.cpp +#, fuzzy +msgid "Moved Input Action Event" +msgstr "حذف رویداد عمل ورودی" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "" @@ -9738,6 +9919,10 @@ msgid "Plugins" msgstr "" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "" + +#: editor/property_editor.cpp msgid "Zero" msgstr "" @@ -9912,10 +10097,6 @@ msgstr "" msgid "Reset" msgstr "بازنشانی بزرگنمایی" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "گره تغییر والد" @@ -9971,6 +10152,11 @@ msgid "Instance Scene(s)" msgstr "" #: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Replace with Branch Scene" +msgstr "ذخیرهٔ شاخه به عنوان صحنه" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "ارثبری صحنهٔ فرزند" @@ -10012,8 +10198,22 @@ msgid "Make node as Root" msgstr "" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" -msgstr "حذف گره(ها)؟" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "حذف گره(ها)" + +#: editor/scene_tree_dock.cpp +msgid "Delete the root node \"%s\"?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" +msgstr "" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "حذف گره(ها)" #: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." @@ -10428,11 +10628,41 @@ msgid "Bytes:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" +msgid "Warning:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." +#, fuzzy +msgid "Error:" +msgstr "بازتاب" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error" +msgstr "خطاهای بارگذاری" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error:" +msgstr "خطاهای بارگذاری" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source" +msgstr "منبع" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" +msgstr "منبع" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source:" +msgstr "منبع" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" msgstr "" #: editor/script_editor_debugger.cpp @@ -10440,8 +10670,9 @@ msgid "Errors" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" -msgstr "" +#, fuzzy +msgid "Child process connected." +msgstr "اتصال قطع شده" #: editor/script_editor_debugger.cpp #, fuzzy @@ -10449,6 +10680,11 @@ msgid "Copy Error" msgstr "خطاهای بارگذاری" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "حذف کن" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "" @@ -10465,6 +10701,11 @@ msgid "Profiler" msgstr "" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Network Profiler" +msgstr "صدور پروژه" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "" @@ -10477,6 +10718,10 @@ msgid "Monitors" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "" @@ -10678,11 +10923,6 @@ msgid "Library" msgstr "صادکردن فایل کتابخانه ای" #: modules/gdnative/gdnative_library_singleton_editor.cpp -#, fuzzy -msgid "Status" -msgstr "وضعیت:" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "" @@ -10691,6 +10931,10 @@ msgid "GDNative" msgstr "" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp #, fuzzy msgid "Step argument is zero!" msgstr "آرگومان step صفر است!" @@ -10857,6 +11101,15 @@ msgstr "ترجیحات" msgid "Pick Distance:" msgstr "" +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "حالت صافی:" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -11007,6 +11260,10 @@ msgid "Create a new variable." msgstr "ساختن %s جدید" #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "سیگنال ها:" + +#: modules/visual_script/visual_script_editor.cpp #, fuzzy msgid "Create a new signal." msgstr "انتخاب شده را تغییر مقیاس بده" @@ -11170,6 +11427,11 @@ msgid "Editing Signal:" msgstr "ویرایش سیگنال:" #: modules/visual_script/visual_script_editor.cpp +#, fuzzy +msgid "Make Tool:" +msgstr "محلی" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "نوع پایه:" @@ -11326,7 +11588,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp @@ -12060,6 +12323,36 @@ msgid "Constants cannot be modified." msgstr "" #, fuzzy +#~ msgid "Methods:" +#~ msgstr "روش ها" + +#, fuzzy +#~ msgid "Theme Properties:" +#~ msgstr "صافی کردن گرهها" + +#~ msgid "Enumerations:" +#~ msgstr "شمارش ها:" + +#, fuzzy +#~ msgid "Class Description:" +#~ msgstr "توضیح:" + +#, fuzzy +#~ msgid "Property Descriptions:" +#~ msgstr "توضیحات مشخصه:" + +#, fuzzy +#~ msgid "Method Descriptions:" +#~ msgstr "توضیح:" + +#, fuzzy +#~ msgid "Reverse sorting." +#~ msgstr "در حال درخواست..." + +#~ msgid "Delete Node(s)?" +#~ msgstr "حذف گره(ها)؟" + +#, fuzzy #~ msgid "Error: could not load file." #~ msgstr "نمیتواند یک پوشه ایجاد شود." diff --git a/editor/translations/fi.po b/editor/translations/fi.po index 9905d85038..429ff2b24d 100644 --- a/editor/translations/fi.po +++ b/editor/translations/fi.po @@ -13,7 +13,7 @@ msgid "" msgstr "" "Project-Id-Version: Godot Engine editor\n" "POT-Creation-Date: \n" -"PO-Revision-Date: 2019-08-04 14:23+0000\n" +"PO-Revision-Date: 2019-09-26 11:50+0000\n" "Last-Translator: Tapani Niemi <tapani.niemi@kapsi.fi>\n" "Language-Team: Finnish <https://hosted.weblate.org/projects/godot-engine/" "godot/fi/>\n" @@ -22,7 +22,7 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=n != 1;\n" -"X-Generator: Weblate 3.8-dev\n" +"X-Generator: Weblate 3.9-dev\n" #: core/math/expression.cpp modules/gdscript/gdscript_functions.cpp #: modules/visual_script/visual_script_builtin_funcs.cpp @@ -64,6 +64,35 @@ msgstr "Virheelliset argumentit rakenteelle '%s'" msgid "On call to '%s':" msgstr "Kutsuttaessa funktiota '%s':" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +#, fuzzy +msgid "MiB" +msgstr "Sekoita" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "Vapauta" @@ -475,6 +504,11 @@ msgid "Select None" msgstr "Tyhjennä valinta" #: editor/animation_track_editor.cpp +#, fuzzy +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "Polku animaatiot sisältävään AnimationPlayer solmuun on asettamatta." + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "Näytä raidat vain puussa valituista solmuista." @@ -653,14 +687,12 @@ msgid "Replaced %d occurrence(s)." msgstr "Korvattu %d osuvuutta." #: editor/code_editor.cpp editor/editor_help.cpp -#, fuzzy msgid "%d match." -msgstr "Löydettiin %d osuma(a)." +msgstr "%d osuma." #: editor/code_editor.cpp editor/editor_help.cpp -#, fuzzy msgid "%d matches." -msgstr "Löydettiin %d osuma(a)." +msgstr "%d osumaa." #: editor/code_editor.cpp editor/find_in_files.cpp msgid "Match Case" @@ -797,7 +829,8 @@ msgstr "Ei voida yhdistää signaalia" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -898,7 +931,8 @@ msgstr "Hae:" msgid "Matches:" msgstr "Osumat:" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1112,19 +1146,17 @@ msgid "License" msgstr "Lisenssi" #: editor/editor_about.cpp -#, fuzzy msgid "Third-party Licenses" -msgstr "Kolmannen osapuolen lisenssi" +msgstr "Kolmannen osapuolen lisenssit" #: editor/editor_about.cpp -#, fuzzy msgid "" "Godot Engine relies on a number of third-party free and open source " "libraries, all compatible with the terms of its MIT license. The following " "is an exhaustive list of all such third-party components with their " "respective copyright statements and license terms." msgstr "" -"Godot moottori käyttää useita kolmannen osapuolen ilmaisia ja avoimia " +"Godot-pelimoottori käyttää useita kolmannen osapuolen ilmaisia ja avoimia " "kirjastoja, jotka kaikki ovat yhteensopivia sen MIT lisenssin kanssa. " "Seuraava tyhjentävä listaus sisältää kaikki tällaiset kolmannen osapuolen " "komponentit ja niiden vastaavat tekijänoikeustiedot ja käyttöoikeusehdot." @@ -1142,9 +1174,8 @@ msgid "Licenses" msgstr "Lisenssit" #: editor/editor_asset_installer.cpp editor/project_manager.cpp -#, fuzzy msgid "Error opening package file, not in ZIP format." -msgstr "Virhe avattaessa pakettitiedostoa, ei zip-muodossa." +msgstr "Virhe avattaessa pakettitiedostoa, ei ZIP-muodossa." #: editor/editor_asset_installer.cpp msgid "Uncompressing Assets" @@ -1212,7 +1243,8 @@ msgid "Delete Bus Effect" msgstr "Poista väylän efekti" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +#, fuzzy +msgid "Drag & drop to rearrange." msgstr "Ääniväylä, tartu ja vedä järjestelläksesi uudelleen." #: editor/editor_audio_buses.cpp @@ -1406,6 +1438,7 @@ msgid "Add AutoLoad" msgstr "Lisää automaattisesti ladattava" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "Polku:" @@ -1637,6 +1670,7 @@ msgstr "Aseta nykyiseksi" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "Uusi" @@ -1707,6 +1741,7 @@ msgid "New Folder..." msgstr "Uusi kansio..." #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "Päivitä" @@ -1863,7 +1898,8 @@ msgid "Inherited by:" msgstr "Perivät:" #: editor/editor_help.cpp -msgid "Brief Description:" +#, fuzzy +msgid "Brief Description" msgstr "Lyhyt kuvaus:" #: editor/editor_help.cpp @@ -1871,38 +1907,18 @@ msgid "Properties" msgstr "Ominaisuudet" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "Ominaisuudet:" - -#: editor/editor_help.cpp msgid "Methods" msgstr "Metodit" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "Metodit:" - -#: editor/editor_help.cpp msgid "Theme Properties" msgstr "Teeman ominaisuudet" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "Teeman ominaisuudet:" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "Signaalit:" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "Enumeraatiot" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "Enumeraatiot:" - -#: editor/editor_help.cpp msgid "enum " msgstr "enum " @@ -1911,19 +1927,12 @@ msgid "Constants" msgstr "Vakiot" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "Vakiot:" - -#: editor/editor_help.cpp msgid "Class Description" msgstr "Luokan kuvaus" #: editor/editor_help.cpp -msgid "Class Description:" -msgstr "Luokan kuvaus:" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +#, fuzzy +msgid "Online Tutorials" msgstr "Online-oppaat:" #: editor/editor_help.cpp @@ -1941,10 +1950,6 @@ msgid "Property Descriptions" msgstr "Ominaisuuksien kuvaukset" #: editor/editor_help.cpp -msgid "Property Descriptions:" -msgstr "Ominaisuuksien kuvaukset:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -1957,10 +1962,6 @@ msgid "Method Descriptions" msgstr "Metodien kuvaukset" #: editor/editor_help.cpp -msgid "Method Descriptions:" -msgstr "Metodien kuvaukset:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2029,8 +2030,8 @@ msgstr "Tuloste:" msgid "Copy Selection" msgstr "Kopioi valinta" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2043,10 +2044,51 @@ msgstr "Tyhjennä" msgid "Clear Output" msgstr "Tyhjennä tuloste" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "Pysäytä" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "Aloita" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Down" +msgstr "Alas" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "Ylös" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "Solmu" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp -#, fuzzy msgid "New Window" -msgstr "Ikkuna" +msgstr "Uusi ikkuna" #: editor/editor_node.cpp msgid "Project export failed with error code %d." @@ -2374,9 +2416,8 @@ msgid "Close Scene" msgstr "Sulje skene" #: editor/editor_node.cpp -#, fuzzy msgid "Reopen Closed Scene" -msgstr "Sulje skene" +msgstr "Avaa uudelleen suljettu skene" #: editor/editor_node.cpp msgid "Unable to enable addon plugin at: '%s' parsing of config failed." @@ -2486,9 +2527,8 @@ msgid "Close Tab" msgstr "Sulje välilehti" #: editor/editor_node.cpp -#, fuzzy msgid "Undo Close Tab" -msgstr "Sulje välilehti" +msgstr "Peruuta välilehden sulkeminen" #: editor/editor_node.cpp editor/plugins/script_editor_plugin.cpp msgid "Close Other Tabs" @@ -2621,19 +2661,29 @@ msgid "Project" msgstr "Projekti" #: editor/editor_node.cpp -#, fuzzy msgid "Project Settings..." -msgstr "Projektin asetukset" +msgstr "Projektin asetukset..." -#: editor/editor_node.cpp +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp #, fuzzy +msgid "Version Control" +msgstr "Versio:" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + +#: editor/editor_node.cpp msgid "Export..." -msgstr "Vie" +msgstr "Vie..." #: editor/editor_node.cpp -#, fuzzy msgid "Install Android Build Template..." -msgstr "Asenna Androidin käännösmalli" +msgstr "Asenna Androidin käännösmalli..." #: editor/editor_node.cpp msgid "Open Project Data Folder" @@ -2644,9 +2694,8 @@ msgid "Tools" msgstr "Työkalut" #: editor/editor_node.cpp -#, fuzzy msgid "Orphan Resource Explorer..." -msgstr "Irrallisten resurssien hallinta" +msgstr "Irrallisten resurssien hallinta..." #: editor/editor_node.cpp msgid "Quit to Project List" @@ -2748,9 +2797,8 @@ msgid "Editor" msgstr "Editori" #: editor/editor_node.cpp -#, fuzzy msgid "Editor Settings..." -msgstr "Editorin asetukset" +msgstr "Editorin asetukset..." #: editor/editor_node.cpp msgid "Editor Layout" @@ -2785,14 +2833,12 @@ msgid "Open Editor Settings Folder" msgstr "Avaa editorin asetuskansio" #: editor/editor_node.cpp -#, fuzzy msgid "Manage Editor Features..." -msgstr "Hallinnoi editorin ominaisuuksia" +msgstr "Hallinnoi editorin ominaisuuksia..." #: editor/editor_node.cpp -#, fuzzy msgid "Manage Export Templates..." -msgstr "Hallinnoi vientimalleja" +msgstr "Hallinnoi vientimalleja..." #: editor/editor_node.cpp editor/plugins/shader_editor_plugin.cpp msgid "Help" @@ -2848,10 +2894,6 @@ msgstr "Keskeytä skene" msgid "Stop the scene." msgstr "Lopeta skenen suorittaminen." -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "Pysäytä" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "Käynnistä muokattavana oleva skene." @@ -2902,10 +2944,6 @@ msgid "Inspector" msgstr "Tarkastelu" #: editor/editor_node.cpp -msgid "Node" -msgstr "Solmu" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "Laajenna alapaneeli" @@ -2927,18 +2965,22 @@ msgstr "Hallinnoi malleja" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" -"Tämä asentaa Android-projektin mukautettuja käännöksiä varten.\n" -"Huomaa, että käyttääksesi sitä, se täytyy ottaa käyttöön kussakin " -"vientiesiasetuksessa." #: editor/editor_node.cpp +#, fuzzy msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" "Androidin käännösmalli on jo asennettu, eikä sitä ylikirjoiteta.\n" "Poista \"build\" hakemisto käsin ennen kuin yrität tätä toimenpidettä " @@ -3004,6 +3046,11 @@ msgstr "Avaa seuraava editori" msgid "Open the previous Editor" msgstr "Avaa edellinen editori" +#: editor/editor_path.cpp +#, fuzzy +msgid "No sub-resources found." +msgstr "Pinnan lähdettä ei ole määritelty." + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "Luodaan meshien esikatseluita" @@ -3013,6 +3060,11 @@ msgid "Thumbnail..." msgstr "Pienoiskuva..." #: editor/editor_plugin_settings.cpp +#, fuzzy +msgid "Main Script:" +msgstr "Avaa skripti:" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "Muokkaa liitännäistä" @@ -3041,11 +3093,6 @@ msgstr "Tila:" msgid "Edit:" msgstr "Muokkaa:" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "Aloita" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "Mittaa:" @@ -3262,7 +3309,6 @@ msgid "Import From Node:" msgstr "Tuo solmusta:" #: editor/export_template_manager.cpp -#, fuzzy msgid "Redownload" msgstr "Lataa uudelleen" @@ -3281,7 +3327,7 @@ msgstr "Lataa" #: editor/export_template_manager.cpp msgid "Official export templates aren't available for development builds." -msgstr "" +msgstr "Viralliset vientimallit eivät ole saatavilla kehityskäännöksille." #: editor/export_template_manager.cpp msgid "(Missing)" @@ -3364,23 +3410,20 @@ msgid "Download Complete." msgstr "Lataus valmis." #: editor/export_template_manager.cpp -#, fuzzy msgid "Cannot remove temporary file:" -msgstr "Teemaa ei voi tallentaa tiedostoon:" +msgstr "Väliaikaista tiedosta ei voida poistaa:" #: editor/export_template_manager.cpp -#, fuzzy msgid "" "Templates installation failed.\n" "The problematic templates archives can be found at '%s'." msgstr "" -"Vientimallien asennus epäonnistui. Ongelmallisten vientimallien arkisto " -"löytyy kohteesta '%s'." +"Vientimallien asennus epäonnistui.\n" +"Ongelmallisten vientimallien arkisto löytyy kohteesta '%s'." #: editor/export_template_manager.cpp -#, fuzzy msgid "Error requesting URL:" -msgstr "Virhe pyydettäessä osoitetta: " +msgstr "Virhe pyydettäessä osoitetta:" #: editor/export_template_manager.cpp msgid "Connecting to Mirror..." @@ -3566,9 +3609,8 @@ msgid "Move To..." msgstr "Siirrä..." #: editor/filesystem_dock.cpp -#, fuzzy msgid "New Scene..." -msgstr "Uusi skene" +msgstr "Uusi skene..." #: editor/filesystem_dock.cpp editor/plugins/script_editor_plugin.cpp msgid "New Script..." @@ -3636,9 +3678,8 @@ msgid "Overwrite" msgstr "Ylikirjoita" #: editor/filesystem_dock.cpp -#, fuzzy msgid "Create Scene" -msgstr "Luo skenestä" +msgstr "Luo skene" #: editor/filesystem_dock.cpp editor/plugins/script_editor_plugin.cpp msgid "Create Script" @@ -3679,7 +3720,7 @@ msgstr "Korvaa..." #: editor/find_in_files.cpp editor/progress_dialog.cpp scene/gui/dialogs.cpp msgid "Cancel" -msgstr "Peru" +msgstr "Peruuta" #: editor/find_in_files.cpp msgid "Find: " @@ -3718,21 +3759,18 @@ msgid "Invalid group name." msgstr "Virheellinen ryhmän nimi." #: editor/groups_editor.cpp -#, fuzzy msgid "Rename Group" -msgstr "Hallinnoi ryhmiä" +msgstr "Nimeä ryhmä uudelleen" #: editor/groups_editor.cpp -#, fuzzy msgid "Delete Group" -msgstr "Poista asettelu" +msgstr "Poista ryhmä" #: editor/groups_editor.cpp editor/node_dock.cpp msgid "Groups" msgstr "Ryhmät" #: editor/groups_editor.cpp -#, fuzzy msgid "Nodes Not in Group" msgstr "Ryhmään kuulumattomat solmut" @@ -3747,12 +3785,11 @@ msgstr "Ryhmään kuuluvat solmut" #: editor/groups_editor.cpp msgid "Empty groups will be automatically removed." -msgstr "" +msgstr "Tyhjät ryhmät poistetaan automaattisesti." #: editor/groups_editor.cpp -#, fuzzy msgid "Group Editor" -msgstr "Skriptieditori" +msgstr "Ryhmäeditori" #: editor/groups_editor.cpp msgid "Manage Groups" @@ -3852,9 +3889,10 @@ msgstr " Tiedostot" msgid "Import As:" msgstr "Tuo nimellä:" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." -msgstr "Esiasetus..." +#: editor/import_dock.cpp +#, fuzzy +msgid "Preset" +msgstr "Esiasetukset" #: editor/import_dock.cpp msgid "Reimport" @@ -3963,9 +4001,8 @@ msgid "MultiNode Set" msgstr "Aseta usealle solmulle" #: editor/node_dock.cpp -#, fuzzy msgid "Select a single node to edit its signals and groups." -msgstr "Valitse solmu, jonka signaaleja ja ryhmiä haluat muokata." +msgstr "Valitse yksittäinen solmu muokataksesi sen signaaleja ja ryhmiä." #: editor/plugin_config_dialog.cpp msgid "Edit a Plugin" @@ -4296,6 +4333,7 @@ msgid "Change Animation Name:" msgstr "Vaihda animaation nimi:" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "Poista animaatio?" @@ -4743,37 +4781,32 @@ msgid "Request failed, return code:" msgstr "Pyyntö epäonnistui, virhekoodi:" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Request failed." msgstr "Pyyntö epäonnistui." #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Cannot save response to:" -msgstr "Teemaa ei voi tallentaa tiedostoon:" +msgstr "Vastausta ei voida tallentaa tiedostoon:" #: editor/plugins/asset_library_editor_plugin.cpp msgid "Write error." -msgstr "" +msgstr "Kirjoitusvirhe." #: editor/plugins/asset_library_editor_plugin.cpp msgid "Request failed, too many redirects" msgstr "Pyyntö epäonnistui, liikaa uudelleenohjauksia" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Redirect loop." msgstr "Loputon uudelleenohjaus." #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Request failed, timeout" -msgstr "Pyyntö epäonnistui, virhekoodi:" +msgstr "Pyyntö epäonnistui, aikakatkaisu" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Timeout." -msgstr "Aika" +msgstr "Aikakatkaisu." #: editor/plugins/asset_library_editor_plugin.cpp msgid "Bad download hash, assuming file has been tampered with." @@ -4853,24 +4886,18 @@ msgid "All" msgstr "Kaikki" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Import..." -msgstr "Tuo uudelleen..." +msgstr "Tuo..." #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Plugins..." -msgstr "Liitännäiset" +msgstr "Liitännäiset..." #: editor/plugins/asset_library_editor_plugin.cpp editor/project_manager.cpp msgid "Sort:" msgstr "Lajittele:" #: editor/plugins/asset_library_editor_plugin.cpp -msgid "Reverse sorting." -msgstr "Käännä lajittelu." - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "Kategoria:" @@ -4880,9 +4907,8 @@ msgid "Site:" msgstr "Sivu:" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Support" -msgstr "Tuki..." +msgstr "Tuki" #: editor/plugins/asset_library_editor_plugin.cpp msgid "Official" @@ -4893,9 +4919,8 @@ msgid "Testing" msgstr "Testaus" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Loading..." -msgstr "Lataa..." +msgstr "Ladataan..." #: editor/plugins/asset_library_editor_plugin.cpp msgid "Assets ZIP File" @@ -5063,9 +5088,8 @@ msgid "Paste Pose" msgstr "Liitä asento" #: editor/plugins/canvas_item_editor_plugin.cpp -#, fuzzy msgid "Clear Guides" -msgstr "Poista luut" +msgstr "Poista apuviivat" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Create Custom Bone(s) from Node(s)" @@ -5153,6 +5177,11 @@ msgid "Pan Mode" msgstr "Panorointitila" #: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy +msgid "Ruler Mode" +msgstr "Käynnistystila:" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "Aseta tarttuminen." @@ -5802,26 +5831,23 @@ msgstr "Luontiaika (s):" #: editor/plugins/particles_editor_plugin.cpp msgid "The geometry's faces don't contain any area." -msgstr "" +msgstr "Geometrian tahkot eivät sisällä mitään alaa." #: editor/plugins/particles_editor_plugin.cpp -#, fuzzy msgid "The geometry doesn't contain any faces." -msgstr "Solmulta puuttuu geometria (tahkot)." +msgstr "Geometria ei sisällä yhtään tahkoja." #: editor/plugins/particles_editor_plugin.cpp msgid "\"%s\" doesn't inherit from Spatial." -msgstr "" +msgstr "\"%s\" ei periydy Spatial solmusta." #: editor/plugins/particles_editor_plugin.cpp -#, fuzzy msgid "\"%s\" doesn't contain geometry." -msgstr "Solmu ei sisällä geometriaa." +msgstr "\"%s\" ei sisällä geometriaa." #: editor/plugins/particles_editor_plugin.cpp -#, fuzzy msgid "\"%s\" doesn't contain face geometry." -msgstr "Solmu ei sisällä geometriaa." +msgstr "\"%s\" ei sisällä tahkogeometriaa." #: editor/plugins/particles_editor_plugin.cpp msgid "Create Emitter" @@ -6221,7 +6247,7 @@ msgstr "Ilmentymä:" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "Tyyppi:" @@ -6259,9 +6285,8 @@ msgid "Error writing TextFile:" msgstr "Virhe kirjoitettaessa teksitiedostoa:" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "Could not load file at:" -msgstr "Ruutua ei löytynyt:" +msgstr "Ei voitu ladata tiedostoa:" #: editor/plugins/script_editor_plugin.cpp msgid "Error saving file!" @@ -6284,7 +6309,6 @@ msgid "Error Importing" msgstr "Virhe tuonnissa" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "New Text File..." msgstr "Uusi tekstitiedosto..." @@ -6366,9 +6390,8 @@ msgid "Open..." msgstr "Avaa..." #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "Reopen Closed Script" -msgstr "Avaa skripti" +msgstr "Avaa uudelleen suljettu skripti" #: editor/plugins/script_editor_plugin.cpp msgid "Save All" @@ -6424,14 +6447,14 @@ msgid "Toggle Scripts Panel" msgstr "Näytä/piilota skriptipaneeli" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" -msgstr "Siirry seuraavaan" - -#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Step Into" msgstr "Siirry sisään" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp +msgid "Step Over" +msgstr "Siirry seuraavaan" + +#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Break" msgstr "Keskeytä" @@ -6503,15 +6526,14 @@ msgid "Search Results" msgstr "Haun tulokset" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "Clear Recent Scripts" -msgstr "Tyhjennä viimeisimmät skenet" +msgstr "Tyhjennä viimeisimmät skriptit" #: editor/plugins/script_text_editor.cpp msgid "Connections to method:" msgstr "Yhteydet metodiin:" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp msgid "Source" msgstr "Lähde" @@ -6547,7 +6569,7 @@ msgstr "Vain tiedostojärjestelmän resursseja voi raahata ja pudottaa." #: editor/plugins/script_text_editor.cpp msgid "Lookup Symbol" -msgstr "Haettava symboli" +msgstr "Hae symboli" #: editor/plugins/script_text_editor.cpp msgid "Pick Color" @@ -6629,9 +6651,8 @@ msgid "Complete Symbol" msgstr "Täydennä symboli" #: editor/plugins/script_text_editor.cpp -#, fuzzy msgid "Evaluate Selection" -msgstr "Skaalaa valintaa" +msgstr "Laske valinnan tulos" #: editor/plugins/script_text_editor.cpp msgid "Trim Trailing Whitespace" @@ -6939,9 +6960,8 @@ msgid "Audio Listener" msgstr "Äänikuuntelija" #: editor/plugins/spatial_editor_plugin.cpp -#, fuzzy msgid "Enable Doppler" -msgstr "Kytke suodatus" +msgstr "Kytke Doppler" #: editor/plugins/spatial_editor_plugin.cpp msgid "Cinematic Preview" @@ -6997,7 +7017,7 @@ msgstr "Tarraa solmut lattiaan" #: editor/plugins/spatial_editor_plugin.cpp msgid "Couldn't find a solid floor to snap the selection to." -msgstr "" +msgstr "Ei löydetty kiinteää lattiaa, johon kohdistaa valinta." #: editor/plugins/spatial_editor_plugin.cpp msgid "" @@ -7010,9 +7030,8 @@ msgstr "" "Alt + Hiiren oikea painike: Syvyyslistan valinta" #: editor/plugins/spatial_editor_plugin.cpp -#, fuzzy msgid "Use Local Space" -msgstr "Paikallisavaruuden tila (%s)" +msgstr "Käytä paikallisavaruutta" #: editor/plugins/spatial_editor_plugin.cpp msgid "Bottom View" @@ -7109,9 +7128,8 @@ msgstr "Näytä ruudukko" #: editor/plugins/spatial_editor_plugin.cpp #: modules/gridmap/grid_map_editor_plugin.cpp -#, fuzzy msgid "Settings..." -msgstr "Asetukset" +msgstr "Asetukset..." #: editor/plugins/spatial_editor_plugin.cpp msgid "Snap Settings" @@ -7290,6 +7308,11 @@ msgid "(empty)" msgstr "(tyhjä)" #: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy +msgid "Move Frame" +msgstr "Liitä ruutu" + +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Animations:" msgstr "Animaatiot:" @@ -7487,12 +7510,10 @@ msgid "Submenu" msgstr "Alivalikko" #: editor/plugins/theme_editor_plugin.cpp -#, fuzzy msgid "Subitem 1" msgstr "Osanen 1" #: editor/plugins/theme_editor_plugin.cpp -#, fuzzy msgid "Subitem 2" msgstr "Osanen 2" @@ -7606,17 +7627,25 @@ msgid "Enable Priority" msgstr "Ota prioriteetti käyttöön" #: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy +msgid "Filter tiles" +msgstr "Suodata tiedostot..." + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "Maalaa ruutu" #: editor/plugins/tile_map_editor_plugin.cpp -#, fuzzy msgid "" "Shift+LMB: Line Draw\n" "Shift+Ctrl+LMB: Rectangle Paint" msgstr "" -"Shift+Hiiren oikea: Piirrä viiva\n" -"Shift+Ctrl+Hiiren oikea: Suorakaidemaalaus" +"Shift+Hiiren vasen: Piirrä viiva\n" +"Shift+Ctrl+Hiiren vasen: Suorakaidemaalaus" #: editor/plugins/tile_map_editor_plugin.cpp msgid "Pick Tile" @@ -7739,6 +7768,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "Näytä ruutujen nimet (pidä Alt-näppäin pohjassa)" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp msgid "Remove selected texture? This will remove all tiles which use it." msgstr "" "Poista valittu tekstuuri? Tämä poistaa kaikki ruudut, jotka käyttävät sitä." @@ -7909,6 +7943,112 @@ msgstr "Tätä ominaisuutta ei voi muuttaa." msgid "TileSet" msgstr "Ruutuvalikoima" +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No VCS addons are available." +msgstr "Solmun yläsolmun nimi, jos saatavilla" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "Virhe" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No commit message was provided" +msgstr "Nimeä ei annettu" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit" +msgstr "Yhteisö" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Initialize" +msgstr "Isot alkukirjaimet" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "Luo uusi suorakulmio." + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "Muuta" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "Nimeä uudelleen" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "Poista" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Typechange" +msgstr "Muuta" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "Poista valitut" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage All" +msgstr "Tallenna kaikki" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit Changes" +msgstr "Synkronoi skriptin muutokset" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "Tila" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No file diff is active" +msgstr "Ei valittuja tiedostoja!" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "(Vain GLES3)" @@ -8015,9 +8155,8 @@ msgid "Light" msgstr "Valo" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Show resulted shader code." -msgstr "Luo Shader solmu" +msgstr "Näytä syntyvä sävytinkoodi." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Create Shader Node" @@ -8146,6 +8285,13 @@ msgstr "" "Palauttaa liitetyn vektorin, jos annettu totuusarvo on tosi tai epätosi." #: editor/plugins/visual_shader_editor_plugin.cpp +#, fuzzy +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" +"Palauttaa liitetyn vektorin, jos annettu totuusarvo on tosi tai epätosi." + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "Palauttaa kahden parametrin vertailun totuusarvon." @@ -8383,7 +8529,6 @@ msgid "Returns the square root of the parameter." msgstr "Palauttaa parametrin neliöjuuren." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "SmoothStep function( scalar(edge0), scalar(edge1), scalar(x) ).\n" "\n" @@ -8398,13 +8543,12 @@ msgstr "" "polynomeilla." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "Step function( scalar(edge), scalar(x) ).\n" "\n" "Returns 0.0 if 'x' is smaller than 'edge' and otherwise 1.0." msgstr "" -"Step function( scalar(edge), scalar(x) ).\n" +"Step-funktio( skalaari(edge), skalaari(x) ).\n" "\n" "Palauttaa 0.0, jos 'x' on pienempi kuin 'edge', ja muuten 1.0." @@ -8575,9 +8719,8 @@ msgid "Linear interpolation between two vectors." msgstr "Kahden vektorin välinen lineaari-interpolaatio." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Linear interpolation between two vectors using scalar." -msgstr "Kahden vektorin välinen lineaari-interpolaatio." +msgstr "Kahden vektorin välinen lineaari-interpolaatio skalaarilla." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Calculates the normalize product of vector." @@ -8604,7 +8747,6 @@ msgid "Returns the vector that points in the direction of refraction." msgstr "Palauttaa vektorin, joka osoittaa taittumisen suuntaan." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "SmoothStep function( vector(edge0), vector(edge1), vector(x) ).\n" "\n" @@ -8619,7 +8761,6 @@ msgstr "" "polynomeilla." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "SmoothStep function( scalar(edge0), scalar(edge1), vector(x) ).\n" "\n" @@ -8634,7 +8775,6 @@ msgstr "" "polynomeilla." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "Step function( vector(edge), vector(x) ).\n" "\n" @@ -8645,7 +8785,6 @@ msgstr "" "Palauttaa 0.0, jos 'x' on pienempi kuin 'edge', ja muutoin 1.0." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "Step function( scalar(edge), vector(x) ).\n" "\n" @@ -8707,6 +8846,10 @@ msgid "" "shader. You can place various function definitions inside and call it later " "in the Expressions. You can also declare varyings, uniforms and constants." msgstr "" +"Mukautettu Godotin sävytinkielen lauseke, joka sijoitetaan syntyvän " +"sävyttimen alkuun. Voit lisätä siihen erilaisia funktiomäärityksiä ja kutsua " +"niitä myöhemmin Expressions-osuudessa. Voit myös esitellä siinä varyingejä, " +"uniformeja ja vakioita." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(Fragment/Light mode only) Scalar derivative function." @@ -9100,13 +9243,12 @@ msgid "Unnamed Project" msgstr "Nimetön projekti" #: editor/project_manager.cpp -#, fuzzy msgid "Missing Project" -msgstr "Tuo olemassaoleva projekti" +msgstr "Puuttuva projekti" #: editor/project_manager.cpp msgid "Error: Project is missing on the filesystem." -msgstr "" +msgstr "Virhe: projekti puuttuu tiedostojärjestelmästä." #: editor/project_manager.cpp msgid "Can't open project at '%s'." @@ -9203,12 +9345,11 @@ msgstr "" "Projektikansion sisältöä ei muuteta." #: editor/project_manager.cpp -#, fuzzy msgid "" "Remove all missing projects from the list?\n" "The project folders' contents won't be modified." msgstr "" -"Poista %d projektia listalta?\n" +"Poista kaikki puuttuvat projektit listalta?\n" "Projektikansioiden sisältöjä ei muuteta." #: editor/project_manager.cpp @@ -9233,9 +9374,8 @@ msgid "Project Manager" msgstr "Projektinhallinta" #: editor/project_manager.cpp -#, fuzzy msgid "Projects" -msgstr "Projekti" +msgstr "Projektit" #: editor/project_manager.cpp msgid "Scan" @@ -9466,6 +9606,11 @@ msgid "Settings saved OK." msgstr "Asetukset tallennettu onnistuneesti." #: editor/project_settings_editor.cpp +#, fuzzy +msgid "Moved Input Action Event" +msgstr "Lisää syötetoiminnon tapahtuma" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "Ominaisuuden ohitus" @@ -9602,6 +9747,10 @@ msgid "Plugins" msgstr "Liitännäiset" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "Esiasetus..." + +#: editor/property_editor.cpp msgid "Zero" msgstr "Nolla" @@ -9769,10 +9918,6 @@ msgstr "Isoiksi kirjaimiksi" msgid "Reset" msgstr "Palauta" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "Virhe" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "Vaihda solmun isäntää" @@ -9830,12 +9975,17 @@ msgid "Instance Scene(s)" msgstr "Luo ilmentymä skenestä tai skeneistä" #: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Replace with Branch Scene" +msgstr "Tallenna haara skenenä" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "Luo aliskenen ilmentymä" #: editor/scene_tree_dock.cpp msgid "Clear Script" -msgstr "Tyhjennä skripti" +msgstr "Poista skripti" #: editor/scene_tree_dock.cpp msgid "This operation can't be done on the tree root." @@ -9874,8 +10024,23 @@ msgid "Make node as Root" msgstr "Tee solmusta juurisolmu" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" -msgstr "Poista solmu(t)?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "Poista solmut" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete the root node \"%s\"?" +msgstr "Poista sävytingraafin solmuja" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" +msgstr "" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "Poista solmut" #: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." @@ -9935,11 +10100,11 @@ msgstr "Toinen solmu" #: editor/scene_tree_dock.cpp msgid "Can't operate on nodes from a foreign scene!" -msgstr "Ei voida käyttää ulkopuolisen skenen solmuja!" +msgstr "Ei voida suorittaa ulkopuolisen skenen solmuille!" #: editor/scene_tree_dock.cpp msgid "Can't operate on nodes the current scene inherits from!" -msgstr "Ei voida käyttää solmuja, joista nykyinen skene periytyy!" +msgstr "Ei voida suorittaa solmuille, joista nykyinen skene periytyy!" #: editor/scene_tree_dock.cpp msgid "Attach Script" @@ -9950,9 +10115,8 @@ msgid "Remove Node(s)" msgstr "Poista solmu(t)" #: editor/scene_tree_dock.cpp -#, fuzzy msgid "Change type of node(s)" -msgstr "Vaihda lähtöportin nimi" +msgstr "Vaihda solmujen tyyppiä" #: editor/scene_tree_dock.cpp msgid "" @@ -10075,30 +10239,27 @@ msgid "Node configuration warning:" msgstr "Solmun konfiguroinnin varoitus:" #: editor/scene_tree_editor.cpp -#, fuzzy msgid "" "Node has %s connection(s) and %s group(s).\n" "Click to show signals dock." msgstr "" -"Solmulla on yhteyksiä ja ryhmiä.\n" +"Solmulla on %s yhteyttä ja %s ryhmää.\n" "Napsauta näyttääksesi signaalitelakan." #: editor/scene_tree_editor.cpp -#, fuzzy msgid "" "Node has %s connection(s).\n" "Click to show signals dock." msgstr "" -"Solmulla on liitäntöjä.\n" +"Solmulla on %s liitäntää.\n" "Napsauta näyttääksesi signaalitelakan." #: editor/scene_tree_editor.cpp -#, fuzzy msgid "" "Node is in %s group(s).\n" "Click to show groups dock." msgstr "" -"Solmu kuuluu ryhmään.\n" +"Solmu kuuluu %s ryhmään.\n" "Napsauta näyttääksesi ryhmätelakan." #: editor/scene_tree_editor.cpp @@ -10194,9 +10355,8 @@ msgid "Error loading script from %s" msgstr "Virhe ladattaessa skripti %s:stä" #: editor/script_create_dialog.cpp -#, fuzzy msgid "Overrides" -msgstr "Ylikirjoita" +msgstr "Ylikirjoittaa" #: editor/script_create_dialog.cpp msgid "N/A" @@ -10275,19 +10435,50 @@ msgid "Bytes:" msgstr "Tavu(j)a:" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" -msgstr "Pinojäljitys" +#, fuzzy +msgid "Warning:" +msgstr "Varoitukset:" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." -msgstr "Valitse yksi tai useampi kohde listasta näyttääksesi graafin." +msgid "Error:" +msgstr "Virhe:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error" +msgstr "Kopioi virhe" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error:" +msgstr "Virhe:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source" +msgstr "Lähde" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" +msgstr "Lähde" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source:" +msgstr "Lähde" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" +msgstr "Pinojäljitys" #: editor/script_editor_debugger.cpp msgid "Errors" msgstr "Virheet" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +#, fuzzy +msgid "Child process connected." msgstr "Aliprosessi yhdistetty" #: editor/script_editor_debugger.cpp @@ -10295,6 +10486,11 @@ msgid "Copy Error" msgstr "Kopioi virhe" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "Keskeytyskohdat" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "Tarkastele edellistä ilmentymää" @@ -10311,6 +10507,11 @@ msgid "Profiler" msgstr "Profiloija" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Network Profiler" +msgstr "Vie profiili" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "Monitoroija" @@ -10323,6 +10524,10 @@ msgid "Monitors" msgstr "Monitoroijat" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "Valitse yksi tai useampi kohde listasta näyttääksesi graafin." + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "Lista näyttömuistin käytöstä resurssikohtaisesti:" @@ -10519,10 +10724,6 @@ msgid "Library" msgstr "Kirjasto" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "Tila" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "Kirjastot: " @@ -10531,6 +10732,10 @@ msgid "GDNative" msgstr "GDNative" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "Askeleen argumentti on nolla!" @@ -10686,6 +10891,15 @@ msgstr "Ruudukon asetukset" msgid "Pick Distance:" msgstr "Poimintaetäisyys:" +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "Suodata metodeja" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "Luokan nimi ei voi olla varattu avainsana" @@ -10811,30 +11025,28 @@ msgid "Set Variable Type" msgstr "Aseta muuttujan tyyppi" #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Override an existing built-in function." -msgstr "" -"Ei saa mennä päällekkäin olemassa olevan sisäänrakennetun tyypin nimen " -"kanssa." +msgstr "Ylikirjoita olemassa oleva sisäänrakennettu funktio." #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Create a new function." -msgstr "Luo uusi suorakulmio." +msgstr "Luo uusi funktio." #: modules/visual_script/visual_script_editor.cpp msgid "Variables:" msgstr "Muuttujat:" #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Create a new variable." -msgstr "Luo uusi suorakulmio." +msgstr "Luo uusi muuttuja." + +#: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "Signaalit:" #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Create a new signal." -msgstr "Luo uusi polygoni." +msgstr "Luo uusi signaali." #: modules/visual_script/visual_script_editor.cpp msgid "Name is not a valid identifier:" @@ -10994,6 +11206,11 @@ msgid "Editing Signal:" msgstr "Muokataan signaalia:" #: modules/visual_script/visual_script_editor.cpp +#, fuzzy +msgid "Make Tool:" +msgstr "Tee paikallinen" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "Kantatyyppi:" @@ -11148,8 +11365,10 @@ msgstr "" "asetuksissa." #: platform/android/export/export.cpp +#, fuzzy msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" "Android-projektia ei ole asennettu kääntämistä varten. Asenna se Editori-" "valikosta." @@ -11930,6 +12149,44 @@ msgstr "Varying tyypin voi sijoittaa vain vertex-funktiossa." msgid "Constants cannot be modified." msgstr "Vakioita ei voi muokata." +#~ msgid "Properties:" +#~ msgstr "Ominaisuudet:" + +#~ msgid "Methods:" +#~ msgstr "Metodit:" + +#~ msgid "Theme Properties:" +#~ msgstr "Teeman ominaisuudet:" + +#~ msgid "Enumerations:" +#~ msgstr "Enumeraatiot:" + +#~ msgid "Constants:" +#~ msgstr "Vakiot:" + +#~ msgid "Class Description:" +#~ msgstr "Luokan kuvaus:" + +#~ msgid "Property Descriptions:" +#~ msgstr "Ominaisuuksien kuvaukset:" + +#~ msgid "Method Descriptions:" +#~ msgstr "Metodien kuvaukset:" + +#~ msgid "" +#~ "This will install the Android project for custom builds.\n" +#~ "Note that, in order to use it, it needs to be enabled per export preset." +#~ msgstr "" +#~ "Tämä asentaa Android-projektin mukautettuja käännöksiä varten.\n" +#~ "Huomaa, että käyttääksesi sitä, se täytyy ottaa käyttöön kussakin " +#~ "vientiesiasetuksessa." + +#~ msgid "Reverse sorting." +#~ msgstr "Käännä lajittelu." + +#~ msgid "Delete Node(s)?" +#~ msgstr "Poista solmu(t)?" + #~ msgid "No Matches" #~ msgstr "Ei osumia" @@ -12233,9 +12490,6 @@ msgstr "Vakioita ei voi muokata." #~ msgid "Instance the selected scene(s) as child of the selected node." #~ msgstr "Luo valituista skeneistä ilmentymä valitun solmun alle." -#~ msgid "Warnings:" -#~ msgstr "Varoitukset:" - #~ msgid "Font Size:" #~ msgstr "Fontin koko:" @@ -12277,9 +12531,6 @@ msgstr "Vakioita ei voi muokata." #~ msgid "Select a split to erase it." #~ msgstr "Valitse jako poistaaksesi sen." -#~ msgid "No name provided" -#~ msgstr "Nimeä ei annettu" - #~ msgid "Add Node.." #~ msgstr "Lisää solmu..." @@ -12415,9 +12666,6 @@ msgstr "Vakioita ei voi muokata." #~ msgid "Warning" #~ msgstr "Varoitus" -#~ msgid "Error:" -#~ msgstr "Virhe:" - #~ msgid "Function:" #~ msgstr "Funktio:" @@ -12499,9 +12747,6 @@ msgstr "Vakioita ei voi muokata." #~ msgid "Duplicate Graph Node(s)" #~ msgstr "Kahdenna graafin solmut(t)" -#~ msgid "Delete Shader Graph Node(s)" -#~ msgstr "Poista sävytingraafin solmuja" - #~ msgid "Error: Cyclic Connection Link" #~ msgstr "Virhe: syklinen kytkentä" @@ -12887,9 +13132,6 @@ msgstr "Vakioita ei voi muokata." #~ msgid "Pick New Name and Location For:" #~ msgstr "Valitse uusi nimi ja sijainti:" -#~ msgid "No files selected!" -#~ msgstr "Ei valittuja tiedostoja!" - #~ msgid "Info" #~ msgstr "Tietoja" @@ -13141,12 +13383,6 @@ msgstr "Vakioita ei voi muokata." #~ msgid "8 Bits" #~ msgstr "8 bittiä" -#~ msgid "Up" -#~ msgstr "Ylös" - -#~ msgid "Down" -#~ msgstr "Alas" - #~ msgid "Bucket" #~ msgstr "Sanko" diff --git a/editor/translations/fil.po b/editor/translations/fil.po index c089099228..fc6b4085a0 100644 --- a/editor/translations/fil.po +++ b/editor/translations/fil.po @@ -62,6 +62,34 @@ msgstr "Mga invalid na argument para i-construct ang '%s'" msgid "On call to '%s':" msgstr "On call sa '%s':" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +msgid "MiB" +msgstr "" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "Malaya" @@ -461,6 +489,10 @@ msgid "Select None" msgstr "" #: editor/animation_track_editor.cpp +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "" @@ -778,7 +810,8 @@ msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -879,7 +912,8 @@ msgstr "" msgid "Matches:" msgstr "" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1179,7 +1213,7 @@ msgid "Delete Bus Effect" msgstr "" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +msgid "Drag & drop to rearrange." msgstr "" #: editor/editor_audio_buses.cpp @@ -1370,6 +1404,7 @@ msgid "Add AutoLoad" msgstr "" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "" @@ -1589,6 +1624,7 @@ msgstr "" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "" @@ -1659,6 +1695,7 @@ msgid "New Folder..." msgstr "" #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "" @@ -1814,7 +1851,7 @@ msgid "Inherited by:" msgstr "" #: editor/editor_help.cpp -msgid "Brief Description:" +msgid "Brief Description" msgstr "" #: editor/editor_help.cpp @@ -1822,38 +1859,18 @@ msgid "Properties" msgstr "" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "" - -#: editor/editor_help.cpp msgid "Methods" msgstr "" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "" - -#: editor/editor_help.cpp msgid "Theme Properties" msgstr "" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "" - -#: editor/editor_help.cpp msgid "enum " msgstr "" @@ -1862,19 +1879,11 @@ msgid "Constants" msgstr "" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "" - -#: editor/editor_help.cpp msgid "Class Description" msgstr "" #: editor/editor_help.cpp -msgid "Class Description:" -msgstr "" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +msgid "Online Tutorials" msgstr "" #: editor/editor_help.cpp @@ -1889,10 +1898,6 @@ msgid "Property Descriptions" msgstr "" #: editor/editor_help.cpp -msgid "Property Descriptions:" -msgstr "" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -1903,10 +1908,6 @@ msgid "Method Descriptions" msgstr "" #: editor/editor_help.cpp -msgid "Method Descriptions:" -msgstr "" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -1973,8 +1974,8 @@ msgstr "" msgid "Copy Selection" msgstr "" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -1987,6 +1988,48 @@ msgstr "" msgid "Clear Output" msgstr "" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Down" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" msgstr "" @@ -2526,6 +2569,18 @@ msgstr "" msgid "Project Settings..." msgstr "" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control" +msgstr "" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp msgid "Export..." msgstr "" @@ -2725,10 +2780,6 @@ msgstr "" msgid "Stop the scene." msgstr "" -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "" @@ -2780,10 +2831,6 @@ msgid "Inspector" msgstr "" #: editor/editor_node.cpp -msgid "Node" -msgstr "" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "" @@ -2805,15 +2852,21 @@ msgstr "" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -2876,6 +2929,10 @@ msgstr "" msgid "Open the previous Editor" msgstr "" +#: editor/editor_path.cpp +msgid "No sub-resources found." +msgstr "" + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "" @@ -2885,6 +2942,10 @@ msgid "Thumbnail..." msgstr "" #: editor/editor_plugin_settings.cpp +msgid "Main Script:" +msgstr "" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "" @@ -2913,11 +2974,6 @@ msgstr "" msgid "Edit:" msgstr "" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "" @@ -3693,8 +3749,8 @@ msgstr "" msgid "Import As:" msgstr "" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." +#: editor/import_dock.cpp +msgid "Preset" msgstr "" #: editor/import_dock.cpp @@ -4120,6 +4176,7 @@ msgid "Change Animation Name:" msgstr "" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "" @@ -4679,10 +4736,6 @@ msgid "Sort:" msgstr "" #: editor/plugins/asset_library_editor_plugin.cpp -msgid "Reverse sorting." -msgstr "" - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "" @@ -4946,6 +4999,10 @@ msgid "Pan Mode" msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp +msgid "Ruler Mode" +msgstr "" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "" @@ -5997,7 +6054,7 @@ msgstr "" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "" @@ -6197,11 +6254,11 @@ msgid "Toggle Scripts Panel" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" +msgid "Step Into" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Into" +msgid "Step Over" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp @@ -6281,7 +6338,7 @@ msgstr "" msgid "Connections to method:" msgstr "" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp msgid "Source" msgstr "" @@ -7048,6 +7105,10 @@ msgid "(empty)" msgstr "" #: editor/plugins/sprite_frames_editor_plugin.cpp +msgid "Move Frame" +msgstr "" + +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Animations:" msgstr "" @@ -7362,6 +7423,14 @@ msgid "Enable Priority" msgstr "" #: editor/plugins/tile_map_editor_plugin.cpp +msgid "Filter tiles" +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "" @@ -7493,6 +7562,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp msgid "Remove selected texture? This will remove all tiles which use it." msgstr "" @@ -7647,6 +7721,100 @@ msgstr "" msgid "TileSet" msgstr "" +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No VCS addons are available." +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No commit message was provided" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Commit" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Initialize" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect new changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Renamed" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Deleted" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Typechange" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "Burahin ang (mga) Napiling Key" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Stage All" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Commit Changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -7880,6 +8048,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9071,6 +9244,10 @@ msgid "Settings saved OK." msgstr "" #: editor/project_settings_editor.cpp +msgid "Moved Input Action Event" +msgstr "" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "" @@ -9207,6 +9384,10 @@ msgid "Plugins" msgstr "" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "" + +#: editor/property_editor.cpp msgid "Zero" msgstr "" @@ -9370,10 +9551,6 @@ msgstr "" msgid "Reset" msgstr "" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "" @@ -9429,6 +9606,10 @@ msgid "Instance Scene(s)" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Replace with Branch Scene" +msgstr "" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "" @@ -9469,7 +9650,19 @@ msgid "Make node as Root" msgstr "" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" +msgid "Delete %d nodes?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete the root node \"%s\"?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\"?" msgstr "" #: editor/scene_tree_dock.cpp @@ -9847,11 +10040,36 @@ msgid "Bytes:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" +msgid "Warning:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." +#, fuzzy +msgid "Error:" +msgstr "Salamin" + +#: editor/script_editor_debugger.cpp +msgid "C++ Error" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Error:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Source" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "Source:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Source:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" msgstr "" #: editor/script_editor_debugger.cpp @@ -9859,7 +10077,7 @@ msgid "Errors" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +msgid "Child process connected." msgstr "" #: editor/script_editor_debugger.cpp @@ -9867,6 +10085,10 @@ msgid "Copy Error" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Skip Breakpoints" +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "" @@ -9883,6 +10105,10 @@ msgid "Profiler" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Network Profiler" +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "" @@ -9895,6 +10121,10 @@ msgid "Monitors" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "" @@ -10091,10 +10321,6 @@ msgid "Library" msgstr "" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "" @@ -10103,6 +10329,10 @@ msgid "GDNative" msgstr "" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "" @@ -10254,6 +10484,14 @@ msgstr "" msgid "Pick Distance:" msgstr "" +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Filter meshes" +msgstr "" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -10389,6 +10627,10 @@ msgid "Create a new variable." msgstr "" #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Create a new signal." msgstr "" @@ -10545,6 +10787,10 @@ msgid "Editing Signal:" msgstr "" #: modules/visual_script/visual_script_editor.cpp +msgid "Make Tool:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "" @@ -10692,7 +10938,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp diff --git a/editor/translations/fr.po b/editor/translations/fr.po index efa3da542a..d2a4da4e25 100644 --- a/editor/translations/fr.po +++ b/editor/translations/fr.po @@ -61,12 +61,18 @@ # Ducoté <Raphalielle@gmail.com>, 2019. # Corentin Pacaud Boehm <corentin.pacaudboehm@gmail.com>, 2019. # Kentarosan <jacquin.yannis@gmail.com>, 2019. +# Julien Deswaef <julien+weblate@xuv.be>, 2019. +# AMIOT David <david.amiot@live.fr>, 2019. +# Fabrice <fabricecipolla@gmail.com>, 2019. +# Romain Paquet <titou.paquet@gmail.com>, 2019. +# Xavier Sellier <contact@binogure-studio.com>, 2019. +# Sofiane <Sofiane-77@caramail.fr>, 2019. msgid "" msgstr "" "Project-Id-Version: Godot Engine editor\n" "POT-Creation-Date: \n" -"PO-Revision-Date: 2019-08-21 15:57+0000\n" -"Last-Translator: Kentarosan <jacquin.yannis@gmail.com>\n" +"PO-Revision-Date: 2019-09-26 11:50+0000\n" +"Last-Translator: Sofiane <Sofiane-77@caramail.fr>\n" "Language-Team: French <https://hosted.weblate.org/projects/godot-engine/" "godot/fr/>\n" "Language: fr\n" @@ -116,6 +122,35 @@ msgstr "Arguments invalides pour construire '%s'" msgid "On call to '%s':" msgstr "Sur appel à '%s' :" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +#, fuzzy +msgid "MiB" +msgstr "Mixer" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "Libre" @@ -201,7 +236,6 @@ msgid "Anim Multi Change Keyframe Value" msgstr "Changer la valeur de l'image-clé de l'animation" #: editor/animation_track_editor.cpp -#, fuzzy msgid "Anim Multi Change Call" msgstr "Changer l'appel de l'animation" @@ -538,6 +572,13 @@ msgid "Select None" msgstr "Tout désélectionner" #: editor/animation_track_editor.cpp +#, fuzzy +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" +"Le chemin d'accès à un nœud AnimationPlayer contenant des animations n'est " +"pas défini." + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "" "Afficher seulement les pistes provenant des nœuds sélectionnés dans " @@ -718,12 +759,10 @@ msgid "Replaced %d occurrence(s)." msgstr "%d occurrence(s) remplacée(s)." #: editor/code_editor.cpp editor/editor_help.cpp -#, fuzzy msgid "%d match." msgstr "%d correspondance(s) trouvée(s)." #: editor/code_editor.cpp editor/editor_help.cpp -#, fuzzy msgid "%d matches." msgstr "%d correspondance(s) trouvée(s)." @@ -863,7 +902,8 @@ msgstr "Impossible de connecter le signal" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -964,7 +1004,8 @@ msgstr "Rechercher :" msgid "Matches:" msgstr "Correspondances :" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1179,22 +1220,20 @@ msgid "License" msgstr "Licence" #: editor/editor_about.cpp -#, fuzzy msgid "Third-party Licenses" -msgstr "Licences tierce partie" +msgstr "Licences tierces" #: editor/editor_about.cpp -#, fuzzy msgid "" "Godot Engine relies on a number of third-party free and open source " "libraries, all compatible with the terms of its MIT license. The following " "is an exhaustive list of all such third-party components with their " "respective copyright statements and license terms." msgstr "" -"Le moteur Godot s'appuie sur un certain nombre de bibliothèques libres et " -"open source tierces, toutes compatibles avec les termes de sa licence MIT. " -"Voici une liste exhaustive de ces composants tiers avec leurs énoncés de " -"droits d'auteur respectifs ainsi que les termes de leurs licences." +"Le moteur Godot s'appuie sur un certain nombre de bibliothèques tierces " +"libres et open source , toutes compatibles avec les termes de sa licence " +"MIT. Voici une liste exhaustive de ces composants tiers avec leurs énoncés " +"de droits d'auteur respectifs ainsi que les termes de leurs licences." #: editor/editor_about.cpp msgid "All Components" @@ -1209,9 +1248,8 @@ msgid "Licenses" msgstr "Licences" #: editor/editor_asset_installer.cpp editor/project_manager.cpp -#, fuzzy msgid "Error opening package file, not in ZIP format." -msgstr "Erreur d'ouverture de paquetage, pas au format zip." +msgstr "Erreur d'ouverture de paquetage, pas au format ZIP." #: editor/editor_asset_installer.cpp msgid "Uncompressing Assets" @@ -1224,7 +1262,7 @@ msgstr "Paquetage installé avec succès !" #: editor/editor_asset_installer.cpp #: editor/plugins/asset_library_editor_plugin.cpp msgid "Success!" -msgstr "Succès !" +msgstr "Ça marche !" #: editor/editor_asset_installer.cpp editor/editor_node.cpp msgid "Install" @@ -1279,7 +1317,8 @@ msgid "Delete Bus Effect" msgstr "Supprimer l'effet de transport" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +#, fuzzy +msgid "Drag & drop to rearrange." msgstr "Bus audio, glisser-déposer pour réorganiser." #: editor/editor_audio_buses.cpp @@ -1469,9 +1508,10 @@ msgstr "Pas dans le chemin de la ressource." #: editor/editor_autoload_settings.cpp msgid "Add AutoLoad" -msgstr "Ajouter l'AutoLoad" +msgstr "Ajouter le chargement automatique" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "Chemin :" @@ -1702,6 +1742,7 @@ msgstr "Rendre actuel" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "Nouveau" @@ -1772,6 +1813,7 @@ msgid "New Folder..." msgstr "Nouveau dossier..." #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "Rafraîchir" @@ -1929,7 +1971,8 @@ msgid "Inherited by:" msgstr "Héritée par :" #: editor/editor_help.cpp -msgid "Brief Description:" +#, fuzzy +msgid "Brief Description" msgstr "Brève description :" #: editor/editor_help.cpp @@ -1937,38 +1980,18 @@ msgid "Properties" msgstr "Propriétés" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "Propriétés :" - -#: editor/editor_help.cpp msgid "Methods" msgstr "Méthodes" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "Méthodes :" - -#: editor/editor_help.cpp msgid "Theme Properties" msgstr "Propriétés du thème" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "Propriétés du thème :" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "Signaux :" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "Énumérations" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "Recensements :" - -#: editor/editor_help.cpp msgid "enum " msgstr "enum_ " @@ -1977,19 +2000,12 @@ msgid "Constants" msgstr "Constantes" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "Constantes :" - -#: editor/editor_help.cpp msgid "Class Description" msgstr "Description de la classe" #: editor/editor_help.cpp -msgid "Class Description:" -msgstr "Description de la classe :" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +#, fuzzy +msgid "Online Tutorials" msgstr "Tutoriels en ligne :" #: editor/editor_help.cpp @@ -2007,10 +2023,6 @@ msgid "Property Descriptions" msgstr "Description des propriétés" #: editor/editor_help.cpp -msgid "Property Descriptions:" -msgstr "Description des propriétés :" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -2023,10 +2035,6 @@ msgid "Method Descriptions" msgstr "Descriptions des méthodes" #: editor/editor_help.cpp -msgid "Method Descriptions:" -msgstr "Descriptions des méthode :" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2095,8 +2103,8 @@ msgstr "Sortie :" msgid "Copy Selection" msgstr "Copier la sélection" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2109,9 +2117,52 @@ msgstr "Effacer" msgid "Clear Output" msgstr "Effacer la sortie" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "Arrêter" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "Démarrer" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +#, fuzzy +msgid "Down" +msgstr "Télécharger" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "Nœud" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" -msgstr "" +msgstr "Nouvelle Fenêtre" #: editor/editor_node.cpp msgid "Project export failed with error code %d." @@ -2448,9 +2499,8 @@ msgid "Close Scene" msgstr "Fermer la scène" #: editor/editor_node.cpp -#, fuzzy msgid "Reopen Closed Scene" -msgstr "Fermer la scène" +msgstr "Rouvrir la scène fermée" #: editor/editor_node.cpp msgid "Unable to enable addon plugin at: '%s' parsing of config failed." @@ -2574,9 +2624,8 @@ msgid "Close Tab" msgstr "Fermer l'onglet" #: editor/editor_node.cpp -#, fuzzy msgid "Undo Close Tab" -msgstr "Fermer l'onglet" +msgstr "Rouvrir l'onglet fermé" #: editor/editor_node.cpp editor/plugins/script_editor_plugin.cpp msgid "Close Other Tabs" @@ -2709,19 +2758,29 @@ msgid "Project" msgstr "Projet" #: editor/editor_node.cpp -#, fuzzy msgid "Project Settings..." -msgstr "Paramètres du projet" +msgstr "Paramètres du projet..." -#: editor/editor_node.cpp +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp #, fuzzy +msgid "Version Control" +msgstr "Version :" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + +#: editor/editor_node.cpp msgid "Export..." -msgstr "Exporter" +msgstr "Exporter..." #: editor/editor_node.cpp -#, fuzzy msgid "Install Android Build Template..." -msgstr "Installer un modèle de compilation Android" +msgstr "Installer un modèle de compilation Android..." #: editor/editor_node.cpp msgid "Open Project Data Folder" @@ -2732,9 +2791,8 @@ msgid "Tools" msgstr "Outils" #: editor/editor_node.cpp -#, fuzzy msgid "Orphan Resource Explorer..." -msgstr "Explorateur de ressources orphelines" +msgstr "Explorateur de ressources orphelines..." #: editor/editor_node.cpp msgid "Quit to Project List" @@ -2839,9 +2897,8 @@ msgid "Editor" msgstr "Éditeur" #: editor/editor_node.cpp -#, fuzzy msgid "Editor Settings..." -msgstr "Paramètres de l'éditeur" +msgstr "Paramètres de l'éditeur..." #: editor/editor_node.cpp msgid "Editor Layout" @@ -2877,14 +2934,12 @@ msgid "Open Editor Settings Folder" msgstr "Ouvrir le dossier des paramètres de l'éditeur" #: editor/editor_node.cpp -#, fuzzy msgid "Manage Editor Features..." -msgstr "Gérer les fonctionnalités de l'éditeur" +msgstr "Gérer les fonctionnalités de l'éditeur..." #: editor/editor_node.cpp -#, fuzzy msgid "Manage Export Templates..." -msgstr "Gérer les modèles d'exportation" +msgstr "Gérer les modèles d'exportation..." #: editor/editor_node.cpp editor/plugins/shader_editor_plugin.cpp msgid "Help" @@ -2940,10 +2995,6 @@ msgstr "Mettre en pause la scène" msgid "Stop the scene." msgstr "Arrêter la scène." -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "Arrêter" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "Lancer la scène actuellement en cours d'édition." @@ -2994,10 +3045,6 @@ msgid "Inspector" msgstr "Inspecteur" #: editor/editor_node.cpp -msgid "Node" -msgstr "Nœud" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "Développez le panneau inférieur" @@ -3021,18 +3068,22 @@ msgstr "Gérer les modèles" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" -"Ceci va installer le projet Android pour des compilations personnalisées.\n" -"Notez que pour l'utiliser, vous devez l'activer pour chaque préréglage " -"d'exportation." #: editor/editor_node.cpp +#, fuzzy msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" "Le modèle de build Android est déjà installé et ne va pas être remplacé.\n" "Supprimez le répertoire « build » manuellement avant de retenter cette " @@ -3098,6 +3149,11 @@ msgstr "Ouvrir l'éditeur suivant" msgid "Open the previous Editor" msgstr "Ouvrir l'éditeur précédant" +#: editor/editor_path.cpp +#, fuzzy +msgid "No sub-resources found." +msgstr "Pas de surface source spécifiée." + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "Création des prévisualisations des maillages" @@ -3107,6 +3163,11 @@ msgid "Thumbnail..." msgstr "Aperçu…" #: editor/editor_plugin_settings.cpp +#, fuzzy +msgid "Main Script:" +msgstr "Ouvrir le script :" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "Modifier le Plugin" @@ -3135,11 +3196,6 @@ msgstr "État :" msgid "Edit:" msgstr "Modifier :" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "Démarrer" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "Mesure :" @@ -3356,7 +3412,6 @@ msgid "Import From Node:" msgstr "Importer à partir d'un nœud :" #: editor/export_template_manager.cpp -#, fuzzy msgid "Redownload" msgstr "Télécharger à nouveau" @@ -3376,6 +3431,8 @@ msgstr "Télécharger" #: editor/export_template_manager.cpp msgid "Official export templates aren't available for development builds." msgstr "" +"Les modèles d'exportation officiels ne sont pas disponibles pour les " +"versions de développement." #: editor/export_template_manager.cpp msgid "(Missing)" @@ -3459,23 +3516,20 @@ msgid "Download Complete." msgstr "Téléchargement terminé." #: editor/export_template_manager.cpp -#, fuzzy msgid "Cannot remove temporary file:" -msgstr "Impossible d'enregistrer le thème dans le fichier :" +msgstr "Impossible de supprimer le fichier temporaire :" #: editor/export_template_manager.cpp -#, fuzzy msgid "" "Templates installation failed.\n" "The problematic templates archives can be found at '%s'." msgstr "" -"L'installation des modèles a échoué. Les archives des modèles posant " -"problème peuvent être trouvées à « %s »." +"L'installation des modèles a échoué.\n" +"Les archives des modèles problématiques se trouvent dans '%s'." #: editor/export_template_manager.cpp -#, fuzzy msgid "Error requesting URL:" -msgstr "Erreur lors de la requête de l’URL : " +msgstr "Erreur lors de la demande de l’URL :" #: editor/export_template_manager.cpp msgid "Connecting to Mirror..." @@ -3664,9 +3718,8 @@ msgid "Move To..." msgstr "Déplacer vers…" #: editor/filesystem_dock.cpp -#, fuzzy msgid "New Scene..." -msgstr "Nouvelle scène" +msgstr "Nouvelle scène..." #: editor/filesystem_dock.cpp editor/plugins/script_editor_plugin.cpp msgid "New Script..." @@ -3735,9 +3788,8 @@ msgid "Overwrite" msgstr "Écraser" #: editor/filesystem_dock.cpp -#, fuzzy msgid "Create Scene" -msgstr "Créer depuis la scène" +msgstr "Créer une scène" #: editor/filesystem_dock.cpp editor/plugins/script_editor_plugin.cpp msgid "Create Script" @@ -3817,23 +3869,20 @@ msgid "Invalid group name." msgstr "Nom de groupe invalide." #: editor/groups_editor.cpp -#, fuzzy msgid "Rename Group" -msgstr "Gérer les groupes" +msgstr "Renommer le groupe" #: editor/groups_editor.cpp -#, fuzzy msgid "Delete Group" -msgstr "Supprimer la disposition" +msgstr "Supprimer le groupe" #: editor/groups_editor.cpp editor/node_dock.cpp msgid "Groups" msgstr "Groupes" #: editor/groups_editor.cpp -#, fuzzy msgid "Nodes Not in Group" -msgstr "Nœuds non groupés" +msgstr "Noeuds hors du groupe" #: editor/groups_editor.cpp editor/scene_tree_dock.cpp #: editor/scene_tree_editor.cpp @@ -3846,12 +3895,11 @@ msgstr "Nœuds groupés" #: editor/groups_editor.cpp msgid "Empty groups will be automatically removed." -msgstr "" +msgstr "Les groupes vides seront automatiquement supprimés." #: editor/groups_editor.cpp -#, fuzzy msgid "Group Editor" -msgstr "Éditeur de Script" +msgstr "Editeur de groupe" #: editor/groups_editor.cpp msgid "Manage Groups" @@ -3951,9 +3999,10 @@ msgstr " Fichiers" msgid "Import As:" msgstr "Importer comme :" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." -msgstr "Pré-réglage…" +#: editor/import_dock.cpp +#, fuzzy +msgid "Preset" +msgstr "Pré-réglages" #: editor/import_dock.cpp msgid "Reimport" @@ -4061,9 +4110,8 @@ msgid "MultiNode Set" msgstr "Ensemble multi-nœud" #: editor/node_dock.cpp -#, fuzzy msgid "Select a single node to edit its signals and groups." -msgstr "Sélectionnez un nœud pour modifier les signaux et groupes." +msgstr "Sélectionnez un seul nœud pour éditer ses signaux et groupes." #: editor/plugin_config_dialog.cpp msgid "Edit a Plugin" @@ -4400,6 +4448,7 @@ msgid "Change Animation Name:" msgstr "Modifier le nom de l'animation :" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "Supprimer l'animation ?" @@ -4849,37 +4898,32 @@ msgid "Request failed, return code:" msgstr "La requête a échoué, code retourné :" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Request failed." -msgstr "Échec de la requête." +msgstr "La requête a échoué." #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Cannot save response to:" -msgstr "Impossible d'enregistrer le thème dans le fichier :" +msgstr "Impossible d'enregistrer la réponse dans :" #: editor/plugins/asset_library_editor_plugin.cpp msgid "Write error." -msgstr "" +msgstr "Erreur d'écriture." #: editor/plugins/asset_library_editor_plugin.cpp msgid "Request failed, too many redirects" msgstr "La requête a échoué, trop de redirections" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Redirect loop." msgstr "Boucle de Redirection." #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Request failed, timeout" -msgstr "La requête a échoué, code retourné :" +msgstr "La requête a échoué, délai dépassé" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Timeout." -msgstr "Temps" +msgstr "Délai dépassé." #: editor/plugins/asset_library_editor_plugin.cpp msgid "Bad download hash, assuming file has been tampered with." @@ -4958,24 +5002,18 @@ msgid "All" msgstr "Tout" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Import..." -msgstr "Importer" +msgstr "Importer..." #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Plugins..." -msgstr "Extensions" +msgstr "Extensions..." #: editor/plugins/asset_library_editor_plugin.cpp editor/project_manager.cpp msgid "Sort:" msgstr "Trier :" #: editor/plugins/asset_library_editor_plugin.cpp -msgid "Reverse sorting." -msgstr "Tri inverse." - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "Catégorie :" @@ -4985,9 +5023,8 @@ msgid "Site:" msgstr "Site :" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Support" -msgstr "Support…" +msgstr "Support" #: editor/plugins/asset_library_editor_plugin.cpp msgid "Official" @@ -4998,9 +5035,8 @@ msgid "Testing" msgstr "En période de test" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Loading..." -msgstr "Charger..." +msgstr "Chargement..." #: editor/plugins/asset_library_editor_plugin.cpp msgid "Assets ZIP File" @@ -5169,9 +5205,8 @@ msgid "Paste Pose" msgstr "Coller la pose" #: editor/plugins/canvas_item_editor_plugin.cpp -#, fuzzy msgid "Clear Guides" -msgstr "Effacer les os" +msgstr "Effacé Guides" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Create Custom Bone(s) from Node(s)" @@ -5259,6 +5294,11 @@ msgid "Pan Mode" msgstr "Mode navigation" #: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy +msgid "Ruler Mode" +msgstr "Mode d'exécution :" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "Activer/Désactiver le magnétisme." @@ -5914,26 +5954,23 @@ msgstr "Temps de Génération (sec) :" #: editor/plugins/particles_editor_plugin.cpp msgid "The geometry's faces don't contain any area." -msgstr "" +msgstr "Les faces de la géométrie ne contiennent aucune zone." #: editor/plugins/particles_editor_plugin.cpp -#, fuzzy msgid "The geometry doesn't contain any faces." -msgstr "Le nœud ne contient pas de géométrie (faces)." +msgstr "Le maillage ne comporte aucune faces." #: editor/plugins/particles_editor_plugin.cpp msgid "\"%s\" doesn't inherit from Spatial." -msgstr "" +msgstr "\"%s\" n'hérite pas de Spatial." #: editor/plugins/particles_editor_plugin.cpp -#, fuzzy msgid "\"%s\" doesn't contain geometry." -msgstr "Le nœud ne contient pas de géométrie." +msgstr "\"%s\" ne contient pas de géométrie." #: editor/plugins/particles_editor_plugin.cpp -#, fuzzy msgid "\"%s\" doesn't contain face geometry." -msgstr "Le nœud ne contient pas de géométrie." +msgstr "Le maillage de \"%s\" ne contient aucunes faces." #: editor/plugins/particles_editor_plugin.cpp msgid "Create Emitter" @@ -6334,7 +6371,7 @@ msgstr "Instance :" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "Type :" @@ -6372,9 +6409,8 @@ msgid "Error writing TextFile:" msgstr "Erreur lors de l'écriture du fichier texte :" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "Could not load file at:" -msgstr "Erreur de chargement de fichier." +msgstr "Le fichier suivant n'a pas pu être chargé :" #: editor/plugins/script_editor_plugin.cpp msgid "Error saving file!" @@ -6397,7 +6433,6 @@ msgid "Error Importing" msgstr "Erreur d'importation" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "New Text File..." msgstr "Nouveau fichier texte..." @@ -6479,9 +6514,8 @@ msgid "Open..." msgstr "Ouvrir..." #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "Reopen Closed Script" -msgstr "Ouvrir un script" +msgstr "Réouvrir le script fermé" #: editor/plugins/script_editor_plugin.cpp msgid "Save All" @@ -6537,14 +6571,14 @@ msgid "Toggle Scripts Panel" msgstr "Afficher/Cacher le panneau des scripts" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" -msgstr "Sortir" - -#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Step Into" msgstr "Rentrer" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp +msgid "Step Over" +msgstr "Sortir" + +#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Break" msgstr "Mettre en pause" @@ -6616,15 +6650,14 @@ msgid "Search Results" msgstr "Résultats de recherche" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "Clear Recent Scripts" -msgstr "Effacer la liste des scènes récentes" +msgstr "Effacer la liste des scripts récents" #: editor/plugins/script_text_editor.cpp msgid "Connections to method:" msgstr "Connexions à la méthode :" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp msgid "Source" msgstr "Source" @@ -6743,9 +6776,8 @@ msgid "Complete Symbol" msgstr "Compléter le symbole" #: editor/plugins/script_text_editor.cpp -#, fuzzy msgid "Evaluate Selection" -msgstr "Mettre à l'échelle la sélection" +msgstr "Évaluer la sélection" #: editor/plugins/script_text_editor.cpp msgid "Trim Trailing Whitespace" @@ -7055,9 +7087,8 @@ msgid "Audio Listener" msgstr "Écouteur audio" #: editor/plugins/spatial_editor_plugin.cpp -#, fuzzy msgid "Enable Doppler" -msgstr "Activer le filtrage" +msgstr "Activer l'effet Doppler" #: editor/plugins/spatial_editor_plugin.cpp msgid "Cinematic Preview" @@ -7114,7 +7145,7 @@ msgstr "Aligner les nœuds au sol" #: editor/plugins/spatial_editor_plugin.cpp msgid "Couldn't find a solid floor to snap the selection to." -msgstr "" +msgstr "N'a pas pu trouvé de sol solide pour y attacher la sélection." #: editor/plugins/spatial_editor_plugin.cpp msgid "" @@ -7127,9 +7158,8 @@ msgstr "" "Alt+Bouton droit : Sélection détaillée par liste" #: editor/plugins/spatial_editor_plugin.cpp -#, fuzzy msgid "Use Local Space" -msgstr "Mode d'échelle local (%s)" +msgstr "Utiliser l'espace local" #: editor/plugins/spatial_editor_plugin.cpp msgid "Bottom View" @@ -7226,9 +7256,8 @@ msgstr "Afficher la grille" #: editor/plugins/spatial_editor_plugin.cpp #: modules/gridmap/grid_map_editor_plugin.cpp -#, fuzzy msgid "Settings..." -msgstr "Paramètres" +msgstr "Paramètres..." #: editor/plugins/spatial_editor_plugin.cpp msgid "Snap Settings" @@ -7409,6 +7438,11 @@ msgid "(empty)" msgstr "(vide)" #: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy +msgid "Move Frame" +msgstr "Coller une image" + +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Animations:" msgstr "Animations :" @@ -7599,21 +7633,19 @@ msgstr "Item radio coché" #: editor/plugins/theme_editor_plugin.cpp msgid "Named Sep." -msgstr "" +msgstr "Séparateur nommé." #: editor/plugins/theme_editor_plugin.cpp msgid "Submenu" msgstr "Sous-menu" #: editor/plugins/theme_editor_plugin.cpp -#, fuzzy msgid "Subitem 1" -msgstr "Élément 1" +msgstr "Sous-élément 1" #: editor/plugins/theme_editor_plugin.cpp -#, fuzzy msgid "Subitem 2" -msgstr "Élément 2" +msgstr "Sous-élément 2" #: editor/plugins/theme_editor_plugin.cpp msgid "Has" @@ -7725,17 +7757,25 @@ msgid "Enable Priority" msgstr "Activer la priorité" #: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy +msgid "Filter tiles" +msgstr "Filtrer Fichiers..." + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "Peindre la case" #: editor/plugins/tile_map_editor_plugin.cpp -#, fuzzy msgid "" "Shift+LMB: Line Draw\n" "Shift+Ctrl+LMB: Rectangle Paint" msgstr "" -"Shift + Clic droit : Dessiner une ligne\n" -"Shift + Ctrl + Clic droit : Dessiner un rectangle" +"Shift + Clic gauche : Dessiner une ligne\n" +"Shift + Ctrl + Clic gauche : Dessiner un rectangle" #: editor/plugins/tile_map_editor_plugin.cpp msgid "Pick Tile" @@ -7859,6 +7899,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "Afficher les noms des tuiles (maintenez Alt enfoncé)" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp msgid "Remove selected texture? This will remove all tiles which use it." msgstr "" "Supprimer la texture sélectionnée ? Cela entraînera la suppression de toutes " @@ -7909,15 +7954,15 @@ msgid "Delete polygon." msgstr "Supprimer le polygone." #: editor/plugins/tile_set_editor_plugin.cpp -#, fuzzy msgid "" "LMB: Set bit on.\n" "RMB: Set bit off.\n" "Shift+LMB: Set wildcard bit.\n" "Click on another Tile to edit it." msgstr "" -"Bouton gauche : Activer le bit.\n" -"Bouton droit : Désactiver le bit.\n" +"Bouton gauche de la souris : Activer le bit.\n" +"Bouton droit de la souris : Désactiver le bit.\n" +"Shift + Bouton gauche de la souris : Activer le «wildcard bit»\n" "Cliquez sur une autre tuile pour la modifier." #: editor/plugins/tile_set_editor_plugin.cpp @@ -8030,6 +8075,110 @@ msgstr "Cette propriété ne peut être changée." msgid "TileSet" msgstr "TileSet" +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No VCS addons are available." +msgstr "Nom parent du nœud, si disponible" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "Erreur" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No commit message was provided" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit" +msgstr "Communauté" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Initialize" +msgstr "Majuscule à chaque mot" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "Créer un nouveau rectangle." + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "Changer" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "Renommer" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "Supprimer" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Typechange" +msgstr "Changer" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "Supprimer la selection" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage All" +msgstr "Tout enregistrer" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit Changes" +msgstr "Synchroniser les modifications des scripts" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "État" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "(GLES3 seulement)" @@ -8136,9 +8285,8 @@ msgid "Light" msgstr "Lumière" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Show resulted shader code." -msgstr "Créer un nœud Shader" +msgstr "Afficher le code de shader obtenu." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Create Shader Node" @@ -8170,7 +8318,7 @@ msgstr "Fonction Sepia." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Burn operator." -msgstr "" +msgstr "Opérateur de gravure." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Darken operator." @@ -8271,6 +8419,13 @@ msgstr "" "Renvoi un vecteur associé si la valeur booléen fournie est vrai ou fausse." #: editor/plugins/visual_shader_editor_plugin.cpp +#, fuzzy +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" +"Renvoi un vecteur associé si la valeur booléen fournie est vrai ou fausse." + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "Renvoie le résultat booléen de la comparaison de deux paramètres." @@ -8420,11 +8575,11 @@ msgstr "Convertit une quantité de radians en degrés." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Base-e Exponential." -msgstr "" +msgstr "Exponentiel en base e." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Base-2 Exponential." -msgstr "" +msgstr "Exponentiel en base 2." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Finds the nearest integer less than or equal to the parameter." @@ -8516,6 +8671,11 @@ msgid "" "'edge1'. Otherwise the return value is interpolated between 0.0 and 1.0 " "using Hermite polynomials." msgstr "" +"SmoothStep function( scalar(edge0), scalar(edge1), scalar(x) ).\n" +"\n" +"Retourne 0.0 si 'x' est inférieur à 'edge0' et 1.0 si x est supérieur à " +"'edge1'. Sinon, la valeur de retour est interpolée entre 0.0 et 1.0 à l'aide " +"de Polynômes d'Hermite." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "" @@ -8523,6 +8683,9 @@ msgid "" "\n" "Returns 0.0 if 'x' is smaller than 'edge' and otherwise 1.0." msgstr "" +"Step function( scalar(edge), scalar(x) ).\n" +"\n" +"Retourne 0.0 si 'x' est inférieur à 'edge' sinon 1.0." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the tangent of the parameter." @@ -8566,23 +8729,23 @@ msgstr "Scalaire uniforme." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Perform the cubic texture lookup." -msgstr "" +msgstr "Effectuer la recherche de texture cubique." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Perform the texture lookup." -msgstr "" +msgstr "Effectuer la recherche de texture." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Cubic texture uniform lookup." -msgstr "" +msgstr "Recherche uniforme de texture cubique." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "2D texture uniform lookup." -msgstr "" +msgstr "Recherche uniforme de texture 2D." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "2D texture uniform lookup with triplanar." -msgstr "" +msgstr "Recherche de texture uniforme en 2D avec triplan." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Transform function." @@ -8598,6 +8761,14 @@ msgid "" "whose number of rows is the number of components in 'c' and whose number of " "columns is the number of components in 'r'." msgstr "" +"Calculez le produit extérieur d'une paire de vecteurs.\n" +"\n" +"OuterProduct considère le premier paramètre 'c' comme un vecteur colonne " +"(matrice à une colonne) et le second paramètre 'r' comme un vecteur ligne " +"(matrice à une ligne) et multiplie la matrice algébrique linéaire par 'c * " +"r', ce qui donne un matrice dont le nombre de lignes est le nombre de " +"composants dans 'c' et dont le nombre de colonnes est le nombre de " +"composants dans 'r'." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Composes transform from four vectors." @@ -8685,9 +8856,8 @@ msgid "Linear interpolation between two vectors." msgstr "Interpolation linéaire de deux vecteurs." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Linear interpolation between two vectors using scalar." -msgstr "Interpolation linéaire de deux vecteurs." +msgstr "Interpolation linéaire de deux vecteurs avec scalaire." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Calculates the normalize product of vector." @@ -8721,6 +8891,11 @@ msgid "" "'edge1'. Otherwise the return value is interpolated between 0.0 and 1.0 " "using Hermite polynomials." msgstr "" +"SmoothStep function( vector(edge0), vector(edge1), vector(x) ).\n" +"\n" +"Retourne 0.0 si 'x' est inférieur à 'edge0' et 1.0 si 'x' est supérieur à " +"'edge1'. Sinon, la valeur de retour est interpolée entre 0.0 et 1.0 à l'aide " +"de polynômes d'Hermite." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "" @@ -8730,6 +8905,11 @@ msgid "" "'edge1'. Otherwise the return value is interpolated between 0.0 and 1.0 " "using Hermite polynomials." msgstr "" +"SmoothStep function( scalar(edge0), scalar(edge1), vector(x) ).\n" +"\n" +"Retourne 0.0 si 'x' est inférieur à 'edge0' et 1.0 si 'x' est supérieur à " +"'edge1'. Sinon, la valeur de retour est interpolée entre 0.0 et 1.0 à l'aide " +"de polynômes d'Hermite." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "" @@ -8737,6 +8917,9 @@ msgid "" "\n" "Returns 0.0 if 'x' is smaller than 'edge' and otherwise 1.0." msgstr "" +"Step function( vector(edge), vector(x) ).\n" +"\n" +"Retourne 0.0 si 'x' est inférieur à 'edge', sinon 1.0." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "" @@ -8744,6 +8927,9 @@ msgid "" "\n" "Returns 0.0 if 'x' is smaller than 'edge' and otherwise 1.0." msgstr "" +"Step function( scalar(edge), vector(x) ).\n" +"\n" +"Retourne 0.0 si 'x' est inférieur à 'edge', sinon 1.0." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Adds vector to vector." @@ -8785,10 +8971,13 @@ msgstr "" "déclarations de fonction à l'intérieur." #: editor/plugins/visual_shader_editor_plugin.cpp +#, fuzzy msgid "" "Returns falloff based on the dot product of surface normal and view " "direction of camera (pass associated inputs to it)." msgstr "" +"Renvoie l'atténuation en fonction du produit scalaire de la surface normale " +"et de la direction de la caméra (transmettez-lui les entrées associées)." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "" @@ -8796,6 +8985,11 @@ msgid "" "shader. You can place various function definitions inside and call it later " "in the Expressions. You can also declare varyings, uniforms and constants." msgstr "" +"Expression personnalisée du langage de shader Godot, qui est placée au-" +"dessus du shader obtenu. Vous pouvez insérer diverses définitions de " +"fonctions à l'intérieur et les appeler ultérieurement dans les expressions. " +"Vous pouvez également déclarer des variations, des uniformes et des " +"constantes." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(Fragment/Light mode only) Scalar derivative function." @@ -9191,13 +9385,12 @@ msgid "Unnamed Project" msgstr "Projet sans titre" #: editor/project_manager.cpp -#, fuzzy msgid "Missing Project" -msgstr "Importer un projet existant" +msgstr "Projet manquant" #: editor/project_manager.cpp msgid "Error: Project is missing on the filesystem." -msgstr "" +msgstr "Erreur : Le projet n'existe pas dans le système de fichier." #: editor/project_manager.cpp msgid "Can't open project at '%s'." @@ -9297,13 +9490,12 @@ msgstr "" "Le contenu du dossier de projet ne sera pas modifié." #: editor/project_manager.cpp -#, fuzzy msgid "" "Remove all missing projects from the list?\n" "The project folders' contents won't be modified." msgstr "" -"Supprimer %d projets de la liste ?\n" -"Le contenu des dossiers de projet ne sera pas modifié." +"Supprimer tous les projets manquants de la liste ?\n" +"Le contenu des dossiers du projet ne sera pas modifié." #: editor/project_manager.cpp msgid "" @@ -9328,9 +9520,8 @@ msgid "Project Manager" msgstr "Gestionnaire de projets" #: editor/project_manager.cpp -#, fuzzy msgid "Projects" -msgstr "Projet" +msgstr "Projets" #: editor/project_manager.cpp msgid "Scan" @@ -9561,6 +9752,11 @@ msgid "Settings saved OK." msgstr "Paramètres enregistrés avec succès." #: editor/project_settings_editor.cpp +#, fuzzy +msgid "Moved Input Action Event" +msgstr "Ajouter un événement d'action d'entrée" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "Écrasement d'un paramètre, dédié à un tag de fonctionnalité" @@ -9697,6 +9893,10 @@ msgid "Plugins" msgstr "Extensions" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "Pré-réglage…" + +#: editor/property_editor.cpp msgid "Zero" msgstr "Zéro" @@ -9864,10 +10064,6 @@ msgstr "Convertir en majuscule" msgid "Reset" msgstr "Réinitialiser" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "Erreur" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "Re-parenter le nœud" @@ -9925,6 +10121,11 @@ msgid "Instance Scene(s)" msgstr "Instancier scène(s)" #: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Replace with Branch Scene" +msgstr "Sauvegarder la branche comme scène" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "Instancier une scène enfant" @@ -9967,8 +10168,22 @@ msgid "Make node as Root" msgstr "Choisir le nœud comme racine de scène" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" -msgstr "Supprimer le(s) nœud(s) ?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "Supprimer des nœuds" + +#: editor/scene_tree_dock.cpp +msgid "Delete the root node \"%s\"?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" +msgstr "" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "Supprimer des nœuds" #: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." @@ -10043,9 +10258,8 @@ msgid "Remove Node(s)" msgstr "Supprimer le(s) nœud(s)" #: editor/scene_tree_dock.cpp -#, fuzzy msgid "Change type of node(s)" -msgstr "Changer le nom du port de sortie" +msgstr "Changer le type de nœud (s)" #: editor/scene_tree_dock.cpp msgid "" @@ -10169,30 +10383,27 @@ msgid "Node configuration warning:" msgstr "Avertissement de configuration de nœud :" #: editor/scene_tree_editor.cpp -#, fuzzy msgid "" "Node has %s connection(s) and %s group(s).\n" "Click to show signals dock." msgstr "" -"Le nœud possède des connexions et/ou des groupes.\n" +"Le nœud possède %s connexion(s) et %s groupe(s).\n" "Cliquez pour afficher le panneau de connexion des signaux." #: editor/scene_tree_editor.cpp -#, fuzzy msgid "" "Node has %s connection(s).\n" "Click to show signals dock." msgstr "" -"Le nœud possède des connections.\n" +"Le nœud possède %s connexion(s).\n" "Cliquez pour afficher le panneau de connexion des signaux." #: editor/scene_tree_editor.cpp -#, fuzzy msgid "" "Node is in %s group(s).\n" "Click to show groups dock." msgstr "" -"Le nœud fait partie de groupes.\n" +"Le nœud fait partie de %s groupe(s).\n" "Cliquez pour afficher le panneau de gestion des groupes." #: editor/scene_tree_editor.cpp @@ -10288,9 +10499,8 @@ msgid "Error loading script from %s" msgstr "Erreur de chargement de script depuis %s" #: editor/script_create_dialog.cpp -#, fuzzy msgid "Overrides" -msgstr "Écraser" +msgstr "Redéfinition" #: editor/script_create_dialog.cpp msgid "N/A" @@ -10369,20 +10579,51 @@ msgid "Bytes:" msgstr "Octets :" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" -msgstr "Pile des appels" +#, fuzzy +msgid "Warning:" +msgstr "Avertissements :" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." -msgstr "" -"Sélectionnez un ou plusieurs éléments de la liste pour afficher le graphique." +#, fuzzy +msgid "Error:" +msgstr "Erreur" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error" +msgstr "Copier l'erreur" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error:" +msgstr "Copier l'erreur" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source" +msgstr "Source" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" +msgstr "Source" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source:" +msgstr "Source" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" +msgstr "Pile des appels" #: editor/script_editor_debugger.cpp msgid "Errors" msgstr "Erreurs" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +#, fuzzy +msgid "Child process connected." msgstr "Processus enfant connecté" #: editor/script_editor_debugger.cpp @@ -10390,6 +10631,11 @@ msgid "Copy Error" msgstr "Copier l'erreur" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "Point d'arrêts" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "Inspecter l'instance précédente" @@ -10406,6 +10652,11 @@ msgid "Profiler" msgstr "Profileur" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Network Profiler" +msgstr "Profil d'exportation" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "Moniteur" @@ -10418,6 +10669,11 @@ msgid "Monitors" msgstr "Moniteurs" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" +"Sélectionnez un ou plusieurs éléments de la liste pour afficher le graphique." + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "Liste de l'utilisation de la mémoire vidéo par ressource :" @@ -10614,10 +10870,6 @@ msgid "Library" msgstr "Bibliothèque" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "État" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "Bibliothèques: " @@ -10626,6 +10878,10 @@ msgid "GDNative" msgstr "GDNative" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "L'argument du pas est zéro !" @@ -10781,6 +11037,15 @@ msgstr "Paramètres GridMap" msgid "Pick Distance:" msgstr "Choisissez distance :" +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "Méthodes de filtrage" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "Le nom de classe ne peut pas être un mot-clé réservé" @@ -10908,29 +11173,28 @@ msgid "Set Variable Type" msgstr "Définir type de variable" #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Override an existing built-in function." -msgstr "" -"Ne doit pas entrer en conflit avec un nom de type existant intégré au moteur." +msgstr "Remplacer une fonction intégrée existante." #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Create a new function." -msgstr "Créer un nouveau rectangle." +msgstr "Créer une nouvelle fonction." #: modules/visual_script/visual_script_editor.cpp msgid "Variables:" msgstr "Variables :" #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Create a new variable." -msgstr "Créer un nouveau rectangle." +msgstr "Créer une nouvelle variable." + +#: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "Signaux :" #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Create a new signal." -msgstr "Créer un nouveau polygone." +msgstr "Créer un nouveau signal." #: modules/visual_script/visual_script_editor.cpp msgid "Name is not a valid identifier:" @@ -11089,6 +11353,11 @@ msgid "Editing Signal:" msgstr "Modification du signal :" #: modules/visual_script/visual_script_editor.cpp +#, fuzzy +msgid "Make Tool:" +msgstr "Rendre local" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "Type de base :" @@ -11251,8 +11520,10 @@ msgstr "" "paramètres de l'éditeur." #: platform/android/export/export.cpp +#, fuzzy msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" "Le projet Android n'est pas installé et ne peut donc pas être compilé. " "Installez-le depuis le menu Éditeur." @@ -11281,6 +11552,10 @@ msgid "" " Godot Version: %s\n" "Please reinstall Android build template from 'Project' menu." msgstr "" +"La version d'Android ne correspond pas :\n" +" Modèle installé : %s\n" +" Version Godot : %s\n" +"Veuillez réinstaller la version d'Android depuis le menu 'Projet'." #: platform/android/export/export.cpp msgid "Building Android Project (gradle)" @@ -11609,7 +11884,6 @@ msgstr "" "Skeleton2D et définissez-en une." #: scene/2d/tile_map.cpp -#, fuzzy msgid "" "TileMap with Use Parent on needs a parent CollisionObject2D to give shapes " "to. Please use it as a child of Area2D, StaticBody2D, RigidBody2D, " @@ -12061,6 +12335,45 @@ msgstr "Les variations ne peuvent être affectées que dans la fonction vertex." msgid "Constants cannot be modified." msgstr "Les constantes ne peuvent être modifiées." +#~ msgid "Properties:" +#~ msgstr "Propriétés :" + +#~ msgid "Methods:" +#~ msgstr "Méthodes :" + +#~ msgid "Theme Properties:" +#~ msgstr "Propriétés du thème :" + +#~ msgid "Enumerations:" +#~ msgstr "Recensements :" + +#~ msgid "Constants:" +#~ msgstr "Constantes :" + +#~ msgid "Class Description:" +#~ msgstr "Description de la classe :" + +#~ msgid "Property Descriptions:" +#~ msgstr "Description des propriétés :" + +#~ msgid "Method Descriptions:" +#~ msgstr "Descriptions des méthode :" + +#~ msgid "" +#~ "This will install the Android project for custom builds.\n" +#~ "Note that, in order to use it, it needs to be enabled per export preset." +#~ msgstr "" +#~ "Ceci va installer le projet Android pour des compilations " +#~ "personnalisées.\n" +#~ "Notez que pour l'utiliser, vous devez l'activer pour chaque préréglage " +#~ "d'exportation." + +#~ msgid "Reverse sorting." +#~ msgstr "Tri inverse." + +#~ msgid "Delete Node(s)?" +#~ msgstr "Supprimer le(s) nœud(s) ?" + #~ msgid "No Matches" #~ msgstr "Pas de correspondances" @@ -12305,9 +12618,6 @@ msgstr "Les constantes ne peuvent être modifiées." #~ "Instancie la(les) scène(s) sélectionnée(s) en tant qu'enfant(s) du nœud " #~ "sélectionné." -#~ msgid "Warnings:" -#~ msgstr "Avertissements :" - #~ msgid "Font Size:" #~ msgstr "Taille de police :" diff --git a/editor/translations/ga.po b/editor/translations/ga.po index 9f7166b719..c749cd35f8 100644 --- a/editor/translations/ga.po +++ b/editor/translations/ga.po @@ -56,6 +56,35 @@ msgstr "" msgid "On call to '%s':" msgstr "" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +#, fuzzy +msgid "MiB" +msgstr "Measc" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "" @@ -455,6 +484,10 @@ msgid "Select None" msgstr "" #: editor/animation_track_editor.cpp +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "" @@ -772,7 +805,8 @@ msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -873,7 +907,8 @@ msgstr "Cuardach:" msgid "Matches:" msgstr "" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1173,7 +1208,7 @@ msgid "Delete Bus Effect" msgstr "" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +msgid "Drag & drop to rearrange." msgstr "" #: editor/editor_audio_buses.cpp @@ -1364,6 +1399,7 @@ msgid "Add AutoLoad" msgstr "" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "" @@ -1583,6 +1619,7 @@ msgstr "" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "" @@ -1653,6 +1690,7 @@ msgid "New Folder..." msgstr "" #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "" @@ -1808,46 +1846,27 @@ msgid "Inherited by:" msgstr "" #: editor/editor_help.cpp -msgid "Brief Description:" -msgstr "" +#, fuzzy +msgid "Brief Description" +msgstr "Cuntas:" #: editor/editor_help.cpp msgid "Properties" msgstr "" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "" - -#: editor/editor_help.cpp msgid "Methods" msgstr "" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "" - -#: editor/editor_help.cpp msgid "Theme Properties" msgstr "" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "" - -#: editor/editor_help.cpp msgid "enum " msgstr "" @@ -1856,19 +1875,11 @@ msgid "Constants" msgstr "" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "" - -#: editor/editor_help.cpp msgid "Class Description" msgstr "" #: editor/editor_help.cpp -msgid "Class Description:" -msgstr "" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +msgid "Online Tutorials" msgstr "" #: editor/editor_help.cpp @@ -1883,10 +1894,6 @@ msgid "Property Descriptions" msgstr "" #: editor/editor_help.cpp -msgid "Property Descriptions:" -msgstr "" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -1897,10 +1904,6 @@ msgid "Method Descriptions" msgstr "" #: editor/editor_help.cpp -msgid "Method Descriptions:" -msgstr "" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -1967,8 +1970,8 @@ msgstr "" msgid "Copy Selection" msgstr "" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -1981,6 +1984,48 @@ msgstr "" msgid "Clear Output" msgstr "" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Down" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" msgstr "" @@ -2520,6 +2565,18 @@ msgstr "" msgid "Project Settings..." msgstr "" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control" +msgstr "" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp msgid "Export..." msgstr "" @@ -2719,10 +2776,6 @@ msgstr "" msgid "Stop the scene." msgstr "" -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "" @@ -2773,10 +2826,6 @@ msgid "Inspector" msgstr "" #: editor/editor_node.cpp -msgid "Node" -msgstr "" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "" @@ -2798,15 +2847,21 @@ msgstr "" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -2869,6 +2924,10 @@ msgstr "" msgid "Open the previous Editor" msgstr "" +#: editor/editor_path.cpp +msgid "No sub-resources found." +msgstr "" + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "" @@ -2878,6 +2937,10 @@ msgid "Thumbnail..." msgstr "" #: editor/editor_plugin_settings.cpp +msgid "Main Script:" +msgstr "" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "" @@ -2906,11 +2969,6 @@ msgstr "" msgid "Edit:" msgstr "" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "" @@ -3688,8 +3746,8 @@ msgstr "" msgid "Import As:" msgstr "" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." +#: editor/import_dock.cpp +msgid "Preset" msgstr "" #: editor/import_dock.cpp @@ -4115,6 +4173,7 @@ msgid "Change Animation Name:" msgstr "" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "" @@ -4673,10 +4732,6 @@ msgid "Sort:" msgstr "" #: editor/plugins/asset_library_editor_plugin.cpp -msgid "Reverse sorting." -msgstr "" - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "" @@ -4939,6 +4994,10 @@ msgid "Pan Mode" msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp +msgid "Ruler Mode" +msgstr "" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "" @@ -5987,7 +6046,7 @@ msgstr "" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "" @@ -6187,11 +6246,11 @@ msgid "Toggle Scripts Panel" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" +msgid "Step Into" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Into" +msgid "Step Over" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp @@ -6271,7 +6330,7 @@ msgstr "" msgid "Connections to method:" msgstr "" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp msgid "Source" msgstr "" @@ -7038,6 +7097,10 @@ msgid "(empty)" msgstr "" #: editor/plugins/sprite_frames_editor_plugin.cpp +msgid "Move Frame" +msgstr "" + +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Animations:" msgstr "" @@ -7352,6 +7415,15 @@ msgid "Enable Priority" msgstr "" #: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy +msgid "Filter tiles" +msgstr "Scagairí..." + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "" @@ -7482,6 +7554,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp msgid "Remove selected texture? This will remove all tiles which use it." msgstr "" @@ -7636,6 +7713,101 @@ msgstr "" msgid "TileSet" msgstr "" +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No VCS addons are available." +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No commit message was provided" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Commit" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Initialize" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect new changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "Ainm nua:" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "Scrios ionchur" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Typechange" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Stage Selected" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Stage All" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Commit Changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -7869,6 +8041,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9059,6 +9236,10 @@ msgid "Settings saved OK." msgstr "" #: editor/project_settings_editor.cpp +msgid "Moved Input Action Event" +msgstr "" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "" @@ -9195,6 +9376,10 @@ msgid "Plugins" msgstr "" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "" + +#: editor/property_editor.cpp msgid "Zero" msgstr "" @@ -9358,10 +9543,6 @@ msgstr "" msgid "Reset" msgstr "" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "" @@ -9417,6 +9598,10 @@ msgid "Instance Scene(s)" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Replace with Branch Scene" +msgstr "" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "" @@ -9457,7 +9642,19 @@ msgid "Make node as Root" msgstr "" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" +msgid "Delete %d nodes?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete the root node \"%s\"?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\"?" msgstr "" #: editor/scene_tree_dock.cpp @@ -9835,11 +10032,36 @@ msgid "Bytes:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" +msgid "Warning:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." +msgid "Error:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Error" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Error:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Source" +msgstr "" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" +msgstr "Acmhainn" + +#: editor/script_editor_debugger.cpp +msgid "C++ Source:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" msgstr "" #: editor/script_editor_debugger.cpp @@ -9847,7 +10069,7 @@ msgid "Errors" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +msgid "Child process connected." msgstr "" #: editor/script_editor_debugger.cpp @@ -9855,6 +10077,10 @@ msgid "Copy Error" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Skip Breakpoints" +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "" @@ -9871,6 +10097,10 @@ msgid "Profiler" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Network Profiler" +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "" @@ -9883,6 +10113,10 @@ msgid "Monitors" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "" @@ -10079,10 +10313,6 @@ msgid "Library" msgstr "" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "" @@ -10091,6 +10321,10 @@ msgid "GDNative" msgstr "" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "" @@ -10242,6 +10476,15 @@ msgstr "" msgid "Pick Distance:" msgstr "" +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "Scagairí..." + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -10377,6 +10620,10 @@ msgid "Create a new variable." msgstr "" #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Create a new signal." msgstr "" @@ -10533,6 +10780,10 @@ msgid "Editing Signal:" msgstr "" #: modules/visual_script/visual_script_editor.cpp +msgid "Make Tool:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "" @@ -10680,7 +10931,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp diff --git a/editor/translations/he.po b/editor/translations/he.po index 4847730e69..bb7ef89008 100644 --- a/editor/translations/he.po +++ b/editor/translations/he.po @@ -14,7 +14,7 @@ msgid "" msgstr "" "Project-Id-Version: Godot Engine editor\n" "POT-Creation-Date: \n" -"PO-Revision-Date: 2019-08-11 10:23+0000\n" +"PO-Revision-Date: 2019-09-07 13:51+0000\n" "Last-Translator: Yaron Shahrabani <sh.yaron@gmail.com>\n" "Language-Team: Hebrew <https://hosted.weblate.org/projects/godot-engine/" "godot/he/>\n" @@ -24,7 +24,7 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=4; plural=(n == 1) ? 0 : ((n == 2) ? 1 : ((n > 10 && " "n % 10 == 0) ? 2 : 3));\n" -"X-Generator: Weblate 3.8-dev\n" +"X-Generator: Weblate 3.9-dev\n" #: core/math/expression.cpp modules/gdscript/gdscript_functions.cpp #: modules/visual_script/visual_script_builtin_funcs.cpp @@ -67,6 +67,34 @@ msgstr ": ארגומנט שגוי מסוג: " msgid "On call to '%s':" msgstr "" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +msgid "MiB" +msgstr "" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp #, fuzzy msgid "Free" @@ -74,11 +102,11 @@ msgstr "חינם" #: editor/animation_bezier_editor.cpp msgid "Balanced" -msgstr "" +msgstr "מאוזן" #: editor/animation_bezier_editor.cpp msgid "Mirror" -msgstr "" +msgstr "מראה" #: editor/animation_bezier_editor.cpp editor/editor_profiler.cpp msgid "Time:" @@ -233,8 +261,9 @@ msgid "Audio Clips:" msgstr "מאזין לשמע" #: editor/animation_track_editor.cpp +#, fuzzy msgid "Anim Clips:" -msgstr "" +msgstr "קטעי הנפשה:" #: editor/animation_track_editor.cpp #, fuzzy @@ -263,7 +292,7 @@ msgstr "הסרת רצועה." #: editor/animation_track_editor.cpp msgid "Time (s): " -msgstr "זמן: " +msgstr "זמן (שניות): " #: editor/animation_track_editor.cpp msgid "Toggle Track Enabled" @@ -283,7 +312,7 @@ msgstr "" #: editor/animation_track_editor.cpp msgid "Capture" -msgstr "" +msgstr "לכידה" #: editor/animation_track_editor.cpp msgid "Nearest" @@ -291,7 +320,6 @@ msgstr "הקרוב ביותר" #: editor/animation_track_editor.cpp editor/plugins/curve_editor_plugin.cpp #: editor/property_editor.cpp -#, fuzzy msgid "Linear" msgstr "ליניארי" @@ -331,22 +359,20 @@ msgid "Change Animation Interpolation Mode" msgstr "החלפת ערך מילון" #: editor/animation_track_editor.cpp -#, fuzzy msgid "Change Animation Loop Mode" msgstr "שינוי מצב לולאת הנפשה" #: editor/animation_track_editor.cpp -#, fuzzy msgid "Remove Anim Track" -msgstr "מחק רצועת הנפשה" +msgstr "מחיקת רצועת הנפשה" #: editor/animation_track_editor.cpp msgid "Create NEW track for %s and insert key?" -msgstr "ליצור רצועה חדשה ל%s ולהכניס מפתח?" +msgstr "האם ליצור רצועה חדשה ל%s ולהכניס מפתח?" #: editor/animation_track_editor.cpp msgid "Create %d NEW tracks and insert keys?" -msgstr "ליצור %d רצועות חדשות ולהכניס מפתחות?" +msgstr "האם ליצור %d רצועות חדשות ולהכניס מפתחות?" #: editor/animation_track_editor.cpp editor/create_dialog.cpp #: editor/editor_audio_buses.cpp editor/editor_feature_profile.cpp @@ -370,9 +396,8 @@ msgid "AnimationPlayer can't animate itself, only other players." msgstr "נגן הנפשות לא יכול להנפיש את עצמו, רק שחקנים אחרים." #: editor/animation_track_editor.cpp -#, fuzzy msgid "Anim Create & Insert" -msgstr "יצירת הנפשה" +msgstr "יצירה והוספה של הנפשה" #: editor/animation_track_editor.cpp msgid "Anim Insert Track & Key" @@ -504,6 +529,10 @@ msgid "Select None" msgstr "בחירה" #: editor/animation_track_editor.cpp +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "" @@ -834,7 +863,8 @@ msgstr "שגיאת חיבור" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -941,7 +971,8 @@ msgstr "חיפוש:" msgid "Matches:" msgstr "התאמות:" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1247,7 +1278,8 @@ msgid "Delete Bus Effect" msgstr "מחיקת אפקט אפיק" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +#, fuzzy +msgid "Drag & drop to rearrange." msgstr "אפיק שמע, יש לגרור ולשחרר כדי לסדר מחדש." #: editor/editor_audio_buses.cpp @@ -1443,6 +1475,7 @@ msgid "Add AutoLoad" msgstr "הוספת טעינה אוטומטית" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "נתיב:" @@ -1681,6 +1714,7 @@ msgstr "(נוכחי)" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "חדש" @@ -1760,6 +1794,7 @@ msgid "New Folder..." msgstr "תיקייה חדשה…" #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "רענון" @@ -1923,7 +1958,8 @@ msgid "Inherited by:" msgstr "מוריש אל:" #: editor/editor_help.cpp -msgid "Brief Description:" +#, fuzzy +msgid "Brief Description" msgstr "תיאור קצר:" #: editor/editor_help.cpp @@ -1931,41 +1967,19 @@ msgid "Properties" msgstr "מאפיינים" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "" - -#: editor/editor_help.cpp msgid "Methods" msgstr "שיטות" #: editor/editor_help.cpp #, fuzzy -msgid "Methods:" -msgstr "שיטות" - -#: editor/editor_help.cpp -#, fuzzy msgid "Theme Properties" msgstr "מאפיינים" #: editor/editor_help.cpp -#, fuzzy -msgid "Theme Properties:" -msgstr "מאפיינים" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "אותות:" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "מונים" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "מונים:" - -#: editor/editor_help.cpp msgid "enum " msgstr "מונה " @@ -1974,22 +1988,14 @@ msgid "Constants" msgstr "קבועים" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "קבועים:" - -#: editor/editor_help.cpp #, fuzzy msgid "Class Description" msgstr "תיאור" #: editor/editor_help.cpp #, fuzzy -msgid "Class Description:" -msgstr "תיאור:" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" -msgstr "" +msgid "Online Tutorials" +msgstr "מסמכים מקוונים" #: editor/editor_help.cpp msgid "" @@ -2004,11 +2010,6 @@ msgid "Property Descriptions" msgstr "תיאור המאפיין:" #: editor/editor_help.cpp -#, fuzzy -msgid "Property Descriptions:" -msgstr "תיאור המאפיין:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -2020,11 +2021,6 @@ msgid "Method Descriptions" msgstr "תיאור השיטה:" #: editor/editor_help.cpp -#, fuzzy -msgid "Method Descriptions:" -msgstr "תיאור השיטה:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2101,8 +2097,8 @@ msgstr "פלט:" msgid "Copy Selection" msgstr "הסרת הבחירה" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2115,6 +2111,49 @@ msgstr "מחיקה" msgid "Clear Output" msgstr "מחיקת הפלט" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "עצירה" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +#, fuzzy +msgid "Down" +msgstr "הורדה" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "מפרק" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" msgstr "" @@ -2671,6 +2710,19 @@ msgstr "מיזם" msgid "Project Settings..." msgstr "הגדרות מיזם" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Version Control" +msgstr "גרסה:" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp #, fuzzy msgid "Export..." @@ -2883,10 +2935,6 @@ msgstr "השהיית סצנה" msgid "Stop the scene." msgstr "עצירת הסצנה." -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "עצירה" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "נגינת הסצנה שנערכה." @@ -2942,10 +2990,6 @@ msgid "Inspector" msgstr "חוקר" #: editor/editor_node.cpp -msgid "Node" -msgstr "מפרק" - -#: editor/editor_node.cpp #, fuzzy msgid "Expand Bottom Panel" msgstr "להרחיב הכול" @@ -2969,15 +3013,21 @@ msgstr "ניהול תבניות ייצוא" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -3040,6 +3090,10 @@ msgstr "פתיחת העורך הבא" msgid "Open the previous Editor" msgstr "פתיחת העורך הקודם" +#: editor/editor_path.cpp +msgid "No sub-resources found." +msgstr "" + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "" @@ -3050,6 +3104,11 @@ msgstr "תמונה ממוזערת…" #: editor/editor_plugin_settings.cpp #, fuzzy +msgid "Main Script:" +msgstr "הרצת סקריפט" + +#: editor/editor_plugin_settings.cpp +#, fuzzy msgid "Edit Plugin" msgstr "עריכת מצולע" @@ -3079,11 +3138,6 @@ msgstr "מצב:" msgid "Edit:" msgstr "עריכה" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "מדידה:" @@ -3903,8 +3957,9 @@ msgstr " קבצים" msgid "Import As:" msgstr "ייבוא בתור:" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." +#: editor/import_dock.cpp +#, fuzzy +msgid "Preset" msgstr "ערכה מוגדרת…" #: editor/import_dock.cpp @@ -4364,6 +4419,7 @@ msgid "Change Animation Name:" msgstr "" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "" @@ -4950,11 +5006,6 @@ msgid "Sort:" msgstr "" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy -msgid "Reverse sorting." -msgstr "מוגשת בקשה…" - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "" @@ -5235,6 +5286,11 @@ msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp #, fuzzy +msgid "Ruler Mode" +msgstr "מצב שינוי קנה מידה (R)" + +#: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy msgid "Toggle snapping." msgstr "החלפת מצב נקודת עצירה" @@ -6317,7 +6373,7 @@ msgstr "" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "" @@ -6533,14 +6589,14 @@ msgid "Toggle Scripts Panel" msgstr "החלפת תצוגת חלונית סקריפטים" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" -msgstr "לצעוד מעל" - -#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Step Into" msgstr "לצעוד לתוך" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp +msgid "Step Over" +msgstr "לצעוד מעל" + +#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Break" msgstr "עצירה" @@ -6624,7 +6680,7 @@ msgstr "מחיקת קבצים אחרונים" msgid "Connections to method:" msgstr "התחברות למפרק:" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp #, fuzzy msgid "Source" msgstr "משאב" @@ -7438,6 +7494,11 @@ msgstr "" #: editor/plugins/sprite_frames_editor_plugin.cpp #, fuzzy +msgid "Move Frame" +msgstr "מצב הזזה (W)" + +#: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy msgid "Animations:" msgstr "אנימציות" @@ -7766,6 +7827,15 @@ msgid "Enable Priority" msgstr "" #: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy +msgid "Filter tiles" +msgstr "מאפייני פריט." + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "" @@ -7913,6 +7983,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp #, fuzzy msgid "Remove selected texture? This will remove all tiles which use it." msgstr "להסיר את הקבצים הנבחרים מהמיזם? (אי אפשר לשחזר)" @@ -8085,6 +8160,110 @@ msgstr "לא ניתן לבצע פעולה זו ללא סצנה." msgid "TileSet" msgstr "" +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No VCS addons are available." +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No commit message was provided" +msgstr "לא צוין שם" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit" +msgstr "קהילה" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Initialize" +msgstr "הגדלת אות ראשונה" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "יצירת %s חדש" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "שינוי" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "שינוי שם" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "למחוק" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Typechange" +msgstr "שינוי" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "מחובר" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage All" +msgstr "לשמור הכול" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit Changes" +msgstr "סנכרון השינויים בסקריפט" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -8338,6 +8517,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9556,6 +9740,10 @@ msgid "Settings saved OK." msgstr "" #: editor/project_settings_editor.cpp +msgid "Moved Input Action Event" +msgstr "" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "" @@ -9695,6 +9883,10 @@ msgid "Plugins" msgstr "" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "ערכה מוגדרת…" + +#: editor/property_editor.cpp msgid "Zero" msgstr "" @@ -9868,10 +10060,6 @@ msgstr "אותיות גדולות" msgid "Reset" msgstr "איפוס התקריב" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "" @@ -9927,6 +10115,10 @@ msgid "Instance Scene(s)" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Replace with Branch Scene" +msgstr "" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "" @@ -9968,10 +10160,24 @@ msgid "Make node as Root" msgstr "שמירת סצנה" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "מחיקת שורה" + +#: editor/scene_tree_dock.cpp +msgid "Delete the root node \"%s\"?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" msgstr "" #: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "מחיקת שורה" + +#: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." msgstr "" @@ -10376,11 +10582,41 @@ msgid "Bytes:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" +#, fuzzy +msgid "Warning:" +msgstr "אזהרות" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Error:" +msgstr "מראה" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error" +msgstr "שגיאות טעינה" + +#: editor/script_editor_debugger.cpp +msgid "C++ Error:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." +#, fuzzy +msgid "C++ Source" +msgstr "משאב" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" +msgstr "משאב" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source:" +msgstr "משאב" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" msgstr "" #: editor/script_editor_debugger.cpp @@ -10388,14 +10624,20 @@ msgid "Errors" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" -msgstr "" +#, fuzzy +msgid "Child process connected." +msgstr "מנותק" #: editor/script_editor_debugger.cpp msgid "Copy Error" msgstr "" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "מחיקת נקודות" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "" @@ -10412,6 +10654,11 @@ msgid "Profiler" msgstr "" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Network Profiler" +msgstr "ייצוא מיזם" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "" @@ -10424,6 +10671,10 @@ msgid "Monitors" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "" @@ -10622,10 +10873,6 @@ msgid "Library" msgstr "" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "" @@ -10634,6 +10881,10 @@ msgid "GDNative" msgstr "" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "" @@ -10788,6 +11039,15 @@ msgstr "" msgid "Pick Distance:" msgstr "בחירת מרחק:" +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "מאפייני פריט." + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -10926,6 +11186,10 @@ msgid "Create a new variable." msgstr "יצירת %s חדש" #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "אותות:" + +#: modules/visual_script/visual_script_editor.cpp #, fuzzy msgid "Create a new signal." msgstr "יצירת מצולע" @@ -11086,6 +11350,10 @@ msgid "Editing Signal:" msgstr "" #: modules/visual_script/visual_script_editor.cpp +msgid "Make Tool:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "" @@ -11235,7 +11503,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp @@ -11899,6 +12168,36 @@ msgstr "" msgid "Constants cannot be modified." msgstr "" +#, fuzzy +#~ msgid "Methods:" +#~ msgstr "שיטות" + +#, fuzzy +#~ msgid "Theme Properties:" +#~ msgstr "מאפיינים" + +#~ msgid "Enumerations:" +#~ msgstr "מונים:" + +#~ msgid "Constants:" +#~ msgstr "קבועים:" + +#, fuzzy +#~ msgid "Class Description:" +#~ msgstr "תיאור:" + +#, fuzzy +#~ msgid "Property Descriptions:" +#~ msgstr "תיאור המאפיין:" + +#, fuzzy +#~ msgid "Method Descriptions:" +#~ msgstr "תיאור השיטה:" + +#, fuzzy +#~ msgid "Reverse sorting." +#~ msgstr "מוגשת בקשה…" + #~ msgid "" #~ "Can't open file_type_cache.cch for writing, not saving file type cache!" #~ msgstr "" @@ -12026,10 +12325,6 @@ msgstr "" #~ msgstr "צעד/ים:" #, fuzzy -#~ msgid "Warnings:" -#~ msgstr "אזהרות" - -#, fuzzy #~ msgid "Font Size:" #~ msgstr "מבט קדמי" @@ -12063,9 +12358,6 @@ msgstr "" #~ msgid "Select a split to erase it." #~ msgstr "יש לבחור פריט הגדרה קודם כל!" -#~ msgid "No name provided" -#~ msgstr "לא צוין שם" - #~ msgid "Create Poly" #~ msgstr "יצירת מצולע" diff --git a/editor/translations/hi.po b/editor/translations/hi.po index d4030266c5..053555ba11 100644 --- a/editor/translations/hi.po +++ b/editor/translations/hi.po @@ -60,6 +60,34 @@ msgstr "'%s' बनाने के लिए अवैध तर्क" msgid "On call to '%s':" msgstr "'%s ' को कॉल करने पर:" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +msgid "MiB" +msgstr "" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "मुफ्त" @@ -484,6 +512,10 @@ msgid "Select None" msgstr "डुप्लिकेट चयन" #: editor/animation_track_editor.cpp +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "" @@ -815,7 +847,8 @@ msgstr "कनेक्ट करने के लिए संकेत:" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -927,7 +960,8 @@ msgstr "खोज कर:" msgid "Matches:" msgstr "एक जैसा:" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1257,7 +1291,8 @@ msgid "Delete Bus Effect" msgstr "बस प्रभाव हटाना" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +#, fuzzy +msgid "Drag & drop to rearrange." msgstr "पुन: व्यवस्थित करने के लिए ऑडियो बस, खींचें और ड्रॉप |" #: editor/editor_audio_buses.cpp @@ -1450,6 +1485,7 @@ msgid "Add AutoLoad" msgstr "" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "" @@ -1674,6 +1710,7 @@ msgstr "" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "" @@ -1746,6 +1783,7 @@ msgid "New Folder..." msgstr "" #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "" @@ -1902,46 +1940,27 @@ msgid "Inherited by:" msgstr "" #: editor/editor_help.cpp -msgid "Brief Description:" -msgstr "" +#, fuzzy +msgid "Brief Description" +msgstr "विवरण:" #: editor/editor_help.cpp msgid "Properties" msgstr "" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "" - -#: editor/editor_help.cpp msgid "Methods" msgstr "" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "" - -#: editor/editor_help.cpp msgid "Theme Properties" msgstr "" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "" - -#: editor/editor_help.cpp msgid "enum " msgstr "" @@ -1950,21 +1969,12 @@ msgid "Constants" msgstr "" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "" - -#: editor/editor_help.cpp #, fuzzy msgid "Class Description" msgstr "विवरण:" #: editor/editor_help.cpp -#, fuzzy -msgid "Class Description:" -msgstr "विवरण:" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +msgid "Online Tutorials" msgstr "" #: editor/editor_help.cpp @@ -1980,11 +1990,6 @@ msgid "Property Descriptions" msgstr "विवरण:" #: editor/editor_help.cpp -#, fuzzy -msgid "Property Descriptions:" -msgstr "विवरण:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -1996,11 +2001,6 @@ msgid "Method Descriptions" msgstr "विवरण:" #: editor/editor_help.cpp -#, fuzzy -msgid "Method Descriptions:" -msgstr "विवरण:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2069,8 +2069,8 @@ msgstr "" msgid "Copy Selection" msgstr "सभी खंड" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2083,6 +2083,48 @@ msgstr "" msgid "Clear Output" msgstr "" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Down" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" msgstr "" @@ -2628,6 +2670,18 @@ msgstr "" msgid "Project Settings..." msgstr "" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control" +msgstr "" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp msgid "Export..." msgstr "" @@ -2830,10 +2884,6 @@ msgstr "" msgid "Stop the scene." msgstr "" -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "" @@ -2884,10 +2934,6 @@ msgid "Inspector" msgstr "" #: editor/editor_node.cpp -msgid "Node" -msgstr "" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "" @@ -2909,15 +2955,21 @@ msgstr "" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -2980,6 +3032,11 @@ msgstr "" msgid "Open the previous Editor" msgstr "" +#: editor/editor_path.cpp +#, fuzzy +msgid "No sub-resources found." +msgstr "संसाधन" + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "" @@ -2989,6 +3046,11 @@ msgid "Thumbnail..." msgstr "" #: editor/editor_plugin_settings.cpp +#, fuzzy +msgid "Main Script:" +msgstr "निर्भरता संपादक" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "" @@ -3017,11 +3079,6 @@ msgstr "" msgid "Edit:" msgstr "" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "" @@ -3824,9 +3881,10 @@ msgstr "" msgid "Import As:" msgstr "" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." -msgstr "" +#: editor/import_dock.cpp +#, fuzzy +msgid "Preset" +msgstr "रीसेट आकार" #: editor/import_dock.cpp msgid "Reimport" @@ -4263,6 +4321,7 @@ msgid "Change Animation Name:" msgstr "" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "" @@ -4832,10 +4891,6 @@ msgid "Sort:" msgstr "" #: editor/plugins/asset_library_editor_plugin.cpp -msgid "Reverse sorting." -msgstr "" - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "" @@ -5108,6 +5163,10 @@ msgid "Pan Mode" msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp +msgid "Ruler Mode" +msgstr "" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "" @@ -6167,7 +6226,7 @@ msgstr "" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "" @@ -6376,11 +6435,11 @@ msgid "Toggle Scripts Panel" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" +msgid "Step Into" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Into" +msgid "Step Over" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp @@ -6461,7 +6520,7 @@ msgstr "" msgid "Connections to method:" msgstr "" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp #, fuzzy msgid "Source" msgstr "संसाधन" @@ -7243,6 +7302,10 @@ msgid "(empty)" msgstr "" #: editor/plugins/sprite_frames_editor_plugin.cpp +msgid "Move Frame" +msgstr "" + +#: editor/plugins/sprite_frames_editor_plugin.cpp #, fuzzy msgid "Animations:" msgstr "कार्यों:" @@ -7564,6 +7627,14 @@ msgid "Enable Priority" msgstr "" #: editor/plugins/tile_map_editor_plugin.cpp +msgid "Filter tiles" +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "" @@ -7701,6 +7772,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp #, fuzzy msgid "Remove selected texture? This will remove all tiles which use it." msgstr "परियोजना से चयनित फ़ाइलें निकालें? (कोई पूर्ववत नहीं)" @@ -7867,6 +7943,104 @@ msgstr "" msgid "TileSet" msgstr "" +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No VCS addons are available." +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No commit message was provided" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit" +msgstr "समुदाय" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Initialize" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "एक नया बनाएं" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "ऑडियो बस का नाम बदलें" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "को हटा दें" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Typechange" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "जुडिये" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Stage All" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Commit Changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -8111,6 +8285,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9312,6 +9491,10 @@ msgid "Settings saved OK." msgstr "" #: editor/project_settings_editor.cpp +msgid "Moved Input Action Event" +msgstr "" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "" @@ -9449,6 +9632,10 @@ msgid "Plugins" msgstr "" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "" + +#: editor/property_editor.cpp msgid "Zero" msgstr "" @@ -9613,10 +9800,6 @@ msgstr "" msgid "Reset" msgstr "रीसेट आकार" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "" @@ -9672,6 +9855,10 @@ msgid "Instance Scene(s)" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Replace with Branch Scene" +msgstr "" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "" @@ -9712,10 +9899,24 @@ msgid "Make node as Root" msgstr "" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "को हटा दें" + +#: editor/scene_tree_dock.cpp +msgid "Delete the root node \"%s\"?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" msgstr "" #: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "को हटा दें" + +#: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." msgstr "" @@ -10101,26 +10302,60 @@ msgid "Bytes:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" +msgid "Warning:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." +#, fuzzy +msgid "Error:" +msgstr "प्रतिमा" + +#: editor/script_editor_debugger.cpp +msgid "C++ Error" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Errors" +msgid "C++ Error:" +msgstr "" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source" +msgstr "संसाधन" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" +msgstr "संसाधन" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source:" +msgstr "संसाधन" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +msgid "Errors" msgstr "" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Child process connected." +msgstr "डिस्कनेक्ट" + +#: editor/script_editor_debugger.cpp msgid "Copy Error" msgstr "" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "एक नया बनाएं" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "" @@ -10137,6 +10372,10 @@ msgid "Profiler" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Network Profiler" +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "" @@ -10149,6 +10388,10 @@ msgid "Monitors" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "" @@ -10345,10 +10588,6 @@ msgid "Library" msgstr "" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "" @@ -10357,6 +10596,10 @@ msgid "GDNative" msgstr "" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "" @@ -10511,6 +10754,14 @@ msgstr "" msgid "Pick Distance:" msgstr "" +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Filter meshes" +msgstr "" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -10648,6 +10899,10 @@ msgid "Create a new variable." msgstr "एक नया बनाएं" #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp #, fuzzy msgid "Create a new signal." msgstr "सदस्यता बनाएं" @@ -10805,6 +11060,10 @@ msgid "Editing Signal:" msgstr "" #: modules/visual_script/visual_script_editor.cpp +msgid "Make Tool:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "" @@ -10952,7 +11211,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp @@ -11608,6 +11868,18 @@ msgstr "" msgid "Constants cannot be modified." msgstr "" +#, fuzzy +#~ msgid "Class Description:" +#~ msgstr "विवरण:" + +#, fuzzy +#~ msgid "Property Descriptions:" +#~ msgstr "विवरण:" + +#, fuzzy +#~ msgid "Method Descriptions:" +#~ msgstr "विवरण:" + #~ msgid "Invalid font size." #~ msgstr "गलत फॉण्ट का आकार |" diff --git a/editor/translations/hr.po b/editor/translations/hr.po index b9d3494ea2..841272aed4 100644 --- a/editor/translations/hr.po +++ b/editor/translations/hr.po @@ -4,11 +4,12 @@ # This file is distributed under the same license as the Godot source code. # Unlimited Creativity <marinosah1@gmail.com>, 2019. # Patik <patrikfs5@gmail.com>, 2019. +# Nikola Bunjevac <nikola.bunjevac@gmail.com>, 2019. msgid "" msgstr "" "Project-Id-Version: Godot Engine editor\n" -"PO-Revision-Date: 2019-05-20 11:49+0000\n" -"Last-Translator: Patik <patrikfs5@gmail.com>\n" +"PO-Revision-Date: 2019-09-11 03:10+0000\n" +"Last-Translator: Nikola Bunjevac <nikola.bunjevac@gmail.com>\n" "Language-Team: Croatian <https://hosted.weblate.org/projects/godot-engine/" "godot/hr/>\n" "Language: hr\n" @@ -16,12 +17,12 @@ msgstr "" "Content-Transfer-Encoding: 8-bit\n" "Plural-Forms: nplurals=3; plural=n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" "%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2;\n" -"X-Generator: Weblate 3.7-dev\n" +"X-Generator: Weblate 3.9-dev\n" #: core/math/expression.cpp modules/gdscript/gdscript_functions.cpp #: modules/visual_script/visual_script_builtin_funcs.cpp msgid "Invalid type argument to convert(), use TYPE_* constants." -msgstr "Neispravni argument za convert(), upotrijebi konstantu TYPE_*" +msgstr "Neispravan argument za convert(), upotrijebi konstantu TYPE_*." #: core/math/expression.cpp modules/gdscript/gdscript_functions.cpp #: modules/mono/glue/gd_glue.cpp @@ -57,9 +58,37 @@ msgstr "Nevažeći argumenti za konstrukciju '%s'" msgid "On call to '%s':" msgstr "Pri pozivu '%s':" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +msgid "MiB" +msgstr "" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" -msgstr "" +msgstr "Slobodno" #: editor/animation_bezier_editor.cpp msgid "Balanced" @@ -67,15 +96,15 @@ msgstr "Balansiran" #: editor/animation_bezier_editor.cpp msgid "Mirror" -msgstr "" +msgstr "Zrcaljenje" #: editor/animation_bezier_editor.cpp editor/editor_profiler.cpp msgid "Time:" -msgstr "" +msgstr "Vrijeme:" #: editor/animation_bezier_editor.cpp msgid "Value:" -msgstr "" +msgstr "Vrijednost:" #: editor/animation_bezier_editor.cpp msgid "Insert Key Here" @@ -459,6 +488,10 @@ msgid "Select None" msgstr "" #: editor/animation_track_editor.cpp +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "Pokaži samo staze čvorova označenih u stablu." @@ -525,35 +558,35 @@ msgstr "" #: editor/animation_track_editor.cpp msgid "Go to Previous Step" -msgstr "" +msgstr "Idi na prethodni korak" #: editor/animation_track_editor.cpp msgid "Optimize Animation" -msgstr "" +msgstr "Optimiraj animaciju" #: editor/animation_track_editor.cpp msgid "Clean-Up Animation" -msgstr "" +msgstr "Očisti animaciju" #: editor/animation_track_editor.cpp msgid "Pick the node that will be animated:" -msgstr "" +msgstr "Odaberi čvor koji će se animirati:" #: editor/animation_track_editor.cpp msgid "Use Bezier Curves" -msgstr "" +msgstr "Koristi Bezierove krivulje" #: editor/animation_track_editor.cpp msgid "Anim. Optimizer" -msgstr "" +msgstr "Anim. optimizator" #: editor/animation_track_editor.cpp msgid "Max. Linear Error:" -msgstr "" +msgstr "Najveća linearna pogreška:" #: editor/animation_track_editor.cpp msgid "Max. Angular Error:" -msgstr "" +msgstr "Najveća kutna pogreška:" #: editor/animation_track_editor.cpp msgid "Max Optimizable Angle:" @@ -561,15 +594,15 @@ msgstr "" #: editor/animation_track_editor.cpp msgid "Optimize" -msgstr "" +msgstr "Optimiraj" #: editor/animation_track_editor.cpp msgid "Remove invalid keys" -msgstr "" +msgstr "Ukloni neispravne ključeve" #: editor/animation_track_editor.cpp msgid "Remove unresolved and empty tracks" -msgstr "" +msgstr "Ukloni nepronađene i prazne trake" #: editor/animation_track_editor.cpp msgid "Clean-up all animations" @@ -626,23 +659,23 @@ msgstr "" #: editor/code_editor.cpp msgid "Go to Line" -msgstr "" +msgstr "Idi na liniju" #: editor/code_editor.cpp msgid "Line Number:" -msgstr "" +msgstr "Broj linije:" #: editor/code_editor.cpp msgid "Replaced %d occurrence(s)." -msgstr "" +msgstr "Zamijenjeno %d pojavljivanja." #: editor/code_editor.cpp editor/editor_help.cpp msgid "%d match." -msgstr "" +msgstr "%d pojavljivanje." #: editor/code_editor.cpp editor/editor_help.cpp msgid "%d matches." -msgstr "" +msgstr "%d pojavljivanja." #: editor/code_editor.cpp editor/find_in_files.cpp msgid "Match Case" @@ -650,19 +683,19 @@ msgstr "" #: editor/code_editor.cpp editor/find_in_files.cpp msgid "Whole Words" -msgstr "" +msgstr "Cijele riječi" #: editor/code_editor.cpp editor/rename_dialog.cpp msgid "Replace" -msgstr "" +msgstr "Zamijeni" #: editor/code_editor.cpp msgid "Replace All" -msgstr "" +msgstr "Zamijeni sve" #: editor/code_editor.cpp msgid "Selection Only" -msgstr "" +msgstr "Samo odabir" #: editor/code_editor.cpp editor/plugins/script_text_editor.cpp #: editor/plugins/text_editor.cpp @@ -673,57 +706,59 @@ msgstr "" #: editor/plugins/texture_region_editor_plugin.cpp #: editor/plugins/tile_set_editor_plugin.cpp scene/gui/graph_edit.cpp msgid "Zoom In" -msgstr "" +msgstr "Zumiraj" #: editor/code_editor.cpp editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/texture_region_editor_plugin.cpp #: editor/plugins/tile_set_editor_plugin.cpp scene/gui/graph_edit.cpp msgid "Zoom Out" -msgstr "" +msgstr "Odzumiraj" #: editor/code_editor.cpp msgid "Reset Zoom" -msgstr "" +msgstr "Resetiraj zoom" #: editor/code_editor.cpp msgid "Warnings" -msgstr "" +msgstr "Upozorenja" #: editor/code_editor.cpp msgid "Line and column numbers." -msgstr "" +msgstr "Brojevi linija i stupaca." #: editor/connections_dialog.cpp msgid "Method in target node must be specified." -msgstr "" +msgstr "Metoda u ciljnom čvoru mora biti određena." #: editor/connections_dialog.cpp msgid "" "Target method not found. Specify a valid method or attach a script to the " "target node." msgstr "" +"Ciljna metoda nije pronađena. Specificiraj ispravnu metodu ili dodaj skriptu " +"na ciljni čvor." #: editor/connections_dialog.cpp msgid "Connect to Node:" -msgstr "" +msgstr "Spoji s čvorom:" #: editor/connections_dialog.cpp msgid "Connect to Script:" -msgstr "" +msgstr "Spoji sa skriptom:" #: editor/connections_dialog.cpp msgid "From Signal:" -msgstr "" +msgstr "Iz signala:" #: editor/connections_dialog.cpp msgid "Scene does not contain any script." -msgstr "" +msgstr "Scena ne sadrži niti jednu skriptu." #: editor/connections_dialog.cpp editor/editor_autoload_settings.cpp #: editor/groups_editor.cpp editor/plugins/item_list_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp msgid "Add" -msgstr "" +msgstr "Dodaj" #: editor/connections_dialog.cpp editor/dependency_editor.cpp #: editor/editor_feature_profile.cpp editor/groups_editor.cpp @@ -734,15 +769,15 @@ msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp editor/project_manager.cpp #: editor/project_settings_editor.cpp msgid "Remove" -msgstr "" +msgstr "Ukloni" #: editor/connections_dialog.cpp msgid "Add Extra Call Argument:" -msgstr "" +msgstr "Dodaj argument poziva:" #: editor/connections_dialog.cpp msgid "Extra Call Arguments:" -msgstr "" +msgstr "Dodatni argumenti poziva:" #: editor/connections_dialog.cpp #, fuzzy @@ -751,24 +786,24 @@ msgstr "Balansiran" #: editor/connections_dialog.cpp msgid "Deferred" -msgstr "" +msgstr "Odgođeno" #: editor/connections_dialog.cpp msgid "" "Defers the signal, storing it in a queue and only firing it at idle time." -msgstr "" +msgstr "Odgađa signal spremanjem u red i okidanjem prilikom dokolice." #: editor/connections_dialog.cpp msgid "Oneshot" -msgstr "" +msgstr "Jednookidajući" #: editor/connections_dialog.cpp msgid "Disconnects the signal after its first emission." -msgstr "" +msgstr "Odspaja signal nakon prvog slanja." #: editor/connections_dialog.cpp msgid "Cannot connect signal" -msgstr "" +msgstr "Ne mogu spojiti signal" #: editor/connections_dialog.cpp editor/dependency_editor.cpp #: editor/export_template_manager.cpp editor/groups_editor.cpp @@ -777,142 +812,148 @@ msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp msgid "Close" -msgstr "" +msgstr "Zatvori" #: editor/connections_dialog.cpp msgid "Connect" -msgstr "" +msgstr "Spoji" #: editor/connections_dialog.cpp msgid "Signal:" -msgstr "" +msgstr "Signal:" #: editor/connections_dialog.cpp msgid "Connect '%s' to '%s'" -msgstr "" +msgstr "Spoji '%s' na '%s'" #: editor/connections_dialog.cpp msgid "Disconnect '%s' from '%s'" -msgstr "" +msgstr "Odspoji '%s' od '%s'" #: editor/connections_dialog.cpp msgid "Disconnect all from signal: '%s'" -msgstr "" +msgstr "Odspoji sve sa signala: '%s'" #: editor/connections_dialog.cpp msgid "Connect..." -msgstr "" +msgstr "Spoji..." #: editor/connections_dialog.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp msgid "Disconnect" -msgstr "" +msgstr "Odspoji" #: editor/connections_dialog.cpp msgid "Connect a Signal to a Method" -msgstr "" +msgstr "Spoji signal na metodu" #: editor/connections_dialog.cpp msgid "Edit Connection:" -msgstr "" +msgstr "Uredi vezu:" #: editor/connections_dialog.cpp msgid "Are you sure you want to remove all connections from the \"%s\" signal?" -msgstr "" +msgstr "Jesi li siguran da želiš ukloniti sve veze s \"%s\" signala?" #: editor/connections_dialog.cpp editor/editor_help.cpp editor/node_dock.cpp msgid "Signals" -msgstr "" +msgstr "Signali" #: editor/connections_dialog.cpp msgid "Are you sure you want to remove all connections from this signal?" -msgstr "" +msgstr "Jesi li siguran da želiš ukloniti sve veze s ovog signala?" #: editor/connections_dialog.cpp msgid "Disconnect All" -msgstr "" +msgstr "Odspoji sve" #: editor/connections_dialog.cpp msgid "Edit..." -msgstr "" +msgstr "Uredi..." #: editor/connections_dialog.cpp msgid "Go To Method" -msgstr "" +msgstr "Idi na metodu" #: editor/create_dialog.cpp msgid "Change %s Type" -msgstr "" +msgstr "Promijeni tip %s" #: editor/create_dialog.cpp editor/project_settings_editor.cpp msgid "Change" -msgstr "" +msgstr "Promijeni" #: editor/create_dialog.cpp msgid "Create New %s" -msgstr "" +msgstr "Napravi novi %s" #: editor/create_dialog.cpp editor/editor_file_dialog.cpp #: editor/filesystem_dock.cpp msgid "Favorites:" -msgstr "" +msgstr "Favoriti:" #: editor/create_dialog.cpp editor/editor_file_dialog.cpp msgid "Recent:" -msgstr "" +msgstr "Nedavno:" #: editor/create_dialog.cpp editor/plugins/script_editor_plugin.cpp #: editor/property_selector.cpp editor/quick_open.cpp #: modules/visual_script/visual_script_property_selector.cpp msgid "Search:" -msgstr "" +msgstr "Pretraga:" #: editor/create_dialog.cpp editor/plugins/script_editor_plugin.cpp #: editor/property_selector.cpp editor/quick_open.cpp #: modules/visual_script/visual_script_property_selector.cpp msgid "Matches:" -msgstr "" +msgstr "Podudaranja:" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp msgid "Description:" -msgstr "" +msgstr "Opis:" #: editor/dependency_editor.cpp msgid "Search Replacement For:" -msgstr "" +msgstr "Traži zamjenu za:" #: editor/dependency_editor.cpp msgid "Dependencies For:" -msgstr "" +msgstr "Ovisnosti za:" #: editor/dependency_editor.cpp msgid "" "Scene '%s' is currently being edited.\n" "Changes will only take effect when reloaded." msgstr "" +"Scena '%s' se trenutno uređuje.\n" +"Promjene će biti vidljive tek nakon osvježavanja." #: editor/dependency_editor.cpp msgid "" "Resource '%s' is in use.\n" "Changes will only take effect when reloaded." msgstr "" +"Resurs '%s' je u upotrebi.\n" +"Promjene će biti vidljive tek nakon osvježavanja." #: editor/dependency_editor.cpp #: modules/gdnative/gdnative_library_editor_plugin.cpp msgid "Dependencies" -msgstr "" +msgstr "Ovisnosti" #: editor/dependency_editor.cpp msgid "Resource" -msgstr "" +msgstr "Resurs" #: editor/dependency_editor.cpp editor/editor_autoload_settings.cpp #: editor/project_settings_editor.cpp editor/script_create_dialog.cpp @@ -921,15 +962,15 @@ msgstr "" #: editor/dependency_editor.cpp msgid "Dependencies:" -msgstr "" +msgstr "Ovisnosti:" #: editor/dependency_editor.cpp msgid "Fix Broken" -msgstr "" +msgstr "Popravi neispravne" #: editor/dependency_editor.cpp msgid "Dependency Editor" -msgstr "" +msgstr "Uređivač ovisnosti" #: editor/dependency_editor.cpp msgid "Search Replacement Resource:" @@ -943,7 +984,7 @@ msgstr "" #: modules/visual_script/visual_script_property_selector.cpp #: scene/gui/file_dialog.cpp msgid "Open" -msgstr "" +msgstr "Otvori" #: editor/dependency_editor.cpp msgid "Owners Of:" @@ -951,7 +992,7 @@ msgstr "" #: editor/dependency_editor.cpp msgid "Remove selected files from the project? (Can't be restored)" -msgstr "" +msgstr "Ukloni odabrane datoteke iz projekta? (Neće ih biti moguće vratiti)" #: editor/dependency_editor.cpp msgid "" @@ -959,46 +1000,49 @@ msgid "" "work.\n" "Remove them anyway? (no undo)" msgstr "" +"Datoteke koje se uklanjaju su nužne drugim resursima kako bi ispravno " +"radili.\n" +"Svejedno ih ukloni? (nema povratka)" #: editor/dependency_editor.cpp msgid "Cannot remove:" -msgstr "" +msgstr "Ne mogu ukloniti:" #: editor/dependency_editor.cpp msgid "Error loading:" -msgstr "" +msgstr "Pogreška učitavanja:" #: editor/dependency_editor.cpp msgid "Load failed due to missing dependencies:" -msgstr "" +msgstr "Učitavanje nije uspjelo zbog nepostojećih ovisnosti:" #: editor/dependency_editor.cpp editor/editor_node.cpp msgid "Open Anyway" -msgstr "" +msgstr "Svejedno otvori" #: editor/dependency_editor.cpp msgid "Which action should be taken?" -msgstr "" +msgstr "Koju radnju treba izvesti?" #: editor/dependency_editor.cpp msgid "Fix Dependencies" -msgstr "" +msgstr "Popravi ovisnosti" #: editor/dependency_editor.cpp msgid "Errors loading!" -msgstr "" +msgstr "Pogreške učitavanja!" #: editor/dependency_editor.cpp msgid "Permanently delete %d item(s)? (No undo!)" -msgstr "" +msgstr "Trajno obriši %d stavki? (Nema povratka!)" #: editor/dependency_editor.cpp msgid "Show Dependencies" -msgstr "" +msgstr "Prikaži ovisnosti" #: editor/dependency_editor.cpp msgid "Orphan Resource Explorer" -msgstr "" +msgstr "Istraživač napuštenih resursa" #: editor/dependency_editor.cpp editor/editor_audio_buses.cpp #: editor/editor_file_dialog.cpp editor/editor_node.cpp @@ -1006,11 +1050,11 @@ msgstr "" #: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/scene_tree_dock.cpp msgid "Delete" -msgstr "" +msgstr "Obriši" #: editor/dependency_editor.cpp msgid "Owns" -msgstr "" +msgstr "Posjeduje" #: editor/dependency_editor.cpp msgid "Resources Without Explicit Ownership:" @@ -1018,75 +1062,75 @@ msgstr "" #: editor/dictionary_property_edit.cpp msgid "Change Dictionary Key" -msgstr "" +msgstr "Promijeni ključ u rječniku" #: editor/dictionary_property_edit.cpp msgid "Change Dictionary Value" -msgstr "" +msgstr "Promijeni vrijednost u rječniku" #: editor/editor_about.cpp msgid "Thanks from the Godot community!" -msgstr "" +msgstr "Hvala od Godot zajednice!" #: editor/editor_about.cpp msgid "Godot Engine contributors" -msgstr "" +msgstr "Godot Engine suradnici" #: editor/editor_about.cpp msgid "Project Founders" -msgstr "" +msgstr "Osnivači projekta" #: editor/editor_about.cpp msgid "Lead Developer" -msgstr "" +msgstr "Glavni razvijatelj" #: editor/editor_about.cpp msgid "Project Manager " -msgstr "" +msgstr "Projektni menadžer " #: editor/editor_about.cpp msgid "Developers" -msgstr "" +msgstr "Razvijatelji" #: editor/editor_about.cpp msgid "Authors" -msgstr "" +msgstr "Autori" #: editor/editor_about.cpp msgid "Platinum Sponsors" -msgstr "" +msgstr "Platinasti sponzori" #: editor/editor_about.cpp msgid "Gold Sponsors" -msgstr "" +msgstr "Zlatni sponzori" #: editor/editor_about.cpp msgid "Mini Sponsors" -msgstr "" +msgstr "Mini sponzori" #: editor/editor_about.cpp msgid "Gold Donors" -msgstr "" +msgstr "Zlatni donatori" #: editor/editor_about.cpp msgid "Silver Donors" -msgstr "" +msgstr "Srebrni donatori" #: editor/editor_about.cpp msgid "Bronze Donors" -msgstr "" +msgstr "Brončani donatori" #: editor/editor_about.cpp msgid "Donors" -msgstr "" +msgstr "Donatori" #: editor/editor_about.cpp msgid "License" -msgstr "" +msgstr "Licenca" #: editor/editor_about.cpp msgid "Third-party Licenses" -msgstr "" +msgstr "Licence trećih strana" #: editor/editor_about.cpp msgid "" @@ -1098,19 +1142,19 @@ msgstr "" #: editor/editor_about.cpp msgid "All Components" -msgstr "" +msgstr "Sve komponente" #: editor/editor_about.cpp msgid "Components" -msgstr "" +msgstr "Komponente" #: editor/editor_about.cpp msgid "Licenses" -msgstr "" +msgstr "Licence" #: editor/editor_asset_installer.cpp editor/project_manager.cpp msgid "Error opening package file, not in ZIP format." -msgstr "" +msgstr "Pogreška prilikom otvaranja datoteke paketa, nije u ZIP formatu." #: editor/editor_asset_installer.cpp msgid "Uncompressing Assets" @@ -1118,16 +1162,16 @@ msgstr "" #: editor/editor_asset_installer.cpp editor/project_manager.cpp msgid "Package installed successfully!" -msgstr "" +msgstr "Paket uspješno instaliran!" #: editor/editor_asset_installer.cpp #: editor/plugins/asset_library_editor_plugin.cpp msgid "Success!" -msgstr "" +msgstr "Uspjeh!" #: editor/editor_asset_installer.cpp editor/editor_node.cpp msgid "Install" -msgstr "" +msgstr "Instaliraj" #: editor/editor_asset_installer.cpp msgid "Package Installer" @@ -1135,19 +1179,19 @@ msgstr "" #: editor/editor_audio_buses.cpp msgid "Speakers" -msgstr "" +msgstr "Zvučnici" #: editor/editor_audio_buses.cpp msgid "Add Effect" -msgstr "" +msgstr "Dodaj efekt" #: editor/editor_audio_buses.cpp msgid "Rename Audio Bus" -msgstr "" +msgstr "Preimenuj zvučnu sabirnicu" #: editor/editor_audio_buses.cpp msgid "Change Audio Bus Volume" -msgstr "" +msgstr "Promijeni glasnoću zvučne sabirnice" #: editor/editor_audio_buses.cpp msgid "Toggle Audio Bus Solo" @@ -1167,7 +1211,7 @@ msgstr "" #: editor/editor_audio_buses.cpp msgid "Add Audio Bus Effect" -msgstr "" +msgstr "Dodaj efekt zvučne sabirnice" #: editor/editor_audio_buses.cpp msgid "Move Bus Effect" @@ -1178,7 +1222,7 @@ msgid "Delete Bus Effect" msgstr "" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +msgid "Drag & drop to rearrange." msgstr "" #: editor/editor_audio_buses.cpp @@ -1369,6 +1413,7 @@ msgid "Add AutoLoad" msgstr "" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "" @@ -1588,6 +1633,7 @@ msgstr "" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "" @@ -1658,6 +1704,7 @@ msgid "New Folder..." msgstr "" #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "" @@ -1671,50 +1718,50 @@ msgstr "" #: editor/editor_file_dialog.cpp scene/gui/file_dialog.cpp msgid "Open a File" -msgstr "" +msgstr "Otvori datoteku" #: editor/editor_file_dialog.cpp scene/gui/file_dialog.cpp msgid "Open File(s)" -msgstr "" +msgstr "Otvori datoteke" #: editor/editor_file_dialog.cpp scene/gui/file_dialog.cpp msgid "Open a Directory" -msgstr "" +msgstr "Otvori direktorij" #: editor/editor_file_dialog.cpp scene/gui/file_dialog.cpp msgid "Open a File or Directory" -msgstr "" +msgstr "Otvori datoteku ili direktorij" #: editor/editor_file_dialog.cpp editor/editor_node.cpp #: editor/editor_properties.cpp editor/inspector_dock.cpp #: editor/plugins/animation_player_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Save" -msgstr "" +msgstr "Spremi" #: editor/editor_file_dialog.cpp scene/gui/file_dialog.cpp msgid "Save a File" -msgstr "" +msgstr "Spremi datoteku" #: editor/editor_file_dialog.cpp msgid "Go Back" -msgstr "" +msgstr "Natrag" #: editor/editor_file_dialog.cpp msgid "Go Forward" -msgstr "" +msgstr "Naprijed" #: editor/editor_file_dialog.cpp msgid "Go Up" -msgstr "" +msgstr "Idi gore" #: editor/editor_file_dialog.cpp msgid "Toggle Hidden Files" -msgstr "" +msgstr "Prikaži/sakrij skrivene datoteke" #: editor/editor_file_dialog.cpp msgid "Toggle Favorite" -msgstr "" +msgstr "Prikaži/sakrij favorite" #: editor/editor_file_dialog.cpp msgid "Toggle Mode" @@ -1726,27 +1773,27 @@ msgstr "" #: editor/editor_file_dialog.cpp msgid "Move Favorite Up" -msgstr "" +msgstr "Pomakni favorita gore" #: editor/editor_file_dialog.cpp msgid "Move Favorite Down" -msgstr "" +msgstr "Pomakni favorita dolje" #: editor/editor_file_dialog.cpp msgid "Go to previous folder." -msgstr "" +msgstr "Idi u prethodni direktorij." #: editor/editor_file_dialog.cpp msgid "Go to next folder." -msgstr "" +msgstr "Idi u sljedeći direktorij." #: editor/editor_file_dialog.cpp scene/gui/file_dialog.cpp msgid "Go to parent folder." -msgstr "" +msgstr "Idi u roditeljski direktorij." #: editor/editor_file_dialog.cpp scene/gui/file_dialog.cpp msgid "Refresh files." -msgstr "" +msgstr "Osvježi datoteke." #: editor/editor_file_dialog.cpp msgid "(Un)favorite current folder." @@ -1762,21 +1809,21 @@ msgstr "" #: editor/editor_file_dialog.cpp editor/filesystem_dock.cpp msgid "View items as a list." -msgstr "" +msgstr "Prikaži stavke kao listu." #: editor/editor_file_dialog.cpp scene/gui/file_dialog.cpp msgid "Directories & Files:" -msgstr "" +msgstr "Direktoriji i datoteke:" #: editor/editor_file_dialog.cpp editor/plugins/sprite_editor_plugin.cpp #: editor/plugins/style_box_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp msgid "Preview:" -msgstr "" +msgstr "Pregled:" #: editor/editor_file_dialog.cpp scene/gui/file_dialog.cpp msgid "File:" -msgstr "" +msgstr "Datoteka:" #: editor/editor_file_dialog.cpp scene/gui/file_dialog.cpp msgid "Must use a valid extension." @@ -1813,46 +1860,27 @@ msgid "Inherited by:" msgstr "" #: editor/editor_help.cpp -msgid "Brief Description:" -msgstr "" +#, fuzzy +msgid "Brief Description" +msgstr "Opis:" #: editor/editor_help.cpp msgid "Properties" msgstr "" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "" - -#: editor/editor_help.cpp msgid "Methods" msgstr "" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "" - -#: editor/editor_help.cpp msgid "Theme Properties" msgstr "" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "" - -#: editor/editor_help.cpp msgid "enum " msgstr "" @@ -1861,19 +1889,11 @@ msgid "Constants" msgstr "" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "" - -#: editor/editor_help.cpp msgid "Class Description" msgstr "" #: editor/editor_help.cpp -msgid "Class Description:" -msgstr "" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +msgid "Online Tutorials" msgstr "" #: editor/editor_help.cpp @@ -1888,10 +1908,6 @@ msgid "Property Descriptions" msgstr "" #: editor/editor_help.cpp -msgid "Property Descriptions:" -msgstr "" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -1902,10 +1918,6 @@ msgid "Method Descriptions" msgstr "" #: editor/editor_help.cpp -msgid "Method Descriptions:" -msgstr "" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -1972,8 +1984,8 @@ msgstr "" msgid "Copy Selection" msgstr "" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -1986,6 +1998,48 @@ msgstr "" msgid "Clear Output" msgstr "" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Down" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" msgstr "" @@ -2525,6 +2579,18 @@ msgstr "" msgid "Project Settings..." msgstr "" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control" +msgstr "" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp msgid "Export..." msgstr "" @@ -2724,10 +2790,6 @@ msgstr "" msgid "Stop the scene." msgstr "" -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "" @@ -2779,10 +2841,6 @@ msgid "Inspector" msgstr "" #: editor/editor_node.cpp -msgid "Node" -msgstr "" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "" @@ -2804,15 +2862,21 @@ msgstr "" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -2875,6 +2939,10 @@ msgstr "" msgid "Open the previous Editor" msgstr "" +#: editor/editor_path.cpp +msgid "No sub-resources found." +msgstr "" + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "" @@ -2884,6 +2952,11 @@ msgid "Thumbnail..." msgstr "" #: editor/editor_plugin_settings.cpp +#, fuzzy +msgid "Main Script:" +msgstr "Spoji sa skriptom:" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "" @@ -2912,11 +2985,6 @@ msgstr "" msgid "Edit:" msgstr "" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "" @@ -3693,8 +3761,8 @@ msgstr "" msgid "Import As:" msgstr "" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." +#: editor/import_dock.cpp +msgid "Preset" msgstr "" #: editor/import_dock.cpp @@ -4120,6 +4188,7 @@ msgid "Change Animation Name:" msgstr "" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "" @@ -4678,10 +4747,6 @@ msgid "Sort:" msgstr "" #: editor/plugins/asset_library_editor_plugin.cpp -msgid "Reverse sorting." -msgstr "" - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "" @@ -4945,6 +5010,11 @@ msgid "Pan Mode" msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy +msgid "Ruler Mode" +msgstr "Način Interpolacije" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "" @@ -5998,7 +6068,7 @@ msgstr "" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "" @@ -6198,11 +6268,11 @@ msgid "Toggle Scripts Panel" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" +msgid "Step Into" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Into" +msgid "Step Over" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp @@ -6282,7 +6352,7 @@ msgstr "" msgid "Connections to method:" msgstr "" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp msgid "Source" msgstr "" @@ -7049,6 +7119,11 @@ msgid "(empty)" msgstr "" #: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy +msgid "Move Frame" +msgstr "Pomakni favorita gore" + +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Animations:" msgstr "" @@ -7363,6 +7438,14 @@ msgid "Enable Priority" msgstr "" #: editor/plugins/tile_map_editor_plugin.cpp +msgid "Filter tiles" +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "" @@ -7496,6 +7579,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp msgid "Remove selected texture? This will remove all tiles which use it." msgstr "" @@ -7650,6 +7738,106 @@ msgstr "" msgid "TileSet" msgstr "" +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No VCS addons are available." +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No commit message was provided" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Commit" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Initialize" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect new changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "Promijeni" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "Preimenuj zvučnu sabirnicu" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "Obriši" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Typechange" +msgstr "Promijeni" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "Brisati odabrani ključ/odabrane ključeve" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage All" +msgstr "Zamijeni sve" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit Changes" +msgstr "Promijeni" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -7884,6 +8072,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9074,6 +9267,10 @@ msgid "Settings saved OK." msgstr "" #: editor/project_settings_editor.cpp +msgid "Moved Input Action Event" +msgstr "" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "" @@ -9210,6 +9407,10 @@ msgid "Plugins" msgstr "" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "" + +#: editor/property_editor.cpp msgid "Zero" msgstr "" @@ -9373,10 +9574,6 @@ msgstr "" msgid "Reset" msgstr "" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "" @@ -9432,6 +9629,10 @@ msgid "Instance Scene(s)" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Replace with Branch Scene" +msgstr "" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "" @@ -9472,10 +9673,24 @@ msgid "Make node as Root" msgstr "" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "Obriši ključ(eve)" + +#: editor/scene_tree_dock.cpp +msgid "Delete the root node \"%s\"?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" msgstr "" #: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "Obriši ključ(eve)" + +#: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." msgstr "" @@ -9852,11 +10067,38 @@ msgid "Bytes:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" +#, fuzzy +msgid "Warning:" +msgstr "Upozorenja" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Error:" +msgstr "Zrcaljenje" + +#: editor/script_editor_debugger.cpp +msgid "C++ Error" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." +msgid "C++ Error:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Source" +msgstr "" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" +msgstr "Resurs" + +#: editor/script_editor_debugger.cpp +msgid "C++ Source:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" msgstr "" #: editor/script_editor_debugger.cpp @@ -9864,7 +10106,7 @@ msgid "Errors" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +msgid "Child process connected." msgstr "" #: editor/script_editor_debugger.cpp @@ -9872,6 +10114,10 @@ msgid "Copy Error" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Skip Breakpoints" +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "" @@ -9888,6 +10134,10 @@ msgid "Profiler" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Network Profiler" +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "" @@ -9900,6 +10150,10 @@ msgid "Monitors" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "" @@ -10096,10 +10350,6 @@ msgid "Library" msgstr "" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "" @@ -10108,6 +10358,10 @@ msgid "GDNative" msgstr "" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "" @@ -10259,6 +10513,14 @@ msgstr "" msgid "Pick Distance:" msgstr "" +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Filter meshes" +msgstr "" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -10394,6 +10656,10 @@ msgid "Create a new variable." msgstr "" #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Create a new signal." msgstr "" @@ -10550,6 +10816,10 @@ msgid "Editing Signal:" msgstr "" #: modules/visual_script/visual_script_editor.cpp +msgid "Make Tool:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "" @@ -10697,7 +10967,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp diff --git a/editor/translations/hu.po b/editor/translations/hu.po index 4a2ef407d4..2935d5cb92 100644 --- a/editor/translations/hu.po +++ b/editor/translations/hu.po @@ -66,6 +66,35 @@ msgstr "" msgid "On call to '%s':" msgstr "'%s' hívásánál:" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +#, fuzzy +msgid "MiB" +msgstr "Mixelés" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "Ingyenes" @@ -497,6 +526,13 @@ msgid "Select None" msgstr "Kiválasztó Mód" #: editor/animation_track_editor.cpp +#, fuzzy +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" +"Válasszon egy AnimationPlayer-t a Jelenetfából, hogy animációkat " +"szerkeszthessen." + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "" @@ -833,7 +869,8 @@ msgstr "Csatlakoztató Jelzés:" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -941,7 +978,8 @@ msgstr "Keresés:" msgid "Matches:" msgstr "Találatok:" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1260,7 +1298,8 @@ msgid "Delete Bus Effect" msgstr "Busz Effektus Törlése" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +#, fuzzy +msgid "Drag & drop to rearrange." msgstr "Hangbusz, Húzd és Vidd az átrendezéshez." #: editor/editor_audio_buses.cpp @@ -1457,6 +1496,7 @@ msgid "Add AutoLoad" msgstr "AutoLoad Hozzáadása" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "Útvonal:" @@ -1695,6 +1735,7 @@ msgstr "Jelenlegi:" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "Új" @@ -1775,6 +1816,7 @@ msgid "New Folder..." msgstr "Új Mappa..." #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "Frissítés" @@ -1938,7 +1980,8 @@ msgid "Inherited by:" msgstr "Őt örökli:" #: editor/editor_help.cpp -msgid "Brief Description:" +#, fuzzy +msgid "Brief Description" msgstr "Rövid Leírás:" #: editor/editor_help.cpp @@ -1946,41 +1989,19 @@ msgid "Properties" msgstr "Tulajdonságok" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "" - -#: editor/editor_help.cpp msgid "Methods" msgstr "Metódusok" #: editor/editor_help.cpp #, fuzzy -msgid "Methods:" -msgstr "Metódusok" - -#: editor/editor_help.cpp -#, fuzzy msgid "Theme Properties" msgstr "Tulajdonságok" #: editor/editor_help.cpp -#, fuzzy -msgid "Theme Properties:" -msgstr "Tulajdonságok" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "Jelzések:" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "Felsorolások" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "Felsorolások:" - -#: editor/editor_help.cpp msgid "enum " msgstr "enum " @@ -1989,21 +2010,13 @@ msgid "Constants" msgstr "Konstansok" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "Konstansok:" - -#: editor/editor_help.cpp #, fuzzy msgid "Class Description" msgstr "Leírás" #: editor/editor_help.cpp #, fuzzy -msgid "Class Description:" -msgstr "Leírás:" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +msgid "Online Tutorials" msgstr "Online Oktatóanyagok:" #: editor/editor_help.cpp @@ -2022,11 +2035,6 @@ msgid "Property Descriptions" msgstr "Tulajdonság Leírása:" #: editor/editor_help.cpp -#, fuzzy -msgid "Property Descriptions:" -msgstr "Tulajdonság Leírása:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -2040,11 +2048,6 @@ msgid "Method Descriptions" msgstr "Metódus Leírás:" #: editor/editor_help.cpp -#, fuzzy -msgid "Method Descriptions:" -msgstr "Metódus Leírás:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2123,8 +2126,8 @@ msgstr "Kimenet:" msgid "Copy Selection" msgstr "Kiválasztás eltávolítás" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2137,6 +2140,50 @@ msgstr "Töröl" msgid "Clear Output" msgstr "Kimenet Törlése" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "Leállítás" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +#, fuzzy +msgid "Start" +msgstr "Start!" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +#, fuzzy +msgid "Down" +msgstr "Letöltés" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "Node" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" msgstr "" @@ -2742,6 +2789,19 @@ msgstr "Projekt" msgid "Project Settings..." msgstr "Projekt Beállítások" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Version Control" +msgstr "Verzió:" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp #, fuzzy msgid "Export..." @@ -2972,10 +3032,6 @@ msgstr "Scene szüneteltetés" msgid "Stop the scene." msgstr "Leállítja a jelenetet." -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "Leállítás" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "Szerkesztett Scene futtatása." @@ -3031,10 +3087,6 @@ msgid "Inspector" msgstr "Megfigyelő" #: editor/editor_node.cpp -msgid "Node" -msgstr "Node" - -#: editor/editor_node.cpp #, fuzzy msgid "Expand Bottom Panel" msgstr "Összes kibontása" @@ -3058,15 +3110,21 @@ msgstr "Export Sablonok Kezelése" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -3129,6 +3187,11 @@ msgstr "Következő Szerkesztő Megnyitása" msgid "Open the previous Editor" msgstr "Előző Szerkesztő Megnyitása" +#: editor/editor_path.cpp +#, fuzzy +msgid "No sub-resources found." +msgstr "Nincs felületi forrás meghatározva." + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "Háló Előnézetek Létrehozása" @@ -3139,6 +3202,11 @@ msgstr "Indexkép..." #: editor/editor_plugin_settings.cpp #, fuzzy +msgid "Main Script:" +msgstr "Szkript Futtatása" + +#: editor/editor_plugin_settings.cpp +#, fuzzy msgid "Edit Plugin" msgstr "Sokszög Szerkesztése" @@ -3168,12 +3236,6 @@ msgstr "Állapot:" msgid "Edit:" msgstr "Szerkesztés" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -#, fuzzy -msgid "Start" -msgstr "Start!" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "Mérés:" @@ -4004,8 +4066,9 @@ msgstr " Fájlok" msgid "Import As:" msgstr "Importálás Mint:" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." +#: editor/import_dock.cpp +#, fuzzy +msgid "Preset" msgstr "Beépített Beállítások..." #: editor/import_dock.cpp @@ -4476,6 +4539,7 @@ msgid "Change Animation Name:" msgstr "Animáció Nevének Megváltoztatása:" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "Animáció Törlése?" @@ -5067,11 +5131,6 @@ msgid "Sort:" msgstr "Rendezés:" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy -msgid "Reverse sorting." -msgstr "Lekérdezés..." - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "Kategória:" @@ -5371,6 +5430,11 @@ msgstr "Pásztázás Mód" #: editor/plugins/canvas_item_editor_plugin.cpp #, fuzzy +msgid "Ruler Mode" +msgstr "Kiválasztó Mód" + +#: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy msgid "Toggle snapping." msgstr "Illesztés be- és kikapcsolása" @@ -6478,7 +6542,7 @@ msgstr "Példány:" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "Típus:" @@ -6696,14 +6760,14 @@ msgid "Toggle Scripts Panel" msgstr "Szkript Panel Megjelenítése" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" -msgstr "Átlépés" - -#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Step Into" msgstr "Belépés" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp +msgid "Step Over" +msgstr "Átlépés" + +#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Break" msgstr "Szünet" @@ -6787,7 +6851,7 @@ msgstr "Legutóbbi Jelenetek Törlése" msgid "Connections to method:" msgstr "Csatlakoztatás Node-hoz:" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp #, fuzzy msgid "Source" msgstr "Forrás" @@ -7599,6 +7663,11 @@ msgstr "" #: editor/plugins/sprite_frames_editor_plugin.cpp #, fuzzy +msgid "Move Frame" +msgstr "Mozgás Mód" + +#: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy msgid "Animations:" msgstr "Animáció" @@ -7931,6 +8000,15 @@ msgid "Enable Priority" msgstr "Szűrők Szerkesztése" #: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy +msgid "Filter tiles" +msgstr "Fájlok Szűrése..." + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "" @@ -8079,6 +8157,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp #, fuzzy msgid "Remove selected texture? This will remove all tiles which use it." msgstr "Jelenlegi tétel eltávolítása" @@ -8254,6 +8337,110 @@ msgstr "Ezt a műveletet nem lehet végrehajtani egy Scene nélkül." msgid "TileSet" msgstr "TileSet-re..." +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No VCS addons are available." +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No commit message was provided" +msgstr "Nincs név megadva" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit" +msgstr "Közösség" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Initialize" +msgstr "Szó Eleji Nagybetű" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "Új %s Létrehozása" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "Változtatás" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "Átnevezés" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "Törlés" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Typechange" +msgstr "Változtatás" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "Kiválasztás átméretezés" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage All" +msgstr "Összes Mentése" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit Changes" +msgstr "Szkript Változtatások Szinkronizálása" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -8511,6 +8698,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9733,6 +9925,11 @@ msgid "Settings saved OK." msgstr "" #: editor/project_settings_editor.cpp +#, fuzzy +msgid "Moved Input Action Event" +msgstr "Pont Mozgatása a Görbén" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "" @@ -9872,6 +10069,10 @@ msgid "Plugins" msgstr "Bővítmények" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "Beépített Beállítások..." + +#: editor/property_editor.cpp msgid "Zero" msgstr "" @@ -10045,10 +10246,6 @@ msgstr "Mind Nagybetű" msgid "Reset" msgstr "Nagyítás Visszaállítása" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "" @@ -10104,6 +10301,10 @@ msgid "Instance Scene(s)" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Replace with Branch Scene" +msgstr "" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "" @@ -10145,10 +10346,24 @@ msgid "Make node as Root" msgstr "Scene mentés" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "Node létrehozás" + +#: editor/scene_tree_dock.cpp +msgid "Delete the root node \"%s\"?" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" +msgstr "" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "Node létrehozás" + +#: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." msgstr "" @@ -10553,11 +10768,41 @@ msgid "Bytes:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" +msgid "Warning:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." +#, fuzzy +msgid "Error:" +msgstr "Hiba!" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error" +msgstr "Hiba Másolása" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error:" +msgstr "Hiba Másolása" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source" +msgstr "Forrás" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" +msgstr "Forrás" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source:" +msgstr "Forrás" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" msgstr "" #: editor/script_editor_debugger.cpp @@ -10565,14 +10810,20 @@ msgid "Errors" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" -msgstr "" +#, fuzzy +msgid "Child process connected." +msgstr "Kapcsolat bontva" #: editor/script_editor_debugger.cpp msgid "Copy Error" msgstr "Hiba Másolása" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "Pontok Törlése" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "" @@ -10589,6 +10840,11 @@ msgid "Profiler" msgstr "" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Network Profiler" +msgstr "Projekt Exportálása" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "" @@ -10601,6 +10857,10 @@ msgid "Monitors" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "" @@ -10803,10 +11063,6 @@ msgid "Library" msgstr "" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "" @@ -10815,6 +11071,10 @@ msgid "GDNative" msgstr "" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "" @@ -10969,6 +11229,15 @@ msgstr "" msgid "Pick Distance:" msgstr "" +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "Objektumtulajdonságok." + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -11113,6 +11382,10 @@ msgid "Create a new variable." msgstr "Új %s Létrehozása" #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "Jelzések:" + +#: modules/visual_script/visual_script_editor.cpp #, fuzzy msgid "Create a new signal." msgstr "Új sokszög létrehozása a semmiből." @@ -11273,6 +11546,11 @@ msgid "Editing Signal:" msgstr "" #: modules/visual_script/visual_script_editor.cpp +#, fuzzy +msgid "Make Tool:" +msgstr "Csontok Létrehozása" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "" @@ -11422,7 +11700,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp @@ -12089,6 +12368,36 @@ msgstr "" msgid "Constants cannot be modified." msgstr "" +#, fuzzy +#~ msgid "Methods:" +#~ msgstr "Metódusok" + +#, fuzzy +#~ msgid "Theme Properties:" +#~ msgstr "Tulajdonságok" + +#~ msgid "Enumerations:" +#~ msgstr "Felsorolások:" + +#~ msgid "Constants:" +#~ msgstr "Konstansok:" + +#, fuzzy +#~ msgid "Class Description:" +#~ msgstr "Leírás:" + +#, fuzzy +#~ msgid "Property Descriptions:" +#~ msgstr "Tulajdonság Leírása:" + +#, fuzzy +#~ msgid "Method Descriptions:" +#~ msgstr "Metódus Leírás:" + +#, fuzzy +#~ msgid "Reverse sorting." +#~ msgstr "Lekérdezés..." + #~ msgid "" #~ "Can't open file_type_cache.cch for writing, not saving file type cache!" #~ msgstr "" @@ -12240,9 +12549,6 @@ msgstr "" #~ msgid "Splits" #~ msgstr "Útvonal Felosztása" -#~ msgid "No name provided" -#~ msgstr "Nincs név megadva" - #~ msgid "Create Poly" #~ msgstr "Sokszög Létrehozása" diff --git a/editor/translations/id.po b/editor/translations/id.po index 580631d6bc..36aeec932e 100644 --- a/editor/translations/id.po +++ b/editor/translations/id.po @@ -25,7 +25,7 @@ msgid "" msgstr "" "Project-Id-Version: Godot Engine editor\n" "POT-Creation-Date: \n" -"PO-Revision-Date: 2019-08-29 13:35+0000\n" +"PO-Revision-Date: 2019-09-13 16:50+0000\n" "Last-Translator: Sofyan Sugianto <sofyanartem@gmail.com>\n" "Language-Team: Indonesian <https://hosted.weblate.org/projects/godot-engine/" "godot/id/>\n" @@ -53,9 +53,9 @@ msgid "Invalid input %i (not passed) in expression" msgstr "Masukkan tidak sah %i (tidak diberikan) dalam ekspresi" #: core/math/expression.cpp -#, fuzzy msgid "self can't be used because instance is null (not passed)" -msgstr "self tidak dapat digunakan karena tidak memiliki instance (not passed)" +msgstr "" +"self tidak dapat digunakan karena tidak memiliki instance (tidak lolos)" #: core/math/expression.cpp msgid "Invalid operands to operator %s, %s and %s." @@ -77,6 +77,35 @@ msgstr "argumen untuk membangun '%s' tidak sah" msgid "On call to '%s':" msgstr "Pada pemanggilan '%s':" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +#, fuzzy +msgid "MiB" +msgstr "Bercampur" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "Bebaskan" @@ -492,6 +521,12 @@ msgid "Select None" msgstr "Pilih Tidak Ada" #: editor/animation_track_editor.cpp +#, fuzzy +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" +"Lokasi untuk node AnimationPlayer yang mengandung animasi belum diatur." + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "Hanya tampilkan track dari node terpilih dalam tree." @@ -670,12 +705,10 @@ msgid "Replaced %d occurrence(s)." msgstr "kejadian %d diganti." #: editor/code_editor.cpp editor/editor_help.cpp -#, fuzzy msgid "%d match." msgstr "Ditemukan %d kecocokan." #: editor/code_editor.cpp editor/editor_help.cpp -#, fuzzy msgid "%d matches." msgstr "Ditemukan %d kecocokan." @@ -814,7 +847,8 @@ msgstr "Tidak dapat menghubungkan sinyal" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -915,7 +949,8 @@ msgstr "Cari:" msgid "Matches:" msgstr "Kecocokan:" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1129,22 +1164,20 @@ msgid "License" msgstr "Lisensi" #: editor/editor_about.cpp -#, fuzzy msgid "Third-party Licenses" msgstr "Lisensi Pihak Ketiga" #: editor/editor_about.cpp -#, fuzzy msgid "" "Godot Engine relies on a number of third-party free and open source " "libraries, all compatible with the terms of its MIT license. The following " "is an exhaustive list of all such third-party components with their " "respective copyright statements and license terms." msgstr "" -"Godot Engine mengandalkan sejumlah perpustakaan bebas dan sumber terbuka " -"pihak ketiga, semuanya cocok dengan persyaratan lisensi MIT. Berikut adalah " -"daftar lengkap semua komponen pihak ketiga dengan pernyataan hak cipta dan " -"lisensi masing-masing." +"Godot Engine mengandalkan sejumlah pustaka bebas dan sumber terbuka pihak " +"ketiga, semuanya cocok dengan persyaratan lisensi MIT. Berikut adalah daftar " +"lengkap semua komponen pihak ketiga dengan pernyataan hak cipta dan lisensi " +"masing-masing." #: editor/editor_about.cpp msgid "All Components" @@ -1159,7 +1192,6 @@ msgid "Licenses" msgstr "Lisensi" #: editor/editor_asset_installer.cpp editor/project_manager.cpp -#, fuzzy msgid "Error opening package file, not in ZIP format." msgstr "Gagal saat membuka paket, tidak dalam bentuk zip." @@ -1229,7 +1261,8 @@ msgid "Delete Bus Effect" msgstr "Hapus Effect Bus" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +#, fuzzy +msgid "Drag & drop to rearrange." msgstr "Suara Bus, Geser dan Taruh untuk atur ulang." #: editor/editor_audio_buses.cpp @@ -1420,6 +1453,7 @@ msgid "Add AutoLoad" msgstr "Tambahkan AutoLoad" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "Path:" @@ -1649,6 +1683,7 @@ msgstr "Jadikan Profil Saat Ini" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "Baru" @@ -1719,6 +1754,7 @@ msgid "New Folder..." msgstr "Buat Direktori..." #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "Segarkan" @@ -1876,7 +1912,8 @@ msgid "Inherited by:" msgstr "Diturunkan oleh:" #: editor/editor_help.cpp -msgid "Brief Description:" +#, fuzzy +msgid "Brief Description" msgstr "Deskripsi Singkat:" #: editor/editor_help.cpp @@ -1884,38 +1921,18 @@ msgid "Properties" msgstr "Properti Objek" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "Properti:" - -#: editor/editor_help.cpp msgid "Methods" msgstr "Fungsi" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "Metode-metode:" - -#: editor/editor_help.cpp msgid "Theme Properties" msgstr "Properti-properti Tema" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "Properti-properti Tema:" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "Sinyal-sinyal:" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "Enumerasi" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "Enumerasi:" - -#: editor/editor_help.cpp msgid "enum " msgstr "enum " @@ -1924,19 +1941,12 @@ msgid "Constants" msgstr "Konstanta" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "Konstanta:" - -#: editor/editor_help.cpp msgid "Class Description" msgstr "Deskripsi Kelas" #: editor/editor_help.cpp -msgid "Class Description:" -msgstr "Deskripsi Kelas:" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +#, fuzzy +msgid "Online Tutorials" msgstr "Tutorial Daring:" #: editor/editor_help.cpp @@ -1954,10 +1964,6 @@ msgid "Property Descriptions" msgstr "Deskripsi Properti" #: editor/editor_help.cpp -msgid "Property Descriptions:" -msgstr "Deskripsi Properti:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -1970,10 +1976,6 @@ msgid "Method Descriptions" msgstr "Deskripsi Metode" #: editor/editor_help.cpp -msgid "Method Descriptions:" -msgstr "Deskripsi Metode:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2042,8 +2044,8 @@ msgstr "Keluaran:" msgid "Copy Selection" msgstr "Salin Seleksi" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2056,9 +2058,52 @@ msgstr "Bersihkan" msgid "Clear Output" msgstr "Bersihkan Luaran" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "Hentikan" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "Mulai" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +#, fuzzy +msgid "Down" +msgstr "Unduh" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "Node" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" -msgstr "" +msgstr "Jendela Baru" #: editor/editor_node.cpp msgid "Project export failed with error code %d." @@ -2386,9 +2431,8 @@ msgid "Close Scene" msgstr "Tutup Skena" #: editor/editor_node.cpp -#, fuzzy msgid "Reopen Closed Scene" -msgstr "Tutup Skena" +msgstr "Buka Kembali Skena yang Ditutup" #: editor/editor_node.cpp msgid "Unable to enable addon plugin at: '%s' parsing of config failed." @@ -2506,9 +2550,8 @@ msgid "Close Tab" msgstr "Tutup Tab" #: editor/editor_node.cpp -#, fuzzy msgid "Undo Close Tab" -msgstr "Tutup Tab" +msgstr "Batalkan Tutup Tab" #: editor/editor_node.cpp editor/plugins/script_editor_plugin.cpp msgid "Close Other Tabs" @@ -2641,19 +2684,29 @@ msgid "Project" msgstr "Proyek" #: editor/editor_node.cpp -#, fuzzy msgid "Project Settings..." -msgstr "Pengaturan Proyek" +msgstr "Pengaturan Proyek…" -#: editor/editor_node.cpp +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp #, fuzzy +msgid "Version Control" +msgstr "Versi:" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + +#: editor/editor_node.cpp msgid "Export..." -msgstr "Ekspor" +msgstr "Ekspor…" #: editor/editor_node.cpp -#, fuzzy msgid "Install Android Build Template..." -msgstr "Pasang Templat Build Android" +msgstr "Pasang Templat Build Android..." #: editor/editor_node.cpp msgid "Open Project Data Folder" @@ -2664,9 +2717,8 @@ msgid "Tools" msgstr "Alat-alat" #: editor/editor_node.cpp -#, fuzzy msgid "Orphan Resource Explorer..." -msgstr "Penjelajah Resource Orphan" +msgstr "Penjelajah Resource Orphan…" #: editor/editor_node.cpp msgid "Quit to Project List" @@ -2769,9 +2821,8 @@ msgid "Editor" msgstr "Editor" #: editor/editor_node.cpp -#, fuzzy msgid "Editor Settings..." -msgstr "Pengaturan Editor" +msgstr "Pengaturan Penyunting…" #: editor/editor_node.cpp msgid "Editor Layout" @@ -2806,14 +2857,12 @@ msgid "Open Editor Settings Folder" msgstr "Buka Penyunting Direktori Pengaturan" #: editor/editor_node.cpp -#, fuzzy msgid "Manage Editor Features..." -msgstr "Kelola Penyunting Fitur" +msgstr "Kelola Penyunting Fitur…" #: editor/editor_node.cpp -#, fuzzy msgid "Manage Export Templates..." -msgstr "Mengatur Templat Ekspor" +msgstr "Kelola Templat Ekspor…" #: editor/editor_node.cpp editor/plugins/shader_editor_plugin.cpp msgid "Help" @@ -2869,10 +2918,6 @@ msgstr "Hentikan Sementara Skena" msgid "Stop the scene." msgstr "Hentikan skena." -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "Hentikan" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "Mainkan scene redaksi." @@ -2923,10 +2968,6 @@ msgid "Inspector" msgstr "Inspektur" #: editor/editor_node.cpp -msgid "Node" -msgstr "Node" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "Perluas Panel Bawah" @@ -2948,17 +2989,22 @@ msgstr "Kelola Templat" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" -"Ini akan memasang proyek Android untuk build kustom.\n" -"Sebagai catatan, untuk menggunakannya, harus diaktifkan per preset ekspor." #: editor/editor_node.cpp +#, fuzzy msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" "Templat build Android sudah terpasang sebelumnya dan tidak akan ditimpa.\n" "Hapus direktori \"build\" secara manual sebelum menjalankan perintah ini " @@ -3024,6 +3070,11 @@ msgstr "Buka Penyunting Selanjutnya" msgid "Open the previous Editor" msgstr "Buka Penyunting Sebelumnya" +#: editor/editor_path.cpp +#, fuzzy +msgid "No sub-resources found." +msgstr "Sumber permukaan tidak ditentukan." + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "Buat Pratinjau Mesh" @@ -3033,6 +3084,11 @@ msgid "Thumbnail..." msgstr "Gambar Kecil..." #: editor/editor_plugin_settings.cpp +#, fuzzy +msgid "Main Script:" +msgstr "Buka Cepat Script..." + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "Sunting Plug-in" @@ -3061,11 +3117,6 @@ msgstr "Status:" msgid "Edit:" msgstr "Sunting:" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "Mulai" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "Ukuran:" @@ -3282,7 +3333,6 @@ msgid "Import From Node:" msgstr "Impor dari Node:" #: editor/export_template_manager.cpp -#, fuzzy msgid "Redownload" msgstr "Unduh Ulang" @@ -3301,7 +3351,7 @@ msgstr "Unduh" #: editor/export_template_manager.cpp msgid "Official export templates aren't available for development builds." -msgstr "" +msgstr "Templat ekspor resmi tidak tersedia untuk build pengembangan." #: editor/export_template_manager.cpp msgid "(Missing)" @@ -3384,23 +3434,20 @@ msgid "Download Complete." msgstr "Unduhan Selesai." #: editor/export_template_manager.cpp -#, fuzzy msgid "Cannot remove temporary file:" -msgstr "Tidak dapat menyimpan tema ke dalam berkas:" +msgstr "Tidak dapat menghapus berkas sementara:" #: editor/export_template_manager.cpp -#, fuzzy msgid "" "Templates installation failed.\n" "The problematic templates archives can be found at '%s'." msgstr "" -"Instalasi templat gagal. Arsip templat yang bermasalah dapat ditemukan di " -"'%s'." +"Instalasi templat gagal.\n" +"Arsip templat yang bermasalah dapat ditemukan di '%s'." #: editor/export_template_manager.cpp -#, fuzzy msgid "Error requesting URL:" -msgstr "Kesalahan saat meminta url: " +msgstr "Galat saat meminta URL:" #: editor/export_template_manager.cpp msgid "Connecting to Mirror..." @@ -3449,9 +3496,8 @@ msgid "SSL Handshake Error" msgstr "Kesalahan jabat tangan SSL" #: editor/export_template_manager.cpp -#, fuzzy msgid "Uncompressing Android Build Sources" -msgstr "Membuka Aset Terkompresi" +msgstr "Mengekstrak Kode Sumber Build Android" #: editor/export_template_manager.cpp msgid "Current Version:" @@ -3588,9 +3634,8 @@ msgid "Move To..." msgstr "Pindahkan ke..." #: editor/filesystem_dock.cpp -#, fuzzy msgid "New Scene..." -msgstr "Skena Baru" +msgstr "Skena Baru…" #: editor/filesystem_dock.cpp editor/plugins/script_editor_plugin.cpp msgid "New Script..." @@ -3607,9 +3652,8 @@ msgstr "Bentangkan Semua" #: editor/filesystem_dock.cpp editor/plugins/visual_shader_editor_plugin.cpp #: editor/script_editor_debugger.cpp -#, fuzzy msgid "Collapse All" -msgstr "Ciutkan Semua" +msgstr "Lipat Semua" #: editor/filesystem_dock.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp @@ -3659,9 +3703,8 @@ msgid "Overwrite" msgstr "Timpa" #: editor/filesystem_dock.cpp -#, fuzzy msgid "Create Scene" -msgstr "Buat dari Skena" +msgstr "Buat Skena" #: editor/filesystem_dock.cpp editor/plugins/script_editor_plugin.cpp msgid "Create Script" @@ -3741,21 +3784,18 @@ msgid "Invalid group name." msgstr "Nama grup tidak valid." #: editor/groups_editor.cpp -#, fuzzy msgid "Rename Group" -msgstr "Kelola Grup" +msgstr "Ubah Nama Grup" #: editor/groups_editor.cpp -#, fuzzy msgid "Delete Group" -msgstr "Hapus Penampilan" +msgstr "Hapus Grup" #: editor/groups_editor.cpp editor/node_dock.cpp msgid "Groups" msgstr "Kelompok" #: editor/groups_editor.cpp -#, fuzzy msgid "Nodes Not in Group" msgstr "Node tidak dalam Grup" @@ -3770,12 +3810,11 @@ msgstr "Node dalam Grup" #: editor/groups_editor.cpp msgid "Empty groups will be automatically removed." -msgstr "" +msgstr "Grup yang kosong akan dihapus secara otomatis." #: editor/groups_editor.cpp -#, fuzzy msgid "Group Editor" -msgstr "Penyunting Skrip" +msgstr "Penyunting Grup" #: editor/groups_editor.cpp msgid "Manage Groups" @@ -3874,9 +3913,10 @@ msgstr " Berkas" msgid "Import As:" msgstr "Impor sebagai:" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." -msgstr "Prasetel..." +#: editor/import_dock.cpp +#, fuzzy +msgid "Preset" +msgstr "Prasetel" #: editor/import_dock.cpp msgid "Reimport" @@ -3906,9 +3946,8 @@ msgid "Expand All Properties" msgstr "Perluas Semua Properti" #: editor/inspector_dock.cpp -#, fuzzy msgid "Collapse All Properties" -msgstr "Ciutkan semua properti" +msgstr "Tutup Semua Properti" #: editor/inspector_dock.cpp editor/plugins/animation_player_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp @@ -3984,9 +4023,8 @@ msgid "MultiNode Set" msgstr "Set MultiNode" #: editor/node_dock.cpp -#, fuzzy msgid "Select a single node to edit its signals and groups." -msgstr "Pilih sebuah node untuk menyunting Sinyal dan Grup." +msgstr "Pilih sebuah node untuk menyunting sinyal dan grup." #: editor/plugin_config_dialog.cpp msgid "Edit a Plugin" @@ -4316,6 +4354,7 @@ msgid "Change Animation Name:" msgstr "Ubah Nama Animasi:" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "Hapus Animasi?" @@ -4761,18 +4800,16 @@ msgid "Request failed, return code:" msgstr "Permintaan gagal, return code:" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Request failed." -msgstr "Permintaan Gagal." +msgstr "Permintaan gagal." #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Cannot save response to:" -msgstr "Tidak dapat menyimpan tema ke dalam berkas:" +msgstr "Tidak dapat menyimpan respons ke:" #: editor/plugins/asset_library_editor_plugin.cpp msgid "Write error." -msgstr "" +msgstr "Galat saat menyimpan ke dalam berkas." #: editor/plugins/asset_library_editor_plugin.cpp msgid "Request failed, too many redirects" @@ -4781,17 +4818,15 @@ msgstr "Permintaan gagal, terlalu banyak pengalihan" #: editor/plugins/asset_library_editor_plugin.cpp #, fuzzy msgid "Redirect loop." -msgstr "Mengalihkan Loop." +msgstr "Mengalihkan berulang-ulang." #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Request failed, timeout" -msgstr "Permintaan gagal, return code:" +msgstr "Permintaan gagal, tenggat waktu habis" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Timeout." -msgstr "Waktu" +msgstr "Tenggat waktu habis." #: editor/plugins/asset_library_editor_plugin.cpp msgid "Bad download hash, assuming file has been tampered with." @@ -4870,24 +4905,18 @@ msgid "All" msgstr "Semua" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Import..." -msgstr "Impor Ulang..." +msgstr "Impor…" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Plugins..." -msgstr "Pengaya" +msgstr "Pengaya…" #: editor/plugins/asset_library_editor_plugin.cpp editor/project_manager.cpp msgid "Sort:" msgstr "Sortir:" #: editor/plugins/asset_library_editor_plugin.cpp -msgid "Reverse sorting." -msgstr "Penyortiran terbalik." - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "Kategori:" @@ -4897,9 +4926,8 @@ msgid "Site:" msgstr "Situs:" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Support" -msgstr "Dukungan..." +msgstr "Dukungan" #: editor/plugins/asset_library_editor_plugin.cpp msgid "Official" @@ -4910,9 +4938,8 @@ msgid "Testing" msgstr "Menguji" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Loading..." -msgstr "Muat..." +msgstr "Sedang memuat…" #: editor/plugins/asset_library_editor_plugin.cpp msgid "Assets ZIP File" @@ -5079,9 +5106,8 @@ msgid "Paste Pose" msgstr "Tempel Pose" #: editor/plugins/canvas_item_editor_plugin.cpp -#, fuzzy msgid "Clear Guides" -msgstr "Bersihkan Pertulangan" +msgstr "Bersihkan Panduan" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Create Custom Bone(s) from Node(s)" @@ -5168,6 +5194,11 @@ msgid "Pan Mode" msgstr "Mode Geser Pandangan" #: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy +msgid "Ruler Mode" +msgstr "Mode Menjalankan:" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "Jungkitkan Pengancingan." @@ -5817,26 +5848,23 @@ msgstr "Waktu Pembuatan (detik):" #: editor/plugins/particles_editor_plugin.cpp msgid "The geometry's faces don't contain any area." -msgstr "" +msgstr "Bidang geometri tidak mengandung area apapun." #: editor/plugins/particles_editor_plugin.cpp -#, fuzzy msgid "The geometry doesn't contain any faces." -msgstr "Node tidak mengandung geometri (bidang)." +msgstr "Geometri tidak mengandung bidang apapun." #: editor/plugins/particles_editor_plugin.cpp msgid "\"%s\" doesn't inherit from Spatial." -msgstr "" +msgstr "\"%s\" tidak mewarisi Spasial." #: editor/plugins/particles_editor_plugin.cpp -#, fuzzy msgid "\"%s\" doesn't contain geometry." -msgstr "Node tidak mengandung geometri." +msgstr "\"%s\" tidak mengandung geometri." #: editor/plugins/particles_editor_plugin.cpp -#, fuzzy msgid "\"%s\" doesn't contain face geometry." -msgstr "Node tidak mengandung geometri." +msgstr "\"%s\" tidak mengandung geometri bidang." #: editor/plugins/particles_editor_plugin.cpp msgid "Create Emitter" @@ -6235,7 +6263,7 @@ msgstr "Instansi:" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "Jenis:" @@ -6273,9 +6301,8 @@ msgid "Error writing TextFile:" msgstr "Galat saat menulis TextFile:" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "Could not load file at:" -msgstr "Galat tidak dapat memuat berkas." +msgstr "Tidak dapat memuat berkas di:" #: editor/plugins/script_editor_plugin.cpp msgid "Error saving file!" @@ -6298,7 +6325,6 @@ msgid "Error Importing" msgstr "Galat saat mengimpor" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "New Text File..." msgstr "Berkas Teks Baru..." @@ -6380,9 +6406,8 @@ msgid "Open..." msgstr "Buka..." #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "Reopen Closed Script" -msgstr "Buka Cepat Script..." +msgstr "Buka kembali Skrip yang Ditutup" #: editor/plugins/script_editor_plugin.cpp msgid "Save All" @@ -6438,14 +6463,14 @@ msgid "Toggle Scripts Panel" msgstr "Jungkitkan Panel Skrip" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" -msgstr "Langkahi" - -#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Step Into" msgstr "Masuki" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp +msgid "Step Over" +msgstr "Langkahi" + +#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Break" msgstr "Putuskan" @@ -6517,15 +6542,14 @@ msgid "Search Results" msgstr "Hasil Pencarian" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "Clear Recent Scripts" -msgstr "Bersihkan Scenes baru-baru ini" +msgstr "Bersihkan Skrip baru-baru ini" #: editor/plugins/script_text_editor.cpp msgid "Connections to method:" msgstr "Hubungan dengan fungsi:" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp msgid "Source" msgstr "Sumber" @@ -6644,9 +6668,8 @@ msgid "Complete Symbol" msgstr "Simbol Lengkap" #: editor/plugins/script_text_editor.cpp -#, fuzzy msgid "Evaluate Selection" -msgstr "Seleksi Skala" +msgstr "Evaluasi Seleksi" #: editor/plugins/script_text_editor.cpp msgid "Trim Trailing Whitespace" @@ -6955,9 +6978,8 @@ msgid "Audio Listener" msgstr "Listener Audio" #: editor/plugins/spatial_editor_plugin.cpp -#, fuzzy msgid "Enable Doppler" -msgstr "Aktifkan penyaringan" +msgstr "Aktifkan Efek Doppler" #: editor/plugins/spatial_editor_plugin.cpp msgid "Cinematic Preview" @@ -7014,6 +7036,7 @@ msgstr "Kancingkan Node ke Lantai" #: editor/plugins/spatial_editor_plugin.cpp msgid "Couldn't find a solid floor to snap the selection to." msgstr "" +"Tidak dapat menemukan floor yang solid untuk mengancingkan seleksi ke sana." #: editor/plugins/spatial_editor_plugin.cpp msgid "" @@ -7026,9 +7049,8 @@ msgstr "" "Alt+Klik Kanan: Daftar seleksi mendalam" #: editor/plugins/spatial_editor_plugin.cpp -#, fuzzy msgid "Use Local Space" -msgstr "Mode Ruang Lokal (%s)" +msgstr "Gunakan Ruang Lokal" #: editor/plugins/spatial_editor_plugin.cpp msgid "Bottom View" @@ -7125,9 +7147,8 @@ msgstr "Tampilkan Kisi" #: editor/plugins/spatial_editor_plugin.cpp #: modules/gridmap/grid_map_editor_plugin.cpp -#, fuzzy msgid "Settings..." -msgstr "Pengaturan" +msgstr "Pengaturan…" #: editor/plugins/spatial_editor_plugin.cpp msgid "Snap Settings" @@ -7306,6 +7327,11 @@ msgid "(empty)" msgstr "(kosong)" #: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy +msgid "Move Frame" +msgstr "Rekat Frame" + +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Animations:" msgstr "Animasi:" @@ -7503,14 +7529,12 @@ msgid "Submenu" msgstr "Submenu" #: editor/plugins/theme_editor_plugin.cpp -#, fuzzy msgid "Subitem 1" -msgstr "Item 1" +msgstr "Sub menu 1" #: editor/plugins/theme_editor_plugin.cpp -#, fuzzy msgid "Subitem 2" -msgstr "Item 2" +msgstr "Sub menu 2" #: editor/plugins/theme_editor_plugin.cpp msgid "Has" @@ -7622,17 +7646,25 @@ msgid "Enable Priority" msgstr "Aktifkan Prioritas" #: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy +msgid "Filter tiles" +msgstr "Saring berkas..." + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "Cat Tile" #: editor/plugins/tile_map_editor_plugin.cpp -#, fuzzy msgid "" "Shift+LMB: Line Draw\n" "Shift+Ctrl+LMB: Rectangle Paint" msgstr "" -"Shift + Klik Kanan: Menggambar Garis\n" -"Shift + Ctrl + Klik Kanan: Cat Persegi Panjang" +"Shift + Klik Kiri: Menggambar Garis\n" +"Shift + Ctrl + Klik Kiri: Cat Persegi Panjang" #: editor/plugins/tile_map_editor_plugin.cpp msgid "Pick Tile" @@ -7757,6 +7789,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "Tampilkan Nama Tile (Tahan Tombol Alt)" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp msgid "Remove selected texture? This will remove all tiles which use it." msgstr "" "Hapus tekstur yang dipilih? Ini akan menghapus semua tile yang " @@ -7928,6 +7965,111 @@ msgstr "Properti ini tidak dapat diubah." msgid "TileSet" msgstr "TileSet" +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No VCS addons are available." +msgstr "Nama node induk, jika tersedia" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "Galat" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No commit message was provided" +msgstr "Nama masih kosong" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit" +msgstr "Komunitas" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Initialize" +msgstr "Kapitalisasi" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "Buat persegi panjang baru." + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "Ubah" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "Ubah Nama" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "Hapus" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Typechange" +msgstr "Ubah" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "Hapus yang Dipilih" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage All" +msgstr "Simpan Semua" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit Changes" +msgstr "Sinkronkan Perubahan Script" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "(Hanya GLES3)" @@ -8010,9 +8152,8 @@ msgstr "Duplikat Node" #: editor/plugins/visual_shader_editor_plugin.cpp #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Paste Nodes" -msgstr "Path ke Node:" +msgstr "Rekatkan Node" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Delete Nodes" @@ -8035,9 +8176,8 @@ msgid "Light" msgstr "Cahaya" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Show resulted shader code." -msgstr "Buat Node Shader" +msgstr "Tampilkan kode shader yang dihasilkan." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Create Shader Node" @@ -8171,6 +8311,14 @@ msgstr "" "salah." #: editor/plugins/visual_shader_editor_plugin.cpp +#, fuzzy +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" +"Mengembalikan vektor terkait jika nilai boolean yang diberikan benar atau " +"salah." + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "Mengembalikan hasil boolean dari perbandingan antara dua parameter." @@ -8410,7 +8558,6 @@ msgid "Returns the square root of the parameter." msgstr "Mengembalikan nilai akar kuadrat dari parameter." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "SmoothStep function( scalar(edge0), scalar(edge1), scalar(x) ).\n" "\n" @@ -8418,22 +8565,21 @@ msgid "" "'edge1'. Otherwise the return value is interpolated between 0.0 and 1.0 " "using Hermite polynomials." msgstr "" -"Fungsi SmoothStep( skalar(tepi0), skalar(tepi1), skalar(x) ).\n" +"Fungsi SmoothStep( skalar(batas0), skalar(batas1), skalar(x) ).\n" "\n" -"Mengembalikan 0.0 jika 'x' lebih kecil dari 'tepi0' dan 1.0 jika x lebih " -"besar dari 'tepi1'. Jika tidak, nilai balik diinterpolasi antara 0.0 dan 1.0 " -"menggunakan polinomial Hermite." +"Mengembalikan 0.0 jika 'x' lebih kecil dari 'batas0' dan 1.0 jika x lebih " +"besar dari 'batas1'. Jika tidak, nilai kembalian diinterpolasi antara 0.0 " +"dan 1.0 menggunakan polinomial Hermite." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "Step function( scalar(edge), scalar(x) ).\n" "\n" "Returns 0.0 if 'x' is smaller than 'edge' and otherwise 1.0." msgstr "" -"Fungsi Step( skalar(tepi), skalar(x) ).\n" +"Fungsi Step( skalar(batas), skalar(x) ).\n" "\n" -"Mengembalikan nilai 0.0 jika 'x' lebih kecil dari 'tepi' dan sebaliknya 1.0." +"Mengembalikan nilai 0.0 jika 'x' lebih kecil dari 'batas' dan sebaliknya 1.0." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the tangent of the parameter." @@ -8603,9 +8749,8 @@ msgid "Linear interpolation between two vectors." msgstr "Interpolasi linier antara dua vektor." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Linear interpolation between two vectors using scalar." -msgstr "Interpolasi linier antara dua vektor." +msgstr "Interpolasi linier antara dua vektor menggunakan skalar." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Calculates the normalize product of vector." @@ -8632,7 +8777,6 @@ msgid "Returns the vector that points in the direction of refraction." msgstr "Mengembalikan vektor yang menunjuk ke arah refraksi." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "SmoothStep function( vector(edge0), vector(edge1), vector(x) ).\n" "\n" @@ -8640,14 +8784,13 @@ msgid "" "'edge1'. Otherwise the return value is interpolated between 0.0 and 1.0 " "using Hermite polynomials." msgstr "" -"Fungsi SmoothStep( vektor(tepi0), vektor(tepi1), vektor (x)).\n" +"Fungsi SmoothStep( vektor(batas0), vektor(batas1), vektor (x)).\n" "\n" -"Mengembalikan nilai 0.0 jika 'x' lebih kecil dari 'tepi0' dan 1.0 jika 'x' " -"lebih besar dari 'tepi1'. Jika tidak, nilai balik diinterpolasi antara 0.0 " +"Mengembalikan nilai 0.0 jika 'x' lebih kecil dari 'batas0' dan 1.0 jika 'x' " +"lebih besar dari 'batas1'. Jika tidak, nilai balik diinterpolasi antara 0.0 " "dan 1.0 menggunakan polinomial Hermite." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "SmoothStep function( scalar(edge0), scalar(edge1), vector(x) ).\n" "\n" @@ -8655,33 +8798,31 @@ msgid "" "'edge1'. Otherwise the return value is interpolated between 0.0 and 1.0 " "using Hermite polynomials." msgstr "" -"Fungsi SmoothStep( skalar(tepi0), skalar(tepi1), skalar(x) ).\n" +"Fungsi SmoothStep( skalar(batas0), skalar(batas1), skalar(x) ).\n" "\n" -"Mengembalikan 0.0 jika 'x' lebih kecil dari 'tepi0' dan 1.0 jika x lebih " -"besar dari 'tepi1'. Jika tidak, nilai balik diinterpolasi antara 0.0 dan 1.0 " -"menggunakan polinomial Hermite." +"Mengembalikan 0.0 jika 'x' lebih kecil dari 'batas0' dan 1.0 jika x lebih " +"besar dari 'batas1'. Jika tidak, nilai kembalian diinterpolasi antara 0.0 " +"dan 1.0 menggunakan polinomial Hermite." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "Step function( vector(edge), vector(x) ).\n" "\n" "Returns 0.0 if 'x' is smaller than 'edge' and otherwise 1.0." msgstr "" -"Fungsi Step( vektor(tepi), vektor(x)).\n" +"Fungsi Step( vektor(batas), vektor(x)).\n" "\n" -"Mengembalikan nilai 0.0 jika 'x' lebih kecil dari 'tepi' dan sebaliknya 1.0." +"Mengembalikan nilai 0.0 jika 'x' lebih kecil dari 'batas' dan sebaliknya 1.0." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "Step function( scalar(edge), vector(x) ).\n" "\n" "Returns 0.0 if 'x' is smaller than 'edge' and otherwise 1.0." msgstr "" -"Fungsi Step( skalar(tepi), vektor(x)).\n" +"Fungsi Step( skalar(batas), vektor(x)).\n" "\n" -"Mengembalikan nilai 0.0 jika 'x' lebih kecil dari 'tepi' dan sebaliknya 1.0." +"Mengembalikan nilai 0.0 jika 'x' lebih kecil dari 'batas' dan sebaliknya 1.0." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Adds vector to vector." @@ -8735,6 +8876,10 @@ msgid "" "shader. You can place various function definitions inside and call it later " "in the Expressions. You can also declare varyings, uniforms and constants." msgstr "" +"Ekspresi Bahasa Kustom Godot Shader, yang ditempatkan di atas shader yang " +"dihasilkan. Anda dapat menempatkan berbagai definisi fungsi di dalamnya dan " +"memanggilnya nanti melalui Ekspresi. Anda juga dapat mendeklarasikan " +"variasi, seragam, dan konstanta." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(Fragment/Light mode only) Scalar derivative function." @@ -9125,13 +9270,12 @@ msgid "Unnamed Project" msgstr "Proyek Tanpa Nama" #: editor/project_manager.cpp -#, fuzzy msgid "Missing Project" -msgstr "Impor Projek yang Sudah Ada" +msgstr "Proyek hilang" #: editor/project_manager.cpp msgid "Error: Project is missing on the filesystem." -msgstr "" +msgstr "Galat: Proyek ini tidak ditemukan dalam berkas sistem." #: editor/project_manager.cpp msgid "Can't open project at '%s'." @@ -9230,13 +9374,12 @@ msgstr "" "Konten di folder proyek tidak akan dimodifikasi." #: editor/project_manager.cpp -#, fuzzy msgid "" "Remove all missing projects from the list?\n" "The project folders' contents won't be modified." msgstr "" -"Hapus %d proyek dalam daftar?\n" -"Konten di folder proyek tidak akan dimodifikasi." +"Hapus semua proyek yang hilang dari daftar?\n" +"Konten folder proyek tidak akan diubah." #: editor/project_manager.cpp msgid "" @@ -9260,7 +9403,6 @@ msgid "Project Manager" msgstr "Manajer Proyek" #: editor/project_manager.cpp -#, fuzzy msgid "Projects" msgstr "Proyek" @@ -9310,7 +9452,7 @@ msgstr "Tombol Joystick" #: editor/project_settings_editor.cpp msgid "Joy Axis" -msgstr "" +msgstr "Sumbu Joystick" #: editor/project_settings_editor.cpp msgid "Mouse Button" @@ -9406,7 +9548,7 @@ msgstr "Tombol X 2" #: editor/project_settings_editor.cpp msgid "Joypad Axis Index:" -msgstr "" +msgstr "Indeks Sumbu Joypad:" #: editor/project_settings_editor.cpp msgid "Axis" @@ -9414,20 +9556,19 @@ msgstr "Axis" #: editor/project_settings_editor.cpp msgid "Joypad Button Index:" -msgstr "" +msgstr "Indeks Tombol Joypad:" #: editor/project_settings_editor.cpp -#, fuzzy msgid "Erase Input Action" -msgstr "Beri Skala Seleksi" +msgstr "Hapus Aksi Input" #: editor/project_settings_editor.cpp msgid "Erase Input Action Event" -msgstr "" +msgstr "Hapus Event Aksi Input" #: editor/project_settings_editor.cpp msgid "Add Event" -msgstr "" +msgstr "Tambah Event" #: editor/project_settings_editor.cpp msgid "Button" @@ -9446,99 +9587,101 @@ msgid "Middle Button." msgstr "Tombol Tengah." #: editor/project_settings_editor.cpp -#, fuzzy msgid "Wheel Up." -msgstr "Scroll keatas." +msgstr "Scroll ke atas." #: editor/project_settings_editor.cpp -#, fuzzy msgid "Wheel Down." -msgstr "Scroll kebawah." +msgstr "Scroll ke bawah." #: editor/project_settings_editor.cpp -#, fuzzy msgid "Add Global Property" -msgstr "Tambahkan Properti Getter" +msgstr "Tambah Properti Global" #: editor/project_settings_editor.cpp msgid "Select a setting item first!" -msgstr "" +msgstr "Pilih item pengaturan terlebih dahulu!" #: editor/project_settings_editor.cpp msgid "No property '%s' exists." -msgstr "" +msgstr "Tidak ada properti '%s'." #: editor/project_settings_editor.cpp msgid "Setting '%s' is internal, and it can't be deleted." -msgstr "" +msgstr "Pengaturan '%s' bersifat internal dan tidak bisa dihapus." #: editor/project_settings_editor.cpp -#, fuzzy msgid "Delete Item" -msgstr "Hapus" +msgstr "Hapus Item" #: editor/project_settings_editor.cpp msgid "" "Invalid action name. It cannot be empty nor contain '/', ':', '=', '\\' or " "'\"'." msgstr "" +"Nama aksi tidak valid. Tidak boleh kosong atau mengandung '/', ':', '=', " +"'\\' atau '\"'." #: editor/project_settings_editor.cpp msgid "Add Input Action" -msgstr "" +msgstr "Tampah Aksi Input" #: editor/project_settings_editor.cpp msgid "Error saving settings." -msgstr "" +msgstr "Galat saat menyimpan pengaturan." #: editor/project_settings_editor.cpp msgid "Settings saved OK." -msgstr "" +msgstr "OK, Pengaturan telah disimpan." + +#: editor/project_settings_editor.cpp +#, fuzzy +msgid "Moved Input Action Event" +msgstr "Tambah Input Action Event" #: editor/project_settings_editor.cpp msgid "Override for Feature" -msgstr "" +msgstr "Timpa untuk Fitur" #: editor/project_settings_editor.cpp msgid "Add Translation" -msgstr "" +msgstr "Tambah Terjemahan" #: editor/project_settings_editor.cpp msgid "Remove Translation" -msgstr "" +msgstr "Hapus Terjemahan" #: editor/project_settings_editor.cpp msgid "Add Remapped Path" -msgstr "" +msgstr "Tambah Lokasi yang Dipetakan Ulang" #: editor/project_settings_editor.cpp msgid "Resource Remap Add Remap" -msgstr "" +msgstr "Sumber Daya Remap Tambah Remap" #: editor/project_settings_editor.cpp msgid "Change Resource Remap Language" -msgstr "" +msgstr "Ubah Sumber Daya Pemetaan Ulang Bahasa" #: editor/project_settings_editor.cpp msgid "Remove Resource Remap" -msgstr "" +msgstr "Hapus Remap Sumber Daya" #: editor/project_settings_editor.cpp msgid "Remove Resource Remap Option" -msgstr "" +msgstr "Hapus Opsi Remap Sumber Daya" #: editor/project_settings_editor.cpp -#, fuzzy msgid "Changed Locale Filter" -msgstr "Ganti Ukuran Kamera" +msgstr "Penyaringan Lokalisasi Diubah" #: editor/project_settings_editor.cpp msgid "Changed Locale Filter Mode" -msgstr "" +msgstr "Mode Penyaringan Lokalisasi Diubah" #: editor/project_settings_editor.cpp msgid "Project Settings (project.godot)" -msgstr "" +msgstr "Pengaturan Proyek (project.godot)" #: editor/project_settings_editor.cpp editor/settings_config_dialog.cpp msgid "General" @@ -9546,24 +9689,23 @@ msgstr "Umum" #: editor/project_settings_editor.cpp msgid "Override For..." -msgstr "" +msgstr "Timpa untuk..." #: editor/project_settings_editor.cpp editor/settings_config_dialog.cpp msgid "The editor must be restarted for changes to take effect." -msgstr "" +msgstr "Penyunting harus dimulai ulang untuk menerapkan perubahan." #: editor/project_settings_editor.cpp msgid "Input Map" -msgstr "" +msgstr "Pemetaan Input" #: editor/project_settings_editor.cpp msgid "Action:" -msgstr "" +msgstr "Aksi:" #: editor/project_settings_editor.cpp -#, fuzzy msgid "Action" -msgstr "Tambahkan Fungsi" +msgstr "Aksi" #: editor/project_settings_editor.cpp msgid "Deadzone" @@ -9571,82 +9713,83 @@ msgstr "" #: editor/project_settings_editor.cpp msgid "Device:" -msgstr "" +msgstr "Perangkat:" #: editor/project_settings_editor.cpp msgid "Index:" -msgstr "" +msgstr "Indeks:" #: editor/project_settings_editor.cpp msgid "Localization" -msgstr "" +msgstr "Lokalisasi" #: editor/project_settings_editor.cpp msgid "Translations" -msgstr "" +msgstr "Terjemahan" #: editor/project_settings_editor.cpp msgid "Translations:" -msgstr "" +msgstr "Terjemahan:" #: editor/project_settings_editor.cpp msgid "Remaps" -msgstr "" +msgstr "Pemetaan Ulang" #: editor/project_settings_editor.cpp msgid "Resources:" -msgstr "" +msgstr "Sumber daya:" #: editor/project_settings_editor.cpp msgid "Remaps by Locale:" -msgstr "" +msgstr "Pemetaan ulang berdasar Pelokalan:" #: editor/project_settings_editor.cpp msgid "Locale" -msgstr "" +msgstr "Pelokalan" #: editor/project_settings_editor.cpp msgid "Locales Filter" -msgstr "" +msgstr "Penyaring Pelokalan" #: editor/project_settings_editor.cpp -#, fuzzy msgid "Show All Locales" -msgstr "Tampilkan Tulang-tulang" +msgstr "Tampilkan Semua Pelokalan" #: editor/project_settings_editor.cpp -#, fuzzy msgid "Show Selected Locales Only" -msgstr "Hanya yang Dipilih" +msgstr "Tampilkan Hanya Pelokalan yang Dipilih" #: editor/project_settings_editor.cpp -#, fuzzy msgid "Filter mode:" -msgstr "Filter:" +msgstr "Mode penyaringan:" #: editor/project_settings_editor.cpp msgid "Locales:" -msgstr "" +msgstr "Pelokalan:" #: editor/project_settings_editor.cpp msgid "AutoLoad" -msgstr "" +msgstr "Muat Otomatis" #: editor/project_settings_editor.cpp msgid "Plugins" msgstr "Pengaya" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "Prasetel..." + +#: editor/property_editor.cpp msgid "Zero" -msgstr "" +msgstr "Nol" #: editor/property_editor.cpp msgid "Easing In-Out" -msgstr "" +msgstr "Easing In-Out" #: editor/property_editor.cpp msgid "Easing Out-In" -msgstr "" +msgstr "Easing Out-In" #: editor/property_editor.cpp msgid "File..." @@ -9654,228 +9797,220 @@ msgstr "Berkas..." #: editor/property_editor.cpp msgid "Dir..." -msgstr "" +msgstr "Direktori..." #: editor/property_editor.cpp msgid "Assign" -msgstr "" +msgstr "Tetapkan" #: editor/property_editor.cpp -#, fuzzy msgid "Select Node" -msgstr "Metode Publik:" +msgstr "Pilih Node" #: editor/property_editor.cpp -#, fuzzy msgid "Error loading file: Not a resource!" -msgstr "Gagal saat memuat berkas: Bukan berkas resource!" +msgstr "Galat saat memuat berkas: Bukan sumber daya!" #: editor/property_editor.cpp -#, fuzzy msgid "Pick a Node" -msgstr "Path ke Node:" +msgstr "Pilih Node" #: editor/property_editor.cpp msgid "Bit %d, val %d." -msgstr "" +msgstr "Bit %d, nilai %d." #: editor/property_selector.cpp -#, fuzzy msgid "Select Property" -msgstr "Tambahkan Properti Setter" +msgstr "Pilih Properti" #: editor/property_selector.cpp -#, fuzzy msgid "Select Virtual Method" -msgstr "Metode Publik:" +msgstr "Pilih Method/Fungsi Virtual" #: editor/property_selector.cpp -#, fuzzy msgid "Select Method" -msgstr "Metode Publik:" +msgstr "Pilih Method/Fungsi" #: editor/rename_dialog.cpp editor/scene_tree_dock.cpp -#, fuzzy msgid "Batch Rename" -msgstr "Ubah Nama" +msgstr "Ubah Nama Massal" #: editor/rename_dialog.cpp msgid "Prefix" -msgstr "" +msgstr "Awalan" #: editor/rename_dialog.cpp msgid "Suffix" -msgstr "" +msgstr "Akhiran" #: editor/rename_dialog.cpp -#, fuzzy msgid "Advanced Options" -msgstr "Opsi-opsi Snap" +msgstr "Opsi Lanjutan" #: editor/rename_dialog.cpp msgid "Substitute" -msgstr "" +msgstr "Pengganti" #: editor/rename_dialog.cpp -#, fuzzy msgid "Node name" -msgstr "Nama Node:" +msgstr "Nama node" #: editor/rename_dialog.cpp msgid "Node's parent name, if available" -msgstr "" +msgstr "Nama node induk, jika tersedia" #: editor/rename_dialog.cpp -#, fuzzy msgid "Node type" -msgstr "Cari Tipe Node" +msgstr "Jenis node" #: editor/rename_dialog.cpp msgid "Current scene name" msgstr "Nama skena saat ini" #: editor/rename_dialog.cpp -#, fuzzy msgid "Root node name" -msgstr "Nama Node:" +msgstr "Nama node akar" #: editor/rename_dialog.cpp msgid "" "Sequential integer counter.\n" "Compare counter options." msgstr "" +"Penghitung integer berurutan.\n" +"Bandingkan opsi penghitung." #: editor/rename_dialog.cpp msgid "Per Level counter" -msgstr "" +msgstr "Penghitung per Level" #: editor/rename_dialog.cpp msgid "If set the counter restarts for each group of child nodes" -msgstr "" +msgstr "Jika diatur, penghitung akan dimulai ulang untuk setiap grup node anak" #: editor/rename_dialog.cpp msgid "Initial value for the counter" -msgstr "" +msgstr "Nilai awal untuk penghitung" #: editor/rename_dialog.cpp -#, fuzzy msgid "Step" -msgstr "Langkah:" +msgstr "Langkah" #: editor/rename_dialog.cpp msgid "Amount by which counter is incremented for each node" -msgstr "" +msgstr "Jumlah penghitung bertambah untuk setiap node" #: editor/rename_dialog.cpp msgid "Padding" -msgstr "" +msgstr "Padding" #: editor/rename_dialog.cpp msgid "" "Minimum number of digits for the counter.\n" "Missing digits are padded with leading zeros." msgstr "" +"Jumlah digit minimum untuk penghitung.\n" +"Digit yang hilang diisi dengan angka nol di depan." #: editor/rename_dialog.cpp -#, fuzzy msgid "Regular Expressions" -msgstr "Ubah Pernyataan" +msgstr "Ekspresi Reguler" #: editor/rename_dialog.cpp msgid "Post-Process" -msgstr "" +msgstr "Pasca Proses" #: editor/rename_dialog.cpp msgid "Keep" -msgstr "" +msgstr "Pertahankan" #: editor/rename_dialog.cpp msgid "CamelCase to under_scored" -msgstr "" +msgstr "CamelCase ke under_score" #: editor/rename_dialog.cpp msgid "under_scored to CamelCase" -msgstr "" +msgstr "under_score ke CamelCase" #: editor/rename_dialog.cpp msgid "Case" -msgstr "" +msgstr "Kapitalisasi" #: editor/rename_dialog.cpp -#, fuzzy msgid "To Lowercase" -msgstr "Sambungkan Ke Node:" +msgstr "Jadikan Huruf Kecil" #: editor/rename_dialog.cpp msgid "To Uppercase" -msgstr "" +msgstr "Jadikan Huruf Kapital" #: editor/rename_dialog.cpp -#, fuzzy msgid "Reset" -msgstr "Kebalikan Semula Pandangan" - -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "" +msgstr "Reset" #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" -msgstr "" +msgstr "Pengindukan Ulang Node" #: editor/reparent_dialog.cpp msgid "Reparent Location (Select new Parent):" -msgstr "" +msgstr "Pengindukan Ulang Lokasi (Pilih Induk Baru):" #: editor/reparent_dialog.cpp msgid "Keep Global Transform" -msgstr "" +msgstr "Pertahankan Transformasi Global" #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp +#, fuzzy msgid "Reparent" -msgstr "" +msgstr "Pengindukan Ulang" #: editor/run_settings_dialog.cpp msgid "Run Mode:" -msgstr "" +msgstr "Mode Menjalankan:" #: editor/run_settings_dialog.cpp msgid "Current Scene" -msgstr "" +msgstr "Skena Saat Ini" #: editor/run_settings_dialog.cpp msgid "Main Scene" -msgstr "" +msgstr "Skena Utama" #: editor/run_settings_dialog.cpp msgid "Main Scene Arguments:" -msgstr "" +msgstr "Argumen Skena Utama:" #: editor/run_settings_dialog.cpp msgid "Scene Run Settings" -msgstr "" +msgstr "Pengaturan Skena yang Dijalankan" #: editor/scene_tree_dock.cpp msgid "No parent to instance the scenes at." -msgstr "" +msgstr "Tidak ada parent untuk menginstansi skena disana." #: editor/scene_tree_dock.cpp msgid "Error loading scene from %s" -msgstr "" +msgstr "Galat saat memuat skena dari %s" #: editor/scene_tree_dock.cpp msgid "" "Cannot instance the scene '%s' because the current scene exists within one " "of its nodes." msgstr "" +"Tidak dapat menginstansi skena '%s' karena skena saat ini ada dalam salah " +"satu node-nya." #: editor/scene_tree_dock.cpp msgid "Instance Scene(s)" +msgstr "Instansi Skena" + +#: editor/scene_tree_dock.cpp +msgid "Replace with Branch Scene" msgstr "" #: editor/scene_tree_dock.cpp msgid "Instance Child Scene" -msgstr "" +msgstr "Instansi Skena Anak" #: editor/scene_tree_dock.cpp msgid "Clear Script" @@ -9883,51 +10018,67 @@ msgstr "Bersihkan Skrip" #: editor/scene_tree_dock.cpp msgid "This operation can't be done on the tree root." -msgstr "" +msgstr "Operasi ini tidak dapat dilakukan pada root." #: editor/scene_tree_dock.cpp msgid "Move Node In Parent" -msgstr "" +msgstr "Pindah Node dalam Parent" #: editor/scene_tree_dock.cpp msgid "Move Nodes In Parent" -msgstr "" +msgstr "Pindah Beberapa Node dalam Parent" #: editor/scene_tree_dock.cpp msgid "Duplicate Node(s)" -msgstr "" +msgstr "Duplikat Node" #: editor/scene_tree_dock.cpp msgid "Can't reparent nodes in inherited scenes, order of nodes can't change." msgstr "" +"Tidak dapat mengindukkan ulang node dalam skena turunan, urutan node tidak " +"dapat diubah." #: editor/scene_tree_dock.cpp msgid "Node must belong to the edited scene to become root." -msgstr "" +msgstr "Node harus menjadi bagian skena yang disunting untuk bisa jadi root." #: editor/scene_tree_dock.cpp msgid "Instantiated scenes can't become root" -msgstr "" +msgstr "Skena yang diinstansi tidak dapat dijadikan root" #: editor/scene_tree_dock.cpp msgid "Make node as Root" msgstr "Jadikan node sebagai Dasar" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "Hapus Node" + +#: editor/scene_tree_dock.cpp +msgid "Delete the root node \"%s\"?" msgstr "" #: editor/scene_tree_dock.cpp -msgid "Can not perform with the root node." +msgid "Delete node \"%s\" and its children?" msgstr "" #: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "Hapus Node" + +#: editor/scene_tree_dock.cpp +msgid "Can not perform with the root node." +msgstr "Tidak dapat melakukan dengan node root." + +#: editor/scene_tree_dock.cpp msgid "This operation can't be done on instanced scenes." -msgstr "" +msgstr "Operasi ini tidak dapat dilakukan pada skena yang diinstansi." #: editor/scene_tree_dock.cpp msgid "Save New Scene As..." -msgstr "" +msgstr "Simpan Skena Baru sebagai..." #: editor/scene_tree_dock.cpp msgid "" @@ -10332,11 +10483,42 @@ msgid "Bytes:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" -msgstr "" +#, fuzzy +msgid "Warning:" +msgstr "Peringatan:" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." +#, fuzzy +msgid "Error:" +msgstr "Galat" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error" +msgstr "Muat Galat" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error:" +msgstr "Muat Galat" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source" +msgstr "Sumber" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" +msgstr "Sumber" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source:" +msgstr "Sumber" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" msgstr "" #: editor/script_editor_debugger.cpp @@ -10344,8 +10526,9 @@ msgid "Errors" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" -msgstr "" +#, fuzzy +msgid "Child process connected." +msgstr "Node Terputus" #: editor/script_editor_debugger.cpp #, fuzzy @@ -10353,6 +10536,11 @@ msgid "Copy Error" msgstr "Muat Galat" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "Breakpoint" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "" @@ -10369,6 +10557,11 @@ msgid "Profiler" msgstr "" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Network Profiler" +msgstr "Ekspor Profil" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "" @@ -10381,6 +10574,10 @@ msgid "Monitors" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "" @@ -10592,10 +10789,6 @@ msgid "Library" msgstr "Ekspor Pustaka" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "" @@ -10604,6 +10797,10 @@ msgid "GDNative" msgstr "" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp #, fuzzy msgid "Step argument is zero!" msgstr "Argumen langkah adalah nol!" @@ -10765,6 +10962,15 @@ msgstr "" msgid "Pick Distance:" msgstr "" +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "Penyaring fungsi" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -10916,6 +11122,10 @@ msgid "Create a new variable." msgstr "Buat persegi panjang baru." #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "Sinyal-sinyal:" + +#: modules/visual_script/visual_script_editor.cpp #, fuzzy msgid "Create a new signal." msgstr "Buat poligon baru." @@ -11087,6 +11297,10 @@ msgid "Editing Signal:" msgstr "Mengedit Sinyal:" #: modules/visual_script/visual_script_editor.cpp +msgid "Make Tool:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "Tipe Dasar:" @@ -11241,9 +11455,11 @@ msgid "Invalid Android SDK path for custom build in Editor Settings." msgstr "" #: platform/android/export/export.cpp +#, fuzzy msgid "" -"Android project is not installed for compiling. Install from Editor menu." -msgstr "" +"Android build template not installed in the project. Install it from the " +"Project menu." +msgstr "Templat build Android tidak ada, harap pasang templat yang relevan." #: platform/android/export/export.cpp msgid "Invalid public key for APK expansion." @@ -12007,6 +12223,44 @@ msgstr "Variasi hanya bisa ditetapkan dalam fungsi vertex." msgid "Constants cannot be modified." msgstr "Konstanta tidak dapat dimodifikasi." +#~ msgid "Properties:" +#~ msgstr "Properti:" + +#~ msgid "Methods:" +#~ msgstr "Metode-metode:" + +#~ msgid "Theme Properties:" +#~ msgstr "Properti-properti Tema:" + +#~ msgid "Enumerations:" +#~ msgstr "Enumerasi:" + +#~ msgid "Constants:" +#~ msgstr "Konstanta:" + +#~ msgid "Class Description:" +#~ msgstr "Deskripsi Kelas:" + +#~ msgid "Property Descriptions:" +#~ msgstr "Deskripsi Properti:" + +#~ msgid "Method Descriptions:" +#~ msgstr "Deskripsi Metode:" + +#~ msgid "" +#~ "This will install the Android project for custom builds.\n" +#~ "Note that, in order to use it, it needs to be enabled per export preset." +#~ msgstr "" +#~ "Ini akan memasang proyek Android untuk build kustom.\n" +#~ "Sebagai catatan, untuk menggunakannya, harus diaktifkan per preset " +#~ "ekspor." + +#~ msgid "Reverse sorting." +#~ msgstr "Penyortiran terbalik." + +#~ msgid "Delete Node(s)?" +#~ msgstr "Hapus Node ?" + #~ msgid "No Matches" #~ msgstr "Tidak ada yang cocok" @@ -12205,9 +12459,6 @@ msgstr "Konstanta tidak dapat dimodifikasi." #~ msgid "Instance the selected scene(s) as child of the selected node." #~ msgstr "Instance scene terpilih sebagai anak node saat ini." -#~ msgid "Warnings:" -#~ msgstr "Peringatan:" - #, fuzzy #~ msgid "Font Size:" #~ msgstr "Tampilan Depan." @@ -12248,9 +12499,6 @@ msgstr "Konstanta tidak dapat dimodifikasi." #~ msgid "Select a split to erase it." #~ msgstr "Pilih Berkas untuk Dipindai" -#~ msgid "No name provided" -#~ msgstr "Nama masih kosong" - #, fuzzy #~ msgid "Add Node.." #~ msgstr "Tambahkan Node" diff --git a/editor/translations/is.po b/editor/translations/is.po index 7a5faac0b8..36fbcdd3e3 100644 --- a/editor/translations/is.po +++ b/editor/translations/is.po @@ -58,6 +58,34 @@ msgstr "" msgid "On call to '%s':" msgstr "" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +msgid "MiB" +msgstr "" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "" @@ -483,6 +511,10 @@ msgid "Select None" msgstr "Afrita val" #: editor/animation_track_editor.cpp +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "" @@ -805,7 +837,8 @@ msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -907,7 +940,8 @@ msgstr "" msgid "Matches:" msgstr "" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1208,7 +1242,7 @@ msgid "Delete Bus Effect" msgstr "" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +msgid "Drag & drop to rearrange." msgstr "" #: editor/editor_audio_buses.cpp @@ -1399,6 +1433,7 @@ msgid "Add AutoLoad" msgstr "" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "" @@ -1620,6 +1655,7 @@ msgstr "" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "" @@ -1691,6 +1727,7 @@ msgid "New Folder..." msgstr "" #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "" @@ -1846,7 +1883,7 @@ msgid "Inherited by:" msgstr "" #: editor/editor_help.cpp -msgid "Brief Description:" +msgid "Brief Description" msgstr "" #: editor/editor_help.cpp @@ -1854,38 +1891,18 @@ msgid "Properties" msgstr "" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "" - -#: editor/editor_help.cpp msgid "Methods" msgstr "" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "" - -#: editor/editor_help.cpp msgid "Theme Properties" msgstr "" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "" - -#: editor/editor_help.cpp msgid "enum " msgstr "" @@ -1894,19 +1911,11 @@ msgid "Constants" msgstr "" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "" - -#: editor/editor_help.cpp msgid "Class Description" msgstr "" #: editor/editor_help.cpp -msgid "Class Description:" -msgstr "" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +msgid "Online Tutorials" msgstr "" #: editor/editor_help.cpp @@ -1921,10 +1930,6 @@ msgid "Property Descriptions" msgstr "" #: editor/editor_help.cpp -msgid "Property Descriptions:" -msgstr "" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -1935,10 +1940,6 @@ msgid "Method Descriptions" msgstr "" #: editor/editor_help.cpp -msgid "Method Descriptions:" -msgstr "" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2006,8 +2007,8 @@ msgstr "" msgid "Copy Selection" msgstr "Fjarlægja val" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2020,6 +2021,48 @@ msgstr "" msgid "Clear Output" msgstr "" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Down" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" msgstr "" @@ -2561,6 +2604,18 @@ msgstr "" msgid "Project Settings..." msgstr "" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control" +msgstr "" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp #, fuzzy msgid "Export..." @@ -2762,10 +2817,6 @@ msgstr "" msgid "Stop the scene." msgstr "" -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "" @@ -2817,10 +2868,6 @@ msgid "Inspector" msgstr "" #: editor/editor_node.cpp -msgid "Node" -msgstr "" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "" @@ -2842,15 +2889,21 @@ msgstr "" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -2913,6 +2966,10 @@ msgstr "" msgid "Open the previous Editor" msgstr "" +#: editor/editor_path.cpp +msgid "No sub-resources found." +msgstr "" + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "" @@ -2922,6 +2979,10 @@ msgid "Thumbnail..." msgstr "" #: editor/editor_plugin_settings.cpp +msgid "Main Script:" +msgstr "" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "Breyta Viðbót" @@ -2950,11 +3011,6 @@ msgstr "" msgid "Edit:" msgstr "Breyta:" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "" @@ -3734,8 +3790,8 @@ msgstr "" msgid "Import As:" msgstr "" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." +#: editor/import_dock.cpp +msgid "Preset" msgstr "" #: editor/import_dock.cpp @@ -4166,6 +4222,7 @@ msgid "Change Animation Name:" msgstr "" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "" @@ -4730,10 +4787,6 @@ msgid "Sort:" msgstr "" #: editor/plugins/asset_library_editor_plugin.cpp -msgid "Reverse sorting." -msgstr "" - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "" @@ -5002,6 +5055,10 @@ msgid "Pan Mode" msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp +msgid "Ruler Mode" +msgstr "" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "" @@ -6057,7 +6114,7 @@ msgstr "" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "" @@ -6257,11 +6314,11 @@ msgid "Toggle Scripts Panel" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" +msgid "Step Into" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Into" +msgid "Step Over" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp @@ -6341,7 +6398,7 @@ msgstr "" msgid "Connections to method:" msgstr "" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp msgid "Source" msgstr "" @@ -7113,6 +7170,11 @@ msgstr "" #: editor/plugins/sprite_frames_editor_plugin.cpp #, fuzzy +msgid "Move Frame" +msgstr "Hreyfa Viðbótar Lykil" + +#: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy msgid "Animations:" msgstr "Stillið breyting á:" @@ -7432,6 +7494,14 @@ msgid "Enable Priority" msgstr "" #: editor/plugins/tile_map_editor_plugin.cpp +msgid "Filter tiles" +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "" @@ -7567,6 +7637,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp #, fuzzy msgid "Remove selected texture? This will remove all tiles which use it." msgstr "Fjarlægja val" @@ -7729,6 +7804,102 @@ msgstr "" msgid "TileSet" msgstr "" +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No VCS addons are available." +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No commit message was provided" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Commit" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Initialize" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect new changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "Endurnefning Anim track" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "Anim DELETE-lyklar" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Typechange" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "Val á kvarða" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Stage All" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Commit Changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -7968,6 +8139,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9165,6 +9341,10 @@ msgid "Settings saved OK." msgstr "" #: editor/project_settings_editor.cpp +msgid "Moved Input Action Event" +msgstr "" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "" @@ -9302,6 +9482,10 @@ msgid "Plugins" msgstr "" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "" + +#: editor/property_editor.cpp msgid "Zero" msgstr "" @@ -9466,10 +9650,6 @@ msgstr "" msgid "Reset" msgstr "" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "" @@ -9525,6 +9705,10 @@ msgid "Instance Scene(s)" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Replace with Branch Scene" +msgstr "" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "" @@ -9565,10 +9749,24 @@ msgid "Make node as Root" msgstr "" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "Anim DELETE-lyklar" + +#: editor/scene_tree_dock.cpp +msgid "Delete the root node \"%s\"?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" msgstr "" #: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "Anim DELETE-lyklar" + +#: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." msgstr "" @@ -9945,11 +10143,35 @@ msgid "Bytes:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" +msgid "Warning:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." +msgid "Error:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Error" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Error:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Source" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "Source:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Source:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" msgstr "" #: editor/script_editor_debugger.cpp @@ -9957,7 +10179,7 @@ msgid "Errors" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +msgid "Child process connected." msgstr "" #: editor/script_editor_debugger.cpp @@ -9965,6 +10187,10 @@ msgid "Copy Error" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Skip Breakpoints" +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "" @@ -9981,6 +10207,10 @@ msgid "Profiler" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Network Profiler" +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "" @@ -9993,6 +10223,10 @@ msgid "Monitors" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "" @@ -10189,10 +10423,6 @@ msgid "Library" msgstr "" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "" @@ -10201,6 +10431,10 @@ msgid "GDNative" msgstr "" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "" @@ -10355,6 +10589,14 @@ msgstr "" msgid "Pick Distance:" msgstr "" +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Filter meshes" +msgstr "" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -10491,6 +10733,10 @@ msgid "Create a new variable." msgstr "" #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Create a new signal." msgstr "" @@ -10647,6 +10893,10 @@ msgid "Editing Signal:" msgstr "" #: modules/visual_script/visual_script_editor.cpp +msgid "Make Tool:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "" @@ -10794,7 +11044,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp diff --git a/editor/translations/it.po b/editor/translations/it.po index fa32a7d606..e2fc3693f8 100644 --- a/editor/translations/it.po +++ b/editor/translations/it.po @@ -43,8 +43,8 @@ msgid "" msgstr "" "Project-Id-Version: Godot Engine editor\n" "POT-Creation-Date: \n" -"PO-Revision-Date: 2019-08-04 14:23+0000\n" -"Last-Translator: No <kingofwizards.kw7@gmail.com>\n" +"PO-Revision-Date: 2019-09-07 13:51+0000\n" +"Last-Translator: Micila Micillotto <micillotto@gmail.com>\n" "Language-Team: Italian <https://hosted.weblate.org/projects/godot-engine/" "godot/it/>\n" "Language: it\n" @@ -52,7 +52,7 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=n != 1;\n" -"X-Generator: Weblate 3.8-dev\n" +"X-Generator: Weblate 3.9-dev\n" #: core/math/expression.cpp modules/gdscript/gdscript_functions.cpp #: modules/visual_script/visual_script_builtin_funcs.cpp @@ -95,6 +95,35 @@ msgstr "Argomenti non validi per il costrutto '%s'" msgid "On call to '%s':" msgstr "Alla chiamata di '%s':" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +#, fuzzy +msgid "MiB" +msgstr "Mischia" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "Libero" @@ -511,6 +540,12 @@ msgid "Select None" msgstr "Seleziona Nulla" #: editor/animation_track_editor.cpp +#, fuzzy +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" +"Il Percorso di un nodo AnimationPlayer contenente animazioni non è impostato." + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "Mostra solo le tracce dei nodi selezionati nell'albero." @@ -689,14 +724,12 @@ msgid "Replaced %d occurrence(s)." msgstr "Rimpiazzate %d occorrenze." #: editor/code_editor.cpp editor/editor_help.cpp -#, fuzzy msgid "%d match." -msgstr "Trovata/e %d corrispondenza/e." +msgstr "%d corrispondenza." #: editor/code_editor.cpp editor/editor_help.cpp -#, fuzzy msgid "%d matches." -msgstr "Trovata/e %d corrispondenza/e." +msgstr "%d corrispondenza/e." #: editor/code_editor.cpp editor/find_in_files.cpp msgid "Match Case" @@ -834,7 +867,8 @@ msgstr "Impossibile connettere il segnale" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -935,7 +969,8 @@ msgstr "Cerca:" msgid "Matches:" msgstr "Corrispondenze:" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1149,22 +1184,20 @@ msgid "License" msgstr "Licenza" #: editor/editor_about.cpp -#, fuzzy msgid "Third-party Licenses" msgstr "Licenza di terze parti" #: editor/editor_about.cpp -#, fuzzy msgid "" "Godot Engine relies on a number of third-party free and open source " "libraries, all compatible with the terms of its MIT license. The following " "is an exhaustive list of all such third-party components with their " "respective copyright statements and license terms." msgstr "" -"Godot Engine si basa su parecchie librerie libere ed open source, tutte " -"compatibili con la licenza MIT. Qui di seguito una lista esaustiva di tali " -"componenti di terze parti con le rispettive dichiarazioni sui diritti " -"d'autore e termini di licenza." +"Godot Engine si basa su parecchie librerie gratuite ed open source, tutte " +"compatibili con i termini della licenza MIT dell'engine. Qui di seguito " +"trovi una lista esaustiva di tutti i componenti di terze parti con le " +"rispettive dichiarazioni sui diritti d'autore e termini di licenza." #: editor/editor_about.cpp msgid "All Components" @@ -1179,9 +1212,8 @@ msgid "Licenses" msgstr "Licenze" #: editor/editor_asset_installer.cpp editor/project_manager.cpp -#, fuzzy msgid "Error opening package file, not in ZIP format." -msgstr "Errore nell'apertura del pacchetto, non è in formato zip." +msgstr "Errore nell'apertura del file package: non è in formato ZIP." #: editor/editor_asset_installer.cpp msgid "Uncompressing Assets" @@ -1249,7 +1281,8 @@ msgid "Delete Bus Effect" msgstr "Cancella effetto bus" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +#, fuzzy +msgid "Drag & drop to rearrange." msgstr "Bus audio, trascina e rilascia per riordinare." #: editor/editor_audio_buses.cpp @@ -1442,6 +1475,7 @@ msgid "Add AutoLoad" msgstr "Aggiungi Autoload" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "Percorso:" @@ -1672,6 +1706,7 @@ msgstr "Rendi attuale" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "Nuovo" @@ -1742,6 +1777,7 @@ msgid "New Folder..." msgstr "Nuova cartella..." #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "Aggiorna" @@ -1899,7 +1935,8 @@ msgid "Inherited by:" msgstr "Ereditato da:" #: editor/editor_help.cpp -msgid "Brief Description:" +#, fuzzy +msgid "Brief Description" msgstr "Breve descrizione:" #: editor/editor_help.cpp @@ -1907,38 +1944,18 @@ msgid "Properties" msgstr "Proprietà" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "Proprietà:" - -#: editor/editor_help.cpp msgid "Methods" msgstr "Metodi" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "Metodi:" - -#: editor/editor_help.cpp msgid "Theme Properties" msgstr "Proprietà del tema" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "Proprietà del tema:" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "Segnali:" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "Enumerazioni" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "Enumerazioni:" - -#: editor/editor_help.cpp msgid "enum " msgstr "enum " @@ -1947,19 +1964,12 @@ msgid "Constants" msgstr "Costanti" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "Costanti:" - -#: editor/editor_help.cpp msgid "Class Description" msgstr "Descrizione della classe" #: editor/editor_help.cpp -msgid "Class Description:" -msgstr "Descrizione della classe:" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +#, fuzzy +msgid "Online Tutorials" msgstr "Guide online:" #: editor/editor_help.cpp @@ -1977,10 +1987,6 @@ msgid "Property Descriptions" msgstr "Descrizioni delle proprietà" #: editor/editor_help.cpp -msgid "Property Descriptions:" -msgstr "Descrizioni delle proprietà:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -1993,10 +1999,6 @@ msgid "Method Descriptions" msgstr "Descrizioni dei metodi" #: editor/editor_help.cpp -msgid "Method Descriptions:" -msgstr "Descrizioni dei metodi:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2065,8 +2067,8 @@ msgstr "Output:" msgid "Copy Selection" msgstr "Copia selezione" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2079,10 +2081,51 @@ msgstr "Rimuovi tutto" msgid "Clear Output" msgstr "Svuota output" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "Ferma" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "Inizia" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Down" +msgstr "Giù" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "Su" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "Nodo" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp -#, fuzzy msgid "New Window" -msgstr "Finestra" +msgstr "Nuova Finestra" #: editor/editor_node.cpp msgid "Project export failed with error code %d." @@ -2416,9 +2459,8 @@ msgid "Close Scene" msgstr "Chiudi scena" #: editor/editor_node.cpp -#, fuzzy msgid "Reopen Closed Scene" -msgstr "Chiudi scena" +msgstr "Riapri Scena Chiusa" #: editor/editor_node.cpp msgid "Unable to enable addon plugin at: '%s' parsing of config failed." @@ -2540,9 +2582,8 @@ msgid "Close Tab" msgstr "Chiudi scheda" #: editor/editor_node.cpp -#, fuzzy msgid "Undo Close Tab" -msgstr "Chiudi scheda" +msgstr "Annulla Chiusura Tab" #: editor/editor_node.cpp editor/plugins/script_editor_plugin.cpp msgid "Close Other Tabs" @@ -2675,18 +2716,29 @@ msgid "Project" msgstr "Progetto" #: editor/editor_node.cpp -#, fuzzy msgid "Project Settings..." -msgstr "Impostazioni progetto" +msgstr "Impostazioni Progetto…" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Version Control" +msgstr "Versione:" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" #: editor/editor_node.cpp msgid "Export..." msgstr "Esporta..." #: editor/editor_node.cpp -#, fuzzy msgid "Install Android Build Template..." -msgstr "Installa Android Build Template" +msgstr "Installa il Build Template di Android…" #: editor/editor_node.cpp msgid "Open Project Data Folder" @@ -2697,9 +2749,8 @@ msgid "Tools" msgstr "Strumenti" #: editor/editor_node.cpp -#, fuzzy msgid "Orphan Resource Explorer..." -msgstr "Esplora risorse orfane" +msgstr "Explorer Risorse Orfane…" #: editor/editor_node.cpp msgid "Quit to Project List" @@ -2712,15 +2763,16 @@ msgstr "Debug" #: editor/editor_node.cpp msgid "Deploy with Remote Debug" -msgstr "Distribuzione con Debug remoto" +msgstr "Distribuisci con Debug remoto" #: editor/editor_node.cpp msgid "" "When exporting or deploying, the resulting executable will attempt to " "connect to the IP of this computer in order to be debugged." msgstr "" -"All'esportazione o distribuzione, l'eseguibile risultante tenterà di " -"connettersi all'IP di questo computer per poter effettuare il debug." +"L'eseguibile, dopo l'esportazione o la distribuzione, attenterà di " +"connettersi con l'indirizzo IP di questo computer per farsi eseguire il " +"debug." #: editor/editor_node.cpp msgid "Small Deploy with Network FS" @@ -2735,11 +2787,12 @@ msgid "" "On Android, deploy will use the USB cable for faster performance. This " "option speeds up testing for games with a large footprint." msgstr "" -"Quando questa opzione è abilitata, esportare o distribuire produrrà un " -"eseguibile minimo.\n" -"Il filesystem verrà fornito dal progetto dall'editor mediante rete.\n" -"Su Android, la distribuzione userà il cavo USB per una performance migliore. " -"Questa opzione accellera il testing di giochi di grande entità." +"Quando questa opzione è abilitata, l'esportazione o distribuzione produrrà " +"un eseguibile minimale.\n" +"Il filesystem sarà provvisto dal progetto via l'editor dal network.\n" +"Su Android, la distribuzione utilizzerà il cavo USB per una performance " +"migliore. Questa opzione incrementerà la velocità di testing per i giochi " +"più complessi." #: editor/editor_node.cpp msgid "Visible Collision Shapes" @@ -2802,9 +2855,8 @@ msgid "Editor" msgstr "Editor" #: editor/editor_node.cpp -#, fuzzy msgid "Editor Settings..." -msgstr "Impostazioni editor" +msgstr "Impostazioni editor…" #: editor/editor_node.cpp msgid "Editor Layout" @@ -2840,14 +2892,12 @@ msgid "Open Editor Settings Folder" msgstr "Apri cartella impostazioni editor" #: editor/editor_node.cpp -#, fuzzy msgid "Manage Editor Features..." -msgstr "Gestisci le funzionalità dell'editor" +msgstr "Gestisci le funzionalità dell'editor…" #: editor/editor_node.cpp -#, fuzzy msgid "Manage Export Templates..." -msgstr "Gestisci template d'esportazione" +msgstr "Gestisci template d'esportazione…" #: editor/editor_node.cpp editor/plugins/shader_editor_plugin.cpp msgid "Help" @@ -2903,10 +2953,6 @@ msgstr "Pausa Scena" msgid "Stop the scene." msgstr "Ferma la scena." -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "Ferma" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "Esegui la scena in modifica." @@ -2957,10 +3003,6 @@ msgid "Inspector" msgstr "Ispettore" #: editor/editor_node.cpp -msgid "Node" -msgstr "Nodo" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "Espandi pannello inferiore" @@ -2984,18 +3026,22 @@ msgstr "Gestisci i template d'esportazione" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." -msgstr "" -"Questo installerà il progetto Android per build personalizzate.\n" -"Nota bene: per essere usato, deve essere abilitato per l'esportazione del " +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " "preset." +msgstr "" #: editor/editor_node.cpp +#, fuzzy msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" "Android build template è già installato e non sarà sovrascritto.\n" "Rimuovi la cartella \"build\" manualmente prima di ritentare questa " @@ -3061,6 +3107,11 @@ msgstr "Apri l'Editor successivo" msgid "Open the previous Editor" msgstr "Apri l'Editor precedente" +#: editor/editor_path.cpp +#, fuzzy +msgid "No sub-resources found." +msgstr "Nessuna sorgente di superficie specificata." + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "Creazione Anteprime Mesh" @@ -3070,6 +3121,11 @@ msgid "Thumbnail..." msgstr "Miniatura..." #: editor/editor_plugin_settings.cpp +#, fuzzy +msgid "Main Script:" +msgstr "Apri script:" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "Modifica Plugin" @@ -3098,11 +3154,6 @@ msgstr "Stato:" msgid "Edit:" msgstr "Modifica:" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "Inizia" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "Misura:" @@ -3319,7 +3370,6 @@ msgid "Import From Node:" msgstr "Importa Da Nodo:" #: editor/export_template_manager.cpp -#, fuzzy msgid "Redownload" msgstr "Ri-Scarica" @@ -3339,6 +3389,8 @@ msgstr "Scarica" #: editor/export_template_manager.cpp msgid "Official export templates aren't available for development builds." msgstr "" +"I template ufficiali per l'esportazione non sono disponibili per le build di " +"sviluppo." #: editor/export_template_manager.cpp msgid "(Missing)" @@ -3421,23 +3473,20 @@ msgid "Download Complete." msgstr "Download Completato." #: editor/export_template_manager.cpp -#, fuzzy msgid "Cannot remove temporary file:" -msgstr "Impossibile salvare il tema su file:" +msgstr "Impossibile rimuovere il file temporaneo:" #: editor/export_template_manager.cpp -#, fuzzy msgid "" "Templates installation failed.\n" "The problematic templates archives can be found at '%s'." msgstr "" -"Installazione dei template fallita. Gli archivi dei template che danno " -"problemi possono essere trovati in '%s'." +"Installazione del template fallita.\n" +"Gli archivi dei template problematici possono essere trovati qui: '%s'." #: editor/export_template_manager.cpp -#, fuzzy msgid "Error requesting URL:" -msgstr "Errore nella richiesta url: " +msgstr "Errore nella richiesta URL:" #: editor/export_template_manager.cpp msgid "Connecting to Mirror..." @@ -3624,9 +3673,8 @@ msgid "Move To..." msgstr "Sposta in..." #: editor/filesystem_dock.cpp -#, fuzzy msgid "New Scene..." -msgstr "Nuova scena" +msgstr "Nuova scena…" #: editor/filesystem_dock.cpp editor/plugins/script_editor_plugin.cpp msgid "New Script..." @@ -3694,9 +3742,8 @@ msgid "Overwrite" msgstr "Sovrascrivi" #: editor/filesystem_dock.cpp -#, fuzzy msgid "Create Scene" -msgstr "Crea da Scena" +msgstr "Crea Scena" #: editor/filesystem_dock.cpp editor/plugins/script_editor_plugin.cpp msgid "Create Script" @@ -3776,23 +3823,20 @@ msgid "Invalid group name." msgstr "Nome del gruppo non valido." #: editor/groups_editor.cpp -#, fuzzy msgid "Rename Group" -msgstr "Gestisci Gruppi" +msgstr "Rinomina Gruppo" #: editor/groups_editor.cpp -#, fuzzy msgid "Delete Group" -msgstr "Elimina Gruppo Immagini" +msgstr "Elimina Gruppo" #: editor/groups_editor.cpp editor/node_dock.cpp msgid "Groups" msgstr "Gruppi" #: editor/groups_editor.cpp -#, fuzzy msgid "Nodes Not in Group" -msgstr "Nodi non in Gruppo" +msgstr "Nodi non nel Gruppo" #: editor/groups_editor.cpp editor/scene_tree_dock.cpp #: editor/scene_tree_editor.cpp @@ -3805,7 +3849,7 @@ msgstr "Nodi in Gruppo" #: editor/groups_editor.cpp msgid "Empty groups will be automatically removed." -msgstr "" +msgstr "I gruppi vuoti saranno rimossi automaticamente." #: editor/groups_editor.cpp msgid "Group Editor" @@ -3908,9 +3952,10 @@ msgstr " Files" msgid "Import As:" msgstr "Importa Come:" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." -msgstr "Preset…" +#: editor/import_dock.cpp +#, fuzzy +msgid "Preset" +msgstr "Presets" #: editor/import_dock.cpp msgid "Reimport" @@ -4017,9 +4062,8 @@ msgid "MultiNode Set" msgstr "MultiNode Set" #: editor/node_dock.cpp -#, fuzzy msgid "Select a single node to edit its signals and groups." -msgstr "Seleziona un Nodo per modificare Segnali e Gruppi." +msgstr "Seleziona un singolo nodo per eliminare i suoi segnali e gruppi." #: editor/plugin_config_dialog.cpp msgid "Edit a Plugin" @@ -4355,6 +4399,7 @@ msgid "Change Animation Name:" msgstr "Cambia Nome Animazione:" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "Eliminare Animazione?" @@ -4803,37 +4848,32 @@ msgid "Request failed, return code:" msgstr "Richiesta fallita, codice di return:" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Request failed." msgstr "Richiesta fallita." #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Cannot save response to:" -msgstr "Impossibile salvare il tema su file:" +msgstr "Impossibile salvare risposta a:" #: editor/plugins/asset_library_editor_plugin.cpp msgid "Write error." -msgstr "" +msgstr "Errore di scrittura." #: editor/plugins/asset_library_editor_plugin.cpp msgid "Request failed, too many redirects" msgstr "Richiesta fallita, troppi ridirezionamenti" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Redirect loop." -msgstr "Ridirigi Loop." +msgstr "Ridirigi loop." #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Request failed, timeout" -msgstr "Richiesta fallita, codice di return:" +msgstr "Richiesta fallita, timeout" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Timeout." -msgstr "Tempo" +msgstr "Timeout." #: editor/plugins/asset_library_editor_plugin.cpp msgid "Bad download hash, assuming file has been tampered with." @@ -4912,24 +4952,18 @@ msgid "All" msgstr "Tutti" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Import..." -msgstr "Re-Importa..." +msgstr "Importa…" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Plugins..." -msgstr "Plugins" +msgstr "Plugins…" #: editor/plugins/asset_library_editor_plugin.cpp editor/project_manager.cpp msgid "Sort:" msgstr "Ordina:" #: editor/plugins/asset_library_editor_plugin.cpp -msgid "Reverse sorting." -msgstr "Ordinamento inverso." - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "Categoria:" @@ -4939,9 +4973,8 @@ msgid "Site:" msgstr "Sito:" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Support" -msgstr "Supporta..." +msgstr "Supporta" #: editor/plugins/asset_library_editor_plugin.cpp msgid "Official" @@ -4952,9 +4985,8 @@ msgid "Testing" msgstr "Testing" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Loading..." -msgstr "Carica..." +msgstr "Caricamento…" #: editor/plugins/asset_library_editor_plugin.cpp msgid "Assets ZIP File" @@ -5123,9 +5155,8 @@ msgid "Paste Pose" msgstr "Incolla Posa" #: editor/plugins/canvas_item_editor_plugin.cpp -#, fuzzy msgid "Clear Guides" -msgstr "Rimuovi ossa" +msgstr "Rimuvi Guide" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Create Custom Bone(s) from Node(s)" @@ -5213,6 +5244,11 @@ msgid "Pan Mode" msgstr "Modalità di Pan" #: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy +msgid "Ruler Mode" +msgstr "Modalità esecuzione:" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "Abilita snapping." @@ -5864,26 +5900,23 @@ msgstr "Tempo di Generazione (sec):" #: editor/plugins/particles_editor_plugin.cpp msgid "The geometry's faces don't contain any area." -msgstr "" +msgstr "La faccia della geometria non contiene alcuna area." #: editor/plugins/particles_editor_plugin.cpp -#, fuzzy msgid "The geometry doesn't contain any faces." -msgstr "Il nodo non contiene geometria (facce)." +msgstr "La geometria non contiene facce." #: editor/plugins/particles_editor_plugin.cpp msgid "\"%s\" doesn't inherit from Spatial." -msgstr "" +msgstr "\"%s\" non è ereditario di Spatial." #: editor/plugins/particles_editor_plugin.cpp -#, fuzzy msgid "\"%s\" doesn't contain geometry." -msgstr "Il nodo non contiene geometria." +msgstr "\"%s\" non contiene geometria." #: editor/plugins/particles_editor_plugin.cpp -#, fuzzy msgid "\"%s\" doesn't contain face geometry." -msgstr "Il nodo non contiene geometria." +msgstr "\"%s\" non contiene geometria facciale." #: editor/plugins/particles_editor_plugin.cpp msgid "Create Emitter" @@ -6284,7 +6317,7 @@ msgstr "Istanza:" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "Tipo:" @@ -6322,9 +6355,8 @@ msgid "Error writing TextFile:" msgstr "Errore scrittura TextFile:" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "Could not load file at:" -msgstr "Impossibile trovare tile:" +msgstr "Impossibile caricare il file:" #: editor/plugins/script_editor_plugin.cpp msgid "Error saving file!" @@ -6347,9 +6379,8 @@ msgid "Error Importing" msgstr "Errore di Importazione" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "New Text File..." -msgstr "Nuovo TextFile..." +msgstr "Nuovo Text File…" #: editor/plugins/script_editor_plugin.cpp msgid "Open File" @@ -6429,9 +6460,8 @@ msgid "Open..." msgstr "Apri..." #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "Reopen Closed Script" -msgstr "Apri Script" +msgstr "Riapri Script Chiuso" #: editor/plugins/script_editor_plugin.cpp msgid "Save All" @@ -6487,14 +6517,14 @@ msgid "Toggle Scripts Panel" msgstr "Attiva Pannello Scripts" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" -msgstr "Passo Successivo" - -#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Step Into" msgstr "Passo Precedente" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp +msgid "Step Over" +msgstr "Passo Successivo" + +#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Break" msgstr "Break" @@ -6566,15 +6596,14 @@ msgid "Search Results" msgstr "Cerca Risultati" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "Clear Recent Scripts" -msgstr "Rimuovi scene recenti" +msgstr "Rimuovi Script Recenti" #: editor/plugins/script_text_editor.cpp msgid "Connections to method:" msgstr "Connessioni al metodo:" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp msgid "Source" msgstr "Sorgente" @@ -6692,9 +6721,8 @@ msgid "Complete Symbol" msgstr "Completa Simbolo" #: editor/plugins/script_text_editor.cpp -#, fuzzy msgid "Evaluate Selection" -msgstr "Scala selezione" +msgstr "Valuta Selezione" #: editor/plugins/script_text_editor.cpp msgid "Trim Trailing Whitespace" @@ -7002,9 +7030,8 @@ msgid "Audio Listener" msgstr "Listener Audio" #: editor/plugins/spatial_editor_plugin.cpp -#, fuzzy msgid "Enable Doppler" -msgstr "Abilita filtraggio" +msgstr "Abilita Doppler" #: editor/plugins/spatial_editor_plugin.cpp msgid "Cinematic Preview" @@ -7061,7 +7088,7 @@ msgstr "Sposta i Nodi sul Pavimento" #: editor/plugins/spatial_editor_plugin.cpp msgid "Couldn't find a solid floor to snap the selection to." -msgstr "" +msgstr "Non si è trovato un pavimento solido al quale agganciare la selezione." #: editor/plugins/spatial_editor_plugin.cpp msgid "" @@ -7074,9 +7101,8 @@ msgstr "" "Alt+RMB: Selezione Lista Profondità" #: editor/plugins/spatial_editor_plugin.cpp -#, fuzzy msgid "Use Local Space" -msgstr "Modalità Spazio Locale (%s)" +msgstr "Usa lo Spazio Locale" #: editor/plugins/spatial_editor_plugin.cpp msgid "Bottom View" @@ -7173,9 +7199,8 @@ msgstr "Visualizza Griglia" #: editor/plugins/spatial_editor_plugin.cpp #: modules/gridmap/grid_map_editor_plugin.cpp -#, fuzzy msgid "Settings..." -msgstr "Impostazioni" +msgstr "Impostazioni…" #: editor/plugins/spatial_editor_plugin.cpp msgid "Snap Settings" @@ -7356,6 +7381,11 @@ msgid "(empty)" msgstr "(vuoto)" #: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy +msgid "Move Frame" +msgstr "Incolla Frame" + +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Animations:" msgstr "Animazioni:" @@ -7553,14 +7583,12 @@ msgid "Submenu" msgstr "Sottomenù" #: editor/plugins/theme_editor_plugin.cpp -#, fuzzy msgid "Subitem 1" -msgstr "Elemento 1" +msgstr "Sotto-Elemento 1" #: editor/plugins/theme_editor_plugin.cpp -#, fuzzy msgid "Subitem 2" -msgstr "Elemento 2" +msgstr "Sotto-Elemento 2" #: editor/plugins/theme_editor_plugin.cpp msgid "Has" @@ -7672,17 +7700,25 @@ msgid "Enable Priority" msgstr "Abilita Priorità Tile" #: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy +msgid "Filter tiles" +msgstr "Filtra file..." + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "Disegna Tile" #: editor/plugins/tile_map_editor_plugin.cpp -#, fuzzy msgid "" "Shift+LMB: Line Draw\n" "Shift+Ctrl+LMB: Rectangle Paint" msgstr "" -"Shift + PDM: Traccia una linea\n" -"Shift + Ctrl + PDM: Colora il rettangolo" +"Shift + LMB: Traccia una linea\n" +"Shift + Ctrl + LMB: Colora il rettangolo" #: editor/plugins/tile_map_editor_plugin.cpp msgid "Pick Tile" @@ -7805,6 +7841,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "Mostra i Nomi delle Tile (Tenere Premuto Tasto Alt)" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp msgid "Remove selected texture? This will remove all tiles which use it." msgstr "" "Rimuovere la texture selezionata? Questo rimuoverà tutte le tile che la " @@ -7978,6 +8019,112 @@ msgstr "Questa proprietà non può essere cambiata." msgid "TileSet" msgstr "TileSet" +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No VCS addons are available." +msgstr "Nome del genitore del Nodo, se disponibile" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "Errore" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No commit message was provided" +msgstr "Nessun nome fornito" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit" +msgstr "Comunità" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Initialize" +msgstr "Aggiungi maiuscola iniziale" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "Crea un nuovo rettangolo." + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "Cambia" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "Rinomina" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "Elimina" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Typechange" +msgstr "Cambia" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "Elimina selezionati" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage All" +msgstr "Salva Tutto" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit Changes" +msgstr "Sincronizza cambiamenti script" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "Stato" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No file diff is active" +msgstr "Nessun File selezionato!" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "(Solo GLES3)" @@ -8084,9 +8231,8 @@ msgid "Light" msgstr "Luce" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Show resulted shader code." -msgstr "Crea Nodo Shader" +msgstr "Visualizza codice shader risultante." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Create Shader Node" @@ -8217,6 +8363,13 @@ msgstr "" "Ritorna un vettore associato se il valore booleano fornito è vero o falso." #: editor/plugins/visual_shader_editor_plugin.cpp +#, fuzzy +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" +"Ritorna un vettore associato se il valore booleano fornito è vero o falso." + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "Ritorna il risultato booleano del confronto tra due parametri." @@ -8454,7 +8607,6 @@ msgid "Returns the square root of the parameter." msgstr "Ritorna la radice quadrata del parametro." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "SmoothStep function( scalar(edge0), scalar(edge1), scalar(x) ).\n" "\n" @@ -8464,12 +8616,11 @@ msgid "" msgstr "" "SmoothStep function( scalar(edge0), scalar(edge1), scalar(x) ).\n" "\n" -"Ritorna 0.0 se 'x' è più piccolo di 'edge0', o 1.0 se 'x' è più largo di " +"Ritorna 0.0 se 'x' è più piccolo di 'edge0', o 1.0 se 'x' è più grande di " "'edge1'. Altrimenti, il valore di ritorno è interpolato tra 0.0 ed 1.0 " "usando i polinomi di Hermite." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "Step function( scalar(edge), scalar(x) ).\n" "\n" @@ -8647,9 +8798,8 @@ msgid "Linear interpolation between two vectors." msgstr "Interpolazione lineare tra due vettori." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Linear interpolation between two vectors using scalar." -msgstr "Interpolazione lineare tra due vettori." +msgstr "Interpolazione lineare tra due vettori usando scalare." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Calculates the normalize product of vector." @@ -8676,7 +8826,6 @@ msgid "Returns the vector that points in the direction of refraction." msgstr "Ritorna un vettore che punta nella direzione della refrazione." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "SmoothStep function( vector(edge0), vector(edge1), vector(x) ).\n" "\n" @@ -8686,12 +8835,11 @@ msgid "" msgstr "" "SmoothStep function( vector(edge0), vector(edge1), vector(x) ).\n" "\n" -"Ritorna 0.0 se 'x' è minore di 'edge0', ed 1.0 se 'x' è maggiore di 'edge1'. " -"Altrimenti, il valore di ritorno è interpolato tra 0.0 ed 1.0 usando i " -"polinomiali di Hermite." +"Ritorna 0.0 se 'x' è minore di 'edge0', ed 1.0 se 'x' è più grande di " +"'edge1'. Altrimenti, il valore di ritorno è interpolato tra 0.0 ed 1.0 " +"usando i polinomiali di Hermite." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "SmoothStep function( scalar(edge0), scalar(edge1), vector(x) ).\n" "\n" @@ -8701,12 +8849,11 @@ msgid "" msgstr "" "SmoothStep function( scalar(edge0), scalar(edge1), vector(x) ).\n" "\n" -"Ritorna 0.0 se 'x' è minore di 'edge0', ed 1.0 se 'x' è maggiore di 'edge1'. " -"Altrimenti, il valore di ritorno è interpolato tra 0.0 ed 1.0 usando i " -"polinomiali di Hermite." +"Ritorna 0.0 se 'x' è minore di 'edge0', ed 1.0 se 'x' è più grande di " +"'edge1'. Altrimenti, il valore di ritorno è interpolato tra 0.0 ed 1.0 " +"usando i polinomiali di Hermite." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "Step function( vector(edge), vector(x) ).\n" "\n" @@ -8717,7 +8864,6 @@ msgstr "" "Ritorna 0.0 se 'x' è minore di 'edge', altrimenti 1.0." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "Step function( scalar(edge), vector(x) ).\n" "\n" @@ -8780,6 +8926,10 @@ msgid "" "shader. You can place various function definitions inside and call it later " "in the Expressions. You can also declare varyings, uniforms and constants." msgstr "" +"L'espresione Custom Godot Shader Language è piazzata al di sopra dello " +"shader risultante. Puoi posizionare varie definizioni di fuzioni e chiamarle " +"più tardi nelle Expressions. Puoi anche dichiarare variabilità, uniformi e " +"costanti." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(Fragment/Light mode only) Scalar derivative function." @@ -9174,13 +9324,12 @@ msgid "Unnamed Project" msgstr "Progetto Senza Nome" #: editor/project_manager.cpp -#, fuzzy msgid "Missing Project" -msgstr "Importa Progetto Esistente" +msgstr "Progetto Mancante" #: editor/project_manager.cpp msgid "Error: Project is missing on the filesystem." -msgstr "" +msgstr "Errore: il Progetto non è presente nel filesystem." #: editor/project_manager.cpp msgid "Can't open project at '%s'." @@ -9279,12 +9428,11 @@ msgstr "" "I contenuti della cartella di progetto non saranno modificati." #: editor/project_manager.cpp -#, fuzzy msgid "" "Remove all missing projects from the list?\n" "The project folders' contents won't be modified." msgstr "" -"Rimuovere %d progetti dalla lista?\n" +"Rimuovere tutti i progetti mancanti dalla lista?\n" "I contenuti delle cartelle di progetto non saranno modificati." #: editor/project_manager.cpp @@ -9310,9 +9458,8 @@ msgid "Project Manager" msgstr "Gestore dei progetti" #: editor/project_manager.cpp -#, fuzzy msgid "Projects" -msgstr "Progetto" +msgstr "Progetti" #: editor/project_manager.cpp msgid "Scan" @@ -9543,6 +9690,11 @@ msgid "Settings saved OK." msgstr "Impostazioni salvate OK." #: editor/project_settings_editor.cpp +#, fuzzy +msgid "Moved Input Action Event" +msgstr "Aggiungi Evento di Azione Input" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "Sovrascrivi per Caratteristica" @@ -9679,6 +9831,10 @@ msgid "Plugins" msgstr "Plugins" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "Preset…" + +#: editor/property_editor.cpp msgid "Zero" msgstr "Zero" @@ -9846,10 +10002,6 @@ msgstr "In Maiuscolo" msgid "Reset" msgstr "Reset" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "Errore" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "Reparent Nodo" @@ -9907,6 +10059,11 @@ msgid "Instance Scene(s)" msgstr "Istanzia Scena(e)" #: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Replace with Branch Scene" +msgstr "Salva Ramo come Scena" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "Istanzia Scena Figlia" @@ -9949,8 +10106,23 @@ msgid "Make node as Root" msgstr "Rendi il nodo come Radice" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" -msgstr "Elimina Nodo(i)?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "Elimina Nodi" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete the root node \"%s\"?" +msgstr "Elimina Nodo(i) Grafico di Shader" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" +msgstr "" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "Elimina Nodi" #: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." @@ -10025,9 +10197,8 @@ msgid "Remove Node(s)" msgstr "Rimuovi nodo(i)" #: editor/scene_tree_dock.cpp -#, fuzzy msgid "Change type of node(s)" -msgstr "Cambia Nome porta Input" +msgstr "Cambia il tipo del/i nodo/i" #: editor/scene_tree_dock.cpp msgid "" @@ -10150,31 +10321,28 @@ msgid "Node configuration warning:" msgstr "Avviso confugurazione nodo:" #: editor/scene_tree_editor.cpp -#, fuzzy msgid "" "Node has %s connection(s) and %s group(s).\n" "Click to show signals dock." msgstr "" -"Il nodo ha connessione(i) e gruppo(i).\n" -"Fai clic per mostrare i segnali dock." +"Il nodo ha %s connessione/i e %s gruppo/i.\n" +"Clicca per mostrare il dock dei segnali." #: editor/scene_tree_editor.cpp -#, fuzzy msgid "" "Node has %s connection(s).\n" "Click to show signals dock." msgstr "" -"Il nodo ha connessioni.\n" -"Fai click per mostrare il dock segnali." +"Il nodo ha %s connessione/i.\n" +"Clicca per mostrare il dock dei segnali." #: editor/scene_tree_editor.cpp -#, fuzzy msgid "" "Node is in %s group(s).\n" "Click to show groups dock." msgstr "" -"Il nodo e in un gruppo.\n" -"Fai click per mostrare il dock gruppi." +"Il nodo è in %s gruppi.\n" +"Clicca per mostrare il dock dei gruppi." #: editor/scene_tree_editor.cpp msgid "Open Script:" @@ -10269,9 +10437,8 @@ msgid "Error loading script from %s" msgstr "Errore caricamento script da %s" #: editor/script_create_dialog.cpp -#, fuzzy msgid "Overrides" -msgstr "Sovrascrivi" +msgstr "Sovrascrizioni" #: editor/script_create_dialog.cpp msgid "N/A" @@ -10350,19 +10517,50 @@ msgid "Bytes:" msgstr "Bytes:" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" -msgstr "Analisi dello stack" +#, fuzzy +msgid "Warning:" +msgstr "Avvertimento" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." -msgstr "Scegli uno o più oggetti dalla lista per mostrare il grafico." +msgid "Error:" +msgstr "Errore:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error" +msgstr "Errore di Copia" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error:" +msgstr "Errore:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source" +msgstr "Sorgente" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" +msgstr "Sorgente" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source:" +msgstr "Sorgente" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" +msgstr "Analisi dello stack" #: editor/script_editor_debugger.cpp msgid "Errors" msgstr "Errori" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +#, fuzzy +msgid "Child process connected." msgstr "Processo Figlio Connesso" #: editor/script_editor_debugger.cpp @@ -10370,6 +10568,11 @@ msgid "Copy Error" msgstr "Errore di Copia" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "Punti di rottura" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "Ispeziona Istanza Precedente" @@ -10386,6 +10589,11 @@ msgid "Profiler" msgstr "Profiler" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Network Profiler" +msgstr "Esporta profilo" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "Monitor" @@ -10398,6 +10606,10 @@ msgid "Monitors" msgstr "Monitor" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "Scegli uno o più oggetti dalla lista per mostrare il grafico." + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "Lista di Utilizzo Memoria Video per Risorsa:" @@ -10594,10 +10806,6 @@ msgid "Library" msgstr "Libreria" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "Stato" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "Librerie: " @@ -10606,6 +10814,10 @@ msgid "GDNative" msgstr "GDNative" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "L'argomento del passo è zero!" @@ -10758,6 +10970,15 @@ msgstr "Impostazioni GridMap" msgid "Pick Distance:" msgstr "Scegli la Distanza:" +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "Modalità di filtraggio" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "Il nome della classe non può essere una parola chiave riservata" @@ -10883,28 +11104,28 @@ msgid "Set Variable Type" msgstr "Imposta Tipo di Variabile" #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Override an existing built-in function." -msgstr "Non deve essere in conflitto con un nome di tipo built-in esistente." +msgstr "Sovrascrivi una funzione built-in esistente." #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Create a new function." -msgstr "Crea un nuovo rettangolo." +msgstr "Crea una nuova funzione." #: modules/visual_script/visual_script_editor.cpp msgid "Variables:" msgstr "Valiabili:" #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Create a new variable." -msgstr "Crea un nuovo rettangolo." +msgstr "Crea una nuova variabile." + +#: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "Segnali:" #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Create a new signal." -msgstr "Crea un nuovo poligono." +msgstr "Crea un nuovo segnale." #: modules/visual_script/visual_script_editor.cpp msgid "Name is not a valid identifier:" @@ -11063,6 +11284,11 @@ msgid "Editing Signal:" msgstr "Modifica Segnale:" #: modules/visual_script/visual_script_editor.cpp +#, fuzzy +msgid "Make Tool:" +msgstr "Rendi Locale" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "Tipo Base:" @@ -11223,8 +11449,10 @@ msgstr "" "dell'editor non è valido." #: platform/android/export/export.cpp +#, fuzzy msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" "Android Project non è installato per la compilazione. Installalo dal menu " "Editor." @@ -12029,6 +12257,44 @@ msgstr "Varyings può essere assegnato soltanto nella funzione del vertice." msgid "Constants cannot be modified." msgstr "Le constanti non possono essere modificate." +#~ msgid "Properties:" +#~ msgstr "Proprietà:" + +#~ msgid "Methods:" +#~ msgstr "Metodi:" + +#~ msgid "Theme Properties:" +#~ msgstr "Proprietà del tema:" + +#~ msgid "Enumerations:" +#~ msgstr "Enumerazioni:" + +#~ msgid "Constants:" +#~ msgstr "Costanti:" + +#~ msgid "Class Description:" +#~ msgstr "Descrizione della classe:" + +#~ msgid "Property Descriptions:" +#~ msgstr "Descrizioni delle proprietà:" + +#~ msgid "Method Descriptions:" +#~ msgstr "Descrizioni dei metodi:" + +#~ msgid "" +#~ "This will install the Android project for custom builds.\n" +#~ "Note that, in order to use it, it needs to be enabled per export preset." +#~ msgstr "" +#~ "Questo installerà il progetto Android per build personalizzate.\n" +#~ "Nota bene: per essere usato, deve essere abilitato per l'esportazione del " +#~ "preset." + +#~ msgid "Reverse sorting." +#~ msgstr "Ordinamento inverso." + +#~ msgid "Delete Node(s)?" +#~ msgstr "Elimina Nodo(i)?" + #~ msgid "No Matches" #~ msgstr "Nessuna corrispondenza" @@ -12274,10 +12540,6 @@ msgstr "Le constanti non possono essere modificate." #~ msgid "Instance the selected scene(s) as child of the selected node." #~ msgstr "Istanzia le scene selezionate come figlie del nodo selezionato." -#, fuzzy -#~ msgid "Warnings:" -#~ msgstr "Avvertimento" - #~ msgid "Font Size:" #~ msgstr "Dimensione Font:" @@ -12321,9 +12583,6 @@ msgstr "Le constanti non possono essere modificate." #~ msgid "Select a split to erase it." #~ msgstr "Prima seleziona un oggetto di impostazione!" -#~ msgid "No name provided" -#~ msgstr "Nessun nome fornito" - #, fuzzy #~ msgid "Add Node.." #~ msgstr "Aggiungi Nodo" @@ -12460,9 +12719,6 @@ msgstr "Le constanti non possono essere modificate." #~ msgid "Warning" #~ msgstr "Avvertimento" -#~ msgid "Error:" -#~ msgstr "Errore:" - #~ msgid "Function:" #~ msgstr "Funzione:" @@ -12545,9 +12801,6 @@ msgstr "Le constanti non possono essere modificate." #~ msgid "Duplicate Graph Node(s)" #~ msgstr "Duplica Nodo(i) Grafico" -#~ msgid "Delete Shader Graph Node(s)" -#~ msgstr "Elimina Nodo(i) Grafico di Shader" - #~ msgid "Error: Cyclic Connection Link" #~ msgstr "Errore: Giunzione ciclica" @@ -12998,9 +13251,6 @@ msgstr "Le constanti non possono essere modificate." #~ msgid "Pick New Name and Location For:" #~ msgstr "Scegli un Nuovo Nome e Posizione Per:" -#~ msgid "No files selected!" -#~ msgstr "Nessun File selezionato!" - #~ msgid "Info" #~ msgstr "Info" @@ -13400,12 +13650,6 @@ msgstr "Le constanti non possono essere modificate." #~ msgid "Scaling to %s%%." #~ msgstr "Scalando a %s%%." -#~ msgid "Up" -#~ msgstr "Su" - -#~ msgid "Down" -#~ msgstr "Giù" - #~ msgid "Bucket" #~ msgstr "Secchiello" diff --git a/editor/translations/ja.po b/editor/translations/ja.po index 3e529af0cb..18e99b4730 100644 --- a/editor/translations/ja.po +++ b/editor/translations/ja.po @@ -26,12 +26,13 @@ # Takuya Watanabe <watanabe@zblog.sakura.ne.jp>, 2019. # Sodium11 <Sodium11.for.gitserver@gmail.com>, 2019. # leela <53352@protonmail.com>, 2019. +# Tarou Yamada <mizuningyou@yahoo.co.jp>, 2019. msgid "" msgstr "" "Project-Id-Version: Godot Engine editor\n" "POT-Creation-Date: \n" -"PO-Revision-Date: 2019-08-29 13:35+0000\n" -"Last-Translator: leela <53352@protonmail.com>\n" +"PO-Revision-Date: 2019-09-26 11:50+0000\n" +"Last-Translator: Tarou Yamada <mizuningyou@yahoo.co.jp>\n" "Language-Team: Japanese <https://hosted.weblate.org/projects/godot-engine/" "godot/ja/>\n" "Language: ja\n" @@ -80,6 +81,35 @@ msgstr "'%s' の引数は無効です" msgid "On call to '%s':" msgstr "'%s' への呼び出し:" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +#, fuzzy +msgid "MiB" +msgstr "ミックス" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "解放" @@ -506,6 +536,12 @@ msgid "Select None" msgstr "選択解除" #: editor/animation_track_editor.cpp +#, fuzzy +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" +"アニメーションを含んだ AnimationPlayer ノードへのパスが設定されていません。" + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "ツリーで選択したノードのトラックのみを表示します。" @@ -828,7 +864,8 @@ msgstr "シグナルに接続できません" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -929,7 +966,8 @@ msgstr "検索:" msgid "Matches:" msgstr "一致:" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1242,7 +1280,8 @@ msgid "Delete Bus Effect" msgstr "バスエフェクトを削除" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +#, fuzzy +msgid "Drag & drop to rearrange." msgstr "オーディオバスはドラッグ・アンド・ドロップで並べ替えられます。" #: editor/editor_audio_buses.cpp @@ -1433,6 +1472,7 @@ msgid "Add AutoLoad" msgstr "自動読込みを追加" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "パス:" @@ -1663,6 +1703,7 @@ msgstr "最新にする" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "新規" @@ -1733,6 +1774,7 @@ msgid "New Folder..." msgstr "新規フォルダ..." #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "再読込" @@ -1890,7 +1932,8 @@ msgid "Inherited by:" msgstr "継承先:" #: editor/editor_help.cpp -msgid "Brief Description:" +#, fuzzy +msgid "Brief Description" msgstr "要約:" #: editor/editor_help.cpp @@ -1898,38 +1941,18 @@ msgid "Properties" msgstr "プロパティ" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "プロパティ:" - -#: editor/editor_help.cpp msgid "Methods" msgstr "メソッド" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "メソッド:" - -#: editor/editor_help.cpp msgid "Theme Properties" msgstr "テーマプロパティ" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "テーマプロパティ:" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "シグナル:" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "列挙型" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "列挙型:" - -#: editor/editor_help.cpp msgid "enum " msgstr "列挙型 " @@ -1938,19 +1961,12 @@ msgid "Constants" msgstr "定数" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "定数:" - -#: editor/editor_help.cpp msgid "Class Description" msgstr "クラスの説明" #: editor/editor_help.cpp -msgid "Class Description:" -msgstr "クラスの説明:" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +#, fuzzy +msgid "Online Tutorials" msgstr "オンラインチュートリアル:" #: editor/editor_help.cpp @@ -1968,10 +1984,6 @@ msgid "Property Descriptions" msgstr "プロパティの説明" #: editor/editor_help.cpp -msgid "Property Descriptions:" -msgstr "プロパティの説明:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -1984,10 +1996,6 @@ msgid "Method Descriptions" msgstr "メソッドの説明" #: editor/editor_help.cpp -msgid "Method Descriptions:" -msgstr "メソッドの説明:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2056,8 +2064,8 @@ msgstr "出力:" msgid "Copy Selection" msgstr "選択範囲をコピー" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2070,6 +2078,48 @@ msgstr "クリア" msgid "Clear Output" msgstr "出力をクリア" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "停止" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "開始" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Down" +msgstr "下" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "上" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "ノード" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp #, fuzzy msgid "New Window" @@ -2658,6 +2708,19 @@ msgstr "プロジェクト" msgid "Project Settings..." msgstr "プロジェクト設定" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Version Control" +msgstr "バージョン:" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp #, fuzzy msgid "Export..." @@ -2881,10 +2944,6 @@ msgstr "シーンを一時停止" msgid "Stop the scene." msgstr "シーンを停止。" -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "停止" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "編集したシーンを実行。" @@ -2935,10 +2994,6 @@ msgid "Inspector" msgstr "インスペクタ" #: editor/editor_node.cpp -msgid "Node" -msgstr "ノード" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "下パネルを展開" @@ -2962,17 +3017,22 @@ msgstr "テンプレートの管理" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" -"これにより、カスタムビルド用のAndroidプロジェクトがインストールされます。\n" -"使用するには、エクスポートプリセットごとに有効にする必要があります。" #: editor/editor_node.cpp +#, fuzzy msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" "Androidビルドテンプレートはすでにインストールされており、上書きされません。\n" "この操作を再試行する前に、 \"build\"ディレクトリを手動で削除してください。" @@ -3037,6 +3097,11 @@ msgstr "次のエディタを開く" msgid "Open the previous Editor" msgstr "前のエディタを開く" +#: editor/editor_path.cpp +#, fuzzy +msgid "No sub-resources found." +msgstr "サーフェスのソースが指定されていません。" + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "メッシュプレビューを作成" @@ -3046,6 +3111,11 @@ msgid "Thumbnail..." msgstr "サムネイル..." #: editor/editor_plugin_settings.cpp +#, fuzzy +msgid "Main Script:" +msgstr "スクリプトを開く:" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "プラグインの編集" @@ -3074,11 +3144,6 @@ msgstr "ステータス:" msgid "Edit:" msgstr "編集:" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "開始" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "測定:" @@ -3884,9 +3949,10 @@ msgstr " ファイル" msgid "Import As:" msgstr "名前を付けてインポート:" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." -msgstr "プリセット..." +#: editor/import_dock.cpp +#, fuzzy +msgid "Preset" +msgstr "初期設定値" #: editor/import_dock.cpp msgid "Reimport" @@ -4327,6 +4393,7 @@ msgid "Change Animation Name:" msgstr "アニメーション名を変更:" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "アニメーションを削除しますか?" @@ -4898,10 +4965,6 @@ msgid "Sort:" msgstr "ソート:" #: editor/plugins/asset_library_editor_plugin.cpp -msgid "Reverse sorting." -msgstr "逆順ソート。" - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "カテゴリー:" @@ -5181,6 +5244,11 @@ msgid "Pan Mode" msgstr "パンモード" #: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy +msgid "Ruler Mode" +msgstr "実行モード:" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "スナッピングを切り替える。" @@ -5464,7 +5532,7 @@ msgstr "生成したポイントの数:" #: editor/plugins/cpu_particles_2d_editor_plugin.cpp #: editor/plugins/particles_2d_editor_plugin.cpp msgid "Emission Mask" -msgstr "発光(Emission)マスク" +msgstr "放出マスク" #: editor/plugins/cpu_particles_2d_editor_plugin.cpp #: editor/plugins/particles_2d_editor_plugin.cpp @@ -5474,7 +5542,7 @@ msgstr "ピクセルからキャプチャ" #: editor/plugins/cpu_particles_2d_editor_plugin.cpp #: editor/plugins/particles_2d_editor_plugin.cpp msgid "Emission Colors" -msgstr "発光(Emission)色" +msgstr "放出時の色" #: editor/plugins/cpu_particles_editor_plugin.cpp msgid "CPUParticles" @@ -6265,7 +6333,7 @@ msgstr "インスタンス:" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "型:" @@ -6468,14 +6536,14 @@ msgid "Toggle Scripts Panel" msgstr "スクリプトパネルを切り替え" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" -msgstr "ステップオーバー" - -#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Step Into" msgstr "ステップイン" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp +msgid "Step Over" +msgstr "ステップオーバー" + +#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Break" msgstr "ブレーク" @@ -6556,7 +6624,7 @@ msgstr "最近開いたシーンの履歴をクリア" msgid "Connections to method:" msgstr "メソッドへの接続:" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp msgid "Source" msgstr "ソース" @@ -7111,7 +7179,7 @@ msgstr "フリールックの切り替え" #: editor/plugins/spatial_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Transform" -msgstr "変換" +msgstr "変形" #: editor/plugins/spatial_editor_plugin.cpp #, fuzzy @@ -7342,6 +7410,11 @@ msgid "(empty)" msgstr "(空)" #: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy +msgid "Move Frame" +msgstr "フレームを貼り付け" + +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Animations:" msgstr "アニメーション:" @@ -7664,6 +7737,15 @@ msgid "Enable Priority" msgstr "優先順位を有効化" #: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy +msgid "Filter tiles" +msgstr "ファイルを絞り込む..." + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "タイルを塗る" @@ -7799,6 +7881,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "タイル名を表示 (Altキーを長押し)" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp msgid "Remove selected texture? This will remove all tiles which use it." msgstr "" "選択したテクスチャを除去しますか? これを使用しているすべてのタイルは除去され" @@ -7973,6 +8060,112 @@ msgstr "このプロパティは変更できません。" msgid "TileSet" msgstr "タイルセット" +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No VCS addons are available." +msgstr "ノードの親の名前 (使用可能な場合)" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "エラー" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No commit message was provided" +msgstr "名前が付いていません" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit" +msgstr "コミュニティ" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Initialize" +msgstr "単語の先頭文字を大文字に" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "新規ノードを作成。" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "変更" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "名前の変更" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "削除" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Typechange" +msgstr "変更" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "選択済みを削除" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage All" +msgstr "すべて保存" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit Changes" +msgstr "スクリプトの変更を同期" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "ステータス" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No file diff is active" +msgstr "ファイルが選択されていません!" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "(GLES3のみ)" @@ -8212,6 +8405,13 @@ msgstr "" "指定されたブール値がtrueまたはfalseの場合、関連付けられたベクトルを返します。" #: editor/plugins/visual_shader_editor_plugin.cpp +#, fuzzy +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" +"指定されたブール値がtrueまたはfalseの場合、関連付けられたベクトルを返します。" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "2つのパラメータ間の比較の結果をブール値で返します。" @@ -9272,12 +9472,11 @@ msgstr "" "プロジェクトフォルダの内容は変更されません。" #: editor/project_manager.cpp -#, fuzzy msgid "" "Remove all missing projects from the list?\n" "The project folders' contents won't be modified." msgstr "" -"%d プロジェクトを一覧から削除しますか?\n" +"見つからないすべてのプロジェクトを一覧から削除しますか?\n" "プロジェクトフォルダの内容は変更されません。" #: editor/project_manager.cpp @@ -9536,6 +9735,11 @@ msgid "Settings saved OK." msgstr "設定の保存に成功しました." #: editor/project_settings_editor.cpp +#, fuzzy +msgid "Moved Input Action Event" +msgstr "入力アクションイベントを追加" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "機能のオーバーライド" @@ -9675,6 +9879,10 @@ msgid "Plugins" msgstr "プラグイン" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "プリセット..." + +#: editor/property_editor.cpp #, fuzzy msgid "Zero" msgstr "(イージング)無し" @@ -9844,10 +10052,6 @@ msgstr "大文字に" msgid "Reset" msgstr "リセット" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "エラー" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "親ノードを変更" @@ -9905,6 +10109,11 @@ msgid "Instance Scene(s)" msgstr "シーンのインスタンス化" #: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Replace with Branch Scene" +msgstr "ブランチをシーンとして保存" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "子シーンをインスタンス化" @@ -9947,8 +10156,23 @@ msgid "Make node as Root" msgstr "ノードをルートにする" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" -msgstr "ノードを削除しますか?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "ノードを削除" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete the root node \"%s\"?" +msgstr "シェーダーグラフノードを消去" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" +msgstr "" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "ノードを削除" #: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." @@ -10350,19 +10574,50 @@ msgid "Bytes:" msgstr "バイト:" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" -msgstr "スタックトレース" +#, fuzzy +msgid "Warning:" +msgstr "警告:" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." -msgstr "グラフを表示するには、リストからアイテムを1つ以上選んでください。" +msgid "Error:" +msgstr "エラー:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error" +msgstr "エラーをコピー" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error:" +msgstr "エラー:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source" +msgstr "ソース" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" +msgstr "ソース" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source:" +msgstr "ソース" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" +msgstr "スタックトレース" #: editor/script_editor_debugger.cpp msgid "Errors" msgstr "エラー" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +#, fuzzy +msgid "Child process connected." msgstr "子プロセス接続" #: editor/script_editor_debugger.cpp @@ -10370,6 +10625,11 @@ msgid "Copy Error" msgstr "エラーをコピー" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "ブレークポイント" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "前のインスタンスを調べる" @@ -10386,6 +10646,11 @@ msgid "Profiler" msgstr "プロファイラー" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Network Profiler" +msgstr "プロファイルのエクスポート" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "モニター" @@ -10398,6 +10663,10 @@ msgid "Monitors" msgstr "モニター" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "グラフを表示するには、リストからアイテムを1つ以上選んでください。" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "リソースによるビデオメモリーの使用一覧:" @@ -10595,10 +10864,6 @@ msgid "Library" msgstr "ライブラリ" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "ステータス" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "ライブラリ: " @@ -10607,6 +10872,10 @@ msgid "GDNative" msgstr "GDNative" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "ステップ引数はゼロです!" @@ -10768,6 +11037,15 @@ msgstr "グリッドマップの設定" msgid "Pick Distance:" msgstr "インスタンス:" +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "フィルタメソッド" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "クラス名を予約キーワードにすることはできません" @@ -10913,6 +11191,10 @@ msgid "Create a new variable." msgstr "新規ノードを作成。" #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "シグナル:" + +#: modules/visual_script/visual_script_editor.cpp #, fuzzy msgid "Create a new signal." msgstr "新規ポリゴンを生成。" @@ -11078,6 +11360,11 @@ msgid "Editing Signal:" msgstr "シグナルを接続:" #: modules/visual_script/visual_script_editor.cpp +#, fuzzy +msgid "Make Tool:" +msgstr "ローカルにする" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "基本タイプ:" @@ -11227,8 +11514,10 @@ msgid "Invalid Android SDK path for custom build in Editor Settings." msgstr "エディタ設定のカスタムビルドのAndroid SDKパスが無効です。" #: platform/android/export/export.cpp +#, fuzzy msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" "Androidプロジェクトはコンパイル用にインストールされていません。 エディタメ" "ニューからインストールします。" @@ -12026,6 +12315,44 @@ msgstr "Varyingは頂点関数にのみ割り当てることができます。" msgid "Constants cannot be modified." msgstr "定数は変更できません。" +#~ msgid "Properties:" +#~ msgstr "プロパティ:" + +#~ msgid "Methods:" +#~ msgstr "メソッド:" + +#~ msgid "Theme Properties:" +#~ msgstr "テーマプロパティ:" + +#~ msgid "Enumerations:" +#~ msgstr "列挙型:" + +#~ msgid "Constants:" +#~ msgstr "定数:" + +#~ msgid "Class Description:" +#~ msgstr "クラスの説明:" + +#~ msgid "Property Descriptions:" +#~ msgstr "プロパティの説明:" + +#~ msgid "Method Descriptions:" +#~ msgstr "メソッドの説明:" + +#~ msgid "" +#~ "This will install the Android project for custom builds.\n" +#~ "Note that, in order to use it, it needs to be enabled per export preset." +#~ msgstr "" +#~ "これにより、カスタムビルド用のAndroidプロジェクトがインストールされま" +#~ "す。\n" +#~ "使用するには、エクスポートプリセットごとに有効にする必要があります。" + +#~ msgid "Reverse sorting." +#~ msgstr "逆順ソート。" + +#~ msgid "Delete Node(s)?" +#~ msgstr "ノードを削除しますか?" + #~ msgid "No Matches" #~ msgstr "一致なし" @@ -12285,9 +12612,6 @@ msgstr "定数は変更できません。" #~ msgid "Instance the selected scene(s) as child of the selected node." #~ msgstr "選択したシーンを選択したノードの子としてインスタンス化します。" -#~ msgid "Warnings:" -#~ msgstr "警告:" - #~ msgid "Font Size:" #~ msgstr "フォントサイズ:" @@ -12329,9 +12653,6 @@ msgstr "定数は変更できません。" #~ msgid "Select a split to erase it." #~ msgstr "設定項目を設定してください!" -#~ msgid "No name provided" -#~ msgstr "名前が付いていません" - #~ msgid "Add Node.." #~ msgstr "ノードを追加.." @@ -12468,9 +12789,6 @@ msgstr "定数は変更できません。" #~ msgid "Warning" #~ msgstr "警告" -#~ msgid "Error:" -#~ msgstr "エラー:" - #~ msgid "Function:" #~ msgstr "関数:" @@ -12564,9 +12882,6 @@ msgstr "定数は変更できません。" #~ msgid "Duplicate Graph Node(s)" #~ msgstr "グラフノードを複製" -#~ msgid "Delete Shader Graph Node(s)" -#~ msgstr "シェーダーグラフノードを消去" - #~ msgid "Error: Cyclic Connection Link" #~ msgstr "エラー:循環結合リンク" @@ -13036,10 +13351,6 @@ msgstr "定数は変更できません。" #~ msgstr "新しい名前とロケーションを選択:" #, fuzzy -#~ msgid "No files selected!" -#~ msgstr "ファイルが選択されていません!" - -#, fuzzy #~ msgid "Info" #~ msgstr "インフォーメーション" @@ -13526,12 +13837,6 @@ msgstr "定数は変更できません。" #~ msgid "Scaling to %s%%." #~ msgstr "拡大縮小比率%s%%." -#~ msgid "Up" -#~ msgstr "上" - -#~ msgid "Down" -#~ msgstr "下" - #, fuzzy #~ msgid "Invalid project path, the path must exist!" #~ msgstr "パスが不正です.パスが存在しないといけません." diff --git a/editor/translations/ka.po b/editor/translations/ka.po index 7129447aef..7e9f4513aa 100644 --- a/editor/translations/ka.po +++ b/editor/translations/ka.po @@ -60,6 +60,34 @@ msgstr "" msgid "On call to '%s':" msgstr "" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +msgid "MiB" +msgstr "" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "თავისუფალი" @@ -499,6 +527,11 @@ msgid "Select None" msgstr "მონიშვნის ასლის შექმნა" #: editor/animation_track_editor.cpp +#, fuzzy +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "მონიშნეთ AnimationPlayer სცენიდან რომ შეცვალოთ ანიმაციები." + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "მხოლოდ აჩვენე ჩანაწერები კვანძებიდან მონიშნული ხეში." @@ -831,7 +864,8 @@ msgstr "დამაკავშირებელი სიგნალი:" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -937,7 +971,8 @@ msgstr "ძებნა:" msgid "Matches:" msgstr "დამთხვევები:" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1256,7 +1291,8 @@ msgid "Delete Bus Effect" msgstr "გადამტანი ეფექტის წაშლა" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +#, fuzzy +msgid "Drag & drop to rearrange." msgstr "აუდიო გადამტანი, გადაათრიეთ რომ შეცვალოთ რიგი." #: editor/editor_audio_buses.cpp @@ -1448,6 +1484,7 @@ msgid "Add AutoLoad" msgstr "" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "" @@ -1675,6 +1712,7 @@ msgstr "ფუნქციის შექმნა" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "" @@ -1748,6 +1786,7 @@ msgid "New Folder..." msgstr "" #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "" @@ -1906,46 +1945,27 @@ msgid "Inherited by:" msgstr "" #: editor/editor_help.cpp -msgid "Brief Description:" -msgstr "" +#, fuzzy +msgid "Brief Description" +msgstr "აღწერა:" #: editor/editor_help.cpp msgid "Properties" msgstr "" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "" - -#: editor/editor_help.cpp msgid "Methods" msgstr "" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "" - -#: editor/editor_help.cpp msgid "Theme Properties" msgstr "" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "" - -#: editor/editor_help.cpp msgid "enum " msgstr "" @@ -1954,21 +1974,12 @@ msgid "Constants" msgstr "" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "" - -#: editor/editor_help.cpp #, fuzzy msgid "Class Description" msgstr "აღწერა:" #: editor/editor_help.cpp -#, fuzzy -msgid "Class Description:" -msgstr "აღწერა:" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +msgid "Online Tutorials" msgstr "" #: editor/editor_help.cpp @@ -1984,11 +1995,6 @@ msgid "Property Descriptions" msgstr "აღწერა:" #: editor/editor_help.cpp -#, fuzzy -msgid "Property Descriptions:" -msgstr "აღწერა:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -2000,11 +2006,6 @@ msgid "Method Descriptions" msgstr "აღწერა:" #: editor/editor_help.cpp -#, fuzzy -msgid "Method Descriptions:" -msgstr "აღწერა:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2076,8 +2077,8 @@ msgstr "" msgid "Copy Selection" msgstr "მონიშვნის მოშორება" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2090,6 +2091,48 @@ msgstr "" msgid "Clear Output" msgstr "" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Down" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" msgstr "" @@ -2635,6 +2678,18 @@ msgstr "" msgid "Project Settings..." msgstr "" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control" +msgstr "" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp msgid "Export..." msgstr "" @@ -2837,10 +2892,6 @@ msgstr "" msgid "Stop the scene." msgstr "" -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "" @@ -2892,10 +2943,6 @@ msgid "Inspector" msgstr "" #: editor/editor_node.cpp -msgid "Node" -msgstr "" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "" @@ -2917,15 +2964,21 @@ msgstr "" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -2988,6 +3041,10 @@ msgstr "" msgid "Open the previous Editor" msgstr "" +#: editor/editor_path.cpp +msgid "No sub-resources found." +msgstr "" + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "" @@ -2997,6 +3054,11 @@ msgid "Thumbnail..." msgstr "" #: editor/editor_plugin_settings.cpp +#, fuzzy +msgid "Main Script:" +msgstr "დამოკიდებულებების შემსწორებელი" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "" @@ -3025,11 +3087,6 @@ msgstr "" msgid "Edit:" msgstr "" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "" @@ -3828,9 +3885,10 @@ msgstr "" msgid "Import As:" msgstr "" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." -msgstr "" +#: editor/import_dock.cpp +#, fuzzy +msgid "Preset" +msgstr "ზუმის საწყისზე დაყენება" #: editor/import_dock.cpp msgid "Reimport" @@ -4269,6 +4327,7 @@ msgid "Change Animation Name:" msgstr "" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "" @@ -4838,10 +4897,6 @@ msgid "Sort:" msgstr "" #: editor/plugins/asset_library_editor_plugin.cpp -msgid "Reverse sorting." -msgstr "" - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "" @@ -5115,6 +5170,11 @@ msgid "Pan Mode" msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy +msgid "Ruler Mode" +msgstr "მასშტაბის თანაფარდობა:" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "" @@ -6179,7 +6239,7 @@ msgstr "" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "" @@ -6387,11 +6447,11 @@ msgid "Toggle Scripts Panel" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" +msgid "Step Into" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Into" +msgid "Step Over" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp @@ -6473,7 +6533,7 @@ msgstr "" msgid "Connections to method:" msgstr "კვანძთან დაკავშირება:" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp #, fuzzy msgid "Source" msgstr "რესურსი" @@ -7261,6 +7321,10 @@ msgid "(empty)" msgstr "" #: editor/plugins/sprite_frames_editor_plugin.cpp +msgid "Move Frame" +msgstr "" + +#: editor/plugins/sprite_frames_editor_plugin.cpp #, fuzzy msgid "Animations:" msgstr "ფუნქციები:" @@ -7583,6 +7647,14 @@ msgid "Enable Priority" msgstr "" #: editor/plugins/tile_map_editor_plugin.cpp +msgid "Filter tiles" +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "" @@ -7722,6 +7794,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp #, fuzzy msgid "Remove selected texture? This will remove all tiles which use it." msgstr "მონიშნული თრექის წაშლა." @@ -7888,6 +7965,107 @@ msgstr "" msgid "TileSet" msgstr "" +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No VCS addons are available." +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No commit message was provided" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Commit" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Initialize" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "ახალი %s შექმნა" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "ცვლილება" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "აუდიო გადამტანის სახელის ცვლილება" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "წაშლა" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Typechange" +msgstr "ცვლილება" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "მონიშვნის მასშტაბის ცვლილება" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage All" +msgstr "ყველას ჩანაცვლება" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit Changes" +msgstr "ცვლილება" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -8135,6 +8313,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9334,6 +9517,10 @@ msgid "Settings saved OK." msgstr "" #: editor/project_settings_editor.cpp +msgid "Moved Input Action Event" +msgstr "" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "" @@ -9472,6 +9659,10 @@ msgid "Plugins" msgstr "" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "" + +#: editor/property_editor.cpp msgid "Zero" msgstr "" @@ -9638,10 +9829,6 @@ msgstr "" msgid "Reset" msgstr "ზუმის საწყისზე დაყენება" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "" @@ -9697,6 +9884,10 @@ msgid "Instance Scene(s)" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Replace with Branch Scene" +msgstr "" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "" @@ -9737,10 +9928,24 @@ msgid "Make node as Root" msgstr "" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "წაშლა" + +#: editor/scene_tree_dock.cpp +msgid "Delete the root node \"%s\"?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" msgstr "" #: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "წაშლა" + +#: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." msgstr "" @@ -10128,26 +10333,60 @@ msgid "Bytes:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" +msgid "Warning:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." +#, fuzzy +msgid "Error:" +msgstr "სარკე" + +#: editor/script_editor_debugger.cpp +msgid "C++ Error" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Errors" +msgid "C++ Error:" +msgstr "" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source" +msgstr "რესურსი" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" +msgstr "რესურსი" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source:" +msgstr "რესურსი" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +msgid "Errors" msgstr "" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Child process connected." +msgstr "კავშირის გაწყვეტა" + +#: editor/script_editor_debugger.cpp msgid "Copy Error" msgstr "" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "შექმნა" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "" @@ -10164,6 +10403,10 @@ msgid "Profiler" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Network Profiler" +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "" @@ -10176,6 +10419,10 @@ msgid "Monitors" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "" @@ -10372,10 +10619,6 @@ msgid "Library" msgstr "" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "" @@ -10384,6 +10627,10 @@ msgid "GDNative" msgstr "" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "" @@ -10538,6 +10785,14 @@ msgstr "" msgid "Pick Distance:" msgstr "" +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Filter meshes" +msgstr "" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -10675,6 +10930,10 @@ msgid "Create a new variable." msgstr "ახალი %s შექმნა" #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp #, fuzzy msgid "Create a new signal." msgstr "შექმნა" @@ -10834,6 +11093,10 @@ msgid "Editing Signal:" msgstr "" #: modules/visual_script/visual_script_editor.cpp +msgid "Make Tool:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "" @@ -10981,7 +11244,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp @@ -11639,6 +11903,18 @@ msgstr "" msgid "Constants cannot be modified." msgstr "" +#, fuzzy +#~ msgid "Class Description:" +#~ msgstr "აღწერა:" + +#, fuzzy +#~ msgid "Property Descriptions:" +#~ msgstr "აღწერა:" + +#, fuzzy +#~ msgid "Method Descriptions:" +#~ msgstr "აღწერა:" + #~ msgid "Unknown font format." #~ msgstr "უცნობი ფონტის ფორმატი." diff --git a/editor/translations/ko.po b/editor/translations/ko.po index dec3ae7dd8..77226cff26 100644 --- a/editor/translations/ko.po +++ b/editor/translations/ko.po @@ -17,7 +17,7 @@ msgid "" msgstr "" "Project-Id-Version: Godot Engine editor\n" "POT-Creation-Date: \n" -"PO-Revision-Date: 2019-08-04 14:23+0000\n" +"PO-Revision-Date: 2019-09-13 16:50+0000\n" "Last-Translator: 송태섭 <xotjq237@gmail.com>\n" "Language-Team: Korean <https://hosted.weblate.org/projects/godot-engine/" "godot/ko/>\n" @@ -26,48 +26,77 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: Weblate 3.8-dev\n" +"X-Generator: Weblate 3.9-dev\n" #: core/math/expression.cpp modules/gdscript/gdscript_functions.cpp #: modules/visual_script/visual_script_builtin_funcs.cpp msgid "Invalid type argument to convert(), use TYPE_* constants." msgstr "" -"convert()하기 위한 인수 타입이 올바르지 않습니다, TYPE_* 상수를 사용하세요." +"convert()를 사용하기 위한 인수 유형이 잘못되었어요, TYPE_* 상수를 사용하세요." #: core/math/expression.cpp modules/gdscript/gdscript_functions.cpp #: modules/mono/glue/gd_glue.cpp #: modules/visual_script/visual_script_builtin_funcs.cpp msgid "Not enough bytes for decoding bytes, or invalid format." -msgstr "디코딩할 바이트가 모자라거나, 올바르지 않은 형식입니다." +msgstr "디코딩할 바이트가 모자라거나 잘못된 형식이에요." #: core/math/expression.cpp msgid "Invalid input %i (not passed) in expression" -msgstr "표현식에서 잘못된 입력 %i (전달되지 않음)" +msgstr "표현식에서 입력 %i이(가) 잘못되었어요 (전달되지 않음)" #: core/math/expression.cpp msgid "self can't be used because instance is null (not passed)" -msgstr "인스턴스가 비어있기 때문에 Self를 사용할 수 없습니다 (전달되지 않음)" +msgstr "인스턴스가 비어있어서 Self를 사용할 수 없어요 (전달되지 않음)" #: core/math/expression.cpp msgid "Invalid operands to operator %s, %s and %s." -msgstr "연산자 %s, %s 그리고 %s의 연산 대상이 올바르지 않습니다." +msgstr "연산자 %s와(과) %s, %s의 연산 대상이 잘못되었어요." #: core/math/expression.cpp msgid "Invalid index of type %s for base type %s" -msgstr "베이스 타입 %s에 올바르지 않은 인덱스 타입 %s" +msgstr "기본 유형이 %s인 %s 유형의 인덱스가 잘못되었어요" #: core/math/expression.cpp msgid "Invalid named index '%s' for base type %s" -msgstr "베이스 타입 %s에 올바르지 않은 인덱스 이름 %s" +msgstr "기본 유형이 %s인 '%s' 인덱스의 이름이 잘못되었어요" #: core/math/expression.cpp msgid "Invalid arguments to construct '%s'" -msgstr "'%s'을(를) 구성하기에 올바르지 않은 인수" +msgstr "이 인수로는 '%s'을(를) 구성할 수 없어요" #: core/math/expression.cpp msgid "On call to '%s':" msgstr "'%s'을(를) 호출 시:" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +#, fuzzy +msgid "MiB" +msgstr "믹스" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "자유" @@ -90,80 +119,80 @@ msgstr "값:" #: editor/animation_bezier_editor.cpp msgid "Insert Key Here" -msgstr "여기에 키를 삽입" +msgstr "여기에 키를 삽입하기" #: editor/animation_bezier_editor.cpp msgid "Duplicate Selected Key(s)" -msgstr "선택한 키를 복제" +msgstr "선택한 키를 복제하기" #: editor/animation_bezier_editor.cpp msgid "Delete Selected Key(s)" -msgstr "선택한 키를 삭제" +msgstr "선택한 키를 삭제하기" #: editor/animation_bezier_editor.cpp msgid "Add Bezier Point" -msgstr "베지어 포인트 추가" +msgstr "베지어 점 추가하기" #: editor/animation_bezier_editor.cpp msgid "Move Bezier Points" -msgstr "베지어 포인트 이동" +msgstr "베지어 점 이동하기" #: editor/animation_bezier_editor.cpp editor/animation_track_editor.cpp msgid "Anim Duplicate Keys" -msgstr "애니메이션 키 복제" +msgstr "애니메이션 키 복제하기" #: editor/animation_bezier_editor.cpp editor/animation_track_editor.cpp msgid "Anim Delete Keys" -msgstr "애니메이션 키 삭제" +msgstr "애니메이션 키 삭제하기" #: editor/animation_track_editor.cpp msgid "Anim Change Keyframe Time" -msgstr "애니메이션 키프레임 시간 변경" +msgstr "애니메이션 키프레임 시간 변경하기" #: editor/animation_track_editor.cpp msgid "Anim Change Transition" -msgstr "애니메이션 전환 변경" +msgstr "애니메이션 전환 변경하기" #: editor/animation_track_editor.cpp msgid "Anim Change Transform" -msgstr "애니메이션 변형 변경" +msgstr "애니메이션 변형 변경하기" #: editor/animation_track_editor.cpp msgid "Anim Change Keyframe Value" -msgstr "애니메이션 키프레임 값 변경" +msgstr "애니메이션 키프레임 값 변경하기" #: editor/animation_track_editor.cpp msgid "Anim Change Call" -msgstr "애니메이션 호출 변경" +msgstr "애니메이션 호출 변경하기" #: editor/animation_track_editor.cpp msgid "Anim Multi Change Keyframe Time" -msgstr "애니메이션 여러 키프레임 시간 변경" +msgstr "애니메이션 여러 키프레임 시간 변경하기" #: editor/animation_track_editor.cpp msgid "Anim Multi Change Transition" -msgstr "애니메이션 여러 전환 변경" +msgstr "애니메이션 여러 전환 변경하기" #: editor/animation_track_editor.cpp msgid "Anim Multi Change Transform" -msgstr "애니메이션 여러 변형 변경" +msgstr "애니메이션 여러 변형 변경하기" #: editor/animation_track_editor.cpp msgid "Anim Multi Change Keyframe Value" -msgstr "애니메이션 여러 키프레임 값 변경" +msgstr "애니메이션 여러 키프레임 값 변경하기" #: editor/animation_track_editor.cpp msgid "Anim Multi Change Call" -msgstr "애니메이션 여러 호출 변경" +msgstr "애니메이션 여러 호출 변경하기" #: editor/animation_track_editor.cpp msgid "Change Animation Length" -msgstr "애니메이션 길이 변경" +msgstr "애니메이션 길이 변경하기" #: editor/animation_track_editor.cpp #: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Change Animation Loop" -msgstr "애니메이션 루프 변경" +msgstr "애니메이션 루프 변경하기" #: editor/animation_track_editor.cpp msgid "Property Track" @@ -199,11 +228,11 @@ msgstr "애니메이션 길이 (초)" #: editor/animation_track_editor.cpp msgid "Add Track" -msgstr "트랙 추가" +msgstr "트랙 추가하기" #: editor/animation_track_editor.cpp msgid "Animation Looping" -msgstr "애니메이션 반복" +msgstr "애니메이션 반복하기" #: editor/animation_track_editor.cpp #: modules/visual_script/visual_script_editor.cpp @@ -220,11 +249,11 @@ msgstr "애니메이션 클립:" #: editor/animation_track_editor.cpp msgid "Change Track Path" -msgstr "트랙 경로 변경" +msgstr "트랙 경로 변경하기" #: editor/animation_track_editor.cpp msgid "Toggle this track on/off." -msgstr "이 트랙을 키거나 끕니다." +msgstr "이 트랙을 켜거나 끕니다." #: editor/animation_track_editor.cpp msgid "Update Mode (How this property is set)" @@ -240,7 +269,7 @@ msgstr "루프 랩 모드 (시작 루프와 끝을 보간)" #: editor/animation_track_editor.cpp msgid "Remove this track." -msgstr "이 트랙을 삭제합니다." +msgstr "이 트랙을 삭제할게요." #: editor/animation_track_editor.cpp msgid "Time (s): " @@ -264,7 +293,7 @@ msgstr "트리거" #: editor/animation_track_editor.cpp msgid "Capture" -msgstr "캡쳐" +msgstr "캡처" #: editor/animation_track_editor.cpp msgid "Nearest" @@ -281,7 +310,7 @@ msgstr "입방형" #: editor/animation_track_editor.cpp msgid "Clamp Loop Interp" -msgstr "루프 보간 고정" +msgstr "루프 보간 고정하기" #: editor/animation_track_editor.cpp msgid "Wrap Loop Interp" @@ -290,39 +319,39 @@ msgstr "루프 보간 감추기" #: editor/animation_track_editor.cpp #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Insert Key" -msgstr "키 삽입" +msgstr "키 삽입하기" #: editor/animation_track_editor.cpp msgid "Duplicate Key(s)" -msgstr "키 복제" +msgstr "키 복제하기" #: editor/animation_track_editor.cpp msgid "Delete Key(s)" -msgstr "키 삭제" +msgstr "키 삭제하기" #: editor/animation_track_editor.cpp msgid "Change Animation Update Mode" -msgstr "애니메이션 업데이트 모드 변경" +msgstr "애니메이션 업데이트 모드 변경하기" #: editor/animation_track_editor.cpp msgid "Change Animation Interpolation Mode" -msgstr "애니메이션 보간 모드 변경" +msgstr "애니메이션 보간 모드 변경하기" #: editor/animation_track_editor.cpp msgid "Change Animation Loop Mode" -msgstr "애니메이션 루프 모드 변경" +msgstr "애니메이션 루프 모드 변경하기" #: editor/animation_track_editor.cpp msgid "Remove Anim Track" -msgstr "애니메이션 트랙 삭제" +msgstr "애니메이션 트랙 삭제하기" #: editor/animation_track_editor.cpp msgid "Create NEW track for %s and insert key?" -msgstr "%s을(를) 위해 새 트랙을 만들고 키를 삽입하시겠습니까?" +msgstr "%s을(를) 위해 새 트랙을 만들고 키를 삽입할까요?" #: editor/animation_track_editor.cpp msgid "Create %d NEW tracks and insert keys?" -msgstr "%d개의 새 트랙을 생성하고 키를 삽입하시겠습니까?" +msgstr "%d개의 새 트랙을 만들고 키를 삽입할까요?" #: editor/animation_track_editor.cpp editor/create_dialog.cpp #: editor/editor_audio_buses.cpp editor/editor_feature_profile.cpp @@ -337,36 +366,37 @@ msgstr "만들기" #: editor/animation_track_editor.cpp msgid "Anim Insert" -msgstr "애니메이션 삽입" +msgstr "애니메이션 삽입하기" #: editor/animation_track_editor.cpp msgid "AnimationPlayer can't animate itself, only other players." msgstr "" -"AnimationPlayer는 자신을 애니메이션 할 수 없습니다, 다른 것에만 됩니다." +"AnimationPlayer는 자신에게 애니메이션을 할 수 없어요, 다른 AnimationPlayer만 " +"애니메이션을 줄 수 있죠." #: editor/animation_track_editor.cpp msgid "Anim Create & Insert" -msgstr "애니메이션 생성과 삽입" +msgstr "애니메이션 생성하기 & 삽입하기" #: editor/animation_track_editor.cpp msgid "Anim Insert Track & Key" -msgstr "애니메이션 트랙과 키 삽입" +msgstr "애니메이션 트랙과 키 삽입하기" #: editor/animation_track_editor.cpp msgid "Anim Insert Key" -msgstr "애니메이션 키 삽입" +msgstr "애니메이션 키 삽입하기" #: editor/animation_track_editor.cpp msgid "Change Animation Step" -msgstr "애니메이션 스텝 변경" +msgstr "애니메이션 단계 바꾸기하기" #: editor/animation_track_editor.cpp msgid "Rearrange Tracks" -msgstr "트랙 재정렬" +msgstr "트랙 다시 정렬하기" #: editor/animation_track_editor.cpp msgid "Transform tracks only apply to Spatial-based nodes." -msgstr "변형 트랙은 오직 Spatial 기반 노드에만 적용됩니다." +msgstr "변형 트랙은 오직 Spatial 기반 노드에만 적용돼요." #: editor/animation_track_editor.cpp msgid "" @@ -375,76 +405,77 @@ msgid "" "-AudioStreamPlayer2D\n" "-AudioStreamPlayer3D" msgstr "" -"오디오 트랙은 오직 다음 타입의 노드만 가리킬 수 있습니다:\n" +"오디오 트랙은 오직 다음 유형의 노드만 가리켜요:\n" "-AudioStreamPlayer\n" "-AudioStreamPlayer2D\n" "-AudioStreamPlayer3D" #: editor/animation_track_editor.cpp msgid "Animation tracks can only point to AnimationPlayer nodes." -msgstr "애니메이션 트랙은 오직 AnimationPlayer 노드만 가리킬 수 있습니다." +msgstr "애니메이션 트랙은 오직 AnimationPlayer 노드만 가리킬 수 있어요." #: editor/animation_track_editor.cpp msgid "An animation player can't animate itself, only other players." msgstr "" -"애니메이션 플레이어는 자신을 애니메이션 할 수 없습니다, 다른 것에만 됩니다." +"AnimationPlayer는 자신에게 애니메이션을 할 수 없어요, 다른 AnimationPlayer만 " +"애니메이션을 줄 수 있죠." #: editor/animation_track_editor.cpp msgid "Not possible to add a new track without a root" -msgstr "루트 없이 새 트랙을 추가할 수 없음" +msgstr "루트 없이 새 트랙을 추가할 수 없어요" #: editor/animation_track_editor.cpp msgid "Add Bezier Track" -msgstr "베지어 트랙 추가" +msgstr "베지어 트랙 추가하기" #: editor/animation_track_editor.cpp msgid "Track path is invalid, so can't add a key." -msgstr "트랙 경로가 올바르지 않습니다, 키를 추가할 수 없습니다." +msgstr "트랙 경로가 잘못됐어요, 키를 추가할 수 없어요." #: editor/animation_track_editor.cpp msgid "Track is not of type Spatial, can't insert key" -msgstr "트랙이 Spatial 타입이 아닙니다, 키를 삽입하실 수 없습니다" +msgstr "트랙이 Spatial 유형이 아니에요, 키를 삽입할 수 없어요" #: editor/animation_track_editor.cpp msgid "Add Transform Track Key" -msgstr "변형 트랙 키 추가" +msgstr "변형 트랙 키 추가하기" #: editor/animation_track_editor.cpp msgid "Add Track Key" -msgstr "트랙 키 추가" +msgstr "트랙 키 추가하기" #: editor/animation_track_editor.cpp msgid "Track path is invalid, so can't add a method key." -msgstr "트랙 경로가 올바르지 않습니다, 메서드 키를 추가할 수 없습니다." +msgstr "트랙 경로가 잘못됐어요, 메서드 키를 추가할 수 없어요." #: editor/animation_track_editor.cpp msgid "Add Method Track Key" -msgstr "메서드 트랙 키 추가" +msgstr "메서드 트랙 키 추가하기" #: editor/animation_track_editor.cpp msgid "Method not found in object: " -msgstr "객체에 메서드가 없습니다: " +msgstr "객체에 메서드가 없어요: " #: editor/animation_track_editor.cpp msgid "Anim Move Keys" -msgstr "애니메이션 키 이동" +msgstr "애니메이션 키 이동하기" #: editor/animation_track_editor.cpp msgid "Clipboard is empty" -msgstr "클립보드가 비었습니다" +msgstr "클립보드가 비었어요" #: editor/animation_track_editor.cpp msgid "Paste Tracks" -msgstr "트랙 붙여넣기" +msgstr "트랙 붙여 넣기" #: editor/animation_track_editor.cpp msgid "Anim Scale Keys" -msgstr "애니메이션 키 크기 조절" +msgstr "애니메이션 키 크기 조절하기" #: editor/animation_track_editor.cpp msgid "" "This option does not work for Bezier editing, as it's only a single track." -msgstr "이 옵션은 베지어 편집에서 단일 트랙이기 때문에, 작동하지 않습니다." +msgstr "이 설정은 단일 트랙에만 해당되어서, 베지어 편집에 작동하지 않아요." #: editor/animation_track_editor.cpp msgid "" @@ -458,34 +489,40 @@ msgid "" "Alternatively, use an import preset that imports animations to separate " "files." msgstr "" -"이 애니메이션은 가져온 씬에 속해있습니다, 따라서 가져온 트랙에는 변경사항이 " -"저장되지 않습니다.\n" +"이 애니메이션은 가져온 씬에 종속되어있어요, 가져온 트랙의 변경 사항은 저장되" +"지 않아요.\n" "\n" -"커스텀 트랟을 추가하기 위해서는, 씬의 가져오기 설정으로 가서\n" -"\"Animation > Storage\"를 \"Files\"로 설정하고 \"Animation > Keep Custom " -"Tracks\"을 켠 다음 다시 가져오세요.\n" -"또는 애니메이션을 개별 파일로 가져오는 가져오기 프리셋을 사용하세요." +"저장 기능을 켜려면 맞춤 트랙을 추가하고, 씬의 가져오기 설정으로 가서\n" +"\"Animation > Storage\" 설정을 \"Files\"로, \"Animation > Keep Custom Tracks" +"\" 설정을 켠 뒤, 다시 가져오세요.\n" +"대신 가져오기 프리셋으로 애니메이션을 별도의 파일로 가져올 수도 있어요." #: editor/animation_track_editor.cpp msgid "Warning: Editing imported animation" -msgstr "경고: 가져온 애니메이션을 편집하고 있음" +msgstr "경고: 가져온 애니메이션을 편집 중" #: editor/animation_track_editor.cpp editor/plugins/script_text_editor.cpp #: scene/gui/line_edit.cpp scene/gui/text_edit.cpp msgid "Select All" -msgstr "전체선택" +msgstr "모두 선택하기" #: editor/animation_track_editor.cpp msgid "Select None" -msgstr "모든 선택 해제" +msgstr "모두 선택하지 않기" + +#: editor/animation_track_editor.cpp +#, fuzzy +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" +"애니메이션을 갖고 있는 AnimationPlayer 노드의 경로를 설정하지 않았어요." #: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." -msgstr "트리에서 선택한 노드의 트랙만 표시합니다." +msgstr "트리에서 선택한 노드만 트랙에 표시되요." #: editor/animation_track_editor.cpp msgid "Group tracks by node or display them as plain list." -msgstr "노드 별로 그룹을 트랙 하거나 일반 목록으로 표시합니다." +msgstr "노드 별로 트랙을 묶거나 묶지 않고 나열해서 볼 수 있어요." #: editor/animation_track_editor.cpp msgid "Snap:" @@ -510,7 +547,7 @@ msgstr "초당 프레임" #: editor/project_manager.cpp editor/project_settings_editor.cpp #: editor/property_editor.cpp modules/visual_script/visual_script_editor.cpp msgid "Edit" -msgstr "편집" +msgstr "편집하기" #: editor/animation_track_editor.cpp msgid "Animation properties." @@ -518,39 +555,39 @@ msgstr "애니메이션 속성." #: editor/animation_track_editor.cpp msgid "Copy Tracks" -msgstr "트랙 복사" +msgstr "트랙 복사하기" #: editor/animation_track_editor.cpp msgid "Scale Selection" -msgstr "선택 크기 조절" +msgstr "선택 항목 크기 조절하기" #: editor/animation_track_editor.cpp msgid "Scale From Cursor" -msgstr "커서 위치에서 크기 조절" +msgstr "커서 위치에서 크기 조절하기" #: editor/animation_track_editor.cpp modules/gridmap/grid_map_editor_plugin.cpp msgid "Duplicate Selection" -msgstr "선택 복제" +msgstr "선택 항목 복제하기" #: editor/animation_track_editor.cpp msgid "Duplicate Transposed" -msgstr "선택된 트랙에 복제" +msgstr "선택된 트랙에 복제하기" #: editor/animation_track_editor.cpp msgid "Delete Selection" -msgstr "선택 삭제" +msgstr "선택 항목 삭제하기" #: editor/animation_track_editor.cpp msgid "Go to Next Step" -msgstr "다음 스텝으로 이동" +msgstr "다음 단계로 이동하기" #: editor/animation_track_editor.cpp msgid "Go to Previous Step" -msgstr "이전 스텝으로 이동" +msgstr "이전 단계로 이동하기" #: editor/animation_track_editor.cpp msgid "Optimize Animation" -msgstr "애니메이션 최적화" +msgstr "애니메이션 최적화하기" #: editor/animation_track_editor.cpp msgid "Clean-Up Animation" @@ -558,11 +595,11 @@ msgstr "애니메이션 없애기" #: editor/animation_track_editor.cpp msgid "Pick the node that will be animated:" -msgstr "애니메이션 할 노드를 선택하세요:" +msgstr "애니메이션을 줄 노드를 선택하세요:" #: editor/animation_track_editor.cpp msgid "Use Bezier Curves" -msgstr "베지어 커브 사용" +msgstr "베지어 커브 사용하기" #: editor/animation_track_editor.cpp msgid "Anim. Optimizer" @@ -582,15 +619,15 @@ msgstr "최적화 가능한 최대 각도:" #: editor/animation_track_editor.cpp msgid "Optimize" -msgstr "최적화" +msgstr "최적화하기" #: editor/animation_track_editor.cpp msgid "Remove invalid keys" -msgstr "올바르지 않은 키 삭제" +msgstr "잘못된 키 삭제하기" #: editor/animation_track_editor.cpp msgid "Remove unresolved and empty tracks" -msgstr "미결 트랙과 빈 트랙 삭제" +msgstr "해결되지 않고 빈 트랙 삭제하기" #: editor/animation_track_editor.cpp msgid "Clean-up all animations" @@ -598,7 +635,7 @@ msgstr "모든 애니메이션 없애기" #: editor/animation_track_editor.cpp msgid "Clean-Up Animation(s) (NO UNDO!)" -msgstr "애니메이션 없애기 (되돌리기 불가!)" +msgstr "애니메이션 없애기 (되돌릴 수 없어요!)" #: editor/animation_track_editor.cpp msgid "Clean-Up" @@ -606,11 +643,11 @@ msgstr "없애기" #: editor/animation_track_editor.cpp msgid "Scale Ratio:" -msgstr "스케일 비율:" +msgstr "규모 비율:" #: editor/animation_track_editor.cpp msgid "Select tracks to copy:" -msgstr "복사할 트랙 선택:" +msgstr "복사할 트랙을 선택하세요:" #: editor/animation_track_editor.cpp editor/editor_log.cpp #: editor/editor_properties.cpp @@ -623,49 +660,47 @@ msgstr "복사하기" #: editor/animation_track_editor_plugins.cpp msgid "Add Audio Track Clip" -msgstr "오디오 트랙 클립 추가" +msgstr "오디오 트랙 클립 추가하기" #: editor/animation_track_editor_plugins.cpp msgid "Change Audio Track Clip Start Offset" -msgstr "오디오 트랙 클립 시작 오프셋 변경" +msgstr "오디오 트랙 클립 시작 오프셋 변경하기" #: editor/animation_track_editor_plugins.cpp msgid "Change Audio Track Clip End Offset" -msgstr "오디오 트랙 클립 종료 오프셋 변경" +msgstr "오디오 트랙 클립 종료 오프셋 변경하기" #: editor/array_property_edit.cpp msgid "Resize Array" -msgstr "배열 크기 변경" +msgstr "배열 크기 변경하기" #: editor/array_property_edit.cpp msgid "Change Array Value Type" -msgstr "배열 값 타입 변경" +msgstr "배열 값 유형 변경하기" #: editor/array_property_edit.cpp msgid "Change Array Value" -msgstr "배열 값 변경" +msgstr "배열 값 변경하기" #: editor/code_editor.cpp msgid "Go to Line" -msgstr "라인으로 이동" +msgstr "행으로 이동하기" #: editor/code_editor.cpp msgid "Line Number:" -msgstr "라인 번호:" +msgstr "행 번호:" #: editor/code_editor.cpp msgid "Replaced %d occurrence(s)." -msgstr "%d 개의 발생을 교체했습니다." +msgstr "%@개의 단어를 교체했어요." #: editor/code_editor.cpp editor/editor_help.cpp -#, fuzzy msgid "%d match." -msgstr "%d 개가 일치합니다." +msgstr "%d개가 일치해요." #: editor/code_editor.cpp editor/editor_help.cpp -#, fuzzy msgid "%d matches." -msgstr "%d 개가 일치합니다." +msgstr "%d개가 일치해요." #: editor/code_editor.cpp editor/find_in_files.cpp msgid "Match Case" @@ -677,15 +712,15 @@ msgstr "전체 단어" #: editor/code_editor.cpp editor/rename_dialog.cpp msgid "Replace" -msgstr "바꾸기" +msgstr "교체하기" #: editor/code_editor.cpp msgid "Replace All" -msgstr "전체 바꾸기" +msgstr "전부 교체하기" #: editor/code_editor.cpp msgid "Selection Only" -msgstr "선택 영역만" +msgstr "선택 항목만" #: editor/code_editor.cpp editor/plugins/script_text_editor.cpp #: editor/plugins/text_editor.cpp @@ -696,13 +731,13 @@ msgstr "표준" #: editor/plugins/texture_region_editor_plugin.cpp #: editor/plugins/tile_set_editor_plugin.cpp scene/gui/graph_edit.cpp msgid "Zoom In" -msgstr "확대" +msgstr "확대하기" #: editor/code_editor.cpp editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/texture_region_editor_plugin.cpp #: editor/plugins/tile_set_editor_plugin.cpp scene/gui/graph_edit.cpp msgid "Zoom Out" -msgstr "축소" +msgstr "축소하기" #: editor/code_editor.cpp msgid "Reset Zoom" @@ -714,41 +749,41 @@ msgstr "경고" #: editor/code_editor.cpp msgid "Line and column numbers." -msgstr "라인 및 컬럼 번호." +msgstr "행 및 열 번호." #: editor/connections_dialog.cpp msgid "Method in target node must be specified." -msgstr "대상 노드의 메서드가 명시되어야 합니다." +msgstr "대상 노드의 메서드를 지정해야 해요." #: editor/connections_dialog.cpp msgid "" "Target method not found. Specify a valid method or attach a script to the " "target node." msgstr "" -"대상 메서드를 찾을 수 없습니다! 올바른 메서드를 지정하거나, 대상 노드에 스크" -"립트를 붙이세요." +"대상 메서드를 찾을 수 없어요! 올바른 메서드를 지정하거나 대상 노드에 스크립트" +"를 붙여보세요." #: editor/connections_dialog.cpp msgid "Connect to Node:" -msgstr "다음 노드에 연결:" +msgstr "이 노드에 연결할게요:" #: editor/connections_dialog.cpp msgid "Connect to Script:" -msgstr "다음 스크립트에 연결:" +msgstr "이 스크립트에 연결할게요:" #: editor/connections_dialog.cpp msgid "From Signal:" -msgstr "다음 시그널로부터:" +msgstr "이 시그널에서:" #: editor/connections_dialog.cpp msgid "Scene does not contain any script." -msgstr "씬이 스크립트를 갖고 있지 않습니다." +msgstr "씬이 어떤 스크립트도 갖고 있지 않네요." #: editor/connections_dialog.cpp editor/editor_autoload_settings.cpp #: editor/groups_editor.cpp editor/plugins/item_list_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp msgid "Add" -msgstr "추가" +msgstr "추가하기" #: editor/connections_dialog.cpp editor/dependency_editor.cpp #: editor/editor_feature_profile.cpp editor/groups_editor.cpp @@ -759,11 +794,11 @@ msgstr "추가" #: editor/plugins/visual_shader_editor_plugin.cpp editor/project_manager.cpp #: editor/project_settings_editor.cpp msgid "Remove" -msgstr "삭제" +msgstr "삭제하기" #: editor/connections_dialog.cpp msgid "Add Extra Call Argument:" -msgstr "별도의 호출 인수 추가:" +msgstr "별도의 호출 인수 추가하기:" #: editor/connections_dialog.cpp msgid "Extra Call Arguments:" @@ -780,7 +815,8 @@ msgstr "지연" #: editor/connections_dialog.cpp msgid "" "Defers the signal, storing it in a queue and only firing it at idle time." -msgstr "시그널을 지연하는 것으로, 큐에 저장하고 대기 시간에 실행합니다." +msgstr "" +"시그널을 지연하면 시그널은 큐에 저장되기 때문에 대기 시간에만 방출해요." #: editor/connections_dialog.cpp msgid "Oneshot" @@ -788,11 +824,11 @@ msgstr "1회" #: editor/connections_dialog.cpp msgid "Disconnects the signal after its first emission." -msgstr "첫 방출 이후 시그널을 연결 해제합니다." +msgstr "처음 방출하면 시그널 연결을 풀어버려요." #: editor/connections_dialog.cpp msgid "Cannot connect signal" -msgstr "시그널을 연결할 수 없음" +msgstr "시그널을 연결할 수 없어요" #: editor/connections_dialog.cpp editor/dependency_editor.cpp #: editor/export_template_manager.cpp editor/groups_editor.cpp @@ -801,7 +837,8 @@ msgstr "시그널을 연결할 수 없음" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -818,15 +855,15 @@ msgstr "시그널:" #: editor/connections_dialog.cpp msgid "Connect '%s' to '%s'" -msgstr "'%s'을(를) '%s'에 연결" +msgstr "'%s'을(를) '%s'에 연결하기" #: editor/connections_dialog.cpp msgid "Disconnect '%s' from '%s'" -msgstr "'%s'와(과) '%s'의 연결 해제" +msgstr "'%s'와(과) '%s'의 연결 풀기" #: editor/connections_dialog.cpp msgid "Disconnect all from signal: '%s'" -msgstr "전부 시그널에서 연결 해제: '%s'" +msgstr "전부 시그널에서 연결 풀기: '%s'" #: editor/connections_dialog.cpp msgid "Connect..." @@ -835,19 +872,19 @@ msgstr "연결하기..." #: editor/connections_dialog.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp msgid "Disconnect" -msgstr "연결 해제" +msgstr "연결 풀기" #: editor/connections_dialog.cpp msgid "Connect a Signal to a Method" -msgstr "시그널을 메서드에 연결" +msgstr "시그널을 메서드에 연결하기" #: editor/connections_dialog.cpp msgid "Edit Connection:" -msgstr "연결 편집:" +msgstr "연결 편집하기:" #: editor/connections_dialog.cpp msgid "Are you sure you want to remove all connections from the \"%s\" signal?" -msgstr "\"%s\" 시그널의 모든 연결을 삭제하시겠습니까?" +msgstr "\"%s\" 시그널의 모든 연결을 삭제할까요?" #: editor/connections_dialog.cpp editor/editor_help.cpp editor/node_dock.cpp msgid "Signals" @@ -855,27 +892,27 @@ msgstr "시그널" #: editor/connections_dialog.cpp msgid "Are you sure you want to remove all connections from this signal?" -msgstr "이 시그널에서 모든 연결을 삭제하시겠습니까?" +msgstr "이 시그널의 모든 연결을 삭제할까요?" #: editor/connections_dialog.cpp msgid "Disconnect All" -msgstr "모든 연결 해제" +msgstr "모두 연결 풀기" #: editor/connections_dialog.cpp msgid "Edit..." -msgstr "편집..." +msgstr "편집하기..." #: editor/connections_dialog.cpp msgid "Go To Method" -msgstr "메서드로 이동" +msgstr "메서드로 이동하기" #: editor/create_dialog.cpp msgid "Change %s Type" -msgstr "%s(으)로 타입 변경" +msgstr "%s(으)로 유형 바꾸기" #: editor/create_dialog.cpp editor/project_settings_editor.cpp msgid "Change" -msgstr "변경" +msgstr "변경하기" #: editor/create_dialog.cpp msgid "Create New %s" @@ -888,21 +925,22 @@ msgstr "즐겨찾기:" #: editor/create_dialog.cpp editor/editor_file_dialog.cpp msgid "Recent:" -msgstr "최근:" +msgstr "최근 기록:" #: editor/create_dialog.cpp editor/plugins/script_editor_plugin.cpp #: editor/property_selector.cpp editor/quick_open.cpp #: modules/visual_script/visual_script_property_selector.cpp msgid "Search:" -msgstr "검색:" +msgstr "검색하기:" #: editor/create_dialog.cpp editor/plugins/script_editor_plugin.cpp #: editor/property_selector.cpp editor/quick_open.cpp #: modules/visual_script/visual_script_property_selector.cpp msgid "Matches:" -msgstr "일치:" +msgstr "일치해요:" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -911,7 +949,7 @@ msgstr "설명:" #: editor/dependency_editor.cpp msgid "Search Replacement For:" -msgstr "대체할 대상 찾기:" +msgstr "교체할 대상 찾기:" #: editor/dependency_editor.cpp msgid "Dependencies For:" @@ -922,16 +960,16 @@ msgid "" "Scene '%s' is currently being edited.\n" "Changes will only take effect when reloaded." msgstr "" -"씬 '%s'이(가) 현재 편집 중입니다.\n" -"다시 불러올 때 변경사항이 적용됩니다." +"씬 '%s'을(를) 편집하고 있어요.\n" +"다시 불러와야 변경 사항이 적용되요." #: editor/dependency_editor.cpp msgid "" "Resource '%s' is in use.\n" "Changes will only take effect when reloaded." msgstr "" -"리소스 '%s'이(가) 사용 중입니다.\n" -"다시 불러올 때 변경사항이 적용됩니다." +"리소스 '%s'을(를) 사용하고 있어요.\n" +"다시 불러와야 변경 사항이 적용되요." #: editor/dependency_editor.cpp #: modules/gdnative/gdnative_library_editor_plugin.cpp @@ -949,11 +987,11 @@ msgstr "경로" #: editor/dependency_editor.cpp msgid "Dependencies:" -msgstr "종속된 항목:" +msgstr "종속 관계:" #: editor/dependency_editor.cpp msgid "Fix Broken" -msgstr "깨진 종속성 수정" +msgstr "망가진 부분 고치기" #: editor/dependency_editor.cpp msgid "Dependency Editor" @@ -961,7 +999,7 @@ msgstr "종속 관계 편집기" #: editor/dependency_editor.cpp msgid "Search Replacement Resource:" -msgstr "대체 리소스 검색:" +msgstr "대체 리소스 검색하기:" #: editor/dependency_editor.cpp editor/editor_file_dialog.cpp #: editor/editor_help_search.cpp editor/editor_node.cpp @@ -979,7 +1017,7 @@ msgstr "소유자:" #: editor/dependency_editor.cpp msgid "Remove selected files from the project? (Can't be restored)" -msgstr "프로젝트에서 선택한 파일을 삭제하시겠습니까? (되돌리기 불가)" +msgstr "프로젝트에서 선택한 파일을 삭제할까요? (되돌릴 수 없어요)" #: editor/dependency_editor.cpp msgid "" @@ -987,12 +1025,12 @@ msgid "" "work.\n" "Remove them anyway? (no undo)" msgstr "" -"삭제하려고 하는 파일들은 다른 리소스들이 정상동작하기 위해 필요합니다.\n" -"정말로 삭제하시겠습니까? (되돌리기 불가)" +"삭제하려는 파일은 작업을 위해 다른 리소스에서 필요한 파일이에요.\n" +"무시하고 삭제할 건가요? (되돌릴 수 없어요)" #: editor/dependency_editor.cpp msgid "Cannot remove:" -msgstr "삭제할 수 없습니다:" +msgstr "삭제할 수 없어요:" #: editor/dependency_editor.cpp msgid "Error loading:" @@ -1000,7 +1038,7 @@ msgstr "불러오기 중 오류:" #: editor/dependency_editor.cpp msgid "Load failed due to missing dependencies:" -msgstr "종속 관계를 찾을 수 없어 씬을 불러올 수 없습니다:" +msgstr "종속 관계가 누락되어서 불러올 수 없어요:" #: editor/dependency_editor.cpp editor/editor_node.cpp msgid "Open Anyway" @@ -1008,19 +1046,19 @@ msgstr "무시하고 열기" #: editor/dependency_editor.cpp msgid "Which action should be taken?" -msgstr "어떤 것을 수행하시겠습니까?" +msgstr "어떤 작업을 할 건가요?" #: editor/dependency_editor.cpp msgid "Fix Dependencies" -msgstr "종속 관계 수정" +msgstr "종속 관계 고치기" #: editor/dependency_editor.cpp msgid "Errors loading!" -msgstr "불러오기 중 오류 발생!" +msgstr "불러오기 중 오류!" #: editor/dependency_editor.cpp msgid "Permanently delete %d item(s)? (No undo!)" -msgstr "%d개 항목을 영구적으로 삭제하시겠습니까? (되돌리기 불가)" +msgstr "%d개의 항목을 영구적으로 삭제할까요? (되돌릴 수 없어요!)" #: editor/dependency_editor.cpp msgid "Show Dependencies" @@ -1036,27 +1074,27 @@ msgstr "미사용 리소스 탐색기" #: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/scene_tree_dock.cpp msgid "Delete" -msgstr "삭제" +msgstr "삭제하기" #: editor/dependency_editor.cpp msgid "Owns" -msgstr "소유" +msgstr "소유자" #: editor/dependency_editor.cpp msgid "Resources Without Explicit Ownership:" -msgstr "명확하게 사용되지 않은 리소스:" +msgstr "명확한 소유자가 없는 리소스:" #: editor/dictionary_property_edit.cpp msgid "Change Dictionary Key" -msgstr "Dictionary 키 변경" +msgstr "디렉토리 키 변경하기" #: editor/dictionary_property_edit.cpp msgid "Change Dictionary Value" -msgstr "Dictionary 값 변경" +msgstr "디렉토리 값 변경하기" #: editor/editor_about.cpp msgid "Thanks from the Godot community!" -msgstr "Godot 커뮤니티에 감사드립니다!" +msgstr "Godot 커뮤니티에서 고마워요!" #: editor/editor_about.cpp msgid "Godot Engine contributors" @@ -1076,7 +1114,7 @@ msgstr "프로젝트 매니저 " #: editor/editor_about.cpp msgid "Developers" -msgstr "개발자들" +msgstr "개발자" #: editor/editor_about.cpp msgid "Authors" @@ -1115,21 +1153,19 @@ msgid "License" msgstr "라이선스" #: editor/editor_about.cpp -#, fuzzy msgid "Third-party Licenses" -msgstr "서드파티 라이선스" +msgstr "제 3자 라이선스" #: editor/editor_about.cpp -#, fuzzy msgid "" "Godot Engine relies on a number of third-party free and open source " "libraries, all compatible with the terms of its MIT license. The following " "is an exhaustive list of all such third-party components with their " "respective copyright statements and license terms." msgstr "" -"Godot Engine은 MIT 라이선스와 호환되는 수많은 서드파티 자유 오픈소스 라이브러" -"리에 의존합니다. 다음은 그러한 서드파티 컴포넌트의 완전한 목록과 이에 대응하" -"는 저작권 선언문 및 라이센스입니다." +"Godot Engine은 MIT 라이선스와 호환되는 수많은 제 3자 자유 오픈소스 라이브러리" +"에 의존합니다. 다음은 그러한 제 3자 구성 요소의 전체 목록과 이에 대응하는 저" +"작권 선언문 및 라이선스입니다." #: editor/editor_about.cpp msgid "All Components" @@ -1144,17 +1180,16 @@ msgid "Licenses" msgstr "라이선스" #: editor/editor_asset_installer.cpp editor/project_manager.cpp -#, fuzzy msgid "Error opening package file, not in ZIP format." -msgstr "패키지 파일을 여는 데 오류가 발생했습니다. zip 형식이 아닙니다." +msgstr "패키지 파이을 여는 중 오류가 발생했어요, ZIP 형식이 아니네요." #: editor/editor_asset_installer.cpp msgid "Uncompressing Assets" -msgstr "애셋 압축해제" +msgstr "애셋 압축 풀기" #: editor/editor_asset_installer.cpp editor/project_manager.cpp msgid "Package installed successfully!" -msgstr "패키지가 성공적으로 설치되었습니다!" +msgstr "패키지를 성공적으로 설치했어요!" #: editor/editor_asset_installer.cpp #: editor/plugins/asset_library_editor_plugin.cpp @@ -1163,11 +1198,11 @@ msgstr "성공!" #: editor/editor_asset_installer.cpp editor/editor_node.cpp msgid "Install" -msgstr "설치" +msgstr "설치하기" #: editor/editor_asset_installer.cpp msgid "Package Installer" -msgstr "패키지 인스톨러" +msgstr "패키지 설치 마법사" #: editor/editor_audio_buses.cpp msgid "Speakers" @@ -1175,11 +1210,11 @@ msgstr "스피커" #: editor/editor_audio_buses.cpp msgid "Add Effect" -msgstr "이펙트 추가" +msgstr "효과 추가하기" #: editor/editor_audio_buses.cpp msgid "Rename Audio Bus" -msgstr "오디오 버스 이름 변경" +msgstr "오디오 버스 이름 바꾸기" #: editor/editor_audio_buses.cpp msgid "Change Audio Bus Volume" @@ -1199,23 +1234,24 @@ msgstr "오디오 버스 바이패스 효과 토글" #: editor/editor_audio_buses.cpp msgid "Select Audio Bus Send" -msgstr "오디오 버스 전송 선택" +msgstr "오디오 버스 전송 선택하기" #: editor/editor_audio_buses.cpp msgid "Add Audio Bus Effect" -msgstr "오디오 버스 이펙트 추가" +msgstr "오디오 버스 효과 추가하기" #: editor/editor_audio_buses.cpp msgid "Move Bus Effect" -msgstr "버스 이펙트 이동" +msgstr "버스 효과 이동하기" #: editor/editor_audio_buses.cpp msgid "Delete Bus Effect" -msgstr "버스 이펙트 삭제" +msgstr "버스 효과 삭제하기" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." -msgstr "오디오 버스, 드래그 앤 드롭으로 재 배치하세요." +#, fuzzy +msgid "Drag & drop to rearrange." +msgstr "오디오 버스, 드래그 앤 드롭으로 다시 정렬해요." #: editor/editor_audio_buses.cpp msgid "Solo" @@ -1223,7 +1259,7 @@ msgstr "솔로" #: editor/editor_audio_buses.cpp msgid "Mute" -msgstr "뮤트" +msgstr "음소거" #: editor/editor_audio_buses.cpp msgid "Bypass" @@ -1231,20 +1267,20 @@ msgstr "바이패스" #: editor/editor_audio_buses.cpp msgid "Bus options" -msgstr "버스 옵션" +msgstr "버스 설정" #: editor/editor_audio_buses.cpp editor/filesystem_dock.cpp #: editor/plugins/animation_player_editor_plugin.cpp editor/scene_tree_dock.cpp msgid "Duplicate" -msgstr "복제" +msgstr "복제하기" #: editor/editor_audio_buses.cpp msgid "Reset Volume" -msgstr "볼륨 리셋" +msgstr "볼륨 리셋하기" #: editor/editor_audio_buses.cpp msgid "Delete Effect" -msgstr "이펙트 삭제" +msgstr "효과 삭제하기" #: editor/editor_audio_buses.cpp msgid "Audio" @@ -1252,35 +1288,35 @@ msgstr "오디오" #: editor/editor_audio_buses.cpp msgid "Add Audio Bus" -msgstr "오디오 버스 추가" +msgstr "오디오 버스 추가하기" #: editor/editor_audio_buses.cpp msgid "Master bus can't be deleted!" -msgstr "주 버스는 삭제할 수 없습니다!" +msgstr "마스터 버스는 삭제할 수 없어요!" #: editor/editor_audio_buses.cpp msgid "Delete Audio Bus" -msgstr "오디오 버스 삭제" +msgstr "오디오 버스 삭제하기" #: editor/editor_audio_buses.cpp msgid "Duplicate Audio Bus" -msgstr "오디오 버스 복제" +msgstr "오디오 버스 복제하기" #: editor/editor_audio_buses.cpp msgid "Reset Bus Volume" -msgstr "버스 볼륨 리셋" +msgstr "버스 볼륨 리셋하기" #: editor/editor_audio_buses.cpp msgid "Move Audio Bus" -msgstr "오디오 버스 이동" +msgstr "오디오 버스 이동하기" #: editor/editor_audio_buses.cpp msgid "Save Audio Bus Layout As..." -msgstr "오디오 버스 레이아웃을 다른 이름으로 저장..." +msgstr "오디오 버스 레이아웃을 다른 이름으로 저장하기..." #: editor/editor_audio_buses.cpp msgid "Location for New Layout..." -msgstr "새 레이아웃을 저장할 장소..." +msgstr "새 레이아웃을 저장할 위치..." #: editor/editor_audio_buses.cpp msgid "Open Audio Bus Layout" @@ -1288,7 +1324,7 @@ msgstr "오디오 버스 레이아웃 열기" #: editor/editor_audio_buses.cpp msgid "There is no '%s' file." -msgstr "'%s' 파일이 없습니다." +msgstr "'%s' 파일이 없어요." #: editor/editor_audio_buses.cpp editor/plugins/canvas_item_editor_plugin.cpp msgid "Layout" @@ -1296,15 +1332,15 @@ msgstr "레이아웃" #: editor/editor_audio_buses.cpp msgid "Invalid file, not an audio bus layout." -msgstr "올바르지 않은 파일입니다. 오디오 버스 레이아웃이 아닙니다." +msgstr "잘못된 파일이에요, 오디오 버스 레이아웃이 아니에요." #: editor/editor_audio_buses.cpp msgid "Add Bus" -msgstr "버스 추가" +msgstr "버스 추가하기" #: editor/editor_audio_buses.cpp msgid "Add a new Audio Bus to this layout." -msgstr "이 레이아웃에 새 오디오 버스를 추가합니다." +msgstr "이 레이아웃에 새 오디오 버스를 추가할게요." #: editor/editor_audio_buses.cpp editor/editor_properties.cpp #: editor/plugins/animation_player_editor_plugin.cpp editor/property_editor.cpp @@ -1314,15 +1350,15 @@ msgstr "불러오기" #: editor/editor_audio_buses.cpp msgid "Load an existing Bus Layout." -msgstr "기존 버스 레이아웃을 불러옵니다." +msgstr "기존 버스 레이아웃을 불러올게요." #: editor/editor_audio_buses.cpp msgid "Save As" -msgstr "다른 이름으로 저장" +msgstr "다른 이름으로 저장하기" #: editor/editor_audio_buses.cpp msgid "Save this Bus Layout to a file." -msgstr "이 버스 레이아웃을 파일로 저장합니다..." +msgstr "이 버스 레이아웃을 파일로 저장할게요..." #: editor/editor_audio_buses.cpp editor/import_dock.cpp msgid "Load Default" @@ -1330,15 +1366,15 @@ msgstr "기본값 불러오기" #: editor/editor_audio_buses.cpp msgid "Load the default Bus Layout." -msgstr "기본 버스 레이아웃을 불러옵니다." +msgstr "기본 버스 레이아웃을 불러올게요." #: editor/editor_audio_buses.cpp msgid "Create a new Bus Layout." -msgstr "새로운 버스 레이아웃을 만듭니다." +msgstr "새로운 버스 레이아웃을 만들어요." #: editor/editor_autoload_settings.cpp msgid "Invalid name." -msgstr "올바르지 않은 이름." +msgstr "잘못된 이름이에요." #: editor/editor_autoload_settings.cpp msgid "Valid characters:" @@ -1346,65 +1382,66 @@ msgstr "올바른 문자:" #: editor/editor_autoload_settings.cpp msgid "Must not collide with an existing engine class name." -msgstr "엔진에 존재하는 클래스 이름과 충돌하지 않아야 합니다." +msgstr "엔진에 있는 클래스 이름과 같으면 안돼요." #: editor/editor_autoload_settings.cpp msgid "Must not collide with an existing built-in type name." -msgstr "기존 내장 타입 이름과 충돌하지 않아야 합니다." +msgstr "내장으로 있는 유형의 이름과 같으면 안돼요." #: editor/editor_autoload_settings.cpp msgid "Must not collide with an existing global constant name." -msgstr "전역 상수 이름과 충돌하지 않아야 합니다." +msgstr "전역으로 있는 상수 이름과 같으면 안돼요." #: editor/editor_autoload_settings.cpp msgid "Keyword cannot be used as an autoload name." -msgstr "키워드를 오토로드 이름으로 사용할 수 없습니다." +msgstr "키워드를 오토로드 이름으로 쓸 수 없어요." #: editor/editor_autoload_settings.cpp msgid "Autoload '%s' already exists!" -msgstr "오토로드에 '%s'이(가) 이미 존재합니다!" +msgstr "오토로드 '%s'이(가) 이미 있어요!" #: editor/editor_autoload_settings.cpp msgid "Rename Autoload" -msgstr "오토로드 이름 변경" +msgstr "오토로드 이름 바꾸기" #: editor/editor_autoload_settings.cpp msgid "Toggle AutoLoad Globals" -msgstr "오토로드 글로벌 토글" +msgstr "오토로드 전역 토글" #: editor/editor_autoload_settings.cpp msgid "Move Autoload" -msgstr "오토로드 이동" +msgstr "오토로드 이동하기" #: editor/editor_autoload_settings.cpp msgid "Remove Autoload" -msgstr "오토로드 삭제" +msgstr "오토로드 삭제하기" #: editor/editor_autoload_settings.cpp msgid "Enable" -msgstr "활성화" +msgstr "켜기" #: editor/editor_autoload_settings.cpp msgid "Rearrange Autoloads" -msgstr "오토로드 재정렬" +msgstr "오토로드 다시 정렬하기" #: editor/editor_autoload_settings.cpp editor/script_create_dialog.cpp msgid "Invalid path." -msgstr "올바르지 않은 경로." +msgstr "잘못된 경로이에요." #: editor/editor_autoload_settings.cpp editor/script_create_dialog.cpp msgid "File does not exist." -msgstr "파일이 존재하지 않습니다." +msgstr "파일이 없어요." #: editor/editor_autoload_settings.cpp msgid "Not in resource path." -msgstr "리소스 경로가 아닙니다." +msgstr "리소스 경로가 아니에요." #: editor/editor_autoload_settings.cpp msgid "Add AutoLoad" -msgstr "오토로드 추가" +msgstr "오토로드 추가하기" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "경로:" @@ -1428,7 +1465,7 @@ msgstr "씬 업데이트 중" #: editor/editor_data.cpp msgid "Storing local changes..." -msgstr "로컬 변경사항을 저장 중..." +msgstr "지역 변경 사항을 저장 중..." #: editor/editor_data.cpp msgid "Updating scene..." @@ -1444,11 +1481,11 @@ msgstr "[저장되지 않음]" #: editor/editor_dir_dialog.cpp msgid "Please select a base directory first." -msgstr "먼저 기본 디렉토리를 선택해주세요." +msgstr "먼저 기본 디렉토리를 선택하기해주세요." #: editor/editor_dir_dialog.cpp msgid "Choose a Directory" -msgstr "디렉토리 선택" +msgstr "디렉토리 선택하기" #: editor/editor_dir_dialog.cpp editor/editor_file_dialog.cpp #: editor/filesystem_dock.cpp editor/project_manager.cpp @@ -1466,39 +1503,39 @@ msgstr "이름:" #: editor/editor_dir_dialog.cpp editor/editor_file_dialog.cpp #: editor/filesystem_dock.cpp scene/gui/file_dialog.cpp msgid "Could not create folder." -msgstr "폴더를 만들 수 없습니다." +msgstr "폴더를 만들 수 없어요." #: editor/editor_dir_dialog.cpp msgid "Choose" -msgstr "선택" +msgstr "선택하기" #: editor/editor_export.cpp msgid "Storing File:" -msgstr "파일 저장 중:" +msgstr "파일 저장하기:" #: editor/editor_export.cpp msgid "No export template found at the expected path:" -msgstr "예상 경로에서 내보내기 템플릿을 찾을 수 없습니다:" +msgstr "예상 경로에서 내보낸 템플릿을 찾을 수 없어요:" #: editor/editor_export.cpp msgid "Packing" -msgstr "패킹 중" +msgstr "포장하기" #: editor/editor_export.cpp msgid "" "Target platform requires 'ETC' texture compression for GLES2. Enable 'Import " "Etc' in Project Settings." msgstr "" -"대상 플랫폼은 GLES2를 위해 'ETC' 텍스쳐 압축이 필요합니다. 프로젝트 설정에서 " -"'Import Etc'을 사용하세요." +"대상 플랫폼에서는 GLES2 용 'ETC' 텍스처 압축이 필요해요. 프로젝트 설정에서 " +"'Import Etc' 설정을 켜세요." #: editor/editor_export.cpp msgid "" "Target platform requires 'ETC2' texture compression for GLES3. Enable " "'Import Etc 2' in Project Settings." msgstr "" -"대상 플랫폼은 GLES3를 위해 'ETC2' 텍스쳐 압축이 필요합니다. 프로젝트 설정에" -"서 'Import Etc 2'를 사용하세요." +"대상 플랫폼에서는 GLES3 용 'ETC2' 텍스처 압축이 필요해요. 프로젝트 설정에서 " +"'Import Etc 2' 설정을 켜세요." #: editor/editor_export.cpp msgid "" @@ -1507,32 +1544,29 @@ msgid "" "Enable 'Import Etc' in Project Settings, or disable 'Driver Fallback " "Enabled'." msgstr "" -"대상 플랫폼은 드라이버가 GLES2로 폴백하기 위해 'ETC' 텍스쳐 압축이 필요합니" -"다.\n" -"프로젝트 설정에서 'Import Etc'을 키거나, 'Driver Fallback Enabled'를 비활성화" -"하세요." +"대상 플랫폼은 드라이버가 GLES2로 폴백하기 위해 'ETC' 텍스처 압축이 필요해요. " +"프로젝트 설정에서 'Import Etc' 설정을 켜거나, 'Driver Fallback Enabled' 설정" +"을 끄세요." #: editor/editor_export.cpp platform/android/export/export.cpp #: platform/iphone/export/export.cpp platform/javascript/export/export.cpp #: platform/osx/export/export.cpp platform/uwp/export/export.cpp msgid "Custom debug template not found." -msgstr "커스텀 디버그 템플릿을 찾을 수 없습니다." +msgstr "맞춤 디버그 템플릿을 찾을 수 없어요." #: editor/editor_export.cpp platform/android/export/export.cpp #: platform/iphone/export/export.cpp platform/javascript/export/export.cpp #: platform/osx/export/export.cpp platform/uwp/export/export.cpp msgid "Custom release template not found." -msgstr "커스텀 릴리즈 템플릿을 찾을 수 없습니다." +msgstr "맞춤 출시 템플릿을 찾을 수 없어요." #: editor/editor_export.cpp platform/javascript/export/export.cpp msgid "Template file not found:" -msgstr "템플릿을 찾을 수 없습니다:" +msgstr "템플릿 파일을 찾을 수 없어요:" #: editor/editor_export.cpp msgid "On 32-bit exports the embedded PCK cannot be bigger than 4 GiB." -msgstr "" -"32 비트 환경에서 내장된 PCK를 내보내려면 4 GiB(기가 이진 바이트)보다 작아야 " -"합니다." +msgstr "32비트 환경에서는 4GiB보다 큰 내장된 PCK를 내보낼 수 없어요." #: editor/editor_feature_profile.cpp msgid "3D Editor" @@ -1564,59 +1598,59 @@ msgstr "파일 시스템과 가져오기 독" #: editor/editor_feature_profile.cpp msgid "Erase profile '%s'? (no undo)" -msgstr "프로필 '%s'을(를) 지우시겠습니까? (뒤로가기 없음)" +msgstr "프로필 '%s'을(를) 지울까요? (되돌릴 수 없어요)" #: editor/editor_feature_profile.cpp msgid "Profile must be a valid filename and must not contain '.'" -msgstr "프로필은 올바른 파일 이름이며, '.'을 포함하지 않아야 합니다" +msgstr "프로필에는 올바른 파일 이름이면서, '.'이 없어야 해요" #: editor/editor_feature_profile.cpp msgid "Profile with this name already exists." -msgstr "이 이름을 가진 프로필이 이미 존재합니다." +msgstr "이 이름으로 된 프로필이 이미 있어요." #: editor/editor_feature_profile.cpp msgid "(Editor Disabled, Properties Disabled)" -msgstr "(편집기 비활성화됨, 속성 비활성화됨)" +msgstr "(편집기 꺼짐, 속성 꺼짐)" #: editor/editor_feature_profile.cpp msgid "(Properties Disabled)" -msgstr "(속성 비활성화됨)" +msgstr "(속성 꺼짐)" #: editor/editor_feature_profile.cpp msgid "(Editor Disabled)" -msgstr "(편집기 비활성화됨)" +msgstr "(편집기 꺼짐)" #: editor/editor_feature_profile.cpp msgid "Class Options:" -msgstr "클래스 옵션:" +msgstr "클래스 설정:" #: editor/editor_feature_profile.cpp msgid "Enable Contextual Editor" -msgstr "컨텍스트 편집기 활성화" +msgstr "맥락 편집기 켜기" #: editor/editor_feature_profile.cpp msgid "Enabled Properties:" -msgstr "활성화된 속성:" +msgstr "켜진 속성:" #: editor/editor_feature_profile.cpp msgid "Enabled Features:" -msgstr "활성화된 기능:" +msgstr "켜진 기능:" #: editor/editor_feature_profile.cpp msgid "Enabled Classes:" -msgstr "활성화된 클래스:" +msgstr "켜진 클래스:" #: editor/editor_feature_profile.cpp msgid "File '%s' format is invalid, import aborted." -msgstr "파일 '%s' 형식이 올바르지 않습니다, 가져오기가 중단되었습니다." +msgstr "파일 '%s' 형식이 잘못됬어요, 가져올 수 없어요." #: editor/editor_feature_profile.cpp msgid "" "Profile '%s' already exists. Remove it first before importing, import " "aborted." msgstr "" -"프로필 '%s'이(가) 이미 존재합니다. 가져오기 전에 앞의 것을 삭제하세요, 가져오" -"기가 중단되었습니다." +"프로필 '%s'이(가) 이미 있어요. 가져오기 전에 이미 있는 프로필을 먼저 삭제하세" +"요, 가져올 수 없어요." #: editor/editor_feature_profile.cpp msgid "Error saving profile to path: '%s'." @@ -1624,7 +1658,7 @@ msgstr "프로필을 경로에 저장하는 중 오류: '%s'." #: editor/editor_feature_profile.cpp msgid "Unset" -msgstr "비설정" +msgstr "설정하지 않기" #: editor/editor_feature_profile.cpp msgid "Current Profile:" @@ -1632,10 +1666,11 @@ msgstr "현재 프로필:" #: editor/editor_feature_profile.cpp msgid "Make Current" -msgstr "현재 만들기" +msgstr "현재의 것으로 만들기" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "새 것" @@ -1666,7 +1701,7 @@ msgstr "프로필 지우기" #: editor/editor_feature_profile.cpp msgid "Import Profile(s)" -msgstr "가져온 프로필" +msgstr "프로필 가져오기" #: editor/editor_feature_profile.cpp msgid "Export Profile" @@ -1674,11 +1709,11 @@ msgstr "프로필 내보내기" #: editor/editor_feature_profile.cpp msgid "Manage Editor Feature Profiles" -msgstr "편집기 기능 프로필 관리" +msgstr "편집기 기능 프로필 관리하기" #: editor/editor_file_dialog.cpp scene/gui/file_dialog.cpp msgid "Select Current Folder" -msgstr "현재 폴더 선택" +msgstr "현재 폴더 선택하기" #: editor/editor_file_dialog.cpp scene/gui/file_dialog.cpp msgid "File Exists, Overwrite?" @@ -1686,11 +1721,11 @@ msgstr "파일이 존재합니다. 덮어쓰시겠습니까?" #: editor/editor_file_dialog.cpp scene/gui/file_dialog.cpp msgid "Select This Folder" -msgstr "이 폴더 선택" +msgstr "이 폴더 선택하기" #: editor/editor_file_dialog.cpp editor/filesystem_dock.cpp msgid "Copy Path" -msgstr "경로 복사" +msgstr "경로 복사하기" #: editor/editor_file_dialog.cpp editor/filesystem_dock.cpp msgid "Open in File Manager" @@ -1706,6 +1741,7 @@ msgid "New Folder..." msgstr "새 폴더..." #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "새로고침" @@ -1774,35 +1810,35 @@ msgstr "경로 포커스" #: editor/editor_file_dialog.cpp msgid "Move Favorite Up" -msgstr "즐겨찾기 위로 이동" +msgstr "즐겨찾기 위로 이동하기" #: editor/editor_file_dialog.cpp msgid "Move Favorite Down" -msgstr "즐겨찾기 아래로 이동" +msgstr "즐겨찾기 아래로 이동하기" #: editor/editor_file_dialog.cpp msgid "Go to previous folder." -msgstr "이전 폴더로 이동합니다." +msgstr "이전 폴더로 이동해요." #: editor/editor_file_dialog.cpp msgid "Go to next folder." -msgstr "다음 폴더로 이동합니다." +msgstr "다음 폴더로 이동해요." #: editor/editor_file_dialog.cpp scene/gui/file_dialog.cpp msgid "Go to parent folder." -msgstr "부모 폴더로 이동합니다." +msgstr "부모 폴더로 이동해요." #: editor/editor_file_dialog.cpp scene/gui/file_dialog.cpp msgid "Refresh files." -msgstr "파일을 새로고침합니다." +msgstr "파일을 새로고침해요." #: editor/editor_file_dialog.cpp msgid "(Un)favorite current folder." -msgstr "현재 폴더를 즐겨찾기 (안) 합니다." +msgstr "현재 폴더를 즐겨찾기하거나 하지 않아요." #: editor/editor_file_dialog.cpp scene/gui/file_dialog.cpp msgid "Toggle the visibility of hidden files." -msgstr "감춘 파일의 표시 여부 토글하기." +msgstr "감춘 파일의 표시 여부 토글." #: editor/editor_file_dialog.cpp editor/filesystem_dock.cpp msgid "View items as a grid of thumbnails." @@ -1810,17 +1846,17 @@ msgstr "썸네일 바둑판으로 보기." #: editor/editor_file_dialog.cpp editor/filesystem_dock.cpp msgid "View items as a list." -msgstr "리스트로 보기." +msgstr "목록으로 보기." #: editor/editor_file_dialog.cpp scene/gui/file_dialog.cpp msgid "Directories & Files:" -msgstr "디렉토리와 파일:" +msgstr "디렉토리 & 파일:" #: editor/editor_file_dialog.cpp editor/plugins/sprite_editor_plugin.cpp #: editor/plugins/style_box_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp msgid "Preview:" -msgstr "미리보기:" +msgstr "미리 보기:" #: editor/editor_file_dialog.cpp scene/gui/file_dialog.cpp msgid "File:" @@ -1828,7 +1864,7 @@ msgstr "파일:" #: editor/editor_file_dialog.cpp scene/gui/file_dialog.cpp msgid "Must use a valid extension." -msgstr "올바른 확장자를 사용해야 합니다." +msgstr "올바른 확장자를 사용해야 해요." #: editor/editor_file_system.cpp msgid "ScanSources" @@ -1838,9 +1874,7 @@ msgstr "소스 조사" msgid "" "There are multiple importers for different types pointing to file %s, import " "aborted" -msgstr "" -"파일 %s을(를) 가리키는 다른 유형의 가져오기들이 있슴니다, 가져오기가 중단되" -"었습니다" +msgstr "파일 %s을(를) 가리키는 다른 유형의 가져오기가 많아요, 가져올 수 없어요" #: editor/editor_file_system.cpp msgid "(Re)Importing Assets" @@ -1863,7 +1897,8 @@ msgid "Inherited by:" msgstr "상속한 클래스:" #: editor/editor_help.cpp -msgid "Brief Description:" +#, fuzzy +msgid "Brief Description" msgstr "간단한 설명:" #: editor/editor_help.cpp @@ -1871,59 +1906,32 @@ msgid "Properties" msgstr "속성" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "속성:" - -#: editor/editor_help.cpp msgid "Methods" msgstr "메서드" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "메서드:" - -#: editor/editor_help.cpp msgid "Theme Properties" msgstr "테마 속성" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "테마 속성:" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "시그널:" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "열거" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "열거:" - -#: editor/editor_help.cpp msgid "enum " msgstr "이넘 " #: editor/editor_help.cpp msgid "Constants" -msgstr "상수(Constant)" - -#: editor/editor_help.cpp -msgid "Constants:" -msgstr "상수:" +msgstr "상수" #: editor/editor_help.cpp msgid "Class Description" msgstr "클래스 설명" #: editor/editor_help.cpp -msgid "Class Description:" -msgstr "클래스 설명:" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +#, fuzzy +msgid "Online Tutorials" msgstr "온라인 튜토리얼:" #: editor/editor_help.cpp @@ -1932,41 +1940,33 @@ msgid "" "$url]contribute one[/url][/color] or [color=$color][url=$url2]request one[/" "url][/color]." msgstr "" -"현재 이 클래스에 대한 튜토리얼이 없습니다. [color=$color][url=$url]도움을 주" -"시거나[/url][/color] [color=$color][url=$url2]요청 하실 수[/url][/color] 있습" -"니다." +"현재 이 클래스에 대한 튜토리얼이 없어요. [color=$color][url=$url]튜토리얼에 " +"기여하거나[/url][/color] [color=$color][url=$url2]튜토리얼을 요청할 수[/url]" +"[/color] 있어요." #: editor/editor_help.cpp msgid "Property Descriptions" msgstr "속성 설명" #: editor/editor_help.cpp -msgid "Property Descriptions:" -msgstr "속성 설명:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" msgstr "" -"현재 이 속성에 대한 상세설명이 없습니다. [color=$color][url=$url]관련 정보를 " -"기여하여[/url][/color] 더 나아지게 도와주세요!" +"현재 이 속성의 설명이 없어요[color=$color][url=$url]관련 정보를 기여하여[/" +"url][/color] 개선할 수 있도록 도와주세요!" #: editor/editor_help.cpp msgid "Method Descriptions" msgstr "메서드 설명" #: editor/editor_help.cpp -msgid "Method Descriptions:" -msgstr "메서드 설명:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" msgstr "" -"현재 이 메서드에 대한 상세 설명이 없습니다. [color=$color][url=$url]관련 정보" -"를 기여하여[/url][/color] 더 나아지게 도와주세요!" +"현재 이 메서드의 설명이 없어요. [color=$color][url=$url]관련 정보를 기여하여" +"[/url][/color] 개선할 수 있도록 도와주세요!" #: editor/editor_help_search.cpp editor/editor_node.cpp #: editor/plugins/script_editor_plugin.cpp @@ -1975,35 +1975,35 @@ msgstr "도움말 검색" #: editor/editor_help_search.cpp msgid "Display All" -msgstr "모두 표시" +msgstr "모두 표시하기" #: editor/editor_help_search.cpp msgid "Classes Only" -msgstr "클래스만" +msgstr "클래스만 표시하기" #: editor/editor_help_search.cpp msgid "Methods Only" -msgstr "메서드만" +msgstr "메서드만 표시하기" #: editor/editor_help_search.cpp msgid "Signals Only" -msgstr "시그널만" +msgstr "시그널만 표시하기" #: editor/editor_help_search.cpp msgid "Constants Only" -msgstr "상수만" +msgstr "상수만 표시하기" #: editor/editor_help_search.cpp msgid "Properties Only" -msgstr "속성만" +msgstr "속성만 표시하기" #: editor/editor_help_search.cpp msgid "Theme Properties Only" -msgstr "테마 속성만" +msgstr "테마 속성만 표시하기" #: editor/editor_help_search.cpp msgid "Member Type" -msgstr "멤버 타입" +msgstr "멤버 유형" #: editor/editor_help_search.cpp msgid "Class" @@ -2027,10 +2027,10 @@ msgstr "출력:" #: editor/editor_log.cpp editor/plugins/tile_map_editor_plugin.cpp msgid "Copy Selection" -msgstr "선택 복사" +msgstr "선택 항목 복사하기" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2043,23 +2043,64 @@ msgstr "지우기" msgid "Clear Output" msgstr "출력 지우기" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "중단하기" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "시작" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Down" +msgstr "아래" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "위" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "노드" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp -#, fuzzy msgid "New Window" -msgstr "윈도우" +msgstr "새 창" #: editor/editor_node.cpp msgid "Project export failed with error code %d." -msgstr "프로젝트 내보내기가 오류 코드 %d 로 실패했습니다." +msgstr "프로젝트를 내보낼 수 없었어요 오류 코드%d." #: editor/editor_node.cpp msgid "Imported resources can't be saved." -msgstr "가져온 리소스를 저장할 수 없습니다." +msgstr "가져온 리소스를 저장할 수 없어요." #: editor/editor_node.cpp editor/plugins/script_editor_plugin.cpp #: scene/gui/dialogs.cpp msgid "OK" -msgstr "확인" +msgstr "네" #: editor/editor_node.cpp editor/plugins/animation_player_editor_plugin.cpp msgid "Error saving resource!" @@ -2070,20 +2111,20 @@ msgid "" "This resource can't be saved because it does not belong to the edited scene. " "Make it unique first." msgstr "" -"이 리소스는 편집된 씬에 속해있지 않기 때문에 저장할 수 없습니다. 먼저 리소스" -"를 유일하게 만드세요." +"이 리소스는 편집 중인 씬에 속한 것이 아니라서 저장할 수 없어요. 저장하기 전" +"에 먼저 리소스를 유일하게 만드세요." #: editor/editor_node.cpp editor/plugins/animation_player_editor_plugin.cpp msgid "Save Resource As..." -msgstr "리소스를 다른 이름으로 저장..." +msgstr "리소스를 다른 이름으로 저장하기..." #: editor/editor_node.cpp msgid "Can't open file for writing:" -msgstr "쓰기 위한 파일을 열 수 없음:" +msgstr "파일을 작성하려고 열 수 없어요:" #: editor/editor_node.cpp msgid "Requested file format unknown:" -msgstr "요청한 파일 형식을 알 수 없음:" +msgstr "요청한 파일 형식을 알 수 없어요:" #: editor/editor_node.cpp msgid "Error while saving." @@ -2091,7 +2132,7 @@ msgstr "저장 중 오류." #: editor/editor_node.cpp editor/plugins/script_editor_plugin.cpp msgid "Can't open '%s'. The file could have been moved or deleted." -msgstr "'%s'을(를) 열 수 없습니다. 파일이 존재하지 않습니다." +msgstr "'%s'을(를) 열 수 없어요. 파일이 이동했거나 삭제됐나봐요." #: editor/editor_node.cpp msgid "Error while parsing '%s'." @@ -2099,55 +2140,55 @@ msgstr "'%s' 구문 분석 중 오류." #: editor/editor_node.cpp msgid "Unexpected end of file '%s'." -msgstr "예상치 못한 '%s' 파일의 끝." +msgstr "예기치 못한 '%s' 파일의 끝." #: editor/editor_node.cpp msgid "Missing '%s' or its dependencies." -msgstr "'%s'이(가) 없거나 종속 항목이 없습니다." +msgstr "'%s' 또는 이것의 종속 항목이 없어요." #: editor/editor_node.cpp msgid "Error while loading '%s'." -msgstr "'%s' 로딩 중 오류." +msgstr "'%s' 불러오는 중 오류." #: editor/editor_node.cpp msgid "Saving Scene" -msgstr "씬 저장" +msgstr "씬 저장하기" #: editor/editor_node.cpp msgid "Analyzing" -msgstr "분석중" +msgstr "분석하기" #: editor/editor_node.cpp msgid "Creating Thumbnail" -msgstr "썸네일 생성 중" +msgstr "썸네일 만들기" #: editor/editor_node.cpp msgid "This operation can't be done without a tree root." -msgstr "이 작업은 트리 루트 없이는 불가합니다." +msgstr "이 작업은 트리 루트가 필요해요." #: editor/editor_node.cpp msgid "" "This scene can't be saved because there is a cyclic instancing inclusion.\n" "Please resolve it and then attempt to save again." msgstr "" -"사이클로 된 인스턴스가 포함되어 있기 때문에 이 씬을 저장할 수 없습니다.\n" -"이를 수정하고 다시 저장을 시도하십시오." +"이 씬에는 순환하는 인스턴스를 포함하고 있어서 저장할 수 없어요.\n" +"이를 해결한 후 다시 저장해보세요." #: editor/editor_node.cpp msgid "" "Couldn't save scene. Likely dependencies (instances or inheritance) couldn't " "be satisfied." msgstr "" -"씬을 저장할 수 없습니다. 아마도 종속 관계(인스턴스 또는 상속)가 만족스럽지 않" -"을 수 있습니다." +"씬을 저장할 수 없어요. 종속 관계 (인스턴스 또는 상속)가 만족스럽지 않나 보군" +"요." #: editor/editor_node.cpp editor/scene_tree_dock.cpp msgid "Can't overwrite scene that is still open!" -msgstr "열려있는 씬을 덮어 쓸 수 없습니다!" +msgstr "열려있는 씬은 덮어 쓸 수 없어요!" #: editor/editor_node.cpp msgid "Can't load MeshLibrary for merging!" -msgstr "병합할 메시 라이브러리를 불러올 수 없습니다!" +msgstr "병합할 메시 라이브러리를 불러올 수 없어요!" #: editor/editor_node.cpp msgid "Error saving MeshLibrary!" @@ -2155,7 +2196,7 @@ msgstr "메시 라이브러리 저장 중 오류!" #: editor/editor_node.cpp msgid "Can't load TileSet for merging!" -msgstr "병합할 타일셋을 불러올 수 없습니다!" +msgstr "병합할 타일셋을 불러올 수 없어요!" #: editor/editor_node.cpp msgid "Error saving TileSet!" @@ -2163,19 +2204,19 @@ msgstr "타일셋 저장 중 오류!" #: editor/editor_node.cpp msgid "Error trying to save layout!" -msgstr "레이아웃 저장 시도 중 오류!" +msgstr "레이아웃 저장 중 오류!" #: editor/editor_node.cpp msgid "Default editor layout overridden." -msgstr "편집기 기본 레이아웃이 변경되었습니다." +msgstr "편집기 기본 레이아웃이 새로 정의되었어요." #: editor/editor_node.cpp msgid "Layout name not found!" -msgstr "레이아웃 이름을 찾을 수 없습니다!" +msgstr "레이아웃 이름을 찾을 수 없어요!" #: editor/editor_node.cpp msgid "Restored default layout to base settings." -msgstr "기본 레이아웃이 초기 설정으로 복원되었습니다." +msgstr "기본 레이아웃이 초기 설정으로 돌아왔어요." #: editor/editor_node.cpp msgid "" @@ -2183,25 +2224,25 @@ msgid "" "Please read the documentation relevant to importing scenes to better " "understand this workflow." msgstr "" -"이 리소스는 가져왔던 씬에 속한 것이므로 수정할 수 없습니다.\n" -"관련 작업 절차를 더 잘 이해하려면 씬 가져오기(scene importing)과 관련된 문서" -"를 확인해주십시오." +"이 리소스는 가져온 씬에 속한 거라 편집할 수 없어요.\n" +"이 워크플로를 이해하려면 씬 가져오기(Importing Scenes)와 관련된 문서를 읽어주" +"세요." #: editor/editor_node.cpp msgid "" "This resource belongs to a scene that was instanced or inherited.\n" "Changes to it won't be kept when saving the current scene." msgstr "" -"이 리소스는 인스턴스되거나 상속된 씬에 속해있슴니다.\n" -"현재 씬을 저장하는 경우, 변경사항이 유지되지 않습니다." +"이 리소스는 인스턴스되거나 상속된 씬에 속해 있어요.\n" +"현재 씬을 저장하는 경우 리소스의 변경 사항은 적용되지 않을 거예요." #: editor/editor_node.cpp msgid "" "This resource was imported, so it's not editable. Change its settings in the " "import panel and then re-import." msgstr "" -"이 리소스는 가져오기 되었으므로 수정할 수 없습니다. 가져오기 패널에서 속성을 " -"변경한 뒤 다시 가져오십시오." +"이 리소스는 가져온 것이라 편집할 수 없어요. 가져오기 패널에서 설정을 변경한 " +"뒤 다시 가져오세요." #: editor/editor_node.cpp msgid "" @@ -2210,9 +2251,10 @@ msgid "" "Please read the documentation relevant to importing scenes to better " "understand this workflow." msgstr "" -"이 씬은 가져온 것으로 변경사항이 유지되지 않습니다.\n" -"인스턴스화 혹은 상속을 하면 씬을 수정할 수 있게 됩니다.\n" -"이 워크플로를 더 잘 이해하려면 씬 가져오기와 관련된 문서를 확인해주십시오." +"이 씬은 가져온 것이라 변경 사항은 적용되지 않아요.\n" +"이 씬을 인스턴스하거나 상속하면 편집할 수 있어요.\n" +"이 워크플로를 이해하려면 씬 가져오기(Importing Scenes)와 관련된 문서를 읽어주" +"세요." #: editor/editor_node.cpp msgid "" @@ -2220,21 +2262,20 @@ msgid "" "Please read the documentation relevant to debugging to better understand " "this workflow." msgstr "" -"이것은 원격 오브젝트입니다, 변경사항이 유지되지 않습니다.\n" -"이 워크플로에 대해 더 자세히 이해하려면 디버깅 관련 문서를 읽어보시기 바랍니" -"다." +"원격 객체는 변경사항이 적용되지 않아요.\n" +"이 워크플로를 이해하려면 디버깅(Debugging)과 관련된 문서를 읽어주세요." #: editor/editor_node.cpp msgid "There is no defined scene to run." -msgstr "실행하기 위해 정의된 씬이 없습니다." +msgstr "실행하기로 정의된 씬이 없어요." #: editor/editor_node.cpp msgid "Current scene was never saved, please save it prior to running." -msgstr "현재 씬이 저장되지 않았습니다. 실행전에 저장해주세요." +msgstr "현재 씬이 저장되지 않았어요. 실행하기 전에 저장해주세요." #: editor/editor_node.cpp msgid "Could not start subprocess!" -msgstr "서브 프로세스를 시작할 수 없습니다!" +msgstr "하위 프로세스를 시작할 수 없어요!" #: editor/editor_node.cpp editor/filesystem_dock.cpp msgid "Open Scene" @@ -2258,23 +2299,23 @@ msgstr "빠른 스크립트 열기..." #: editor/editor_node.cpp msgid "Save & Close" -msgstr "저장 및 닫기" +msgstr "저장 & 닫기" #: editor/editor_node.cpp msgid "Save changes to '%s' before closing?" -msgstr "닫기 전에 '%s'에 변경사항을 저장하시겠습니까?" +msgstr "닫기 전에 '%s'에 변경 사항을 저장할까요?" #: editor/editor_node.cpp msgid "Saved %s modified resource(s)." -msgstr "%s 수정된 리소스가 저장되었습니다." +msgstr "수정된 리소스 %s이(가) 저장되었어요." #: editor/editor_node.cpp msgid "A root node is required to save the scene." -msgstr "씬을 저장하기 위해 루트 노드가 필요합니다." +msgstr "씬을 저장하려면 루트 노드가 필요해요." #: editor/editor_node.cpp msgid "Save Scene As..." -msgstr "씬을 다른 이름으로 저장..." +msgstr "씬을 다른 이름으로 저장하기..." #: editor/editor_node.cpp msgid "No" @@ -2286,11 +2327,11 @@ msgstr "네" #: editor/editor_node.cpp msgid "This scene has never been saved. Save before running?" -msgstr "이 씬은 저장되지 않았습니다. 실행전에 저장하시겠습니까?" +msgstr "이 씬은 아직 저장하지 않았네요. 실행하기 전에 저장할까요?" #: editor/editor_node.cpp editor/scene_tree_dock.cpp msgid "This operation can't be done without a scene." -msgstr "이 작업은 씬 없이는 불가합니다." +msgstr "이 작업에는 씬이 필요해요." #: editor/editor_node.cpp msgid "Export Mesh Library" @@ -2306,15 +2347,15 @@ msgstr "타일셋 내보내기" #: editor/editor_node.cpp msgid "This operation can't be done without a selected node." -msgstr "이 작업은 선택된 노드가 없을때는 불가합니다." +msgstr "이 작업에는 노드를 선택해 놓아야 해요." #: editor/editor_node.cpp msgid "Current scene not saved. Open anyway?" -msgstr "현재 씬이 저장되지 않았습니다. 무시하고 여시겠습니까?" +msgstr "현재 씬을 저장하지 않았네요. 무시하고 열까요?" #: editor/editor_node.cpp msgid "Can't reload a scene that was never saved." -msgstr "저장되지 않은 씬은 다시 불러올 수 없습니다." +msgstr "저장하지 않은 씬을 다시 불러올 수는 없어요." #: editor/editor_node.cpp msgid "Revert" @@ -2322,11 +2363,11 @@ msgstr "되돌리기" #: editor/editor_node.cpp msgid "This action cannot be undone. Revert anyway?" -msgstr "이 행동은 취소가 불가능합니다. 무시하고 되돌리시겠습니까?" +msgstr "이 행동은 취소할 수 없어요. 무시하고 되돌릴까요?" #: editor/editor_node.cpp msgid "Quick Run Scene..." -msgstr "빠른 씬 실행..." +msgstr "빠른 씬 실행하기..." #: editor/editor_node.cpp msgid "Quit" @@ -2334,97 +2375,97 @@ msgstr "종료" #: editor/editor_node.cpp msgid "Exit the editor?" -msgstr "편집기를 종료하시겠습니까?" +msgstr "편집기를 끌까요?" #: editor/editor_node.cpp msgid "Open Project Manager?" -msgstr "프로젝트 매니저를 여시겠습니까?" +msgstr "프로젝트 매니저를 열까요?" #: editor/editor_node.cpp msgid "Save & Quit" -msgstr "저장하고 종료" +msgstr "저장하고 종료하기" #: editor/editor_node.cpp msgid "Save changes to the following scene(s) before quitting?" -msgstr "닫기 전에 다음 씬(들)의 변경사항을 저장하시겠습니까?" +msgstr "끄기 전에 해당 씬의 변경 사항을 저장할까요?" #: editor/editor_node.cpp msgid "Save changes the following scene(s) before opening Project Manager?" -msgstr "프로젝트 매니저를 열기 전에 다음 씬(들)의 변경사항을 저장하시겠습니까?" +msgstr "프로젝트 매니저를 열기 전에 해당 씬의 변경 사항을 저장할까요?" #: editor/editor_node.cpp msgid "" "This option is deprecated. Situations where refresh must be forced are now " "considered a bug. Please report." msgstr "" -"이 옵션은 더 이상 사용되지 않습니다. 새로고침을 해야 하는 상황은 버그로 간주" -"됩니다. 리포트 바랍니다." +"이 설정은 더 이상 사용할 수 없어요. 새로고침을 강제로 해야 하는 상황은 버그" +"로 간주돼요. 신고해주세요." #: editor/editor_node.cpp msgid "Pick a Main Scene" -msgstr "메인 씬 선택" +msgstr "기본 씬 고르기" #: editor/editor_node.cpp msgid "Close Scene" msgstr "씬 닫기" #: editor/editor_node.cpp -#, fuzzy msgid "Reopen Closed Scene" -msgstr "씬 닫기" +msgstr "닫은 씬 다시 열기" #: editor/editor_node.cpp msgid "Unable to enable addon plugin at: '%s' parsing of config failed." -msgstr "애드온 플러그인을 활성화할 수 없습니다: '%s' 구성 구문 분석 실패." +msgstr "" +"애드온 플러그인을 여기서 켤 수 없음: '%s' 설정을 구문 분석할 수 없어요." #: editor/editor_node.cpp msgid "Unable to find script field for addon plugin at: 'res://addons/%s'." -msgstr "다음 경로에서 애드온 플러그인을 찾을 수 없습니다: 'res://addons/%s'." +msgstr "다음 경로에서 애드온 플러그인을 찾을 수 없음: 'res://addons/%s'." #: editor/editor_node.cpp msgid "Unable to load addon script from path: '%s'." -msgstr "다음 경로에서 애드온 스크립트를 불러올 수 없습니다: '%s'." +msgstr "다음 경로에서 애드온 스크립트를 불러올 수 없음: '%s'." #: editor/editor_node.cpp msgid "" "Unable to load addon script from path: '%s' There seems to be an error in " "the code, please check the syntax." msgstr "" -"다음 경로에서 애드온 스크립트를 불러올 수 없습니다: '%s' 코드에 오류가 있는 " -"것 같습니다, 구문을 확인해 보십시오." +"다음 경로에서 애드온 스크립트를 불러올 수 없음: '%s' 코드의 오류가 있는 것 같" +"은데, 문법을 확인해봐요." #: editor/editor_node.cpp msgid "" "Unable to load addon script from path: '%s' Base type is not EditorPlugin." msgstr "" -"다음 경로에서 애드온 스크립트를 불러올 수 없습니다: '%s' 기본 타입이 " -"EditorPlugin이 아닙니다." +"다음 경로에서 애드온 스크립트를 불러올 수 없음: '%s' 기본 유형이 EditorPlugin" +"이 아니에요." #: editor/editor_node.cpp msgid "Unable to load addon script from path: '%s' Script is not in tool mode." msgstr "" -"다음 경로에서 애드온 스크립트를 불러올 수 없습니다: '%s' 스크립트가 tool 모드" -"가 아닙니다." +"다음 경로에서 애드온 스크립트를 불러올 수 없음: '%s' 스크립트가 Tool 모드가 " +"아니에요." #: editor/editor_node.cpp msgid "" "Scene '%s' was automatically imported, so it can't be modified.\n" "To make changes to it, a new inherited scene can be created." msgstr "" -"'%s' 씬은 자동으로 가져와 지기 때문에, 변경할 수 없습니다.\n" -"변경사항을 적용하려면, 새로운 상속 씬을 만드세요." +"씬 '%s'을(를) 자동으로 가져왔기 때문에, 수정할 수 없어요.\n" +"이 씬을 편집하려면, 새로운 상속 씬을 만들어야 해요." #: editor/editor_node.cpp msgid "" "Error loading scene, it must be inside the project path. Use 'Import' to " "open the scene, then save it inside the project path." msgstr "" -"씬 로딩 중 오류가 발생했습니다. 프로젝트 경로 안에 존재해야 합니다. '가져오" -"기'로 씬을 연 후에, 프로젝트 경로 안에 저장하세요." +"씬을 불러오는 중 오류가 발생했어요, 프로젝트 경로에 있을 거예요. '가져오" +"기'를 사용해서 씬을 열고, 그 씬을 프로젝트 경로 안에 저장하세요." #: editor/editor_node.cpp msgid "Scene '%s' has broken dependencies:" -msgstr "'%s' 씬의 종속 항목이 깨져 있습니다:" +msgstr "씬 '%s'의 종속 항목이 깨짐:" #: editor/editor_node.cpp msgid "Clear Recent Scenes" @@ -2436,8 +2477,8 @@ msgid "" "You can change it later in \"Project Settings\" under the 'application' " "category." msgstr "" -"메인 씬이 지정되지 않았습니다. 선택하시겠습니까?\n" -"나중에 \"프로젝트 설정\"의 'application' 항목에서 변경할 수 있습니다." +"기본 씬을 지정하지 않았네요. 하나 정할까요?\n" +"이건 나중에 \"프로젝트 설정\"의 'application' 카테고리에서 바꿀 수 있어요." #: editor/editor_node.cpp msgid "" @@ -2445,8 +2486,8 @@ msgid "" "You can change it later in \"Project Settings\" under the 'application' " "category." msgstr "" -"선택한 '%s' 씬이 존재하지 않습니다. 다시 선택하시겠습니까?\n" -"나중에 \"프로젝트 설정\"의 'application' 항목에서 변경할 수 있습니다." +"선택한 씬 '%s'이(가) 없어요, 다른 씬으로 정할까요?\n" +"이건 나중에 \"프로젝트 설정\"의 'application' 카테고리에서 바꿀 수 있어요." #: editor/editor_node.cpp msgid "" @@ -2454,16 +2495,16 @@ msgid "" "You can change it later in \"Project Settings\" under the 'application' " "category." msgstr "" -"선택한 '%s' 씬이 씬 파일이 아닙니다. 다시 선택하시겠습니까?\n" -"나중에 \"프로젝트 설정\"의 'application' 항목에서 변경할 수 있습니다." +"선택한 씬 '%s'은(는) 씬 파일이 아니네요, 다른 씬으로 정할까요?\n" +"이건 나중에 \"프로젝트 설정\"의 'application' 카테고리에서 바꿀 수 있어요." #: editor/editor_node.cpp msgid "Save Layout" -msgstr "레이아웃 저장" +msgstr "레이아웃 저장하기" #: editor/editor_node.cpp msgid "Delete Layout" -msgstr "레이아웃 삭제" +msgstr "레이아웃 삭제하기" #: editor/editor_node.cpp editor/import_dock.cpp #: editor/script_create_dialog.cpp @@ -2477,16 +2518,15 @@ msgstr "파일 시스템에서 보기" #: editor/editor_node.cpp msgid "Play This Scene" -msgstr "이 씬을 실행" +msgstr "이 씬 실행하기" #: editor/editor_node.cpp msgid "Close Tab" msgstr "탭 닫기" #: editor/editor_node.cpp -#, fuzzy msgid "Undo Close Tab" -msgstr "탭 닫기" +msgstr "닫은 탭 다시 열기" #: editor/editor_node.cpp editor/plugins/script_editor_plugin.cpp msgid "Close Other Tabs" @@ -2502,19 +2542,19 @@ msgstr "모든 탭 닫기" #: editor/editor_node.cpp msgid "Switch Scene Tab" -msgstr "씬 탭 전환" +msgstr "씬 탭 전환하기" #: editor/editor_node.cpp msgid "%d more files or folders" -msgstr "%d개 추가 파일 또는 폴더" +msgstr "그 외 %d개의 파일 또는 폴더" #: editor/editor_node.cpp msgid "%d more folders" -msgstr "%d개 추가 폴더" +msgstr "그 외 %d개의 폴더" #: editor/editor_node.cpp msgid "%d more files" -msgstr "%d개 추가 파일" +msgstr "그 외 %d개의 파일" #: editor/editor_node.cpp msgid "Dock Position" @@ -2530,7 +2570,7 @@ msgstr "집중 모드 토글." #: editor/editor_node.cpp msgid "Add a new scene." -msgstr "새 씬 추가." +msgstr "새 씬 추가하기." #: editor/editor_node.cpp msgid "Scene" @@ -2542,7 +2582,7 @@ msgstr "이전에 열었던 씬으로 가기." #: editor/editor_node.cpp msgid "Copy Text" -msgstr "문자 복사" +msgstr "문자 복사하기" #: editor/editor_node.cpp msgid "Next tab" @@ -2554,11 +2594,11 @@ msgstr "이전 탭" #: editor/editor_node.cpp msgid "Filter Files..." -msgstr "파일 필터링..." +msgstr "파일 필터..." #: editor/editor_node.cpp msgid "Operations with scene files." -msgstr "씬 파일 동작." +msgstr "씬 파일로 작업하기." #: editor/editor_node.cpp msgid "New Scene" @@ -2574,19 +2614,19 @@ msgstr "씬 열기..." #: editor/editor_node.cpp editor/plugins/script_editor_plugin.cpp msgid "Open Recent" -msgstr "최근 열었던 항목" +msgstr "최근 기록 열기" #: editor/editor_node.cpp msgid "Save Scene" -msgstr "씬 저장" +msgstr "씬 저장하기" #: editor/editor_node.cpp msgid "Save All Scenes" -msgstr "모든 씬 저장" +msgstr "모든 씬 저장하기" #: editor/editor_node.cpp msgid "Convert To..." -msgstr "변환..." +msgstr "다음으로 변환하기..." #: editor/editor_node.cpp msgid "MeshLibrary..." @@ -2604,7 +2644,7 @@ msgstr "되돌리기" #: editor/editor_node.cpp editor/plugins/script_text_editor.cpp #: scene/gui/line_edit.cpp scene/gui/text_edit.cpp msgid "Redo" -msgstr "다시 실행" +msgstr "다시 실행하기" #: editor/editor_node.cpp msgid "Revert Scene" @@ -2619,18 +2659,29 @@ msgid "Project" msgstr "프로젝트" #: editor/editor_node.cpp -#, fuzzy msgid "Project Settings..." -msgstr "프로젝트 설정" +msgstr "프로젝트 설정..." + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Version Control" +msgstr "버전:" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" #: editor/editor_node.cpp msgid "Export..." msgstr "내보내기..." #: editor/editor_node.cpp -#, fuzzy msgid "Install Android Build Template..." -msgstr "안드로이드 빌드 템플릿 설치하기" +msgstr "안드로이드 빌드 템플릿 설치하기..." #: editor/editor_node.cpp msgid "Open Project Data Folder" @@ -2641,9 +2692,8 @@ msgid "Tools" msgstr "도구" #: editor/editor_node.cpp -#, fuzzy msgid "Orphan Resource Explorer..." -msgstr "미사용 리소스 탐색기" +msgstr "미사용 리소스 탐색기..." #: editor/editor_node.cpp msgid "Quit to Project List" @@ -2656,19 +2706,19 @@ msgstr "디버그" #: editor/editor_node.cpp msgid "Deploy with Remote Debug" -msgstr "원격 디버그 배포" +msgstr "원격 디버그와 함께 배포하기" #: editor/editor_node.cpp msgid "" "When exporting or deploying, the resulting executable will attempt to " "connect to the IP of this computer in order to be debugged." msgstr "" -"내보내기나 배포를 할 때, 실행 파일이 디버깅을 위해서 이 컴퓨터의 IP로 연결을 " -"시도합니다." +"내보내거나 배포할 때, 결과 실행 파일은 디버깅을 위해 이 컴퓨터의 IP와 연결을 " +"시도할 거예요." #: editor/editor_node.cpp msgid "Small Deploy with Network FS" -msgstr "네트워크 파일 시스템을 갖는 작은 배포" +msgstr "네트워크 파일 시스템과 함께 작게 배포하기" #: editor/editor_node.cpp msgid "" @@ -2679,12 +2729,10 @@ msgid "" "On Android, deploy will use the USB cable for faster performance. This " "option speeds up testing for games with a large footprint." msgstr "" -"이 옵션이 활성화 되어 있을 경우, 내보내기나 배포는 최소한의 실행 파일을 생성" -"합니다.\n" -"파일 시스템은 네트워크를 통해서 편집기 상의 프로젝트가 제공합니다.\n" -"안드로이드의 경우, USB 케이블을 사용하여 배포할 경우 더 빠른 퍼포먼스를 제공" -"합니다. 이 옵션은 큰 설치 용량을 요구하는 게임의 테스트를 빠르게 할 수 있습니" -"다." +"이 설정을 켜면, 내보내거나 배포할 때 최소한의 실행 파일을 만들어요.\n" +"네트워크 너머 편집기가 프로젝트에서 파일 시스템을 제공할 거예요.\n" +"Android의 경우, 더 빠른 성능을 원한다면 배포할 때 USB 케이블을 사용하세요. " +"이 설정은 설치 공간이 큰 게임을 빨리 테스트할 때 쓸 수 있어요." #: editor/editor_node.cpp msgid "Visible Collision Shapes" @@ -2695,8 +2743,8 @@ msgid "" "Collision shapes and raycast nodes (for 2D and 3D) will be visible on the " "running game if this option is turned on." msgstr "" -"이 옵션이 활성화 되어 있을 경우, 게임이 실행되는 동안 (2D와 3D의) 충돌 모양" -"과 Raycast 노드가 표시됩니다." +"이 설정을 켜면 게임을 실행하는 동안 (2D와 3D용) Collision 모양과 Raycast 노드" +"가 보이게 돼요." #: editor/editor_node.cpp msgid "Visible Navigation" @@ -2707,12 +2755,11 @@ msgid "" "Navigation meshes and polygons will be visible on the running game if this " "option is turned on." msgstr "" -"이 옵션이 활성화 되어 있을 경우, 게임이 실행되는 동안 내비게이션 메시가 표시" -"됩니다." +"이 설정을 켜면 게임을 실행하는 동안 Navigation 메시와 폴리곤이 보이게 돼요." #: editor/editor_node.cpp msgid "Sync Scene Changes" -msgstr "씬 변경사항 동기화" +msgstr "씬 변경 사항 동기화하기" #: editor/editor_node.cpp msgid "" @@ -2721,14 +2768,13 @@ msgid "" "When used remotely on a device, this is more efficient with network " "filesystem." msgstr "" -"이 옵션이 활성화 되어 있을 경우, 편집기 상의 씬의 변경사항이 실행 중인 게임" -"에 반영됩니다.\n" -"기기에 원격으로 사용되는 경우, 네트워크 파일 시스템과 함께하면 더욱 효과적입" -"니다." +"이 설정을 켜면, 게임을 실행하는 동안 편집기에서 씬의 변경 사항이 게임에 적용" +"돼요.\n" +"기기를 원격에서 사용할 때, 이것은 네트워크 파일 시스템으로 더욱 효과적이에요." #: editor/editor_node.cpp msgid "Sync Script Changes" -msgstr "스크립트 변경사항 동기화" +msgstr "스크립트 변경 사항 동기화하기" #: editor/editor_node.cpp msgid "" @@ -2737,19 +2783,16 @@ msgid "" "When used remotely on a device, this is more efficient with network " "filesystem." msgstr "" -"이 옵션이 활성화 되어 있을 경우, 스크립트를 수정하고 저장하면 실행중인 게임에" -"서 다시 읽어 들입니다.\n" -"기기에 원격으로 사용되는 경우, 네트워크 파일 시스템과 함께하면 더욱 효과적입" -"니다." +"이 설정을 켜면, 게임을 실행하는 동안 저장한 모든 스크립트를 새로 불러와요.\n" +"기기를 원격에서 사용할 때, 이것은 네트워크 파일 시스템으로 더욱 효과적이에요." #: editor/editor_node.cpp editor/script_create_dialog.cpp msgid "Editor" msgstr "편집기" #: editor/editor_node.cpp -#, fuzzy msgid "Editor Settings..." -msgstr "편집기 설정" +msgstr "편집기 설정..." #: editor/editor_node.cpp msgid "Editor Layout" @@ -2761,7 +2804,7 @@ msgstr "스크린샷 찍기" #: editor/editor_node.cpp msgid "Screenshots are stored in the Editor Data/Settings Folder." -msgstr "스크린샷이 Editor Data/Settings 폴더에 저장되었습니다." +msgstr "스크린샷은 Editor Data/Settings 폴더에 저장됐어요." #: editor/editor_node.cpp msgid "Toggle Fullscreen" @@ -2784,14 +2827,12 @@ msgid "Open Editor Settings Folder" msgstr "편집기 설정 폴더 열기" #: editor/editor_node.cpp -#, fuzzy msgid "Manage Editor Features..." -msgstr "편집기 기능 관리" +msgstr "편집기 기능 관리하기..." #: editor/editor_node.cpp -#, fuzzy msgid "Manage Export Templates..." -msgstr "내보내기 템플릿 관리" +msgstr "내보내기 템플릿 관리..." #: editor/editor_node.cpp editor/plugins/shader_editor_plugin.cpp msgid "Help" @@ -2829,56 +2870,52 @@ msgstr "정보" #: editor/editor_node.cpp msgid "Play the project." -msgstr "프로젝트 실행." +msgstr "프로젝트 실행하기." #: editor/editor_node.cpp msgid "Play" -msgstr "실행" +msgstr "실행하기" #: editor/editor_node.cpp msgid "Pause the scene" -msgstr "씬 일시 정지" +msgstr "씬 멈추기" #: editor/editor_node.cpp msgid "Pause Scene" -msgstr "씬 일시 정지" +msgstr "씬 멈추기" #: editor/editor_node.cpp msgid "Stop the scene." -msgstr "씬 정지." - -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "정지" +msgstr "씬 중단하기." #: editor/editor_node.cpp msgid "Play the edited scene." -msgstr "편집 중인 씬 실행." +msgstr "편집 중인 씬 실행하기." #: editor/editor_node.cpp msgid "Play Scene" -msgstr "씬 실행" +msgstr "씬 실행하기" #: editor/editor_node.cpp msgid "Play custom scene" -msgstr "다른 씬 실행" +msgstr "다른 씬 실행하기" #: editor/editor_node.cpp msgid "Play Custom Scene" -msgstr "커스텀 씬 실행" +msgstr "맞춤 씬 실행하기" #: editor/editor_node.cpp msgid "Changing the video driver requires restarting the editor." -msgstr "비디오 드라이버를 변경하려면 편집기를 다시 시작해야 합니다." +msgstr "비디오 드라이버를 변경하려면 편집기를 다시 실행해야 해요." #: editor/editor_node.cpp editor/project_settings_editor.cpp #: editor/settings_config_dialog.cpp msgid "Save & Restart" -msgstr "저장 & 다시 시작" +msgstr "저장 & 다시 시작하기" #: editor/editor_node.cpp msgid "Spins when the editor window redraws." -msgstr "편집기 창이 다시 그려질 때 회전합니다." +msgstr "편집기 창이 변할 때마다 돌 거예요." #: editor/editor_node.cpp msgid "Update Continuously" @@ -2901,12 +2938,8 @@ msgid "Inspector" msgstr "인스펙터" #: editor/editor_node.cpp -msgid "Node" -msgstr "노드" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" -msgstr "하단 패널 확장" +msgstr "하단 패널 펼치기" #: editor/editor_node.cpp scene/resources/visual_shader.cpp msgid "Output" @@ -2918,8 +2951,7 @@ msgstr "저장하지 않음" #: editor/editor_node.cpp msgid "Android build template is missing, please install relevant templates." -msgstr "" -"안드로이드 빌드 템플릿이 존재하지 않습니다, 관련 템플릿을 설치하기 바랍니다." +msgstr "안드로이드 빌드 템플릿이 없어요, 관련 템플릿을 설치해주세요." #: editor/editor_node.cpp msgid "Manage Templates" @@ -2927,24 +2959,29 @@ msgstr "템플릿 관리" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" -"이것은 커스텀 빌드를 위해 안드로이드 프로젝트를 설치합니다.\n" -"사용하려면 각각 내보내기 프리셋을 활성화해야 합니다." #: editor/editor_node.cpp +#, fuzzy msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" -"안드로이드 빌드 템플릿이 이미 설치되어 있고 덮어 쓸 수 없습니다.\n" -"명령을 다시 시도하기 전에 수동으로 \"build\" 디렉토리를 삭제하세요." +"안드로이드 빌드 템플릿을 이미 설치한 데다가 덮어 쓸 수 없네요.\n" +"이 명령을 다시 실행하기 전에 수동으로 \"build\" 디렉토리를 삭제하세요." #: editor/editor_node.cpp msgid "Import Templates From ZIP File" -msgstr "ZIP 파일로부터 템플릿을 가져오기" +msgstr "ZIP 파일에서 템플릿 가져오기" #: editor/editor_node.cpp editor/project_export.cpp msgid "Export Project" @@ -2956,7 +2993,7 @@ msgstr "라이브러리 내보내기" #: editor/editor_node.cpp msgid "Merge With Existing" -msgstr "기존과 병합" +msgstr "기존의 것과 병합하기" #: editor/editor_node.cpp msgid "Password:" @@ -2964,7 +3001,7 @@ msgstr "암호:" #: editor/editor_node.cpp msgid "Open & Run a Script" -msgstr "스크립트를 열고 실행" +msgstr "스크립트를 열고 실행하기" #: editor/editor_node.cpp msgid "New Inherited" @@ -2976,7 +3013,7 @@ msgstr "불러오기 오류" #: editor/editor_node.cpp editor/plugins/tile_map_editor_plugin.cpp msgid "Select" -msgstr "선택" +msgstr "선택하기" #: editor/editor_node.cpp msgid "Open 2D Editor" @@ -3002,6 +3039,11 @@ msgstr "다음 편집기 열기" msgid "Open the previous Editor" msgstr "이전 편집기 열기" +#: editor/editor_path.cpp +#, fuzzy +msgid "No sub-resources found." +msgstr "표면 소스를 지정하지 않았네요." + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "메시 미리보기 생성 중" @@ -3011,8 +3053,13 @@ msgid "Thumbnail..." msgstr "썸네일..." #: editor/editor_plugin_settings.cpp +#, fuzzy +msgid "Main Script:" +msgstr "스크립트 열기:" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" -msgstr "플러그인 편집" +msgstr "플러그인 편집하기" #: editor/editor_plugin_settings.cpp msgid "Installed Plugins:" @@ -3039,11 +3086,6 @@ msgstr "상태:" msgid "Edit:" msgstr "편집:" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "시작" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "측정:" @@ -3110,21 +3152,21 @@ msgstr "지정하기..." #: editor/editor_properties.cpp msgid "Invalid RID" -msgstr "올바르지 않은 RID" +msgstr "잘못된 RID" #: editor/editor_properties.cpp msgid "" "The selected resource (%s) does not match any type expected for this " "property (%s)." -msgstr "선택된 리소스 (%s)가 이 속성 (%s)에 알맞은 타입이 아닙니다." +msgstr "선택한 리소스 (%s)가 이 속성 (%s)에 적합한 모든 유형에 맞지 않아요." #: editor/editor_properties.cpp msgid "" "Can't create a ViewportTexture on resources saved as a file.\n" "Resource needs to belong to a scene." msgstr "" -"파일로 저장된 리소스에서 ViewportTexture를 만들 수 없습니다.\n" -"리소스가 씬에 속해 있어야 합니다." +"파일로 저장한 리소스에 ViewportTexture를 만들 수는 없어요.\n" +"리소스가 씬에 속해 있어야 해요." #: editor/editor_properties.cpp msgid "" @@ -3133,14 +3175,14 @@ msgid "" "Please switch on the 'local to scene' property on it (and all resources " "containing it up to a node)." msgstr "" -"리소스가 씬에 로컬로 설정되지 않았기 때문에 ViewportTexture를 만들 수 없습니" -"다.\n" -"리소스의 'local to scene' 속성을 켜십시오 (그리고 모든 리소스를 노드가 포함하" -"고 있어야 합니다)." +"씬에 지역으로 설정되지 않았기 때문에 이 리소스에 ViewportTexture를 만들 수 없" +"어요.\n" +"리소스 (그리고 한 노드에 있는 모든 리소스)의 'local to scene' 속성을 켜주세" +"요 ." #: editor/editor_properties.cpp editor/property_editor.cpp msgid "Pick a Viewport" -msgstr "뷰포트 선택" +msgstr "뷰포트 선택하기" #: editor/editor_properties.cpp editor/property_editor.cpp msgid "New Script" @@ -3170,7 +3212,7 @@ msgstr "붙여넣기" #: editor/editor_properties.cpp editor/property_editor.cpp msgid "Convert To %s" -msgstr "%s로 변환" +msgstr "%s(으)로 변환하기" #: editor/editor_properties.cpp #: editor/plugins/animation_blend_space_1d_editor.cpp @@ -3185,7 +3227,7 @@ msgstr "선택된 노드는 뷰포트가 아닙니다!" #: editor/editor_properties_array_dict.cpp msgid "Size: " -msgstr "사이즈: " +msgstr "크기: " #: editor/editor_properties_array_dict.cpp msgid "Page: " @@ -3194,7 +3236,7 @@ msgstr "페이지: " #: editor/editor_properties_array_dict.cpp #: editor/plugins/theme_editor_plugin.cpp msgid "Remove Item" -msgstr "아이템 삭제" +msgstr "항목 삭제하기" #: editor/editor_properties_array_dict.cpp msgid "New Key:" @@ -3206,47 +3248,47 @@ msgstr "새 값:" #: editor/editor_properties_array_dict.cpp msgid "Add Key/Value Pair" -msgstr "키/값 쌍 추가" +msgstr "키/값 쌍 추가하기" #: editor/editor_run_native.cpp msgid "" "No runnable export preset found for this platform.\n" "Please add a runnable preset in the export menu." msgstr "" -"이 플랫폼에 대한 실행가능한 내보내기 프리셋을 찾을 수 없습니다.\n" -"내보내기 메뉴에서 실행가능한 프리셋을 추가하세요." +"이 플랫폼으로 실행할 수 있는 내보내기 프리셋이 없어요.\n" +"내보내기 메뉴에서 실행할 수 있는 프리셋을 추가해주세요." #: editor/editor_run_script.cpp msgid "Write your logic in the _run() method." -msgstr "_run() 메서드에 로직을 작성하세요." +msgstr "_run() 메서드에 당신의 논리를 작성하세요." #: editor/editor_run_script.cpp msgid "There is an edited scene already." -msgstr "이미 편집된 씬이 있습니다." +msgstr "이미 편집된 씬이 있어요." #: editor/editor_run_script.cpp msgid "Couldn't instance script:" -msgstr "스크립트를 인스턴스 할 수 없습니다:" +msgstr "스크립트를 인스턴스할 수 없음:" #: editor/editor_run_script.cpp msgid "Did you forget the 'tool' keyword?" -msgstr "'tool' 키워드를 잊으셨습니까?" +msgstr "'tool' 키워드를 잊었나요?" #: editor/editor_run_script.cpp msgid "Couldn't run script:" -msgstr "스크립트를 실행할 수 없습니다:" +msgstr "스크립트를 실행할 수 없음:" #: editor/editor_run_script.cpp msgid "Did you forget the '_run' method?" -msgstr "'_run' 메서드를 잊으셨습니까?" +msgstr "'_run' 메서드를 잊었나요?" #: editor/editor_sub_scene.cpp msgid "Select Node(s) to Import" -msgstr "가져올 노드들 선택" +msgstr "가져올 노드 선택하기" #: editor/editor_sub_scene.cpp editor/project_manager.cpp msgid "Browse" -msgstr "찾아보기" +msgstr "검색하기" #: editor/editor_sub_scene.cpp msgid "Scene Path:" @@ -3257,13 +3299,12 @@ msgid "Import From Node:" msgstr "노드에서 가져오기:" #: editor/export_template_manager.cpp -#, fuzzy msgid "Redownload" -msgstr "다시 다운로드" +msgstr "다시 다운로드하기" #: editor/export_template_manager.cpp msgid "Uninstall" -msgstr "삭제" +msgstr "삭제하기" #: editor/export_template_manager.cpp msgid "(Installed)" @@ -3272,11 +3313,11 @@ msgstr "(설치됨)" #: editor/export_template_manager.cpp #: editor/plugins/asset_library_editor_plugin.cpp msgid "Download" -msgstr "다운로드" +msgstr "다운로드하기" #: editor/export_template_manager.cpp msgid "Official export templates aren't available for development builds." -msgstr "" +msgstr "공식 내보내기 템플릿은 개발 빌드에서는 이용할 수 없어요." #: editor/export_template_manager.cpp msgid "(Missing)" @@ -3288,31 +3329,31 @@ msgstr "(현재)" #: editor/export_template_manager.cpp msgid "Retrieving mirrors, please wait..." -msgstr "미러를 가져오는 중입니다, 잠시만 기다리세요..." +msgstr "미러를 검색 중이에요, 기다려주세요..." #: editor/export_template_manager.cpp msgid "Remove template version '%s'?" -msgstr "'%s' 템플릿 버전을 삭제하시겠습니까?" +msgstr "템플릿 버전 '%s'을(를) 삭제할까요?" #: editor/export_template_manager.cpp msgid "Can't open export templates zip." -msgstr "내보내기 템플릿 zip 파일을 열 수 없습니다." +msgstr "내보내기 템플릿 zip 파일을 열 수 없어요." #: editor/export_template_manager.cpp msgid "Invalid version.txt format inside templates: %s." -msgstr "템플릿 안 version.txt가 올바르지 않은 형식입니다: %s." +msgstr "템플릿 속의 version.txt가 잘못된 형식임: %s." #: editor/export_template_manager.cpp msgid "No version.txt found inside templates." -msgstr "템플릿에 version.txt를 찾을 수 없습니다." +msgstr "템플릿에 version.txt를 찾을 수 없어요." #: editor/export_template_manager.cpp msgid "Error creating path for templates:" -msgstr "템플릿 경로 생성 오류:" +msgstr "템플릿의 경로 생성 중 오류:" #: editor/export_template_manager.cpp msgid "Extracting Export Templates" -msgstr "내보내기 템플릿 압축해제 중" +msgstr "내보내기 템플릿 압축 푸는 중" #: editor/export_template_manager.cpp msgid "Importing:" @@ -3323,8 +3364,8 @@ msgid "" "No download links found for this version. Direct download is only available " "for official releases." msgstr "" -"이 버전에 대한 다운로드 링크가 없습니다. 공식 릴리즈만 바로 다운로드가 가능합" -"니다." +"이 버전의 다운로드 링크를 찾을 수 없어요. 공식 출시 버전만 바로 다운로드할 " +"수 있어요." #: editor/export_template_manager.cpp #: editor/plugins/asset_library_editor_plugin.cpp @@ -3359,27 +3400,24 @@ msgid "Download Complete." msgstr "다운로드 완료." #: editor/export_template_manager.cpp -#, fuzzy msgid "Cannot remove temporary file:" -msgstr "테마를 파일로 저장할 수 없습니다:" +msgstr "임시 파일을 저장할 수 없음:" #: editor/export_template_manager.cpp -#, fuzzy msgid "" "Templates installation failed.\n" "The problematic templates archives can be found at '%s'." msgstr "" -"템플릿 설치에 실패했습니다. 문제가 있는 템플릿 아카이브는 '%s' 에서 확인하실 " -"수 있습니다." +"템플릿 설치에 실패했어요.\n" +"문제가 있는 템플릿 기록은 '%s'에서 찾아 볼 수 있어요." #: editor/export_template_manager.cpp -#, fuzzy msgid "Error requesting URL:" -msgstr "url 요청 오류: " +msgstr "URL 요청 중 오류:" #: editor/export_template_manager.cpp msgid "Connecting to Mirror..." -msgstr "미러에 연결중..." +msgstr "미러에 연결 중..." #: editor/export_template_manager.cpp msgid "Disconnected" @@ -3396,7 +3434,7 @@ msgstr "해결할 수 없음" #: editor/export_template_manager.cpp #: editor/plugins/asset_library_editor_plugin.cpp msgid "Connecting..." -msgstr "연결중..." +msgstr "연결 중..." #: editor/export_template_manager.cpp msgid "Can't Connect" @@ -3409,7 +3447,7 @@ msgstr "연결됨" #: editor/export_template_manager.cpp #: editor/plugins/asset_library_editor_plugin.cpp msgid "Requesting..." -msgstr "요청중..." +msgstr "요청 중..." #: editor/export_template_manager.cpp msgid "Downloading" @@ -3421,11 +3459,11 @@ msgstr "연결 오류" #: editor/export_template_manager.cpp msgid "SSL Handshake Error" -msgstr "SSL 핸드쉐이크 오류" +msgstr "SSL 핸드셰이크 오류" #: editor/export_template_manager.cpp msgid "Uncompressing Android Build Sources" -msgstr "안드로이드 빌드 소스 압축 해제" +msgstr "안드로이드 빌드 소스 압축 푸는 중" #: editor/export_template_manager.cpp msgid "Current Version:" @@ -3437,15 +3475,15 @@ msgstr "설치된 버전:" #: editor/export_template_manager.cpp msgid "Install From File" -msgstr "파일로부터 설치" +msgstr "파일에서 설치하기" #: editor/export_template_manager.cpp msgid "Remove Template" -msgstr "템플릿 삭제" +msgstr "템플릿 삭제하기" #: editor/export_template_manager.cpp msgid "Select Template File" -msgstr "템플릿 파일 선택" +msgstr "템플릿 파일 선택하기" #: editor/export_template_manager.cpp msgid "Export Template Manager" @@ -3453,7 +3491,7 @@ msgstr "내보내기 템플릿 매니저" #: editor/export_template_manager.cpp msgid "Download Templates" -msgstr "템플릿 다운로드" +msgstr "템플릿 다운로드하기" #: editor/export_template_manager.cpp msgid "Select mirror from list: (Shift+Click: Open in Browser)" @@ -3466,19 +3504,20 @@ msgstr "즐겨찾기" #: editor/filesystem_dock.cpp msgid "Status: Import of file failed. Please fix file and reimport manually." msgstr "" -"상태: 파일 가져오기 실패. 파일을 수정하고 \"다시 가져오기\"를 수행하세요." +"상태: 파일 가져오기에 실패했어요. 수동으로 파일을 수정하고 다시 가져와 주세" +"요." #: editor/filesystem_dock.cpp msgid "Cannot move/rename resources root." -msgstr "리소스 루트를 옮기거나 이름을 변경할 수 없습니다." +msgstr "리소스 루트를 옮기거나 이름을 바꿀 수 없어요." #: editor/filesystem_dock.cpp msgid "Cannot move a folder into itself." -msgstr "폴더를 자신의 하위로 이동할 수 없습니다." +msgstr "폴더를 자신의 하위로 옮길 수 없어요." #: editor/filesystem_dock.cpp msgid "Error moving:" -msgstr "이동 오류:" +msgstr "이동 중 오류:" #: editor/filesystem_dock.cpp msgid "Error duplicating:" @@ -3486,39 +3525,39 @@ msgstr "복제 중 오류:" #: editor/filesystem_dock.cpp msgid "Unable to update dependencies:" -msgstr "종속항목을 업데이트 할 수 없습니다:" +msgstr "종속 항목을 업데이트할 수 없음:" #: editor/filesystem_dock.cpp editor/scene_tree_editor.cpp msgid "No name provided." -msgstr "이름이 제공되지 않았습니다." +msgstr "이름을 제공하지 않았어요." #: editor/filesystem_dock.cpp msgid "Provided name contains invalid characters." -msgstr "제공된 이름에 올바르지 않은 문자가 있습니다." +msgstr "제공한 이름에 잘못된 문자가 있어요." #: editor/filesystem_dock.cpp msgid "A file or folder with this name already exists." -msgstr "파일이나 폴더가 해당 이름을 사용중입니다." +msgstr "이 이름은 이미 어떤 파일이나 폴더가 쓰고 있어요." #: editor/filesystem_dock.cpp msgid "Name contains invalid characters." -msgstr "이름에 올바르지 않은 문자가 있습니다." +msgstr "이름에 잘못된 문자가 있어요." #: editor/filesystem_dock.cpp msgid "Renaming file:" -msgstr "파일명 변경:" +msgstr "파일 이름 바꾸기:" #: editor/filesystem_dock.cpp msgid "Renaming folder:" -msgstr "폴더명 변경:" +msgstr "폴더 이름 바꾸기:" #: editor/filesystem_dock.cpp msgid "Duplicating file:" -msgstr "파일 복제 중:" +msgstr "파일 복제하기:" #: editor/filesystem_dock.cpp msgid "Duplicating folder:" -msgstr "복제 중인 폴더:" +msgstr "폴더 복제하기:" #: editor/filesystem_dock.cpp msgid "New Inherited Scene" @@ -3534,15 +3573,15 @@ msgstr "인스턴스" #: editor/filesystem_dock.cpp msgid "Add to Favorites" -msgstr "즐겨찾기로 추가" +msgstr "즐겨찾기로 추가하기" #: editor/filesystem_dock.cpp msgid "Remove from Favorites" -msgstr "즐겨찾기에서 삭제" +msgstr "즐겨찾기에서 삭제하기" #: editor/filesystem_dock.cpp msgid "Edit Dependencies..." -msgstr "종속 관계 편집..." +msgstr "종속 관계 편집하기..." #: editor/filesystem_dock.cpp msgid "View Owners..." @@ -3550,20 +3589,19 @@ msgstr "소유자 보기..." #: editor/filesystem_dock.cpp editor/plugins/animation_player_editor_plugin.cpp msgid "Rename..." -msgstr "이름 변경..." +msgstr "이름 바꾸기..." #: editor/filesystem_dock.cpp msgid "Duplicate..." -msgstr "복제..." +msgstr "복제하기..." #: editor/filesystem_dock.cpp msgid "Move To..." -msgstr "이동..." +msgstr "여기로 이동하기..." #: editor/filesystem_dock.cpp -#, fuzzy msgid "New Scene..." -msgstr "새 씬" +msgstr "새 씬..." #: editor/filesystem_dock.cpp editor/plugins/script_editor_plugin.cpp msgid "New Script..." @@ -3576,7 +3614,7 @@ msgstr "새 리소스..." #: editor/filesystem_dock.cpp editor/plugins/visual_shader_editor_plugin.cpp #: editor/script_editor_debugger.cpp msgid "Expand All" -msgstr "모두 확장" +msgstr "모두 펼치기" #: editor/filesystem_dock.cpp editor/plugins/visual_shader_editor_plugin.cpp #: editor/script_editor_debugger.cpp @@ -3588,7 +3626,7 @@ msgstr "모두 접기" #: editor/project_manager.cpp editor/rename_dialog.cpp #: editor/scene_tree_dock.cpp msgid "Rename" -msgstr "이름 변경" +msgstr "이름 바꾸기" #: editor/filesystem_dock.cpp msgid "Previous Folder/File" @@ -3600,7 +3638,7 @@ msgstr "다음 폴더/파일" #: editor/filesystem_dock.cpp msgid "Re-Scan Filesystem" -msgstr "파일 시스템 재검사" +msgstr "파일 시스템 다시 스캔하기" #: editor/filesystem_dock.cpp msgid "Toggle Split Mode" @@ -3608,32 +3646,31 @@ msgstr "분할 모드 토글" #: editor/filesystem_dock.cpp msgid "Search files" -msgstr "파일 검색" +msgstr "파일 검색하기" #: editor/filesystem_dock.cpp msgid "" "Scanning Files,\n" "Please Wait..." msgstr "" -"파일 스캔중,\n" -"잠시만 기다려주세요..." +"파일 스캔 중,\n" +"기다려주세요..." #: editor/filesystem_dock.cpp msgid "Move" -msgstr "이동" +msgstr "이동하기" #: editor/filesystem_dock.cpp msgid "There is already file or folder with the same name in this location." -msgstr "같은 이름의 파일이나 폴더가 이미 존재합니다." +msgstr "이 위치에는 같은 이름의 파일이나 폴더가 있어요." #: editor/filesystem_dock.cpp msgid "Overwrite" msgstr "덮어 쓰기" #: editor/filesystem_dock.cpp -#, fuzzy msgid "Create Scene" -msgstr "씬으로부터 만들기" +msgstr "씬 만들기" #: editor/filesystem_dock.cpp editor/plugins/script_editor_plugin.cpp msgid "Create Script" @@ -3660,8 +3697,8 @@ msgid "" "Include the files with the following extensions. Add or remove them in " "ProjectSettings." msgstr "" -"다음 확장자명을 갖는 파일이 있습니다. 프로젝트 설정에서 추가하거나 제거하세" -"요." +"해당 확장자명으로 된 파일이 있어요. 프로젝트 설정에 파일을 추가하거나 삭제하" +"세요." #: editor/find_in_files.cpp editor/plugins/script_editor_plugin.cpp #: editor/plugins/script_text_editor.cpp @@ -3670,11 +3707,11 @@ msgstr "찾기..." #: editor/find_in_files.cpp editor/plugins/script_text_editor.cpp msgid "Replace..." -msgstr "변경..." +msgstr "바꾸기..." #: editor/find_in_files.cpp editor/progress_dialog.cpp scene/gui/dialogs.cpp msgid "Cancel" -msgstr "취소" +msgstr "취소하기" #: editor/find_in_files.cpp msgid "Find: " @@ -3686,7 +3723,7 @@ msgstr "바꾸기: " #: editor/find_in_files.cpp msgid "Replace all (no undo)" -msgstr "전체 바꾸기 (취소할 수 없음)" +msgstr "전부 바꾸기 (되돌릴 수 없어요)" #: editor/find_in_files.cpp msgid "Searching..." @@ -3698,38 +3735,35 @@ msgstr "검색 완료" #: editor/groups_editor.cpp msgid "Add to Group" -msgstr "그룹에 추가" +msgstr "그룹에 추가하기" #: editor/groups_editor.cpp msgid "Remove from Group" -msgstr "그룹에서 삭제" +msgstr "그룹에서 삭제하기" #: editor/groups_editor.cpp msgid "Group name already exists." -msgstr "그룹 이름이 이미 존재합니다." +msgstr "이 그룹 이름은 이미 누가 쓰고 있어요." #: editor/groups_editor.cpp msgid "Invalid group name." -msgstr "그룹 이름이 잘못되었습니다." +msgstr "이 그룹 이름은 잘못되었어요." #: editor/groups_editor.cpp -#, fuzzy msgid "Rename Group" -msgstr "그룹 관리" +msgstr "그룹 이름 바꾸기" #: editor/groups_editor.cpp -#, fuzzy msgid "Delete Group" -msgstr "이미지 그룹 삭제" +msgstr "그룹 삭제하기" #: editor/groups_editor.cpp editor/node_dock.cpp msgid "Groups" msgstr "그룹" #: editor/groups_editor.cpp -#, fuzzy msgid "Nodes Not in Group" -msgstr "그룹에 있지 않은 노드" +msgstr "그룹에 속하지 않는 노드" #: editor/groups_editor.cpp editor/scene_tree_dock.cpp #: editor/scene_tree_editor.cpp @@ -3738,11 +3772,11 @@ msgstr "노드 필터" #: editor/groups_editor.cpp msgid "Nodes in Group" -msgstr "그룹에 있는 노드" +msgstr "그룹에 속한 노드" #: editor/groups_editor.cpp msgid "Empty groups will be automatically removed." -msgstr "" +msgstr "빈 그룹은 자동으로 삭제되요." #: editor/groups_editor.cpp msgid "Group Editor" @@ -3750,7 +3784,7 @@ msgstr "그룹 편집기" #: editor/groups_editor.cpp msgid "Manage Groups" -msgstr "그룹 관리" +msgstr "그룹 관리하기" #: editor/import/resource_importer_scene.cpp msgid "Import as Single Scene" @@ -3758,7 +3792,7 @@ msgstr "단일 씬으로 가져오기" #: editor/import/resource_importer_scene.cpp msgid "Import with Separate Animations" -msgstr "애니메이션을 분리시켜 가져오기" +msgstr "애니메이션을 분리해서 가져오기" #: editor/import/resource_importer_scene.cpp msgid "Import with Separate Materials" @@ -3766,15 +3800,15 @@ msgstr "머티리얼을 분리해서 가져오기" #: editor/import/resource_importer_scene.cpp msgid "Import with Separate Objects" -msgstr "오브젝트를 분리해서 가져오기" +msgstr "객체를 분리해서 가져오기" #: editor/import/resource_importer_scene.cpp msgid "Import with Separate Objects+Materials" -msgstr "오브젝트와 머티리얼을 분리해서 가져오기" +msgstr "객체와 머티리얼을 분리해서 가져오기" #: editor/import/resource_importer_scene.cpp msgid "Import with Separate Objects+Animations" -msgstr "오브젝트와 애니메이션을 분리해서 가져오기" +msgstr "객체와 애니메이션을 분리해서 가져오기" #: editor/import/resource_importer_scene.cpp msgid "Import with Separate Materials+Animations" @@ -3782,11 +3816,11 @@ msgstr "머티리얼과 애니메이션을 분리해서 가져오기" #: editor/import/resource_importer_scene.cpp msgid "Import with Separate Objects+Materials+Animations" -msgstr "오브젝트, 머티리얼, 애니메이션을 분리해서 가져오기" +msgstr "객체, 머티리얼, 애니메이션을 분리해서 가져오기" #: editor/import/resource_importer_scene.cpp msgid "Import as Multiple Scenes" -msgstr "여러개의 씬으로 가져오기" +msgstr "여러 개의 씬으로 가져오기" #: editor/import/resource_importer_scene.cpp msgid "Import as Multiple Scenes+Materials" @@ -3807,24 +3841,23 @@ msgstr "라이트맵 생성 중" #: editor/import/resource_importer_scene.cpp msgid "Generating for Mesh: " -msgstr "메시를 위해 생성 중: " +msgstr "메시 용으로 생성 중: " #: editor/import/resource_importer_scene.cpp msgid "Running Custom Script..." -msgstr "커스텀 스크립트 실행 중..." +msgstr "맞춤 스크립트 실행 중..." #: editor/import/resource_importer_scene.cpp msgid "Couldn't load post-import script:" -msgstr "가져오기 후 실행할 스크립트를 불러올 수 없습니다:" +msgstr "가져오기 후 스크립트를 불러올 수 없음:" #: editor/import/resource_importer_scene.cpp msgid "Invalid/broken script for post-import (check console):" -msgstr "" -"가져오기 후 실행할 스크립트가 올바르지 않거나 깨져 있습니다 (콘솔 확인):" +msgstr "가져오기 후 스크립트가 잘못되거나 고장남 (콘솔을 확인하세요):" #: editor/import/resource_importer_scene.cpp msgid "Error running post-import script:" -msgstr "가져오기 후 실행할 스크립트 실행 중 오류:" +msgstr "가져오기 후 스크립트 실행 중 오류:" #: editor/import/resource_importer_scene.cpp msgid "Saving..." @@ -3832,11 +3865,11 @@ msgstr "저장 중..." #: editor/import_dock.cpp msgid "Set as Default for '%s'" -msgstr "'%s'을(를) 기본으로 지정" +msgstr "'%s'을(를) 기본으로 설정하기" #: editor/import_dock.cpp msgid "Clear Default for '%s'" -msgstr "'%s'을(를) 기본에서 해제" +msgstr "'%s'을(를) 기본에서 지우기" #: editor/import_dock.cpp msgid " Files" @@ -3846,9 +3879,10 @@ msgstr " 파일" msgid "Import As:" msgstr "다음 형식으로 가져오기:" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." -msgstr "프리셋..." +#: editor/import_dock.cpp +#, fuzzy +msgid "Preset" +msgstr "프리셋" #: editor/import_dock.cpp msgid "Reimport" @@ -3860,18 +3894,18 @@ msgstr "씬 저장, 다시 가져오기 및 다시 시작" #: editor/import_dock.cpp msgid "Changing the type of an imported file requires editor restart." -msgstr "가져온 파일의 타입을 변경하려면 편집기를 다시 시작해야 합니다." +msgstr "가져온 파일의 유형을 바꾸려면 편집기를 다시 켜아 해요." #: editor/import_dock.cpp msgid "" "WARNING: Assets exist that use this resource, they may stop loading properly." msgstr "" -"경고: 이 리소스를 사용하는 애셋이 존재합니다, 애셋을 불러오지 못할 수 있습니" -"다." +"경고: 이 리소스를 사용하는 애셋이 있어요, 정상적으로 불러오지 못할 수도 있어" +"요." #: editor/inspector_dock.cpp msgid "Failed to load resource." -msgstr "리소스 불러오기 실패." +msgstr "리소스 불러오기에 실패했어요." #: editor/inspector_dock.cpp msgid "Expand All Properties" @@ -3888,7 +3922,7 @@ msgstr "다른 이름으로 저장..." #: editor/inspector_dock.cpp msgid "Copy Params" -msgstr "속성 복사" +msgstr "속성 복사하기" #: editor/inspector_dock.cpp msgid "Paste Params" @@ -3896,7 +3930,7 @@ msgstr "속성 붙여넣기" #: editor/inspector_dock.cpp msgid "Edit Resource Clipboard" -msgstr "리소스 클립보드 편집" +msgstr "리소스 클립보드 편집하기" #: editor/inspector_dock.cpp msgid "Copy Resource" @@ -3916,31 +3950,31 @@ msgstr "도움말에서 열기" #: editor/inspector_dock.cpp msgid "Create a new resource in memory and edit it." -msgstr "새로운 리소스를 메모리에 만들고 편집합니다." +msgstr "새 리소스를 메모리에서 만들고 편집하기." #: editor/inspector_dock.cpp msgid "Load an existing resource from disk and edit it." -msgstr "디스크에서 기존 리소스를 불러와 편집합니다." +msgstr "디스크에서 기존 리소스를 불러오고 편집하기." #: editor/inspector_dock.cpp msgid "Save the currently edited resource." -msgstr "현재 편집된 리소스 저장." +msgstr "현재 편집하는 리소스를 저장하기." #: editor/inspector_dock.cpp msgid "Go to the previous edited object in history." -msgstr "기록에서 이전 편집한 대상으로 가기." +msgstr "기록에서 이전에 편집한 객체로 가기." #: editor/inspector_dock.cpp msgid "Go to the next edited object in history." -msgstr "기록에서 다음 편집한 대상으로 가기." +msgstr "기록에서 다음에 편집한 객체로 가기." #: editor/inspector_dock.cpp msgid "History of recently edited objects." -msgstr "최근 편집 오브젝트 히스토리." +msgstr "최근에 편집한 객체 기록." #: editor/inspector_dock.cpp msgid "Object properties." -msgstr "오브젝트 속성." +msgstr "객체 속성." #: editor/inspector_dock.cpp msgid "Filter properties" @@ -3948,20 +3982,19 @@ msgstr "필터 속성" #: editor/inspector_dock.cpp msgid "Changes may be lost!" -msgstr "변경사항을 잃을 수 있습니다!" +msgstr "변경사항을 잃을 수도 있어요!" #: editor/multi_node_edit.cpp msgid "MultiNode Set" -msgstr "다중 노드 설정" +msgstr "다중 노드 설정하기" #: editor/node_dock.cpp -#, fuzzy msgid "Select a single node to edit its signals and groups." -msgstr "시그널과 그룹을 편집할 노드를 선택하세요." +msgstr "시그널과 그룹을 편집할 노드 하나를 선택하세요." #: editor/plugin_config_dialog.cpp msgid "Edit a Plugin" -msgstr "플러그인 편집" +msgstr "플러그인 편집하기" #: editor/plugin_config_dialog.cpp msgid "Create a Plugin" @@ -3985,7 +4018,7 @@ msgstr "스크립트 이름:" #: editor/plugin_config_dialog.cpp msgid "Activate now?" -msgstr "지금 실행하시겠습니까?" +msgstr "지금 실행할까요?" #: editor/plugins/abstract_polygon_2d_editor.cpp #: editor/plugins/polygon_2d_editor_plugin.cpp @@ -3996,7 +4029,7 @@ msgstr "폴리곤 만들기" #: editor/plugins/animation_blend_space_1d_editor.cpp #: editor/plugins/animation_blend_space_2d_editor.cpp msgid "Create points." -msgstr "포인트 만들기." +msgstr "점 만들기." #: editor/plugins/abstract_polygon_2d_editor.cpp msgid "" @@ -4004,30 +4037,30 @@ msgid "" "LMB: Move Point\n" "RMB: Erase Point" msgstr "" -"포인트 편집.\n" -"좌클릭: 포인트 이동\n" -"우클릭: 포인트 지우기" +"점 편집하기.\n" +"좌클릭: 점 이동하기\n" +"우클릭: 점 지우기" #: editor/plugins/abstract_polygon_2d_editor.cpp #: editor/plugins/animation_blend_space_1d_editor.cpp msgid "Erase points." -msgstr "포인트 지우기." +msgstr "점 지우기." #: editor/plugins/abstract_polygon_2d_editor.cpp msgid "Edit Polygon" -msgstr "폴리곤 편집" +msgstr "폴리곤 편집하기" #: editor/plugins/abstract_polygon_2d_editor.cpp msgid "Insert Point" -msgstr "포인트 삽입" +msgstr "점 삽입하기" #: editor/plugins/abstract_polygon_2d_editor.cpp msgid "Edit Polygon (Remove Point)" -msgstr "폴리곤 편집 (포인트 삭제)" +msgstr "폴리곤 편집하기 (점 삭제하기)" #: editor/plugins/abstract_polygon_2d_editor.cpp msgid "Remove Polygon And Point" -msgstr "폴리곤과 포인트 삭제" +msgstr "폴리곤과 점 삭제하기" #: editor/plugins/animation_blend_space_1d_editor.cpp #: editor/plugins/animation_blend_space_2d_editor.cpp @@ -4047,39 +4080,39 @@ msgstr "불러오기..." #: editor/plugins/animation_blend_space_1d_editor.cpp #: editor/plugins/animation_blend_space_2d_editor.cpp msgid "Move Node Point" -msgstr "노드 포인트 이동" +msgstr "노드 점 이동하기" #: editor/plugins/animation_blend_space_1d_editor.cpp msgid "Change BlendSpace1D Limits" -msgstr "BlendSpace1D 제한 변경" +msgstr "BlendSpace1D 제한 바꾸기" #: editor/plugins/animation_blend_space_1d_editor.cpp msgid "Change BlendSpace1D Labels" -msgstr "BlendSpace1D 라벨 변경" +msgstr "BlendSpace1D 라벨 바꾸기" #: editor/plugins/animation_blend_space_1d_editor.cpp #: editor/plugins/animation_blend_space_2d_editor.cpp #: editor/plugins/animation_state_machine_editor.cpp msgid "This type of node can't be used. Only root nodes are allowed." -msgstr "이 타입의 노드를 사용할 수 없습니다. 오직 루트 노드만 사용 가능합니다." +msgstr "이 유형의 노드를 사용할 수 없어요. 루트 노드만 쓸 수 있어요." #: editor/plugins/animation_blend_space_1d_editor.cpp #: editor/plugins/animation_blend_space_2d_editor.cpp msgid "Add Node Point" -msgstr "노드 포인트 추가" +msgstr "노드 점 추가하기" #: editor/plugins/animation_blend_space_1d_editor.cpp #: editor/plugins/animation_blend_space_2d_editor.cpp msgid "Add Animation Point" -msgstr "애니메이션 포인트 추가" +msgstr "애니메이션 점 추가하기" #: editor/plugins/animation_blend_space_1d_editor.cpp msgid "Remove BlendSpace1D Point" -msgstr "BlendSpace1D 포인트 삭제" +msgstr "BlendSpace1D 점 삭제하기" #: editor/plugins/animation_blend_space_1d_editor.cpp msgid "Move BlendSpace1D Node Point" -msgstr "BlendSpace1D 노드 포인트 이동" +msgstr "BlendSpace1D 노드 점 이동하기" #: editor/plugins/animation_blend_space_1d_editor.cpp #: editor/plugins/animation_blend_space_2d_editor.cpp @@ -4089,29 +4122,28 @@ msgid "" "AnimationTree is inactive.\n" "Activate to enable playback, check node warnings if activation fails." msgstr "" -"AnimationTree 가 비활성 상태힙니다.\n" -"상태를 활성화하면 재생할 수 있습니다, 활성화에 실패하면 노드에 경고가 있는지 " -"확인하세요." +"AnimationTree 가 꺼져 있어요.\n" +"재생하려면 AnimationTree를 켜고, 실행에 실패하면 노드 경고를 확인하세요." #: editor/plugins/animation_blend_space_1d_editor.cpp #: editor/plugins/animation_blend_space_2d_editor.cpp msgid "Set the blending position within the space" -msgstr "공간 내의 혼합 위치 설정" +msgstr "공간 내의 혼합 지점 설정하기" #: editor/plugins/animation_blend_space_1d_editor.cpp #: editor/plugins/animation_blend_space_2d_editor.cpp msgid "Select and move points, create points with RMB." -msgstr "포인트를 선택하고 이동합니다, 우클릭으로 포인트를 만드실 수 있습니다." +msgstr "점을 선택하고 이동해요, 우클릭으로 점을 만드세요." #: editor/plugins/animation_blend_space_1d_editor.cpp #: editor/plugins/animation_blend_space_2d_editor.cpp scene/gui/graph_edit.cpp msgid "Enable snap and show grid." -msgstr "스냅을 활성화 하고 격자를 보이기." +msgstr "스냅을 켜면서 격자를 보이기." #: editor/plugins/animation_blend_space_1d_editor.cpp #: editor/plugins/animation_blend_space_2d_editor.cpp msgid "Point" -msgstr "포인트" +msgstr "점" #: editor/plugins/animation_blend_space_1d_editor.cpp #: editor/plugins/animation_blend_space_2d_editor.cpp @@ -4122,35 +4154,35 @@ msgstr "애니메이션 노드 열기" #: editor/plugins/animation_blend_space_2d_editor.cpp msgid "Triangle already exists." -msgstr "삼각형이 이미 존재합니다." +msgstr "삼각형이 이미 있어요." #: editor/plugins/animation_blend_space_2d_editor.cpp msgid "Add Triangle" -msgstr "삼각형 추가" +msgstr "삼각형 추가하기" #: editor/plugins/animation_blend_space_2d_editor.cpp msgid "Change BlendSpace2D Limits" -msgstr "BlendSpace2D 제한 변경" +msgstr "BlendSpace2D 제한 바꾸기" #: editor/plugins/animation_blend_space_2d_editor.cpp msgid "Change BlendSpace2D Labels" -msgstr "BlendSpace2D 라벨 변경" +msgstr "BlendSpace2D 라벨 바꾸기" #: editor/plugins/animation_blend_space_2d_editor.cpp msgid "Remove BlendSpace2D Point" -msgstr "BlendSpace2D 포인트 삭제" +msgstr "BlendSpace2D 점 삭제하기" #: editor/plugins/animation_blend_space_2d_editor.cpp msgid "Remove BlendSpace2D Triangle" -msgstr "BlendSpace2D 삼각형 삭제" +msgstr "BlendSpace2D 삼각형 삭제하기" #: editor/plugins/animation_blend_space_2d_editor.cpp msgid "BlendSpace2D does not belong to an AnimationTree node." -msgstr "BlendSpace2D가 AnimationTree 노드에 속해있지 않습니다." +msgstr "BlendSpace2D가 AnimationTree 노드에 속해있지 않네요." #: editor/plugins/animation_blend_space_2d_editor.cpp msgid "No triangles exist, so no blending can take place." -msgstr "삼각형이 존재하지 않습니다, 블랜딩이 일어나지 않습니다." +msgstr "삼각형이 없어요, 혼합이 일어나지 않을 거예요." #: editor/plugins/animation_blend_space_2d_editor.cpp msgid "Toggle Auto Triangles" @@ -4158,20 +4190,20 @@ msgstr "자동 삼각형 토글" #: editor/plugins/animation_blend_space_2d_editor.cpp msgid "Create triangles by connecting points." -msgstr "포인트를 연결하여 삼각형 만들기." +msgstr "점을 연결하여 삼각형 만들기." #: editor/plugins/animation_blend_space_2d_editor.cpp msgid "Erase points and triangles." -msgstr "포인트와 삼각형 지우기." +msgstr "점과 삼각형 지우기." #: editor/plugins/animation_blend_space_2d_editor.cpp msgid "Generate blend triangles automatically (instead of manually)" -msgstr "(수동 대신) 자동으로 블렌드 삼각형 만들기" +msgstr "(수동 대신) 자동으로 혼합 삼각형 만들기" #: editor/plugins/animation_blend_space_2d_editor.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp msgid "Blend:" -msgstr "블렌드:" +msgstr "혼합:" #: editor/plugins/animation_blend_tree_editor_plugin.cpp msgid "Parameter Changed" @@ -4180,15 +4212,15 @@ msgstr "매개변수 변경됨" #: editor/plugins/animation_blend_tree_editor_plugin.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp msgid "Edit Filters" -msgstr "필터 편집" +msgstr "필터 편집하기" #: editor/plugins/animation_blend_tree_editor_plugin.cpp msgid "Output node can't be added to the blend tree." -msgstr "출력 노드를 블렌드 트리에 추가할 수 없습니다." +msgstr "출력 노드를 혼합 트리에 추가할 수 없어요." #: editor/plugins/animation_blend_tree_editor_plugin.cpp msgid "Add Node to BlendTree" -msgstr "BlendTree에 노드 추가" +msgstr "BlendTree에 노드 추가하기" #: editor/plugins/animation_blend_tree_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp @@ -4197,7 +4229,7 @@ msgstr "노드 이동됨" #: editor/plugins/animation_blend_tree_editor_plugin.cpp msgid "Unable to connect, port may be in use or connection may be invalid." -msgstr "연결할 수 없습니다, 포트가 사용 중이거나 올바르지 않는 연결입니다." +msgstr "연결할 수 없어요, 포트가 사용 중이거나 잘못된 연결일 거예요." #: editor/plugins/animation_blend_tree_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp @@ -4211,17 +4243,17 @@ msgstr "노드 연결 해제됨" #: editor/plugins/animation_blend_tree_editor_plugin.cpp msgid "Set Animation" -msgstr "애니메이션 설정" +msgstr "애니메이션 설정하기" #: editor/plugins/animation_blend_tree_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Delete Node" -msgstr "노드 삭제" +msgstr "노드 삭제하기" #: editor/plugins/animation_blend_tree_editor_plugin.cpp #: editor/scene_tree_dock.cpp msgid "Delete Node(s)" -msgstr "노드 삭제" +msgstr "노드 삭제하기" #: editor/plugins/animation_blend_tree_editor_plugin.cpp msgid "Toggle Filter On/Off" @@ -4229,16 +4261,16 @@ msgstr "필터 켜기/끄기 토글" #: editor/plugins/animation_blend_tree_editor_plugin.cpp msgid "Change Filter" -msgstr "필터 변경" +msgstr "필터 바꾸기" #: editor/plugins/animation_blend_tree_editor_plugin.cpp msgid "No animation player set, so unable to retrieve track names." -msgstr "설정한 애니메이션 플레이어가 없습니다, 트랙 이름을 검색할 수 없습니다." +msgstr "" +"애니메이션 플레이어가 설정되지 않았어요, 그래서 트랙 이름을 검색할 수 없어요." #: editor/plugins/animation_blend_tree_editor_plugin.cpp msgid "Player path set is invalid, so unable to retrieve track names." -msgstr "" -"올바르지 않는 플레이어 경로 설정입니다, 트랙 이름을 검색할 수 없습니다." +msgstr "플레이어 경로 설정이 잘못됐어요, 그래서 트랙 이름을 검색할 수 없어요." #: editor/plugins/animation_blend_tree_editor_plugin.cpp #: editor/plugins/root_motion_editor_plugin.cpp @@ -4246,13 +4278,13 @@ msgid "" "Animation player has no valid root node path, so unable to retrieve track " "names." msgstr "" -"애니메이션 플레이어가 올바른 루트 노드 경로를 가지고 있지 않습니다, 트랙 이름" -"을 검색할 수 없습니다." +"애니메이션 플레이어가 잘못된 루트 경로를 갖고 있어요, 그래서 트랙 이름을 검색" +"할 수 없어요." #: editor/plugins/animation_blend_tree_editor_plugin.cpp #: editor/plugins/animation_state_machine_editor.cpp msgid "Node Renamed" -msgstr "노드 이름 변경됨" +msgstr "노드 이름 바뀜" #: editor/plugins/animation_blend_tree_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp @@ -4266,11 +4298,11 @@ msgstr "필터 트랙 편집:" #: editor/plugins/animation_blend_tree_editor_plugin.cpp msgid "Enable Filtering" -msgstr "필터 활성화" +msgstr "필터 켜기" #: editor/plugins/animation_player_editor_plugin.cpp msgid "Toggle Autoplay" -msgstr "자동 재생 전환" +msgstr "자동 재생 토글" #: editor/plugins/animation_player_editor_plugin.cpp msgid "New Animation Name:" @@ -4282,37 +4314,38 @@ msgstr "새 애니메이션" #: editor/plugins/animation_player_editor_plugin.cpp msgid "Change Animation Name:" -msgstr "애니메이션 이름 변경:" +msgstr "애니메이션 이름 바꾸기:" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" -msgstr "애니메이션을 삭제하시겠습니까?" +msgstr "애니메이션을 삭제할까요?" #: editor/plugins/animation_player_editor_plugin.cpp #: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Remove Animation" -msgstr "애니메이션 삭제" +msgstr "애니메이션 삭제하기" #: editor/plugins/animation_player_editor_plugin.cpp msgid "Invalid animation name!" -msgstr "올바르지 않은 애니메이션 이름!" +msgstr "애니메이션 이름이 잘못됐어요!" #: editor/plugins/animation_player_editor_plugin.cpp msgid "Animation name already exists!" -msgstr "애니메이션 이름이 이미 존재합니다!" +msgstr "애니메이션 이름이 이미 있어요!" #: editor/plugins/animation_player_editor_plugin.cpp #: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Rename Animation" -msgstr "애니메이션 이름 변경" +msgstr "애니메이션 이름 바꾸기" #: editor/plugins/animation_player_editor_plugin.cpp msgid "Blend Next Changed" -msgstr "블렌드 다음으로 변경됨" +msgstr "혼합 다음으로 바뀜" #: editor/plugins/animation_player_editor_plugin.cpp msgid "Change Blend Time" -msgstr "블렌드 시간 변경" +msgstr "혼합 시간 바꾸기" #: editor/plugins/animation_player_editor_plugin.cpp msgid "Load Animation" @@ -4324,15 +4357,15 @@ msgstr "애니메이션 복제하기" #: editor/plugins/animation_player_editor_plugin.cpp msgid "No animation to copy!" -msgstr "복사할 애니메이션이 없습니다!" +msgstr "복사할 애니메이션이 없어요!" #: editor/plugins/animation_player_editor_plugin.cpp msgid "No animation resource on clipboard!" -msgstr "클립보드에 애니메이션 리소스가 없습니다!" +msgstr "클립보드에 애니메이션 리소스가 없어요!" #: editor/plugins/animation_player_editor_plugin.cpp msgid "Pasted Animation" -msgstr "붙여진 애니메이션" +msgstr "붙여 넣은 애니메이션" #: editor/plugins/animation_player_editor_plugin.cpp msgid "Paste Animation" @@ -4340,27 +4373,27 @@ msgstr "애니메이션 붙여넣기" #: editor/plugins/animation_player_editor_plugin.cpp msgid "No animation to edit!" -msgstr "편집할 애니메이션이 없습니다!" +msgstr "편집할 애니메이션이 없어요!" #: editor/plugins/animation_player_editor_plugin.cpp msgid "Play selected animation backwards from current pos. (A)" -msgstr "선택된 애니메이션을 현재 위치에서 거꾸로 재생. (A)" +msgstr "선택한 애니메이션을 현재 위치에서 거꾸로 재생하기. (A)" #: editor/plugins/animation_player_editor_plugin.cpp msgid "Play selected animation backwards from end. (Shift+A)" -msgstr "선택된 애니메이션을 끝에서 거꾸로 재생. (Shift+A)" +msgstr "선택한 애니메이션을 끝에서 거꾸로 재생하기. (Shift+A)" #: editor/plugins/animation_player_editor_plugin.cpp msgid "Stop animation playback. (S)" -msgstr "애니메이션 재생 정지. (S)" +msgstr "애니메이션 재생 정지하기. (S)" #: editor/plugins/animation_player_editor_plugin.cpp msgid "Play selected animation from start. (Shift+D)" -msgstr "선택된 애니메이션을 처음부터 재생. (Shift+D)" +msgstr "선택한 애니메이션을 처음부터 재생하기. (Shift+D)" #: editor/plugins/animation_player_editor_plugin.cpp msgid "Play selected animation from current pos. (D)" -msgstr "선택된 애니메이션을 현재 위치에서 재생. (D)" +msgstr "선택한 애니메이션을 현재 위치부터 재생하기. (D)" #: editor/plugins/animation_player_editor_plugin.cpp msgid "Animation position (in seconds)." @@ -4368,7 +4401,7 @@ msgstr "애니메이션 위치 (초)." #: editor/plugins/animation_player_editor_plugin.cpp msgid "Scale animation playback globally for the node." -msgstr "애니메이션 재생 속도를 전체적으로 조절." +msgstr "노드에 대한 애니메이션 재생 규모를 전체적으로 조절하기." #: editor/plugins/animation_player_editor_plugin.cpp msgid "Animation Tools" @@ -4381,7 +4414,7 @@ msgstr "애니메이션" #: editor/plugins/animation_player_editor_plugin.cpp msgid "Edit Transitions..." -msgstr "전환 편집..." +msgstr "전환 편집하기..." #: editor/plugins/animation_player_editor_plugin.cpp msgid "Open in Inspector" @@ -4389,15 +4422,15 @@ msgstr "인스펙터에서 열기" #: editor/plugins/animation_player_editor_plugin.cpp msgid "Display list of animations in player." -msgstr "애니메이션 목록 표시." +msgstr "애니메이션 목록 표시하기." #: editor/plugins/animation_player_editor_plugin.cpp msgid "Autoplay on Load" -msgstr "불러올 시 자동 재생" +msgstr "불러올 시 자동으로 재생하기" #: editor/plugins/animation_player_editor_plugin.cpp msgid "Enable Onion Skinning" -msgstr "어니언 스키닝 활성화" +msgstr "어니언 스키닝 켜기" #: editor/plugins/animation_player_editor_plugin.cpp msgid "Onion Skinning Options" @@ -4421,23 +4454,23 @@ msgstr "깊이" #: editor/plugins/animation_player_editor_plugin.cpp msgid "1 step" -msgstr "1 단계" +msgstr "1단계" #: editor/plugins/animation_player_editor_plugin.cpp msgid "2 steps" -msgstr "2 단계" +msgstr "2단계" #: editor/plugins/animation_player_editor_plugin.cpp msgid "3 steps" -msgstr "3 단계" +msgstr "3단계" #: editor/plugins/animation_player_editor_plugin.cpp msgid "Differences Only" -msgstr "변경사항만" +msgstr "변경 사항만" #: editor/plugins/animation_player_editor_plugin.cpp msgid "Force White Modulate" -msgstr "강제 흰색 조절" +msgstr "강제 흰색 조절하기" #: editor/plugins/animation_player_editor_plugin.cpp msgid "Include Gizmos (3D)" @@ -4465,7 +4498,7 @@ msgstr "오류!" #: editor/plugins/animation_player_editor_plugin.cpp msgid "Blend Times:" -msgstr "블렌드 시간:" +msgstr "혼합 시간:" #: editor/plugins/animation_player_editor_plugin.cpp msgid "Next (Auto Queue):" @@ -4473,24 +4506,24 @@ msgstr "다음 (자동 큐):" #: editor/plugins/animation_player_editor_plugin.cpp msgid "Cross-Animation Blend Times" -msgstr "교차-애니메이션 블렌드 시간" +msgstr "교차-애니메이션 혼합 시간" #: editor/plugins/animation_state_machine_editor.cpp msgid "Move Node" -msgstr "노드 이동" +msgstr "노드 이동하기" #: editor/plugins/animation_state_machine_editor.cpp msgid "Add Transition" -msgstr "전환 추가" +msgstr "전환 추가하기" #: editor/plugins/animation_state_machine_editor.cpp #: modules/visual_script/visual_script_editor.cpp msgid "Add Node" -msgstr "노드 추가" +msgstr "노드 추가하기" #: editor/plugins/animation_state_machine_editor.cpp msgid "End" -msgstr "End" +msgstr "끝" #: editor/plugins/animation_state_machine_editor.cpp msgid "Immediate" @@ -4506,15 +4539,15 @@ msgstr "끝에서" #: editor/plugins/animation_state_machine_editor.cpp msgid "Travel" -msgstr "이동" +msgstr "이동하기" #: editor/plugins/animation_state_machine_editor.cpp msgid "Start and end nodes are needed for a sub-transition." -msgstr "하위 전환에 시작과 끝 노드가 필요합니다." +msgstr "하위 전환에는 시작과 끝 노드가 필요해요." #: editor/plugins/animation_state_machine_editor.cpp msgid "No playback resource set at path: %s." -msgstr "다음 경로에 설정된 재생 리소스가 없습니다: %s." +msgstr "이 경로에 설정한 재생 리소스가 없음: %s." #: editor/plugins/animation_state_machine_editor.cpp msgid "Node Removed" @@ -4526,7 +4559,7 @@ msgstr "전환 삭제됨" #: editor/plugins/animation_state_machine_editor.cpp msgid "Set Start Node (Autoplay)" -msgstr "시작 노드 설정 (자동 재생)" +msgstr "시작 노드 설정하기 (자동 재생)" #: editor/plugins/animation_state_machine_editor.cpp msgid "" @@ -4534,9 +4567,9 @@ msgid "" "RMB to add new nodes.\n" "Shift+LMB to create connections." msgstr "" -"노드를 선택하고 이동하십시오.\n" -"우클릭으로 새 노드를 추가합니다.\n" -"Shift+좌클릭으로 연결을 만듭니다." +"노드를 선택하고 이동해요.\n" +"우클릭으로 새 노드를 추가해요.\n" +"Shift+좌클릭으로 연결을 만들어요." #: editor/plugins/animation_state_machine_editor.cpp msgid "Create new nodes." @@ -4544,21 +4577,20 @@ msgstr "새 노드 만들기." #: editor/plugins/animation_state_machine_editor.cpp msgid "Connect nodes." -msgstr "노드 연결." +msgstr "노드 연결하기." #: editor/plugins/animation_state_machine_editor.cpp msgid "Remove selected node or transition." -msgstr "선택된 노드나 전환 삭제하기." +msgstr "선택한 노드나 전환 삭제하기." #: editor/plugins/animation_state_machine_editor.cpp msgid "Toggle autoplay this animation on start, restart or seek to zero." msgstr "" -"이 애니메이션이 시작, 재시작, 아니면 0으로 갈 때 자동으로 시작할 지를 키거나 " -"끕니다." +"이 애니메이션을 시작, 다시 시작 혹은 0으로 가도록 자동으로 재생을 토글." #: editor/plugins/animation_state_machine_editor.cpp msgid "Set the end animation. This is useful for sub-transitions." -msgstr "끝 애니메이션을 설정합니다. 이것은 하위 전환에 유용합니다." +msgstr "끝 애니메이션을 설정해요. 이것은 하위 전환에 유용해요." #: editor/plugins/animation_state_machine_editor.cpp msgid "Transition: " @@ -4576,7 +4608,7 @@ msgstr "새 이름:" #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/plugins/multimesh_editor_plugin.cpp msgid "Scale:" -msgstr "크기:" +msgstr "규모:" #: editor/plugins/animation_tree_player_editor_plugin.cpp msgid "Fade In (s):" @@ -4588,7 +4620,7 @@ msgstr "페이드 아웃 (초):" #: editor/plugins/animation_tree_player_editor_plugin.cpp msgid "Blend" -msgstr "블렌드" +msgstr "혼합" #: editor/plugins/animation_tree_player_editor_plugin.cpp msgid "Mix" @@ -4617,15 +4649,15 @@ msgstr "양:" #: editor/plugins/animation_tree_player_editor_plugin.cpp msgid "Blend 0:" -msgstr "블렌드 0:" +msgstr "혼합 0:" #: editor/plugins/animation_tree_player_editor_plugin.cpp msgid "Blend 1:" -msgstr "블렌드 1:" +msgstr "혼합 1:" #: editor/plugins/animation_tree_player_editor_plugin.cpp msgid "X-Fade Time (s):" -msgstr "크로스 페이드 시간 (초):" +msgstr "X-페이드 시간 (초):" #: editor/plugins/animation_tree_player_editor_plugin.cpp msgid "Current:" @@ -4633,27 +4665,27 @@ msgstr "현재:" #: editor/plugins/animation_tree_player_editor_plugin.cpp msgid "Add Input" -msgstr "입력 추가" +msgstr "입력 추가하기" #: editor/plugins/animation_tree_player_editor_plugin.cpp msgid "Clear Auto-Advance" -msgstr "자동 진행 삭제" +msgstr "자동 진행 지우기" #: editor/plugins/animation_tree_player_editor_plugin.cpp msgid "Set Auto-Advance" -msgstr "자동 진행 설정" +msgstr "자동 진행 설정하기" #: editor/plugins/animation_tree_player_editor_plugin.cpp msgid "Delete Input" -msgstr "입력 삭제" +msgstr "입력 삭제하기" #: editor/plugins/animation_tree_player_editor_plugin.cpp msgid "Animation tree is valid." -msgstr "애니메이션 트리가 올바릅니다." +msgstr "애니메이션 트리는 정상이에요." #: editor/plugins/animation_tree_player_editor_plugin.cpp msgid "Animation tree is invalid." -msgstr "애니메이션 트리가 올바르지 않습니다." +msgstr "애니메이션 트리가 잘못됐어요." #: editor/plugins/animation_tree_player_editor_plugin.cpp msgid "Animation Node" @@ -4669,15 +4701,15 @@ msgstr "믹스 노드" #: editor/plugins/animation_tree_player_editor_plugin.cpp msgid "Blend2 Node" -msgstr "블렌드2 노드" +msgstr "혼합2 노드" #: editor/plugins/animation_tree_player_editor_plugin.cpp msgid "Blend3 Node" -msgstr "블렌드3 노드" +msgstr "혼합3 노드" #: editor/plugins/animation_tree_player_editor_plugin.cpp msgid "Blend4 Node" -msgstr "블렌드4 노드" +msgstr "혼합4 노드" #: editor/plugins/animation_tree_player_editor_plugin.cpp msgid "TimeScale Node" @@ -4697,7 +4729,7 @@ msgstr "애니메이션 가져오기..." #: editor/plugins/animation_tree_player_editor_plugin.cpp msgid "Edit Node Filters" -msgstr "노드 필터 편집" +msgstr "노드 필터 편집하기" #: editor/plugins/animation_tree_player_editor_plugin.cpp msgid "Filters..." @@ -4705,7 +4737,7 @@ msgstr "필터..." #: editor/plugins/asset_library_editor_plugin.cpp msgid "Contents:" -msgstr "컨텐츠:" +msgstr "내용:" #: editor/plugins/asset_library_editor_plugin.cpp msgid "View Files" @@ -4713,7 +4745,7 @@ msgstr "파일 보기" #: editor/plugins/asset_library_editor_plugin.cpp msgid "Connection error, please try again." -msgstr "연결 오류, 다시 시도해 주세요." +msgstr "연결 오류, 다시 시도해주세요." #: editor/plugins/asset_library_editor_plugin.cpp msgid "Can't connect to host:" @@ -4721,52 +4753,47 @@ msgstr "호스트에 연결할 수 없음:" #: editor/plugins/asset_library_editor_plugin.cpp msgid "No response from host:" -msgstr "호스트로부터 응답 없음:" +msgstr "호스트의 응답 없음:" #: editor/plugins/asset_library_editor_plugin.cpp msgid "Can't resolve hostname:" -msgstr "호스트명을 찾을 수 없음:" +msgstr "호스트 이름을 찾을 수 없음:" #: editor/plugins/asset_library_editor_plugin.cpp msgid "Request failed, return code:" -msgstr "요청 실패, 리턴 코드:" +msgstr "요청 실패, 반환 코드:" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Request failed." -msgstr "요청 실패." +msgstr "요청 실패함." #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Cannot save response to:" -msgstr "테마를 파일로 저장할 수 없습니다:" +msgstr "응답을 저장할 수 없음:" #: editor/plugins/asset_library_editor_plugin.cpp msgid "Write error." -msgstr "" +msgstr "작성 오류." #: editor/plugins/asset_library_editor_plugin.cpp msgid "Request failed, too many redirects" -msgstr "너무 많은 리다이렉트로, 요청 실패" +msgstr "요청 실패, 너무 많은 리다이렉트" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Redirect loop." msgstr "리다이렉트 루프." #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Request failed, timeout" -msgstr "요청 실패, 리턴 코드:" +msgstr "요청 실패, 시간 초과" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Timeout." -msgstr "시간" +msgstr "시간 초과." #: editor/plugins/asset_library_editor_plugin.cpp msgid "Bad download hash, assuming file has been tampered with." -msgstr "잘못된 다운로드 해시, 파일이 변경된 것으로 보입니다." +msgstr "잘못된 다운로드 해시, 파일이 변조된 것 같아요." #: editor/plugins/asset_library_editor_plugin.cpp msgid "Expected:" @@ -4810,7 +4837,7 @@ msgstr "설치하기..." #: editor/plugins/asset_library_editor_plugin.cpp msgid "Retry" -msgstr "다시 시도" +msgstr "다시 시도하기" #: editor/plugins/asset_library_editor_plugin.cpp msgid "Download Error" @@ -4818,7 +4845,7 @@ msgstr "다운로드 오류" #: editor/plugins/asset_library_editor_plugin.cpp msgid "Download for this asset is already in progress!" -msgstr "이 애셋의 다운로드가 이미 진행중입니다!" +msgstr "이 애셋은 이미 다운로드 중이에요!" #: editor/plugins/asset_library_editor_plugin.cpp msgid "First" @@ -4841,24 +4868,18 @@ msgid "All" msgstr "모두" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Import..." -msgstr "다시 가져오기..." +msgstr "가져오기..." #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Plugins..." -msgstr "플러그인" +msgstr "플러그인..." #: editor/plugins/asset_library_editor_plugin.cpp editor/project_manager.cpp msgid "Sort:" msgstr "정렬:" #: editor/plugins/asset_library_editor_plugin.cpp -msgid "Reverse sorting." -msgstr "역순 정렬." - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "카테고리:" @@ -4868,9 +4889,8 @@ msgid "Site:" msgstr "사이트:" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Support" -msgstr "지원..." +msgstr "지원" #: editor/plugins/asset_library_editor_plugin.cpp msgid "Official" @@ -4878,12 +4898,11 @@ msgstr "공식" #: editor/plugins/asset_library_editor_plugin.cpp msgid "Testing" -msgstr "테스팅" +msgstr "실험" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Loading..." -msgstr "불러오기..." +msgstr "불러오는 중..." #: editor/plugins/asset_library_editor_plugin.cpp msgid "Assets ZIP File" @@ -4895,21 +4914,21 @@ msgid "" "Save your scene (for images to be saved in the same dir), or pick a save " "path from the BakedLightmap properties." msgstr "" -"라이트맵 이미지들의 저장 경로를 파악할 수 없습니다.\n" -"(해당 경로에 이미지들이 저장 될 수 있도록) 씬을 저장하거나 BakedLightmap 설정" -"에서 저장 경로를 지정하세요." +"라이트맵 이미지의 저장 경로를 파악할 수 없네요.\n" +"(같은 경로에 이미지를 저장할 수 있도록) 씬을 저장하거나, BakedLightmap 속성에" +"서 저장 경로를 지정하세요." #: editor/plugins/baked_lightmap_editor_plugin.cpp msgid "" "No meshes to bake. Make sure they contain an UV2 channel and that the 'Bake " "Light' flag is on." msgstr "" -"베이크할 메시가 없습니다. 메시가 UV2 채널을 가지고 있으며 'Bake Light' 항목" -"이 체크되어 있는지 확인 해 주세요." +"라이트맵을 구울 메시가 없어요. 메시가 UV2 채널을 갖고 있고 'Bake Light' 플래" +"그가 켜져 있는지 확인해주세요." #: editor/plugins/baked_lightmap_editor_plugin.cpp msgid "Failed creating lightmap images, make sure path is writable." -msgstr "라이트맵 이미지 생성에 실패했습니다, 경로가 쓸 수 있는지 확인하세요." +msgstr "라이트맵 이미지 생성 실패, 작성 가능한 경로인지 확인해주세요." #: editor/plugins/baked_lightmap_editor_plugin.cpp msgid "Bake Lightmaps" @@ -4918,7 +4937,7 @@ msgstr "라이트맵 굽기" #: editor/plugins/camera_editor_plugin.cpp #: editor/plugins/spatial_editor_plugin.cpp editor/rename_dialog.cpp msgid "Preview" -msgstr "미리보기" +msgstr "미리 보기" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Configure Snap" @@ -4930,7 +4949,7 @@ msgstr "격자 오프셋:" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Grid Step:" -msgstr "격자 스텝:" +msgstr "격자 단계:" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Rotation Offset:" @@ -4938,11 +4957,11 @@ msgstr "회전 오프셋:" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Rotation Step:" -msgstr "회전 스텝:" +msgstr "회전 단계:" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Move Vertical Guide" -msgstr "수직 가이드 이동" +msgstr "수직 가이드 이동하기" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Create Vertical Guide" @@ -4950,11 +4969,11 @@ msgstr "수직 가이드 만들기" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Remove Vertical Guide" -msgstr "수직 가이드 삭제" +msgstr "수직 가이드 삭제하기" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Move Horizontal Guide" -msgstr "수평 가이드 이동" +msgstr "수평 가이드 이동하기" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Create Horizontal Guide" @@ -4962,7 +4981,7 @@ msgstr "수평 가이드 만들기" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Remove Horizontal Guide" -msgstr "수평 가이드 삭제" +msgstr "수평 가이드 삭제하기" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Create Horizontal and Vertical Guides" @@ -4970,19 +4989,19 @@ msgstr "수평 및 수직 가이드 만들기" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Move pivot" -msgstr "피벗 이동" +msgstr "피벗 이동하기" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Rotate CanvasItem" -msgstr "CanvasItem 회전" +msgstr "CanvasItem 회전하기" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Move anchor" -msgstr "앵커 이동" +msgstr "앵커 이동하기" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Resize CanvasItem" -msgstr "CanvasItem 크기 조절" +msgstr "CanvasItem 크기 조절하기" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Scale CanvasItem" @@ -4990,13 +5009,13 @@ msgstr "CanvasItem 규모" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Move CanvasItem" -msgstr "CanvasItem 이동" +msgstr "CanvasItem 이동하기" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "" "Children of containers have their anchors and margins values overridden by " "their parent." -msgstr "컨테이너의 자녀는 부모에 의해 그들의 앵커와 여백 값이 재정의됩니다." +msgstr "컨테이너의 자식은 부모로 인해 다시 정의된 앵커와 여백 값을 가져요." #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Presets for the anchors and margins values of a Control node." @@ -5006,7 +5025,7 @@ msgstr "Control 노드의 앵커와 여백 값의 프리셋." msgid "" "When active, moving Control nodes changes their anchors instead of their " "margins." -msgstr "활성화하면, 움직이는 Control 노드는 마진이 아닌 앵커를 변경합니다." +msgstr "켜게 되면, 움직이는 Control 노드는 여백이 아닌 앵커를 변경합니다." #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Anchors only" @@ -5014,40 +5033,39 @@ msgstr "앵커만" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Change Anchors and Margins" -msgstr "앵커와 여백 변경" +msgstr "앵커와 여백 바꾸기" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Change Anchors" -msgstr "앵커 변경" +msgstr "앵커 바꾸기" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/spatial_editor_plugin.cpp msgid "Lock Selected" -msgstr "선택 항목 잠금" +msgstr "선택 항목 잠그기" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/spatial_editor_plugin.cpp msgid "Unlock Selected" -msgstr "선택 항목 잠금 해제" +msgstr "선택 항목 잠금 풀기" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/spatial_editor_plugin.cpp msgid "Group Selected" -msgstr "선택 항녹 그룹화" +msgstr "선택 항목 묶기" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/spatial_editor_plugin.cpp msgid "Ungroup Selected" -msgstr "선택 항목 그룹 해제" +msgstr "선택 항목 묶음 풀기" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Paste Pose" -msgstr "포즈 붙여넣기" +msgstr "포즈 붙여 넣기" #: editor/plugins/canvas_item_editor_plugin.cpp -#, fuzzy msgid "Clear Guides" -msgstr "본 지우기" +msgstr "가이드 지우기" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Create Custom Bone(s) from Node(s)" @@ -5069,7 +5087,7 @@ msgstr "IK 체인 지우기" msgid "" "Warning: Children of a container get their position and size determined only " "by their parent." -msgstr "경고: 컨테이너의 자식은 부모에 의해 결정된 위치와 규모를 갖습니다." +msgstr "경고: 컨테이너의 자식 규모와 위치는 부모에 의해 결정되요." #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/texture_region_editor_plugin.cpp @@ -5088,15 +5106,15 @@ msgstr "드래그: 회전" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Alt+Drag: Move" -msgstr "알트+드래그: 이동" +msgstr "Alt+드래그: 이동하기" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Press 'v' to Change Pivot, 'Shift+v' to Drag Pivot (while moving)." -msgstr "'v'키로 피벗 변경, 'Shift+v'키로 피벗 드래그 (이동하는 동안)." +msgstr "'v'키로 피벗 바꾸기, 'Shift+v'키로 피벗 드래그 (이동하는 동안)." #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Alt+RMB: Depth list selection" -msgstr "알트+우클릭: 겹친 목록 선택" +msgstr "Alt+우클릭: 겹친 목록 선택하기" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/spatial_editor_plugin.cpp @@ -5119,29 +5137,34 @@ msgid "" "Show a list of all objects at the position clicked\n" "(same as Alt+RMB in select mode)." msgstr "" -"클릭한 위치에 있는 모든 오브젝트들의 목록을 보여줍니다\n" -"(선택모드에서 Alt+우클릭과 같습니다)." +"클릭한 위치에 있는 모든 객체 목록을 보여줘요\n" +"(선택 모드에서 Alt+우클릭과 같음)." #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Click to change object's rotation pivot." -msgstr "오브젝트의 회전 피벗 변경." +msgstr "클릭으로 객체의 회전 피벗을 바꿔요." #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Pan Mode" msgstr "팬 모드" #: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy +msgid "Ruler Mode" +msgstr "실행 모드:" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "스냅 토글." #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/spatial_editor_plugin.cpp msgid "Use Snap" -msgstr "스냅 사용" +msgstr "스냅 사용하기" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Snapping Options" -msgstr "스냅 옵션" +msgstr "스냅 설정" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Snap to Grid" @@ -5149,7 +5172,7 @@ msgstr "격자에 스냅" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Use Rotation Snap" -msgstr "회전 스냅 사용" +msgstr "회전 스냅 사용하기" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Snap Relative" @@ -5157,7 +5180,7 @@ msgstr "상대적인 스냅" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Use Pixel Snap" -msgstr "픽셀 스냅 사용" +msgstr "픽셀 스냅 사용하기" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Smart Snapping" @@ -5195,22 +5218,22 @@ msgstr "가이드에 스냅" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/spatial_editor_plugin.cpp msgid "Lock the selected object in place (can't be moved)." -msgstr "선택된 오브젝트를 잠급니다 (이동불가)." +msgstr "선택한 객체를 그 자리에 잠가요 (움직일 수 없어요)." #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/spatial_editor_plugin.cpp msgid "Unlock the selected object (can be moved)." -msgstr "선택된 오브젝트를 잠금 해제합니다 (이동가능)." +msgstr "선택한 객체를 잠금 해제해요 (움직일 수 있어요)." #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/spatial_editor_plugin.cpp msgid "Makes sure the object's children are not selectable." -msgstr "오브젝트의 자식노드가 선택될 수 없도록 설정합니다." +msgstr "객체의 자식을 선택하지 않도록 해요." #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/spatial_editor_plugin.cpp msgid "Restores the object's children's ability to be selected." -msgstr "오브젝트의 자식노드가 선택될 수 있도록 복원합니다." +msgstr "객체의 자식을 선택할 수 있도록 해요." #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Skeleton Options" @@ -5218,15 +5241,15 @@ msgstr "스켈레톤 설정" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Show Bones" -msgstr "뼈대 보기" +msgstr "본 보이기" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Make Custom Bone(s) from Node(s)" -msgstr "노드에서 커스텀 본 만들기" +msgstr "노드에서 맞춤 본 만들기" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Clear Custom Bones" -msgstr "커스텀 본 지우기" +msgstr "맞춤 본 지우기" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/spatial_editor_plugin.cpp @@ -5264,15 +5287,15 @@ msgstr "그룹과 잠금 아이콘 보이기" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Center Selection" -msgstr "선택 항목 화면 중앙에 표시" +msgstr "선택 항목 화면 중앙에 표시하기" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Frame Selection" -msgstr "선택 항목 화면 꽉차게 표시" +msgstr "선택 항목 화면 꽉 차게 표시하기" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Preview Canvas Scale" -msgstr "캔버스 규모 미리보기" +msgstr "캔버스 규모 미리 보기" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Translation mask for inserting keys." @@ -5288,7 +5311,7 @@ msgstr "키를 삽입하기 위한 규모 마스크." #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Insert keys (based on mask)." -msgstr "키 삽입 (마스크 기준)." +msgstr "키 삽입하기 (마스크 기준)." #: editor/plugins/canvas_item_editor_plugin.cpp msgid "" @@ -5297,25 +5320,26 @@ msgid "" "Keys are only added to existing tracks, no new tracks will be created.\n" "Keys must be inserted manually for the first time." msgstr "" -"물체가 전환될 때 자동으로 키를 삽입합니다, 회전 또는 규모 (마스크 기준).\n" -"키는 기존 트랙에만 추가되며, 새 트랙이 만들어지지 않습니다.\n" -"처음에 키는 수동으로 삽입하여야 합니다." +"객체를 전환, 회전 또는 크기 조절할 때마다 자동으로 키를 삽입해요 (마스크 기" +"준).\n" +"키는 기존 트랙에만 추가되고, 새 트랙을 추가하진 않아요.\n" +"처음에는 수동으로 키를 삽입해야 해요." #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Auto Insert Key" -msgstr "자동 키 삽입" +msgstr "자동으로 키 삽입하기" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Insert Key (Existing Tracks)" -msgstr "키 삽입 (존재하는 트랙)" +msgstr "키 삽입하기 (기존 트랙)" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Copy Pose" -msgstr "포즈 복사" +msgstr "포즈 복사하기" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Clear Pose" -msgstr "포즈 정리" +msgstr "포즈 지우기" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Multiply grid step by 2" @@ -5327,19 +5351,19 @@ msgstr "격자 단계를 반으로 감소" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Pan View" -msgstr "팬 뷰" +msgstr "팬 보기" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Add %s" -msgstr "%s 추가" +msgstr "%s 추가하기" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Adding %s..." -msgstr "%s 추가 중..." +msgstr "%s 추가하는 중..." #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Cannot instantiate multiple nodes without root." -msgstr "루트 노드없이 여러개의 노드를 생성할 수 없습니다." +msgstr "루트 노드 없이는 여러 노드를 인스턴스할 수 없어요." #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/spatial_editor_plugin.cpp editor/scene_tree_dock.cpp @@ -5353,36 +5377,36 @@ msgstr "'%s'에서 씬 인스턴스 중 오류" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Change Default Type" -msgstr "기본 타입 변경" +msgstr "기본 유형 바꾸기" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "" "Drag & drop + Shift : Add node as sibling\n" "Drag & drop + Alt : Change node type" msgstr "" -"드래그 & 드롭 + Shift : 형제 노드로 추가\n" -"드래그 & 드롭 + Alt : 노드 타입 변경" +"드래그 & 드롭 + Shift : 형제 노드로 추가하기\n" +"드래그 & 드롭 + Alt : 노드 유형 바꾸기" #: editor/plugins/collision_polygon_editor_plugin.cpp msgid "Create Polygon3D" -msgstr "폴리곤3D 만들기" +msgstr "Polygon3D 만들기" #: editor/plugins/collision_polygon_editor_plugin.cpp msgid "Edit Poly" -msgstr "폴리곤 편집" +msgstr "폴리곤 편집하기" #: editor/plugins/collision_polygon_editor_plugin.cpp msgid "Edit Poly (Remove Point)" -msgstr "폴리곤 편집 (점 삭제)" +msgstr "폴리곤 편집하기 (점 삭제하기)" #: editor/plugins/collision_shape_2d_editor_plugin.cpp msgid "Set Handle" -msgstr "핸들 설정" +msgstr "핸들 설정하기" #: editor/plugins/cpu_particles_2d_editor_plugin.cpp #: editor/plugins/particles_2d_editor_plugin.cpp msgid "Load Emission Mask" -msgstr "에미션 마스크 불러오기" +msgstr "방출 마스크 불러오기" #: editor/plugins/cpu_particles_2d_editor_plugin.cpp #: editor/plugins/cpu_particles_editor_plugin.cpp @@ -5405,17 +5429,17 @@ msgstr "파티클" #: editor/plugins/cpu_particles_2d_editor_plugin.cpp #: editor/plugins/particles_2d_editor_plugin.cpp msgid "Generated Point Count:" -msgstr "생성된 포인트 개수:" +msgstr "생성한 점 개수:" #: editor/plugins/cpu_particles_2d_editor_plugin.cpp #: editor/plugins/particles_2d_editor_plugin.cpp msgid "Emission Mask" -msgstr "에미션 마스크(Emission Mask)" +msgstr "방출 마스크" #: editor/plugins/cpu_particles_2d_editor_plugin.cpp #: editor/plugins/particles_2d_editor_plugin.cpp msgid "Capture from Pixel" -msgstr "픽셀로부터 캡쳐" +msgstr "픽셀에서 캡처" #: editor/plugins/cpu_particles_2d_editor_plugin.cpp #: editor/plugins/particles_2d_editor_plugin.cpp @@ -5429,12 +5453,12 @@ msgstr "CPU파티클" #: editor/plugins/cpu_particles_editor_plugin.cpp #: editor/plugins/particles_editor_plugin.cpp msgid "Create Emission Points From Mesh" -msgstr "메시로부터 에미션 포인트 만들기" +msgstr "메시에서 방출 점 만들기" #: editor/plugins/cpu_particles_editor_plugin.cpp #: editor/plugins/particles_editor_plugin.cpp msgid "Create Emission Points From Node" -msgstr "노드로부터 에미터 포인트 만들기" +msgstr "노드에서 방출 점 만들기" #: editor/plugins/curve_editor_plugin.cpp msgid "Flat 0" @@ -5454,15 +5478,15 @@ msgstr "가속" #: editor/plugins/curve_editor_plugin.cpp msgid "Smoothstep" -msgstr "스무스스텝" +msgstr "부드러운단계" #: editor/plugins/curve_editor_plugin.cpp msgid "Modify Curve Point" -msgstr "커브 포인트 수정" +msgstr "커브 점 수정하기" #: editor/plugins/curve_editor_plugin.cpp msgid "Modify Curve Tangent" -msgstr "커브 탄젠트 수정" +msgstr "커브 탄젠트 수정하기" #: editor/plugins/curve_editor_plugin.cpp msgid "Load Curve Preset" @@ -5470,11 +5494,11 @@ msgstr "커브 프리셋 불러오기" #: editor/plugins/curve_editor_plugin.cpp msgid "Add Point" -msgstr "포인트 추가" +msgstr "점 추가하기" #: editor/plugins/curve_editor_plugin.cpp msgid "Remove Point" -msgstr "포인트 삭제" +msgstr "점 삭제하기" #: editor/plugins/curve_editor_plugin.cpp msgid "Left Linear" @@ -5490,7 +5514,7 @@ msgstr "프리셋 불러오기" #: editor/plugins/curve_editor_plugin.cpp msgid "Remove Curve Point" -msgstr "커프 포인트 삭제" +msgstr "커브 점 삭제하기" #: editor/plugins/curve_editor_plugin.cpp msgid "Toggle Curve Linear Tangent" @@ -5498,7 +5522,7 @@ msgstr "커브 선형 탄젠트 토글" #: editor/plugins/curve_editor_plugin.cpp msgid "Hold Shift to edit tangents individually" -msgstr "Shift키를 누르고 있으면 탄젠트를 개별적으로 편집 가능" +msgstr "Shift키를 눌러서 탄젠트를 개별적으로 편집하기" #: editor/plugins/gi_probe_editor_plugin.cpp msgid "Bake GI Probe" @@ -5526,7 +5550,7 @@ msgstr "Occluder 폴리곤 만들기" #: editor/plugins/mesh_instance_editor_plugin.cpp msgid "Mesh is empty!" -msgstr "메쉬가 비었습니다!" +msgstr "메시가 없어요!" #: editor/plugins/mesh_instance_editor_plugin.cpp msgid "Create Static Trimesh Body" @@ -5538,7 +5562,7 @@ msgstr "Static Convex Body 만들기" #: editor/plugins/mesh_instance_editor_plugin.cpp msgid "This doesn't work on scene root!" -msgstr "씬 루트에서는 할 수 없습니다!" +msgstr "씬 루트에서 작업할 수 없어요!" #: editor/plugins/mesh_instance_editor_plugin.cpp msgid "Create Trimesh Static Shape" @@ -5558,44 +5582,44 @@ msgstr "내비게이션 메시 만들기" #: editor/plugins/mesh_instance_editor_plugin.cpp msgid "Contained Mesh is not of type ArrayMesh." -msgstr "포함된 메시는 ArrayMesh 타입에 속하지 않습니다." +msgstr "갖고 있는 메시가 ArrayMesh 유형이 아니에요." #: editor/plugins/mesh_instance_editor_plugin.cpp msgid "UV Unwrap failed, mesh may not be manifold?" -msgstr "UV 펼치기를 실패했습니다, 메시가 다양하진 않나요?" +msgstr "UV 펼치기를 실패했어요, 메시가 다양한 것 같은데요?" #: editor/plugins/mesh_instance_editor_plugin.cpp msgid "No mesh to debug." -msgstr "디버그할 메시가 없습니다." +msgstr "디버그할 메시가 없어요." #: editor/plugins/mesh_instance_editor_plugin.cpp #: editor/plugins/sprite_editor_plugin.cpp msgid "Model has no UV in this layer" -msgstr "모델이 이 레이어에 UV를 지니고 있지 않습니다" +msgstr "이 레이어에서 모델은 UV가 없어요" #: editor/plugins/mesh_instance_editor_plugin.cpp msgid "MeshInstance lacks a Mesh!" -msgstr "MeshInstance에 메시가 없습니다!" +msgstr "MeshInstance에 메시가 없어요!" #: editor/plugins/mesh_instance_editor_plugin.cpp msgid "Mesh has not surface to create outlines from!" -msgstr "메시에 외곽선을 만들기 위한 서피스가 없습니다!" +msgstr "메시에 윤곽을 만들 표면이 없어요!" #: editor/plugins/mesh_instance_editor_plugin.cpp msgid "Mesh primitive type is not PRIMITIVE_TRIANGLES!" -msgstr "메시 기본 타입이 PRIMITIVE_TRIANGLES이 아닙니다!" +msgstr "메시 기본 유형이 PRIMITIVE_TRIANGLES이 아니에요!" #: editor/plugins/mesh_instance_editor_plugin.cpp msgid "Could not create outline!" -msgstr "외곽선을 만들수 없습니다!" +msgstr "윤곽을 만들 수 없어요!" #: editor/plugins/mesh_instance_editor_plugin.cpp msgid "Create Outline" -msgstr "외곽선 만들기" +msgstr "윤곽 만들기" #: editor/plugins/mesh_instance_editor_plugin.cpp msgid "Mesh" -msgstr "Mesh" +msgstr "메시" #: editor/plugins/mesh_instance_editor_plugin.cpp msgid "Create Trimesh Static Body" @@ -5611,7 +5635,7 @@ msgstr "Convex 충돌 형제 만들기" #: editor/plugins/mesh_instance_editor_plugin.cpp msgid "Create Outline Mesh..." -msgstr "외곽선 메시 만들기..." +msgstr "윤곽 메시 만들기..." #: editor/plugins/mesh_instance_editor_plugin.cpp msgid "View UV1" @@ -5623,84 +5647,85 @@ msgstr "UV2 보기" #: editor/plugins/mesh_instance_editor_plugin.cpp msgid "Unwrap UV2 for Lightmap/AO" -msgstr "라이트맵/AO를 위한 UV2 언랩" +msgstr "라이트맵/AO를 위한 UV2 펼치기" #: editor/plugins/mesh_instance_editor_plugin.cpp msgid "Create Outline Mesh" -msgstr "외곽선 메시 만들기" +msgstr "윤곽 메시 만들기" #: editor/plugins/mesh_instance_editor_plugin.cpp msgid "Outline Size:" -msgstr "외곽선 크기:" +msgstr "윤곽 크기:" #: editor/plugins/mesh_library_editor_plugin.cpp msgid "Remove item %d?" -msgstr "%d 항목을 삭제하시겠습니까?" +msgstr "%d개의 항목을 삭제할까요?" #: editor/plugins/mesh_library_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp msgid "Add Item" -msgstr "항목 추가" +msgstr "항목 추가하기" #: editor/plugins/mesh_library_editor_plugin.cpp msgid "Remove Selected Item" -msgstr "선택된 항목 삭제" +msgstr "선택한 항목 삭제하기" #: editor/plugins/mesh_library_editor_plugin.cpp msgid "Import from Scene" -msgstr "씬으로부터 가져오기" +msgstr "씬에서 가져오기" #: editor/plugins/mesh_library_editor_plugin.cpp msgid "Update from Scene" -msgstr "씬으로부터 업데이트 하기" +msgstr "씬에서 업데이트하기" #: editor/plugins/multimesh_editor_plugin.cpp msgid "No mesh source specified (and no MultiMesh set in node)." -msgstr "소스 메시가 지정되지 않았습니다 (그리고 노드에 MultiMesh가 없습니다)." +msgstr "" +"메시 소스를 지정하지 않았네요 (그리고 노드에 MultiMesh를 설정하지 않았고요)." #: editor/plugins/multimesh_editor_plugin.cpp msgid "No mesh source specified (and MultiMesh contains no Mesh)." -msgstr "소스 메시가 지정되지 않았습니다 (그리고 MultiMesh에 메시가 없습니다)." +msgstr "메시 소스를 지정하지 않았네요 (그리고 MultiMesh에 메시가 없고요)." #: editor/plugins/multimesh_editor_plugin.cpp msgid "Mesh source is invalid (invalid path)." -msgstr "소스 메시가 올바르지 않습니다 (올바르지 않은 경로)." +msgstr "메시 소스가 잘못됐어요 (잘못된 경로)." #: editor/plugins/multimesh_editor_plugin.cpp msgid "Mesh source is invalid (not a MeshInstance)." -msgstr "소스 메시가 올바르지 않습니다 (MeshInstance가 아닙니다)." +msgstr "메시 소스가 잘못됐어요 (MeshInstance가 아님)." #: editor/plugins/multimesh_editor_plugin.cpp msgid "Mesh source is invalid (contains no Mesh resource)." -msgstr "소스 메시가 올바르지 않습니다 (Mesh 리소스가 없습니다)." +msgstr "메시 소스가 잘못됐어요 (Mesh 리소스가 없음)." #: editor/plugins/multimesh_editor_plugin.cpp msgid "No surface source specified." -msgstr "서피스 소스가 지정되지 않았습니다." +msgstr "표면 소스를 지정하지 않았네요." #: editor/plugins/multimesh_editor_plugin.cpp msgid "Surface source is invalid (invalid path)." -msgstr "서피스 소스가 올바르지 않습니다 (올바르지 않은 경로)." +msgstr "표면 소스가 잘못됐어요 (잘못된 경로)." #: editor/plugins/multimesh_editor_plugin.cpp msgid "Surface source is invalid (no geometry)." -msgstr "서피스 소스가 올바르지 않습니다 (지오메트리 없음)." +msgstr "표면 소스가 잘못됐어요 (형태 없음)." #: editor/plugins/multimesh_editor_plugin.cpp msgid "Surface source is invalid (no faces)." -msgstr "서피스 소스가 올바르지 않습니다 (페이스 없음)." +msgstr "표면 소스가 잘못됐어요 (면 없음)." #: editor/plugins/multimesh_editor_plugin.cpp msgid "Select a Source Mesh:" -msgstr "소스 메시 선택:" +msgstr "소스 메시 선택하기:" #: editor/plugins/multimesh_editor_plugin.cpp msgid "Select a Target Surface:" -msgstr "대상 서피스 선택:" +msgstr "대상 표면 선택하기:" #: editor/plugins/multimesh_editor_plugin.cpp msgid "Populate Surface" -msgstr "서피스 만들기" +msgstr "표면 만들기" #: editor/plugins/multimesh_editor_plugin.cpp msgid "Populate MultiMesh" @@ -5708,7 +5733,7 @@ msgstr "MultiMesh 만들기" #: editor/plugins/multimesh_editor_plugin.cpp msgid "Target Surface:" -msgstr "대상 서피스:" +msgstr "대상 표면:" #: editor/plugins/multimesh_editor_plugin.cpp msgid "Source Mesh:" @@ -5732,15 +5757,15 @@ msgstr "메시의 위쪽 축:" #: editor/plugins/multimesh_editor_plugin.cpp msgid "Random Rotation:" -msgstr "임의 회전:" +msgstr "무작위 회전:" #: editor/plugins/multimesh_editor_plugin.cpp msgid "Random Tilt:" -msgstr "임의 기울기:" +msgstr "무작위 기울기:" #: editor/plugins/multimesh_editor_plugin.cpp msgid "Random Scale:" -msgstr "임의 크기:" +msgstr "무작위 크기:" #: editor/plugins/multimesh_editor_plugin.cpp msgid "Populate" @@ -5766,7 +5791,7 @@ msgstr "가시성 직사각형을 만들기" #: editor/plugins/particles_2d_editor_plugin.cpp msgid "Can only set point into a ParticlesMaterial process material" -msgstr "오직 ParticlesMaterial 프로세스 메테리얼 안의 포인트만 설정 가능" +msgstr "ParticlesMaterial 프로세스 머티리얼 안에만 점을 설정할 수 있음" #: editor/plugins/particles_2d_editor_plugin.cpp #: editor/plugins/particles_editor_plugin.cpp @@ -5775,54 +5800,51 @@ msgstr "생성 시간 (초):" #: editor/plugins/particles_editor_plugin.cpp msgid "The geometry's faces don't contain any area." -msgstr "" +msgstr "형태의 표면이 영역을 갖고 있지 않아요." #: editor/plugins/particles_editor_plugin.cpp -#, fuzzy msgid "The geometry doesn't contain any faces." -msgstr "노드가 지오미트리를 포함하고 있지 않습니다 (페이스)." +msgstr "형태가 면을 갖고 있지 않아요." #: editor/plugins/particles_editor_plugin.cpp msgid "\"%s\" doesn't inherit from Spatial." -msgstr "" +msgstr "\"%s\"은(는) Spatial을 상속받지 않아요." #: editor/plugins/particles_editor_plugin.cpp -#, fuzzy msgid "\"%s\" doesn't contain geometry." -msgstr "노드가 지오미트리를 포함하고 있지 않습니다." +msgstr "\"%s\"이(가) 형태를 갖고 있지 않아요." #: editor/plugins/particles_editor_plugin.cpp -#, fuzzy msgid "\"%s\" doesn't contain face geometry." -msgstr "노드가 지오미트리를 포함하고 있지 않습니다." +msgstr "\"%s\"이(가) 면 형태를 갖고 있지 않아요." #: editor/plugins/particles_editor_plugin.cpp msgid "Create Emitter" -msgstr "에미터 만들기" +msgstr "방출기 만들기" #: editor/plugins/particles_editor_plugin.cpp msgid "Emission Points:" -msgstr "에미션 포인트:" +msgstr "방출 점:" #: editor/plugins/particles_editor_plugin.cpp msgid "Surface Points" -msgstr "서피스 포인트" +msgstr "표면 점" #: editor/plugins/particles_editor_plugin.cpp msgid "Surface Points+Normal (Directed)" -msgstr "서피스 포인트+노말 (지시된)" +msgstr "표면 점+노멀 (지시된)" #: editor/plugins/particles_editor_plugin.cpp msgid "Volume" -msgstr "배출량" +msgstr "부피" #: editor/plugins/particles_editor_plugin.cpp msgid "Emission Source: " -msgstr "에미션 소스: " +msgstr "방출 소스: " #: editor/plugins/particles_editor_plugin.cpp msgid "A processor material of type 'ParticlesMaterial' is required." -msgstr "'ParticlesMaterial' 타입의 프로세서 머티리얼이 필요합니다." +msgstr "'ParticlesMaterial' 유형의 프로세서 머티리얼이 필요해요." #: editor/plugins/particles_editor_plugin.cpp msgid "Generating AABB" @@ -5838,74 +5860,74 @@ msgstr "AABB 만들기" #: editor/plugins/path_2d_editor_plugin.cpp msgid "Remove Point from Curve" -msgstr "커브에서 포인트 삭제" +msgstr "커브에서 점 삭제하기" #: editor/plugins/path_2d_editor_plugin.cpp msgid "Remove Out-Control from Curve" -msgstr "커브의 아웃-컨트롤 삭제" +msgstr "커브의 아웃-컨트롤 삭제하기" #: editor/plugins/path_2d_editor_plugin.cpp msgid "Remove In-Control from Curve" -msgstr "커브의 인-컨트롤 삭제" +msgstr "커브의 인-컨트롤 삭제하기" #: editor/plugins/path_2d_editor_plugin.cpp #: editor/plugins/path_editor_plugin.cpp msgid "Add Point to Curve" -msgstr "커브에 포인트 추가" +msgstr "커브에 점 추가하기" #: editor/plugins/path_2d_editor_plugin.cpp msgid "Split Curve" -msgstr "커브 나누기" +msgstr "커브 가르기" #: editor/plugins/path_2d_editor_plugin.cpp msgid "Move Point in Curve" -msgstr "커브의 포인트 이동" +msgstr "커브의 점 이동하기" #: editor/plugins/path_2d_editor_plugin.cpp msgid "Move In-Control in Curve" -msgstr "커브의 인-컨트롤 이동" +msgstr "커브의 인-컨트롤 이동하기" #: editor/plugins/path_2d_editor_plugin.cpp msgid "Move Out-Control in Curve" -msgstr "커브의 아웃-컨트롤 이동" +msgstr "커브의 아웃-컨트롤 이동하기" #: editor/plugins/path_2d_editor_plugin.cpp #: editor/plugins/path_editor_plugin.cpp msgid "Select Points" -msgstr "포인트 선택" +msgstr "점 선택하기" #: editor/plugins/path_2d_editor_plugin.cpp #: editor/plugins/path_editor_plugin.cpp msgid "Shift+Drag: Select Control Points" -msgstr "Shift+드래그: 컨트롤 포인트 선택" +msgstr "Shift+드래그: 컨트롤 점 선택하기" #: editor/plugins/path_2d_editor_plugin.cpp #: editor/plugins/path_editor_plugin.cpp msgid "Click: Add Point" -msgstr "클릭: 포인트 추가" +msgstr "클릭: 점 추가하기" #: editor/plugins/path_2d_editor_plugin.cpp msgid "Left Click: Split Segment (in curve)" -msgstr "선분 나누기 (커브로)" +msgstr "좌클릭: (커브로) 선분 가르기" #: editor/plugins/path_2d_editor_plugin.cpp #: editor/plugins/path_editor_plugin.cpp msgid "Right Click: Delete Point" -msgstr "우클릭: 포인트 삭제" +msgstr "우클릭: 점 삭제하기" #: editor/plugins/path_2d_editor_plugin.cpp msgid "Select Control Points (Shift+Drag)" -msgstr "컨트롤 포인트 선택 (Shift+드래그)" +msgstr "컨트롤 점 선택하기 (Shift+드래그)" #: editor/plugins/path_2d_editor_plugin.cpp #: editor/plugins/path_editor_plugin.cpp msgid "Add Point (in empty space)" -msgstr "포인트 추가 (빈 공간)" +msgstr "(빈 공간에) 점 추가하기" #: editor/plugins/path_2d_editor_plugin.cpp #: editor/plugins/path_editor_plugin.cpp msgid "Delete Point" -msgstr "포인트 삭제" +msgstr "점 삭제하기" #: editor/plugins/path_2d_editor_plugin.cpp #: editor/plugins/path_editor_plugin.cpp @@ -5916,7 +5938,7 @@ msgstr "커브 닫기" #: editor/plugins/path_editor_plugin.cpp editor/plugins/theme_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/project_export.cpp msgid "Options" -msgstr "옵션" +msgstr "설정" #: editor/plugins/path_2d_editor_plugin.cpp #: editor/plugins/path_editor_plugin.cpp @@ -5930,48 +5952,48 @@ msgstr "핸들 길이 거울" #: editor/plugins/path_editor_plugin.cpp msgid "Curve Point #" -msgstr "커브 포인트 #" +msgstr "커브 점 #" #: editor/plugins/path_editor_plugin.cpp msgid "Set Curve Point Position" -msgstr "커브 포인트 위치 설정" +msgstr "커브 점 위치 설정하기" #: editor/plugins/path_editor_plugin.cpp msgid "Set Curve In Position" -msgstr "커브의 In 위치 설정" +msgstr "커브의 인 위치 설정하기" #: editor/plugins/path_editor_plugin.cpp msgid "Set Curve Out Position" -msgstr "커브의 Out 위치 설정" +msgstr "커브의 아웃 위치 설정하기" #: editor/plugins/path_editor_plugin.cpp msgid "Split Path" -msgstr "경로 나누기" +msgstr "경로 가르기" #: editor/plugins/path_editor_plugin.cpp msgid "Remove Path Point" -msgstr "경로 포인트 삭제" +msgstr "경로 점 삭제하기" #: editor/plugins/path_editor_plugin.cpp msgid "Remove Out-Control Point" -msgstr "아웃-컨트롤 포인트 삭제" +msgstr "아웃-컨트롤 점 삭제하기" #: editor/plugins/path_editor_plugin.cpp msgid "Remove In-Control Point" -msgstr "인-컨트롤 포인트 삭제" +msgstr "인-컨트롤 점 삭제하기" #: editor/plugins/path_editor_plugin.cpp msgid "Split Segment (in curve)" -msgstr "선분 분할 (커브)" +msgstr "(커브로) 선분 가르기" #: editor/plugins/physical_bone_plugin.cpp msgid "Move Joint" -msgstr "관절 이동" +msgstr "관절 이동하기" #: editor/plugins/polygon_2d_editor_plugin.cpp msgid "" "The skeleton property of the Polygon2D does not point to a Skeleton2D node" -msgstr "Polygon2D의 스켈레톤 속성이 Skeleton2D 노드를 향하고 있지 않음" +msgstr "Polygon2D의 Skeleton 속성이 Skeleton2D 노드를 향하지 않아요" #: editor/plugins/polygon_2d_editor_plugin.cpp msgid "Sync Bones" @@ -5982,8 +6004,8 @@ msgid "" "No texture in this polygon.\n" "Set a texture to be able to edit UV." msgstr "" -"이 폴리곤에 텍스쳐가 없습니다.\n" -"UV를 편집하기 위해 텍스쳐를 설정해야 합니다." +"이 폴리곤에 텍스처가 없어요.\n" +"UV를 편집하려면 텍스처를 설정하세요." #: editor/plugins/polygon_2d_editor_plugin.cpp msgid "Create UV Map" @@ -5993,9 +6015,7 @@ msgstr "UV 맵 만들기" msgid "" "Polygon 2D has internal vertices, so it can no longer be edited in the " "viewport." -msgstr "" -"Polygon2D가 내부 꼭짓점을 갖고 있습니다, 더 이상 뷰포트에서 꼭짓점을 편집할 " -"수 없습니다." +msgstr "Polygon2D에 내부 꼭짓점이 있어요, 더 이상 뷰포트에서 편집할 수 없어요." #: editor/plugins/polygon_2d_editor_plugin.cpp msgid "Create Polygon & UV" @@ -6007,23 +6027,23 @@ msgstr "내부 꼭짓점 만들기" #: editor/plugins/polygon_2d_editor_plugin.cpp msgid "Remove Internal Vertex" -msgstr "내부 꼭짓점 삭제" +msgstr "내부 꼭짓점 삭제하기" #: editor/plugins/polygon_2d_editor_plugin.cpp msgid "Invalid Polygon (need 3 different vertices)" -msgstr "올바르지 않은 폴리곤 (3개의 다른 꼭짓점이 필요함)" +msgstr "잘못된 폴리곤 (3개의 다른 꼭짓점이 필요함)" #: editor/plugins/polygon_2d_editor_plugin.cpp msgid "Add Custom Polygon" -msgstr "사용자 지정 폴리곤 추가" +msgstr "맞춤 폴리곤 추가하기" #: editor/plugins/polygon_2d_editor_plugin.cpp msgid "Remove Custom Polygon" -msgstr "사용자 지정 폴리곤 삭제" +msgstr "맞춤 폴리곤 삭제하기" #: editor/plugins/polygon_2d_editor_plugin.cpp msgid "Transform UV Map" -msgstr "UV 맵 변형" +msgstr "UV 맵 변형하기" #: editor/plugins/polygon_2d_editor_plugin.cpp msgid "Transform Polygon" @@ -6031,7 +6051,7 @@ msgstr "변형 폴리곤" #: editor/plugins/polygon_2d_editor_plugin.cpp msgid "Paint Bone Weights" -msgstr "본 무게 페인트" +msgstr "본 가중치 칠하기" #: editor/plugins/polygon_2d_editor_plugin.cpp msgid "Open Polygon 2D UV editor." @@ -6047,7 +6067,7 @@ msgstr "UV" #: editor/plugins/polygon_2d_editor_plugin.cpp msgid "Points" -msgstr "포인트" +msgstr "점" #: editor/plugins/polygon_2d_editor_plugin.cpp msgid "Polygons" @@ -6059,43 +6079,43 @@ msgstr "본" #: editor/plugins/polygon_2d_editor_plugin.cpp msgid "Move Points" -msgstr "포인트 이동" +msgstr "점 이동하기" #: editor/plugins/polygon_2d_editor_plugin.cpp msgid "Ctrl: Rotate" -msgstr "Ctrl: 회전" +msgstr "Ctrl: 회전하기" #: editor/plugins/polygon_2d_editor_plugin.cpp msgid "Shift: Move All" -msgstr "Shift: 전체 이동" +msgstr "Shift: 전부 이동하기" #: editor/plugins/polygon_2d_editor_plugin.cpp msgid "Shift+Ctrl: Scale" -msgstr "Shift+Ctrl: 크기 조절" +msgstr "Shift+Ctrl: 크기 조절하기" #: editor/plugins/polygon_2d_editor_plugin.cpp msgid "Move Polygon" -msgstr "폴리곤 이동" +msgstr "폴리곤 이동하기" #: editor/plugins/polygon_2d_editor_plugin.cpp msgid "Rotate Polygon" -msgstr "폴리곤 회전" +msgstr "폴리곤 회전하기" #: editor/plugins/polygon_2d_editor_plugin.cpp msgid "Scale Polygon" -msgstr "폴리곤 크기 조절" +msgstr "폴리곤 크기 조절하기" #: editor/plugins/polygon_2d_editor_plugin.cpp msgid "Create a custom polygon. Enables custom polygon rendering." -msgstr "사용자 지정 폴리곤 만들기. 사용자 지정 폴리곤 렌더링을 활성화합니다." +msgstr "맞춤 폴리곤을 만들어요. 맞춤 폴리곤 렌더링을 켤게요." #: editor/plugins/polygon_2d_editor_plugin.cpp msgid "" "Remove a custom polygon. If none remain, custom polygon rendering is " "disabled." msgstr "" -"사용자 지정 폴리곤을 삭제. 남아있는 폴리곤이 없으면 사용자 지정 폴리곤 렌더링" -"은 비활성화됩니다." +"맞춤 폴리곤을 삭제해요. 남아있는 맞춤 폴리곤이 없으면, 맞춤 폴리곤 렌더링을 " +"끌게요." #: editor/plugins/polygon_2d_editor_plugin.cpp msgid "Paint weights with specified intensity." @@ -6119,7 +6139,7 @@ msgstr "UV->폴리곤" #: editor/plugins/polygon_2d_editor_plugin.cpp msgid "Clear UV" -msgstr "UV 정리" +msgstr "UV 지우기" #: editor/plugins/polygon_2d_editor_plugin.cpp msgid "Grid Settings" @@ -6131,7 +6151,7 @@ msgstr "스냅" #: editor/plugins/polygon_2d_editor_plugin.cpp msgid "Enable Snap" -msgstr "스냅 활성화" +msgstr "스냅 켜기" #: editor/plugins/polygon_2d_editor_plugin.cpp msgid "Grid" @@ -6139,7 +6159,7 @@ msgstr "격자" #: editor/plugins/polygon_2d_editor_plugin.cpp msgid "Configure Grid:" -msgstr "격자 구성:" +msgstr "격자 설정:" #: editor/plugins/polygon_2d_editor_plugin.cpp msgid "Grid Offset X:" @@ -6163,24 +6183,24 @@ msgstr "본을 폴리곤에 동기화" #: editor/plugins/resource_preloader_editor_plugin.cpp msgid "ERROR: Couldn't load resource!" -msgstr "오류: 리소스를 불러올 수 없습니다!" +msgstr "오류: 리소스를 불러올 수 없어요!" #: editor/plugins/resource_preloader_editor_plugin.cpp msgid "Add Resource" -msgstr "리소스 추가" +msgstr "리소스 추가하기" #: editor/plugins/resource_preloader_editor_plugin.cpp msgid "Rename Resource" -msgstr "리소스 이름 변경" +msgstr "리소스 이름 바꾸기" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Resource" -msgstr "리소스 삭제" +msgstr "리소스 삭제하기" #: editor/plugins/resource_preloader_editor_plugin.cpp msgid "Resource clipboard is empty!" -msgstr "리소스 클립보드가 비었습니다!" +msgstr "리소스 클립보드가 비었어요!" #: editor/plugins/resource_preloader_editor_plugin.cpp msgid "Paste Resource" @@ -6193,9 +6213,9 @@ msgstr "인스턴스:" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" -msgstr "타입:" +msgstr "유형:" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/scene_tree_dock.cpp editor/scene_tree_editor.cpp @@ -6212,11 +6232,11 @@ msgstr "리소스 프리로더" #: editor/plugins/root_motion_editor_plugin.cpp msgid "AnimationTree has no path set to an AnimationPlayer" -msgstr "AnimationTree가 AnimationPlayer로 향하는 경로를 가지고 있지 않습니다" +msgstr "AnimationTree에 AnimationPlayer를 향하는 경로가 없어요" #: editor/plugins/root_motion_editor_plugin.cpp msgid "Path to AnimationPlayer is invalid" -msgstr "AnimationPlayer로 향하는 경로가 올바르지 않습니다" +msgstr "AnimationPlayer를 향하는 경로가 잘못됐어요" #: editor/plugins/script_editor_plugin.cpp msgid "Clear Recent Files" @@ -6224,16 +6244,15 @@ msgstr "최근 파일 지우기" #: editor/plugins/script_editor_plugin.cpp msgid "Close and save changes?" -msgstr "변경사항을 저장하고 닫겠습니까?" +msgstr "변경사항을 저장하고 닫을까요?" #: editor/plugins/script_editor_plugin.cpp msgid "Error writing TextFile:" -msgstr "텍스트 파일 쓰기 오류:" +msgstr "텍스트 파일 작성 중 오류:" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "Could not load file at:" -msgstr "타일을 찾을 수 없음:" +msgstr "파일을 찾을 수 없음:" #: editor/plugins/script_editor_plugin.cpp msgid "Error saving file!" @@ -6241,22 +6260,21 @@ msgstr "파일 저장 중 오류!" #: editor/plugins/script_editor_plugin.cpp msgid "Error while saving theme." -msgstr "테마 저장 중 오류 발생." +msgstr "테마 저장 중 오류." #: editor/plugins/script_editor_plugin.cpp msgid "Error Saving" -msgstr "저장 중 오류 발생" +msgstr "저장 중 오류" #: editor/plugins/script_editor_plugin.cpp msgid "Error importing theme." -msgstr "테마 가져오는 중 오류 발생." +msgstr "테마 가져오는 중 오류." #: editor/plugins/script_editor_plugin.cpp msgid "Error Importing" -msgstr "가져오는 중 오류 발생" +msgstr "가져오는 중 오류" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "New Text File..." msgstr "새 텍스트 파일..." @@ -6282,7 +6300,7 @@ msgstr "저장 중 오류" #: editor/plugins/script_editor_plugin.cpp msgid "Save Theme As..." -msgstr "테마 다른 이름으로 저장..." +msgstr "테마를 다른 이름으로 저장..." #: editor/plugins/script_editor_plugin.cpp msgid "%s Class Reference" @@ -6295,31 +6313,31 @@ msgstr "다음 찾기" #: editor/plugins/script_editor_plugin.cpp msgid "Filter scripts" -msgstr "필터 스크립트" +msgstr "스크립트 필터" #: editor/plugins/script_editor_plugin.cpp msgid "Toggle alphabetical sorting of the method list." -msgstr "메서드 목록의 사전 식 정렬을 키거나 끕니다." +msgstr "메서드 목록의 사전 식 정렬을 토글해요." #: editor/plugins/script_editor_plugin.cpp msgid "Filter methods" -msgstr "필터 메서드" +msgstr "메서드 필터" #: editor/plugins/script_editor_plugin.cpp msgid "Sort" -msgstr "정렬" +msgstr "정렬하기" #: editor/plugins/script_editor_plugin.cpp #: editor/plugins/script_text_editor.cpp editor/scene_tree_dock.cpp #: modules/gdnative/gdnative_library_editor_plugin.cpp msgid "Move Up" -msgstr "위로 이동" +msgstr "위로 이동하기" #: editor/plugins/script_editor_plugin.cpp #: editor/plugins/script_text_editor.cpp editor/scene_tree_dock.cpp #: modules/gdnative/gdnative_library_editor_plugin.cpp msgid "Move Down" -msgstr "아래로 이동" +msgstr "아래로 이동하기" #: editor/plugins/script_editor_plugin.cpp msgid "Next script" @@ -6338,13 +6356,12 @@ msgid "Open..." msgstr "열기..." #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "Reopen Closed Script" -msgstr "스크립트 열기" +msgstr "닫은 스크립트 다시 열기" #: editor/plugins/script_editor_plugin.cpp msgid "Save All" -msgstr "모두 저장" +msgstr "모두 저장하기" #: editor/plugins/script_editor_plugin.cpp msgid "Soft Reload Script" @@ -6352,15 +6369,15 @@ msgstr "스크립트 다시 불러오기" #: editor/plugins/script_editor_plugin.cpp msgid "Copy Script Path" -msgstr "스크립트 경로 복사" +msgstr "스크립트 경로 복사하기" #: editor/plugins/script_editor_plugin.cpp msgid "History Previous" -msgstr "이전 히스토리" +msgstr "이전 기록" #: editor/plugins/script_editor_plugin.cpp msgid "History Next" -msgstr "다음 히스토리" +msgstr "다음 기록" #: editor/plugins/script_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp @@ -6377,7 +6394,7 @@ msgstr "테마 다시 불러오기" #: editor/plugins/script_editor_plugin.cpp msgid "Save Theme" -msgstr "테마 저장" +msgstr "테마 저장하기" #: editor/plugins/script_editor_plugin.cpp msgid "Close All" @@ -6389,28 +6406,28 @@ msgstr "문서 닫기" #: editor/plugins/script_editor_plugin.cpp editor/project_manager.cpp msgid "Run" -msgstr "실행" +msgstr "실행하기" #: editor/plugins/script_editor_plugin.cpp msgid "Toggle Scripts Panel" msgstr "스크립트 패널 토글" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" -msgstr "한 단계식 코드 실행" +msgid "Step Into" +msgstr "프로시저 단위 실행하기" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Into" -msgstr "프로시저 단위 실행" +msgid "Step Over" +msgstr "한 단계식 코드 실행하기" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Break" -msgstr "정지" +msgstr "정지하기" #: editor/plugins/script_editor_plugin.cpp editor/project_manager.cpp #: editor/script_editor_debugger.cpp msgid "Continue" -msgstr "계속" +msgstr "계속하기" #: editor/plugins/script_editor_plugin.cpp msgid "Keep Debugger Open" @@ -6434,15 +6451,15 @@ msgstr "피드백으로 Godot 문서를 개선하는데 도와주세요." #: editor/plugins/script_editor_plugin.cpp msgid "Search the reference documentation." -msgstr "레퍼런스 문서 검색." +msgstr "참조 문서 검색하기." #: editor/plugins/script_editor_plugin.cpp msgid "Go to previous edited document." -msgstr "이전 편집 문서로 이동." +msgstr "이전에 편집한 문서로 이동하기." #: editor/plugins/script_editor_plugin.cpp msgid "Go to next edited document." -msgstr "다음 편집 문서로 이동." +msgstr "다음에 편집한 문서로 이동하기." #: editor/plugins/script_editor_plugin.cpp msgid "Discard" @@ -6453,8 +6470,8 @@ msgid "" "The following files are newer on disk.\n" "What action should be taken?:" msgstr "" -"다음의 파일들이 디스크상 더 최신입니다.\n" -"어떤 작업을 수행하시겠습니까?:" +"해당 파일은 디스크에 있는 게 더 최신이에요.\n" +"어떻게 하실래요?:" #: editor/plugins/script_editor_plugin.cpp #: editor/plugins/shader_editor_plugin.cpp @@ -6464,7 +6481,7 @@ msgstr "다시 불러오기" #: editor/plugins/script_editor_plugin.cpp #: editor/plugins/shader_editor_plugin.cpp msgid "Resave" -msgstr "다시 저장" +msgstr "다시 저장하기" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Debugger" @@ -6475,15 +6492,14 @@ msgid "Search Results" msgstr "검색 결과" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "Clear Recent Scripts" -msgstr "최근 씬 지우기" +msgstr "최근 스크립트 지우기" #: editor/plugins/script_text_editor.cpp msgid "Connections to method:" -msgstr "메서드에 연결:" +msgstr "메서드에 연결하기:" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp msgid "Source" msgstr "소스" @@ -6499,12 +6515,12 @@ msgstr "대상" msgid "" "Missing connected method '%s' for signal '%s' from node '%s' to node '%s'." msgstr "" -"노드 '%s'에서 노드 '%s'까지의 연결에서 시그널 '%s'에 대한 메서드 '%s'가 존재" -"하지 않습니더." +"메서드 '%s'이(가) 시그널 '%s'을 노드 '%s'에서 노드 '%s'으로 연결하지 않았어" +"요." #: editor/plugins/script_text_editor.cpp msgid "Line" -msgstr "라인" +msgstr "행" #: editor/plugins/script_text_editor.cpp msgid "(ignore)" @@ -6512,44 +6528,44 @@ msgstr "(무시함)" #: editor/plugins/script_text_editor.cpp msgid "Go to Function" -msgstr "함수로 이동" +msgstr "함수로 이동하기" #: editor/plugins/script_text_editor.cpp msgid "Only resources from filesystem can be dropped." -msgstr "파일 시스템에서 가져온 리소스만 드랍할 수 있습니다." +msgstr "파일 시스템의 리소스만 드롭할 수 있어요." #: editor/plugins/script_text_editor.cpp msgid "Lookup Symbol" -msgstr "룩업 심벌" +msgstr "룩업 기호" #: editor/plugins/script_text_editor.cpp msgid "Pick Color" -msgstr "색상 선택" +msgstr "색상 선택하기" #: editor/plugins/script_text_editor.cpp editor/plugins/text_editor.cpp msgid "Convert Case" -msgstr "대소문자 변환" +msgstr "대소문자 변환하기" #: editor/plugins/script_text_editor.cpp editor/plugins/text_editor.cpp msgid "Uppercase" -msgstr "대문자로 변경" +msgstr "대문자로 바꾸기" #: editor/plugins/script_text_editor.cpp editor/plugins/text_editor.cpp msgid "Lowercase" -msgstr "소문자로 변경" +msgstr "소문자로 바꾸기" #: editor/plugins/script_text_editor.cpp editor/plugins/text_editor.cpp msgid "Capitalize" -msgstr "대문자로 시작" +msgstr "대문자로 시작하기" #: editor/plugins/script_text_editor.cpp editor/plugins/text_editor.cpp msgid "Syntax Highlighter" -msgstr "구문 강조" +msgstr "구문 강조하기" #: editor/plugins/script_text_editor.cpp #: editor/plugins/shader_editor_plugin.cpp editor/plugins/text_editor.cpp msgid "Go To" -msgstr "이동" +msgstr "이동하기" #: editor/plugins/script_text_editor.cpp #: editor/plugins/shader_editor_plugin.cpp editor/plugins/text_editor.cpp @@ -6567,7 +6583,7 @@ msgstr "잘라내기" #: editor/plugins/script_text_editor.cpp msgid "Delete Line" -msgstr "라인 삭제" +msgstr "행 삭제하기" #: editor/plugins/script_text_editor.cpp msgid "Indent Left" @@ -6583,40 +6599,39 @@ msgstr "주석 토글" #: editor/plugins/script_text_editor.cpp msgid "Fold/Unfold Line" -msgstr "라인 펼치기/접기" +msgstr "행 펼치기/접기" #: editor/plugins/script_text_editor.cpp msgid "Fold All Lines" -msgstr "모든 라인 접기" +msgstr "모든 행 접기" #: editor/plugins/script_text_editor.cpp msgid "Unfold All Lines" -msgstr "모든 라인 펼치기" +msgstr "모든 행 펼치기" #: editor/plugins/script_text_editor.cpp msgid "Clone Down" -msgstr "아래로 복제" +msgstr "아래로 복제하기" #: editor/plugins/script_text_editor.cpp msgid "Complete Symbol" msgstr "자동 완성" #: editor/plugins/script_text_editor.cpp -#, fuzzy msgid "Evaluate Selection" -msgstr "선택 크기 조절" +msgstr "선택 항목 평가하기" #: editor/plugins/script_text_editor.cpp msgid "Trim Trailing Whitespace" -msgstr "후행 공백 문자 삭제" +msgstr "후행 공백 문자 삭제하기" #: editor/plugins/script_text_editor.cpp msgid "Convert Indent to Spaces" -msgstr "들여쓰기를 공백으로 변환" +msgstr "들여쓰기를 공백으로 변환하기" #: editor/plugins/script_text_editor.cpp msgid "Convert Indent to Tabs" -msgstr "들여쓰기를 탭으로 변환" +msgstr "들여쓰기를 탭으로 변환하기" #: editor/plugins/script_text_editor.cpp msgid "Auto Indent" @@ -6632,7 +6647,7 @@ msgstr "파일에서 찾기..." #: editor/plugins/script_text_editor.cpp msgid "Contextual Help" -msgstr "도움말 보기" +msgstr "상황에 맞는 도움" #: editor/plugins/script_text_editor.cpp msgid "Toggle Bookmark" @@ -6640,23 +6655,23 @@ msgstr "북마크 토글" #: editor/plugins/script_text_editor.cpp msgid "Go to Next Bookmark" -msgstr "다음 북마크로 이동" +msgstr "다음 북마크로 이동하기" #: editor/plugins/script_text_editor.cpp msgid "Go to Previous Bookmark" -msgstr "이전 북마크로 이동" +msgstr "이전 북마크로 이동하기" #: editor/plugins/script_text_editor.cpp msgid "Remove All Bookmarks" -msgstr "모든 북마크 삭제" +msgstr "모든 북마크 삭제하기" #: editor/plugins/script_text_editor.cpp msgid "Go to Function..." -msgstr "함수로 이동..." +msgstr "함수로 이동하기..." #: editor/plugins/script_text_editor.cpp msgid "Go to Line..." -msgstr "라인으로 이동..." +msgstr "행으로 이동하기..." #: editor/plugins/script_text_editor.cpp #: modules/visual_script/visual_script_editor.cpp @@ -6665,23 +6680,23 @@ msgstr "중단점 토글" #: editor/plugins/script_text_editor.cpp msgid "Remove All Breakpoints" -msgstr "중단점 모두 삭제" +msgstr "중단점 모두 삭제하기" #: editor/plugins/script_text_editor.cpp msgid "Go to Next Breakpoint" -msgstr "다음 중단점으로 이동" +msgstr "다음 중단점으로 이동하기" #: editor/plugins/script_text_editor.cpp msgid "Go to Previous Breakpoint" -msgstr "이전 중단점으로 이동" +msgstr "이전 중단점으로 이동하기" #: editor/plugins/shader_editor_plugin.cpp msgid "" "This shader has been modified on on disk.\n" "What action should be taken?" msgstr "" -"이 셰이더는 디스크에서 수정되었습니다.\n" -"어떤 작업을 하시겠습니까?" +"이 셰이더는 디스크에서 수정했네요.\n" +"어떤 행동을 할 건가요?" #: editor/plugins/shader_editor_plugin.cpp msgid "Shader" @@ -6689,16 +6704,15 @@ msgstr "셰이더" #: editor/plugins/skeleton_2d_editor_plugin.cpp msgid "This skeleton has no bones, create some children Bone2D nodes." -msgstr "" -"이 스켈레톤은 본을 가지고 있지 않습니다, 자식으로 Bone2D 노드를 추가하세요." +msgstr "이 스켈레톤에는 본이 없어요, Bone2D노드를 자식으로 만드세요." #: editor/plugins/skeleton_2d_editor_plugin.cpp msgid "Create Rest Pose from Bones" -msgstr "본으로부터 휴식 포즈 만들기" +msgstr "본의 대기 자세 만들기" #: editor/plugins/skeleton_2d_editor_plugin.cpp msgid "Set Rest Pose to Bones" -msgstr "본에 휴식 포즈 설정" +msgstr "본에게 대기 자세 설정하기" #: editor/plugins/skeleton_2d_editor_plugin.cpp msgid "Skeleton2D" @@ -6706,11 +6720,11 @@ msgstr "스켈레톤2D" #: editor/plugins/skeleton_2d_editor_plugin.cpp msgid "Make Rest Pose (From Bones)" -msgstr "(본으로부터) 휴식 포즈 만들기" +msgstr "(본의) 대기 자세 만들기" #: editor/plugins/skeleton_2d_editor_plugin.cpp msgid "Set Bones to Rest Pose" -msgstr "본을 휴식 포즈로 설정" +msgstr "본을 대기 자세로 설정하기" #: editor/plugins/skeleton_editor_plugin.cpp msgid "Create physical bones" @@ -6758,7 +6772,7 @@ msgstr "뷰 평면 변형." #: editor/plugins/spatial_editor_plugin.cpp msgid "Scaling: " -msgstr "크기: " +msgstr "크기 조절 중: " #: editor/plugins/spatial_editor_plugin.cpp msgid "Translating: " @@ -6770,11 +6784,11 @@ msgstr "%s도로 회전." #: editor/plugins/spatial_editor_plugin.cpp msgid "Keying is disabled (no key inserted)." -msgstr "키가 비활성화 되어 있습니다 (키가 삽입되지 않았습니다)." +msgstr "키가 꺼져 있어요 (키가 삽입되지 않아요)." #: editor/plugins/spatial_editor_plugin.cpp msgid "Animation Key Inserted." -msgstr "애니메이션 키가 삽입되었습니다." +msgstr "애니메이션 키를 삽입했어요." #: editor/plugins/spatial_editor_plugin.cpp msgid "Pitch" @@ -6786,19 +6800,19 @@ msgstr "요" #: editor/plugins/spatial_editor_plugin.cpp msgid "Objects Drawn" -msgstr "그려진 오브젝트" +msgstr "그려진 객체" #: editor/plugins/spatial_editor_plugin.cpp msgid "Material Changes" -msgstr "머티리얼 변경" +msgstr "머티리얼 바꾸기" #: editor/plugins/spatial_editor_plugin.cpp msgid "Shader Changes" -msgstr "셰이더 변경" +msgstr "셰이더 바꾸기" #: editor/plugins/spatial_editor_plugin.cpp msgid "Surface Changes" -msgstr "서피스 변경" +msgstr "표면 바꾸기" #: editor/plugins/spatial_editor_plugin.cpp msgid "Draw Calls" @@ -6806,7 +6820,7 @@ msgstr "드로우 콜" #: editor/plugins/spatial_editor_plugin.cpp msgid "Vertices" -msgstr "버틱스" +msgstr "점" #: editor/plugins/spatial_editor_plugin.cpp msgid "Top View." @@ -6854,19 +6868,19 @@ msgstr "뒷면" #: editor/plugins/spatial_editor_plugin.cpp msgid "Align Transform with View" -msgstr "변형을 뷰에 정렬" +msgstr "변형을 뷰에 정렬하기" #: editor/plugins/spatial_editor_plugin.cpp msgid "Align Rotation with View" -msgstr "회전을 뷰에 정렬" +msgstr "회전을 뷰에 정렬하기" #: editor/plugins/spatial_editor_plugin.cpp editor/scene_tree_dock.cpp msgid "No parent to instance a child at." -msgstr "선택된 부모 노드가 없어서 자식노드를 인스턴스할 수 없습니다." +msgstr "자식을 인스턴스할 부모가 없어요." #: editor/plugins/spatial_editor_plugin.cpp editor/scene_tree_dock.cpp msgid "This operation requires a single selected node." -msgstr "이 작업은 하나의 선택된 노드를 필요로 합니다." +msgstr "이 작업은 하나의 노드를 선택해야 해요." #: editor/plugins/spatial_editor_plugin.cpp msgid "Lock View Rotation" @@ -6874,19 +6888,19 @@ msgstr "뷰 회전 잠금" #: editor/plugins/spatial_editor_plugin.cpp msgid "Display Normal" -msgstr "Normal 표시" +msgstr "노멀 표시하기" #: editor/plugins/spatial_editor_plugin.cpp msgid "Display Wireframe" -msgstr "Wireframe 표시" +msgstr "와이어프레임 표시하기" #: editor/plugins/spatial_editor_plugin.cpp msgid "Display Overdraw" -msgstr "Overdraw 표시" +msgstr "오버드로 표시하기" #: editor/plugins/spatial_editor_plugin.cpp msgid "Display Unshaded" -msgstr "음영 없이 표시" +msgstr "셰이더 없음 표시하기" #: editor/plugins/spatial_editor_plugin.cpp msgid "View Environment" @@ -6913,49 +6927,48 @@ msgid "Audio Listener" msgstr "오디오 리스너" #: editor/plugins/spatial_editor_plugin.cpp -#, fuzzy msgid "Enable Doppler" -msgstr "필터 활성화" +msgstr "진동 왜곡 켜기" #: editor/plugins/spatial_editor_plugin.cpp msgid "Cinematic Preview" -msgstr "시네마틱 미리보기" +msgstr "시네마틱 미리 보기" #: editor/plugins/spatial_editor_plugin.cpp msgid "Freelook Left" -msgstr "자유시점 왼쪽" +msgstr "자유 시점 왼쪽으로 가기" #: editor/plugins/spatial_editor_plugin.cpp msgid "Freelook Right" -msgstr "자유시점 오른쪽" +msgstr "자유 시점 오른쪽으로 가기" #: editor/plugins/spatial_editor_plugin.cpp msgid "Freelook Forward" -msgstr "자유시점 앞으로 이동" +msgstr "자유 시점 앞으로 가기" #: editor/plugins/spatial_editor_plugin.cpp msgid "Freelook Backwards" -msgstr "자유시점 뒤로 이동" +msgstr "자유 시점 뒤로 가기" #: editor/plugins/spatial_editor_plugin.cpp msgid "Freelook Up" -msgstr "자유시점 위로" +msgstr "자유 시점 위로 가기" #: editor/plugins/spatial_editor_plugin.cpp msgid "Freelook Down" -msgstr "자유시점 아래로 이동" +msgstr "자유 시점 아래로 가기" #: editor/plugins/spatial_editor_plugin.cpp msgid "Freelook Speed Modifier" -msgstr "자유시점 속도 변화" +msgstr "자유 시점 속도 수정자" #: editor/plugins/spatial_editor_plugin.cpp msgid "" "Note: The FPS value displayed is the editor's framerate.\n" "It cannot be used as a reliable indication of in-game performance." msgstr "" -"참고: FPS 값은 편집기의 프레임 속도입니다.\n" -"게임 내 성능을 보증하는 표시로 볼 수 없습니다." +"참고: FPS 값은 편집기의 프레임으로 표시되요.\n" +"이것이 게임 내 성능을 보장할 수 없어요." #: editor/plugins/spatial_editor_plugin.cpp msgid "View Rotation Locked" @@ -6971,7 +6984,7 @@ msgstr "노드를 바닥에 스냅" #: editor/plugins/spatial_editor_plugin.cpp msgid "Couldn't find a solid floor to snap the selection to." -msgstr "" +msgstr "선택 항목을 스냅할 바닥을 찾을 수 없어요." #: editor/plugins/spatial_editor_plugin.cpp msgid "" @@ -6979,14 +6992,13 @@ msgid "" "Alt+Drag: Move\n" "Alt+RMB: Depth list selection" msgstr "" -"드래그: 회전\n" -"알트+드래그: 이동\n" -"알트+우클릭: 겹친 목록 선택" +"드래그: 회전하기\n" +"Alt+드래그: 이동하기\n" +"Alt+우클릭: 겹친 목록 선택기하기" #: editor/plugins/spatial_editor_plugin.cpp -#, fuzzy msgid "Use Local Space" -msgstr "로컬 스페이스 모드 (%s)" +msgstr "로컬 스페이스 사용하기" #: editor/plugins/spatial_editor_plugin.cpp msgid "Bottom View" @@ -7018,7 +7030,7 @@ msgstr "원근/직교 뷰 전환" #: editor/plugins/spatial_editor_plugin.cpp msgid "Insert Animation Key" -msgstr "애니메이션 키 삽입" +msgstr "애니메이션 키 삽입하기" #: editor/plugins/spatial_editor_plugin.cpp msgid "Focus Origin" @@ -7026,7 +7038,7 @@ msgstr "원점 포커스" #: editor/plugins/spatial_editor_plugin.cpp msgid "Focus Selection" -msgstr "선택 포커스" +msgstr "선택 항목 포커스" #: editor/plugins/spatial_editor_plugin.cpp msgid "Toggle Freelook" @@ -7035,11 +7047,11 @@ msgstr "자유 시점 토글" #: editor/plugins/spatial_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Transform" -msgstr "변형" +msgstr "변형하기" #: editor/plugins/spatial_editor_plugin.cpp msgid "Snap Object to Floor" -msgstr "물체를 바닥에 스냅" +msgstr "객체를 바닥에 스냅" #: editor/plugins/spatial_editor_plugin.cpp msgid "Transform Dialog..." @@ -7083,9 +7095,8 @@ msgstr "격자 보기" #: editor/plugins/spatial_editor_plugin.cpp #: modules/gridmap/grid_map_editor_plugin.cpp -#, fuzzy msgid "Settings..." -msgstr "설정" +msgstr "설정..." #: editor/plugins/spatial_editor_plugin.cpp msgid "Snap Settings" @@ -7121,11 +7132,11 @@ msgstr "Z-원경 보기:" #: editor/plugins/spatial_editor_plugin.cpp msgid "Transform Change" -msgstr "변형 변경" +msgstr "변형 바꾸기" #: editor/plugins/spatial_editor_plugin.cpp msgid "Translate:" -msgstr "이동:" +msgstr "이동하기:" #: editor/plugins/spatial_editor_plugin.cpp msgid "Rotate (deg.):" @@ -7137,19 +7148,19 @@ msgstr "크기 (비율):" #: editor/plugins/spatial_editor_plugin.cpp msgid "Transform Type" -msgstr "변형 타입" +msgstr "변형 유형" #: editor/plugins/spatial_editor_plugin.cpp msgid "Pre" -msgstr "Pre" +msgstr "전" #: editor/plugins/spatial_editor_plugin.cpp msgid "Post" -msgstr "Post" +msgstr "후" #: editor/plugins/spatial_editor_plugin.cpp msgid "Nameless gizmo" -msgstr "이름없는 오브젝트의 중심점" +msgstr "이름 없는 기즈모" #: editor/plugins/sprite_editor_plugin.cpp msgid "Create Mesh2D" @@ -7169,31 +7180,31 @@ msgstr "LightOccluder2D 만들기" #: editor/plugins/sprite_editor_plugin.cpp msgid "Sprite is empty!" -msgstr "스프라이트가 비었습니다!" +msgstr "스프라이트가 없어요!" #: editor/plugins/sprite_editor_plugin.cpp msgid "Can't convert a sprite using animation frames to mesh." -msgstr "스프라이트가 애니메이션 프레임을 사용해서 메시로 전환될 수 없습니다." +msgstr "애니메이션 프레임을 사용하는 스프라이트를 메시로 변환할 수 없어요." #: editor/plugins/sprite_editor_plugin.cpp msgid "Invalid geometry, can't replace by mesh." -msgstr "잘못된 형태, 메시로 대체할 수 없습니다." +msgstr "잘못된 형태, 메시로 대체할 수 없어요." #: editor/plugins/sprite_editor_plugin.cpp msgid "Convert to Mesh2D" -msgstr "Mesh2D로 전환" +msgstr "Mesh2D로 변환하기" #: editor/plugins/sprite_editor_plugin.cpp msgid "Invalid geometry, can't create polygon." -msgstr "잘못된 형태, 폴리곤을 만들 수 없습니다." +msgstr "잘못된 형태, 폴리곤을 만들 수 없어요." #: editor/plugins/sprite_editor_plugin.cpp msgid "Convert to Polygon2D" -msgstr "Polygon2D로 전환" +msgstr "Polygon2D로 변환하기" #: editor/plugins/sprite_editor_plugin.cpp msgid "Invalid geometry, can't create collision polygon." -msgstr "잘못된 형태, 충돌 폴리곤을 만들 수 없습니다." +msgstr "잘못된 형태, 충돌 폴리곤을 만들 수 없어요." #: editor/plugins/sprite_editor_plugin.cpp msgid "Create CollisionPolygon2D Sibling" @@ -7201,7 +7212,7 @@ msgstr "CollisionPolygon2D 노드 만들기" #: editor/plugins/sprite_editor_plugin.cpp msgid "Invalid geometry, can't create light occluder." -msgstr "잘못된 형태, 조명 어클루더를 만들 수 없습니다." +msgstr "잘못된 형태, 조명 어클루더를 만들 수 없어요." #: editor/plugins/sprite_editor_plugin.cpp msgid "Create LightOccluder2D Sibling" @@ -7221,7 +7232,7 @@ msgstr "성장 (픽셀): " #: editor/plugins/sprite_editor_plugin.cpp msgid "Update Preview" -msgstr "업데이트 미리보기" +msgstr "업데이트 미리 보기" #: editor/plugins/sprite_editor_plugin.cpp msgid "Settings:" @@ -7229,23 +7240,23 @@ msgstr "설정:" #: editor/plugins/sprite_frames_editor_plugin.cpp msgid "No Frames Selected" -msgstr "프레임이 선택되지 않음" +msgstr "선택한 프레임 없음" #: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Add %d Frame(s)" -msgstr "%d 프레임 추가" +msgstr "%d개의 프레임 추가하기" #: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Add Frame" -msgstr "프레임 추가" +msgstr "프레임 추가하기" #: editor/plugins/sprite_frames_editor_plugin.cpp msgid "ERROR: Couldn't load frame resource!" -msgstr "오류: 프레임 리소스를 불러올 수 없습니다!" +msgstr "오류: 프레임 리소스를 불러올 수 없어요!" #: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Resource clipboard is empty or not a texture!" -msgstr "리소스 클립보드가 비었거나 텍스쳐가 아닙니다!" +msgstr "리소스 클립보드가 비었거나 텍스처가 아니에요!" #: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Paste Frame" @@ -7253,23 +7264,28 @@ msgstr "프레임 붙여넣기" #: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Add Empty" -msgstr "빈 프레임 추가" +msgstr "빈 프레임 추가하기" #: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Change Animation FPS" -msgstr "애니메이션 FPS 변경" +msgstr "애니메이션 FPS 바꾸기" #: editor/plugins/sprite_frames_editor_plugin.cpp msgid "(empty)" msgstr "(비었음)" #: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy +msgid "Move Frame" +msgstr "프레임 붙여넣기" + +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Animations:" msgstr "애니메이션:" #: editor/plugins/sprite_frames_editor_plugin.cpp msgid "New Animation" -msgstr "새로운 애니메이션" +msgstr "새 애니메이션" #: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Speed (FPS):" @@ -7285,7 +7301,7 @@ msgstr "애니메이션 프레임:" #: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Add a Texture from File" -msgstr "파일에서 텍스쳐 추가하기" +msgstr "파일에서 텍스처 추가하기" #: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Add Frames from a Sprite Sheet" @@ -7293,23 +7309,23 @@ msgstr "스프라이트 시트에서 프레임 추가하기" #: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Insert Empty (Before)" -msgstr "빈 프레임 삽입 (이전)" +msgstr "빈 프레임 삽입하기 (이전)" #: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Insert Empty (After)" -msgstr "빈 프레임 삽입 (이후)" +msgstr "빈 프레임 삽입하기 (이후)" #: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Move (Before)" -msgstr "이동 (이전)" +msgstr "이동하기 (이전)" #: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Move (After)" -msgstr "이동 (이후)" +msgstr "이동하기 (이후)" #: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Select Frames" -msgstr "프레임 선택" +msgstr "프레임 선택하기" #: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Horizontal:" @@ -7321,7 +7337,7 @@ msgstr "수직:" #: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Select/Clear All Frames" -msgstr "모든 프레임 선택/지우기" +msgstr "모든 프레임 선택하기/지우기" #: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Create Frames from Sprite Sheet" @@ -7333,11 +7349,11 @@ msgstr "스프라이트 프레임" #: editor/plugins/texture_region_editor_plugin.cpp msgid "Set Region Rect" -msgstr "영역 설정" +msgstr "사각 영역 설정하기" #: editor/plugins/texture_region_editor_plugin.cpp msgid "Set Margin" -msgstr "마진 설정" +msgstr "여백 설정하기" #: editor/plugins/texture_region_editor_plugin.cpp msgid "Snap Mode:" @@ -7374,27 +7390,27 @@ msgstr "분리.:" #: editor/plugins/texture_region_editor_plugin.cpp msgid "TextureRegion" -msgstr "텍스쳐지역" +msgstr "텍스처 영역" #: editor/plugins/theme_editor_plugin.cpp msgid "Add All Items" -msgstr "모든 항목 추가" +msgstr "모든 항목 추가하기" #: editor/plugins/theme_editor_plugin.cpp msgid "Add All" -msgstr "모두 추가" +msgstr "모두 추가하기" #: editor/plugins/theme_editor_plugin.cpp msgid "Remove All Items" -msgstr "모든 항목 삭제" +msgstr "모든 항목 삭제하기" #: editor/plugins/theme_editor_plugin.cpp editor/project_manager.cpp msgid "Remove All" -msgstr "모두 삭제" +msgstr "모두 삭제하기" #: editor/plugins/theme_editor_plugin.cpp msgid "Edit Theme" -msgstr "테마 편집" +msgstr "테마 편집하기" #: editor/plugins/theme_editor_plugin.cpp msgid "Theme editing menu." @@ -7402,11 +7418,11 @@ msgstr "테마 편집 메뉴." #: editor/plugins/theme_editor_plugin.cpp msgid "Add Class Items" -msgstr "클래스 항목 추가" +msgstr "클래스 항목 추가하기" #: editor/plugins/theme_editor_plugin.cpp msgid "Remove Class Items" -msgstr "클래스 항목 삭제" +msgstr "클래스 항목 삭제하기" #: editor/plugins/theme_editor_plugin.cpp msgid "Create Empty Template" @@ -7418,7 +7434,7 @@ msgstr "빈 편집기 템플릿 만들기" #: editor/plugins/theme_editor_plugin.cpp msgid "Create From Current Editor Theme" -msgstr "현재 편집기 테마로부터 만들기" +msgstr "현재 편집기 테마에서 만들기" #: editor/plugins/theme_editor_plugin.cpp msgid "Toggle Button" @@ -7426,7 +7442,7 @@ msgstr "토글 버튼" #: editor/plugins/theme_editor_plugin.cpp msgid "Disabled Button" -msgstr "비활성화 버튼" +msgstr "꺼진 버튼" #: editor/plugins/theme_editor_plugin.cpp msgid "Item" @@ -7434,7 +7450,7 @@ msgstr "항목" #: editor/plugins/theme_editor_plugin.cpp msgid "Disabled Item" -msgstr "비활성화된 항목" +msgstr "꺼진 항목" #: editor/plugins/theme_editor_plugin.cpp msgid "Check Item" @@ -7461,14 +7477,12 @@ msgid "Submenu" msgstr "하위 메뉴" #: editor/plugins/theme_editor_plugin.cpp -#, fuzzy msgid "Subitem 1" -msgstr "항목 1" +msgstr "하위 항목 1" #: editor/plugins/theme_editor_plugin.cpp -#, fuzzy msgid "Subitem 2" -msgstr "항목 2" +msgstr "하위 항목 2" #: editor/plugins/theme_editor_plugin.cpp msgid "Has" @@ -7508,7 +7522,7 @@ msgstr "많은,옵션,갖춤" #: editor/plugins/theme_editor_plugin.cpp msgid "Data Type:" -msgstr "데이터 타입:" +msgstr "데이터 유형:" #: editor/plugins/theme_editor_plugin.cpp msgid "Icon" @@ -7536,12 +7550,12 @@ msgstr "선택 지우기" #: editor/plugins/tile_map_editor_plugin.cpp msgid "Fix Invalid Tiles" -msgstr "잘못된 타일 수정" +msgstr "잘못된 타일 고치기" #: editor/plugins/tile_map_editor_plugin.cpp #: modules/gridmap/grid_map_editor_plugin.cpp msgid "Cut Selection" -msgstr "선택 잘라내기" +msgstr "선택 항목 잘라내기" #: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint TileMap" @@ -7549,11 +7563,11 @@ msgstr "타일맵 칠하기" #: editor/plugins/tile_map_editor_plugin.cpp msgid "Line Draw" -msgstr "직선 그리기" +msgstr "선 그리기" #: editor/plugins/tile_map_editor_plugin.cpp msgid "Rectangle Paint" -msgstr "사각영역 칠하기" +msgstr "사각 영역 칠하기" #: editor/plugins/tile_map_editor_plugin.cpp msgid "Bucket Fill" @@ -7573,28 +7587,36 @@ msgstr "바꾸기" #: editor/plugins/tile_map_editor_plugin.cpp msgid "Disable Autotile" -msgstr "오토타일 비활성화" +msgstr "오토타일 끄기" #: editor/plugins/tile_map_editor_plugin.cpp msgid "Enable Priority" msgstr "우선 순위 편집" #: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy +msgid "Filter tiles" +msgstr "파일 필터..." + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "타일 칠하기" #: editor/plugins/tile_map_editor_plugin.cpp -#, fuzzy msgid "" "Shift+LMB: Line Draw\n" "Shift+Ctrl+LMB: Rectangle Paint" msgstr "" "Shift+우클릭: 선 그리기\n" -"Shift+Ctrl+우클릭:사각형 페인트" +"Shift+Ctrl+우클릭: 사각 영역 페인트" #: editor/plugins/tile_map_editor_plugin.cpp msgid "Pick Tile" -msgstr "타일 선택" +msgstr "타일 선택하기" #: editor/plugins/tile_map_editor_plugin.cpp msgid "Rotate Left" @@ -7618,19 +7640,19 @@ msgstr "변형 지우기" #: editor/plugins/tile_set_editor_plugin.cpp msgid "Add Texture(s) to TileSet." -msgstr "TileSet에 텍스쳐 추가하기." +msgstr "TileSet에 텍스처 추가하기." #: editor/plugins/tile_set_editor_plugin.cpp msgid "Remove selected Texture from TileSet." -msgstr "선택된 텍스쳐를 TileSet에서 삭제하기." +msgstr "선택한 텍스처를 TileSet에서 삭제하기." #: editor/plugins/tile_set_editor_plugin.cpp msgid "Create from Scene" -msgstr "씬으로부터 만들기" +msgstr "씬에서 만들기" #: editor/plugins/tile_set_editor_plugin.cpp msgid "Merge from Scene" -msgstr "씬으로부터 병합하기" +msgstr "씬에서 병합하기" #: editor/plugins/tile_set_editor_plugin.cpp msgid "Next Coordinate" @@ -7694,7 +7716,7 @@ msgstr "비트 마스크 지우기." #: editor/plugins/tile_set_editor_plugin.cpp msgid "Create a new rectangle." -msgstr "새 사각형 만들기." +msgstr "새로운 사각형 만들기." #: editor/plugins/tile_set_editor_plugin.cpp msgid "Create a new polygon." @@ -7706,57 +7728,61 @@ msgstr "사각형 내부에 폴리곤을 유지하기." #: editor/plugins/tile_set_editor_plugin.cpp msgid "Enable snap and show grid (configurable via the Inspector)." -msgstr "스냅을 활성화 하고 격자를 보이기 (인스펙터를 통해 구성할 수 있습니다)." +msgstr "스냅을 켜고 격자를 보이기 (인스펙터를 통해 설정함)." #: editor/plugins/tile_set_editor_plugin.cpp msgid "Display Tile Names (Hold Alt Key)" -msgstr "타일 이름 보이기 (Alt 키를 누르세요)" +msgstr "타일 이름 보이기 (Alt키를 누르세요)" + +#: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp msgid "Remove selected texture? This will remove all tiles which use it." msgstr "" -"선택한 텍스쳐를 삭제하시겠습니까? 해당 텍스쳐를 사용하는 모든 타일이 삭제될 " -"것입니다." +"선택한 텍스처를 삭제할까요? 이 텍스처를 사용하는 모든 타일도 삭제될 거에요." #: editor/plugins/tile_set_editor_plugin.cpp msgid "You haven't selected a texture to remove." -msgstr "삭제할 텍스쳐를 선택하지 않았습니다." +msgstr "삭제할 텍스처를 선택하지 않았어요." #: editor/plugins/tile_set_editor_plugin.cpp msgid "Create from scene? This will overwrite all current tiles." -msgstr "씬으로부터 생성하시겠습니까? 현재 타일을 모두 덮어씁니다." +msgstr "씬에서 만들까요? 모든 현재 파일을 덮어 씌울 거에요." #: editor/plugins/tile_set_editor_plugin.cpp msgid "Merge from scene?" -msgstr "씬으로부터 병합하시겠습니까?" +msgstr "씬에서 병합할까요?" #: editor/plugins/tile_set_editor_plugin.cpp msgid "Remove Texture" -msgstr "텍스쳐 삭제" +msgstr "텍스처 삭제하기" #: editor/plugins/tile_set_editor_plugin.cpp msgid "%s file(s) were not added because was already on the list." -msgstr "%s 파일이 이미 목록에 존재하여 추가되지 않습니다." +msgstr "%s 파일이 이미 목록에 있어서 추가하지 않았어요." #: editor/plugins/tile_set_editor_plugin.cpp msgid "" "Drag handles to edit Rect.\n" "Click on another Tile to edit it." msgstr "" -"핸들을 드래그하여 사각형을 편집.\n" -"다른 타일을 편집하려면 클릭." +"핸들을 드래그하여 사각형을 편집해요.\n" +"다른 타일을 편집하려면 클릭하세요." #: editor/plugins/tile_set_editor_plugin.cpp msgid "Delete selected Rect." -msgstr "선택된 사각형을 삭제하기." +msgstr "선택한 사각형을 삭제하기." #: editor/plugins/tile_set_editor_plugin.cpp msgid "" "Select current edited sub-tile.\n" "Click on another Tile to edit it." msgstr "" -"현재 편집된 서브 타일 선택.\n" -"다른 타일을 편집하려면 클릭." +"현재 편집한 하위 타일 선택하기.\n" +"다른 타일을 편집하려면 클릭하세요." #: editor/plugins/tile_set_editor_plugin.cpp msgid "Delete polygon." @@ -7771,7 +7797,7 @@ msgid "" msgstr "" "좌클릭: 비트를 켬.\n" "우클릭: 비트를 끔.\n" -"Shift+좌클릭: 와일드카드 비트를 설정함.\n" +"Shift+좌클릭: 와일드카드 비트를 설정.\n" "다른 타일을 편집하려면 클릭하세요." #: editor/plugins/tile_set_editor_plugin.cpp @@ -7780,8 +7806,8 @@ msgid "" "bindings.\n" "Click on another Tile to edit it." msgstr "" -"아이콘으로 사용할 서브 타일을 설정하세요, 올바르지 않은 자동 타일 바인딩에도 " -"사용됩니다.\n" +"아이콘으로 쓸 하위 타일을 선택하세요, 잘못된 오토타일 바인딩에도 쓰일 거에" +"요.\n" "다른 타일을 편집하려면 클릭하세요." #: editor/plugins/tile_set_editor_plugin.cpp @@ -7789,20 +7815,20 @@ msgid "" "Select sub-tile to change its priority.\n" "Click on another Tile to edit it." msgstr "" -"서브 타일을 선택해 우선 순위를 바꿈.\n" -"다른 타일을 편집하려면 클릭." +"하위 타일을 선택해서 우선 순위를 바꿔요.\n" +"다른 타일을 편집하려면 클릭하세요." #: editor/plugins/tile_set_editor_plugin.cpp msgid "" "Select sub-tile to change its z index.\n" "Click on another Tile to edit it." msgstr "" -"서브 타일을 선택해 z 인덱스를 변경합니다.\n" -"다른 타일을 편집하려면 클릭합니다." +"하위 타일을 선택해서 Z 인덱스를 바꿔요.\n" +"다른 타일을 편집하려면 클릭하세요." #: editor/plugins/tile_set_editor_plugin.cpp msgid "Set Tile Region" -msgstr "타일 영역 설정" +msgstr "타일 영역 설정하기" #: editor/plugins/tile_set_editor_plugin.cpp msgid "Create Tile" @@ -7810,23 +7836,23 @@ msgstr "타일 만들기" #: editor/plugins/tile_set_editor_plugin.cpp msgid "Set Tile Icon" -msgstr "타일 아이콘 설정" +msgstr "타일 아이콘 설정하기" #: editor/plugins/tile_set_editor_plugin.cpp msgid "Edit Tile Bitmask" -msgstr "타일 비트 마스크 편집" +msgstr "타일 비트 마스크 편집하기" #: editor/plugins/tile_set_editor_plugin.cpp msgid "Edit Collision Polygon" -msgstr "충돌 폴리곤 편집" +msgstr "충돌 폴리곤 편집하기" #: editor/plugins/tile_set_editor_plugin.cpp msgid "Edit Occlusion Polygon" -msgstr "어클루전 폴리곤 편집" +msgstr "어클루전 폴리곤 편집하기" #: editor/plugins/tile_set_editor_plugin.cpp msgid "Edit Navigation Polygon" -msgstr "내비게이션 폴리곤 편집" +msgstr "내비게이션 폴리곤 편집하기" #: editor/plugins/tile_set_editor_plugin.cpp msgid "Paste Tile Bitmask" @@ -7846,27 +7872,27 @@ msgstr "볼록한 폴리곤 만들기" #: editor/plugins/tile_set_editor_plugin.cpp msgid "Remove Tile" -msgstr "타일 삭제" +msgstr "타일 삭제하기" #: editor/plugins/tile_set_editor_plugin.cpp msgid "Remove Collision Polygon" -msgstr "충돌 폴리곤 삭제" +msgstr "충돌 폴리곤 삭제하기" #: editor/plugins/tile_set_editor_plugin.cpp msgid "Remove Occlusion Polygon" -msgstr "어클루전 폴리곤 삭제" +msgstr "어클루전 폴리곤 삭제하기" #: editor/plugins/tile_set_editor_plugin.cpp msgid "Remove Navigation Polygon" -msgstr "내비게이션 폴리곤 삭제" +msgstr "내비게이션 폴리곤 삭제하기" #: editor/plugins/tile_set_editor_plugin.cpp msgid "Edit Tile Priority" -msgstr "필터 우선 순위 편집" +msgstr "필터 우선 순위 편집하기" #: editor/plugins/tile_set_editor_plugin.cpp msgid "Edit Tile Z Index" -msgstr "타일 Z 인덱스 편집" +msgstr "타일 Z 인덱스 편집하기" #: editor/plugins/tile_set_editor_plugin.cpp msgid "Create Collision Polygon" @@ -7878,23 +7904,129 @@ msgstr "어클루전 폴리곤 만들기" #: editor/plugins/tile_set_editor_plugin.cpp msgid "This property can't be changed." -msgstr "이 속성을 바꿀 수 없습니다." +msgstr "이 속성은 바꿀 수 없어요." #: editor/plugins/tile_set_editor_plugin.cpp msgid "TileSet" msgstr "타일셋" +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No VCS addons are available." +msgstr "노드의 부모 이름 (사용 가능한 경우)" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "오류" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No commit message was provided" +msgstr "이름이 지정되지 않음" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit" +msgstr "커뮤니티" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Initialize" +msgstr "대문자로 시작하기" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "새로운 사각형 만들기." + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "변경하기" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "이름 바꾸기" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "삭제하기" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Typechange" +msgstr "변경하기" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "선택 항목 삭제하기" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage All" +msgstr "모두 저장하기" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit Changes" +msgstr "스크립트 변경 사항 동기화하기" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "상태" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No file diff is active" +msgstr "파일이 선택되지 않았습니다!" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "(GLES3만 가능)" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Add input +" -msgstr "입력 추가 +" +msgstr "입력 추가하기 +" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Add output +" -msgstr "출력 추가 +" +msgstr "출력 추가하기 +" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Scalar" @@ -7910,59 +8042,59 @@ msgstr "불리언" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Add input port" -msgstr "입력 포트 추가" +msgstr "입력 포트 추가하기" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Add output port" -msgstr "출력 포트 추가" +msgstr "출력 포트 추가하기" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Change input port type" -msgstr "입렫 포트 타입 변경" +msgstr "입력 포트 유형 바꾸기" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Change output port type" -msgstr "출력 포트 타입 변경" +msgstr "출력 포트 유형 바꾸기" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Change input port name" -msgstr "입력 포트 이름 변경" +msgstr "입력 포트 이름 바꾸기" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Change output port name" -msgstr "출력 포트 이름 변경" +msgstr "출력 포트 이름 바꾸기" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Remove input port" -msgstr "입력 포트 삭제" +msgstr "입력 포트 삭제하기" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Remove output port" -msgstr "출력 포트 삭제" +msgstr "출력 포트 삭제하기" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Set expression" -msgstr "표현식 설정" +msgstr "표현식 설정하기" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Resize VisualShader node" -msgstr "비주얼 셰이더 노드 크기 조정" +msgstr "비주얼 셰이더 노드 크기 조정하기" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Set Uniform Name" -msgstr "통일 이름 설정" +msgstr "Uniform 이름 설정하기" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Set Input Default Port" -msgstr "입력 기본 포트 설정" +msgstr "입력 기본 포트 설정하기" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Add Node to Visual Shader" -msgstr "노드를 비주얼 셰이더에 추가" +msgstr "노드를 비주얼 셰이더에 추가하기" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Duplicate Nodes" -msgstr "노드 복제" +msgstr "노드 복제하기" #: editor/plugins/visual_shader_editor_plugin.cpp #: modules/visual_script/visual_script_editor.cpp @@ -7971,15 +8103,15 @@ msgstr "노드 붙여넣기" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Delete Nodes" -msgstr "노드 삭제" +msgstr "노드 삭제하기" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Visual Shader Input Type Changed" -msgstr "비주얼 셰이더 입력 타입 변경됨" +msgstr "비주얼 셰이더 입력 유형 변경됨" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Vertex" -msgstr "버텍스" +msgstr "꼭짓점" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Fragment" @@ -7990,9 +8122,8 @@ msgid "Light" msgstr "조명" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Show resulted shader code." -msgstr "셰이더 노드 만들기" +msgstr "결과 셰이더 코드 보이기." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Create Shader Node" @@ -8012,11 +8143,11 @@ msgstr "회색조 함수." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Converts HSV vector to RGB equivalent." -msgstr "HSV 벡터를 RGB로 변환합니다." +msgstr "HSV 벡터를 RGB로 변환해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Converts RGB vector to HSV equivalent." -msgstr "RGB 벡터를 HSV로 변환합니다." +msgstr "RGB 벡터를 HSV로 변환해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Sepia function." @@ -8068,7 +8199,7 @@ msgstr "색상 유니폼." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the %s comparison between two parameters." -msgstr "두 매개변수 사이 %s 비교의 불리언 결과 값을 반환합니다." +msgstr "두 매개변수 사이 %s 비교의 불리언 결과 값을 반환해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Equal (==)" @@ -8086,20 +8217,20 @@ msgstr "보다 크거나 같다 (>=)" msgid "" "Returns an associated vector if the provided scalars are equal, greater or " "less." -msgstr "제공된 스칼라가 같거나, 더 크거나, 더 작으면 관련 벡터를 반환합니다." +msgstr "제공된 스칼라가 같거나, 더 크거나, 더 작으면 관련 벡터를 반환해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "" "Returns the boolean result of the comparison between INF and a scalar " "parameter." -msgstr "무한(INF)과 스칼라 매개변수 사이 비교의 불리언 결과 값을 반환합니다." +msgstr "INF(무한)과 스칼라 매개변수 사이 비교의 불리언 결과 값을 반환해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "" "Returns the boolean result of the comparison between NaN and a scalar " "parameter." msgstr "" -"숫자 아님(NaN)과 스칼라 매개변수 사이 비교의 불리언 결과 값을 반환합니다." +"NaN(숫자 아님)과 스칼라 매개변수 사이 비교의 불리언 결과 값을 반환해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Less Than (<)" @@ -8116,19 +8247,25 @@ msgstr "같지 않다 (!=)" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "" "Returns an associated vector if the provided boolean value is true or false." -msgstr "불리언 값이 참이거나 거짓이면 관련 벡터를 반환합니다." +msgstr "불리언 값이 참이거나 거짓이면 관련 벡터를 반환해요." + +#: editor/plugins/visual_shader_editor_plugin.cpp +#, fuzzy +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "불리언 값이 참이거나 거짓이면 관련 벡터를 반환해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." -msgstr "두 매개변수 사이 비교의 불리언 결과 값을 반환합니다." +msgstr "두 매개변수 사이 비교의 불리언 결과 값을 반환해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "" "Returns the boolean result of the comparison between INF (or NaN) and a " "scalar parameter." msgstr "" -"무한(INF) (또는 숫자 아님(NaN))과 스칼라 매개변수 사이 비교의 불리언 결과 값" -"을 반환합니다." +"INF(무한) (또는 NaN(숫자 아님))과 스칼라 매개변수 사이 비교의 불리언 결과 값" +"을 반환해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Boolean constant." @@ -8172,11 +8309,11 @@ msgstr "꼭짓점과 프래그먼트 셰이더 모드에 대한 '%s' 입력 매 #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Scalar function." -msgstr "Scalar 함수." +msgstr "스칼라 함수." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Scalar operator." -msgstr "Scalar 연산자." +msgstr "스칼라 연산자." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "E constant (2.718282). Represents the base of the natural logarithm." @@ -8212,52 +8349,52 @@ msgstr "Sqrt2 상수 (1.414214). 2의 제곱근." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the absolute value of the parameter." -msgstr "매개변수의 절대값을 반환합니다." +msgstr "매개변수의 절대값을 반환해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the arc-cosine of the parameter." -msgstr "매개변수의 아크코사인 값을 반환합니다." +msgstr "매개변수의 아크코사인 값을 반환해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the inverse hyperbolic cosine of the parameter." -msgstr "매개변수의 역쌍곡코사인 값을 반환합니다." +msgstr "매개변수의 역쌍곡코사인 값을 반환해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the arc-sine of the parameter." -msgstr "매개변수의 아크사인 값을 반환합니다." +msgstr "매개변수의 아크사인 값을 반환해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the inverse hyperbolic sine of the parameter." -msgstr "매개변수의 역쌍곡사인 값을 반환합니다." +msgstr "매개변수의 역쌍곡사인 값을 반환해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the arc-tangent of the parameter." -msgstr "매개변수의 아크탄젠트 값을 반환합니다." +msgstr "매개변수의 아크탄젠트 값을 반환해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the arc-tangent of the parameters." -msgstr "매개변수들의 아크탄젠트 값을 반환합니다." +msgstr "매개변수들의 아크탄젠트 값을 반환해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the inverse hyperbolic tangent of the parameter." -msgstr "매개변수의 역쌍곡탄젠트 값을 반환합니다." +msgstr "매개변수의 역쌍곡탄젠트 값을 반환해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "" "Finds the nearest integer that is greater than or equal to the parameter." -msgstr "매개변수보다 크거나 같은 가장 가까운 정수를 찾습니다." +msgstr "매개변수보다 크거나 같은 가장 가까운 정수를 찾아요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Constrains a value to lie between two further values." -msgstr "두 개의 다른 값 사이에 놓이는 값을 제한합니다." +msgstr "떨어져 있는 두 값 사이에 놓이는 값을 제한해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the cosine of the parameter." -msgstr "매개변수의 코사인 값을 반환합니다." +msgstr "매개변수의 코사인 값을 반환해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the hyperbolic cosine of the parameter." -msgstr "매개변수의 쌍곡코사인 값을 반환합니다." +msgstr "매개변수의 쌍곡코사인 값을 반환해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Converts a quantity in radians to degrees." @@ -8273,15 +8410,15 @@ msgstr "2가 밑인 지수 함수." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Finds the nearest integer less than or equal to the parameter." -msgstr "매개변수보다 적거나 같은 가장 가까운 정수를 찾습니다." +msgstr "매개변수보다 적거나 같은 가장 가까운 정수를 찾아요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Computes the fractional part of the argument." -msgstr "인수의 프랙탈 구조를 계산합니다." +msgstr "인수의 소수 부분을 계산해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the inverse of the square root of the parameter." -msgstr "매개변수의 제곱근 역함수 값을 반환합니다." +msgstr "매개변수의 제곱근 역함수 값을 반환해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Natural logarithm." @@ -8293,11 +8430,11 @@ msgstr "2가 밑인 로그 함수." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the greater of two values." -msgstr "두 값 중 더 큰 값을 반환합니다." +msgstr "두 값 중 더 큰 값을 반환해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the lesser of two values." -msgstr "두 값 중 더 작은 값을 반환합니다." +msgstr "두 값 중 더 작은 값을 반환해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Linear interpolation between two scalars." @@ -8305,7 +8442,7 @@ msgstr "두 스칼라 값 사이 선형 보간." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the opposite value of the parameter." -msgstr "매개변수의 반대 값을 반환합니다." +msgstr "매개변수의 반대 값을 반환해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "1.0 - scalar" @@ -8314,11 +8451,11 @@ msgstr "1.0 - 스칼라" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "" "Returns the value of the first parameter raised to the power of the second." -msgstr "첫 번째 매개변수를 두 번째 매개변수로 제곱한 값을 반환합니다." +msgstr "첫 번째 매개변수를 두 번째 매개변수로 제곱한 값을 반환해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Converts a quantity in degrees to radians." -msgstr "각도 단위를 도에서 라디안으로 변환합니다." +msgstr "각도 단위를 도에서 라디안으로 변환해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "1.0 / scalar" @@ -8326,34 +8463,33 @@ msgstr "1.0 / 스칼라" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Finds the nearest integer to the parameter." -msgstr "매개변수에서 가장 가까운 정수를 찾습니다." +msgstr "매개변수에서 가장 가까운 정수를 찾아요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Finds the nearest even integer to the parameter." -msgstr "매개변수에서 가장 가까운 짝수 정수를 찾습니다." +msgstr "매개변수에서 가장 가까운 짝수 정수를 찾아요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Clamps the value between 0.0 and 1.0." -msgstr "값을 0.0에서 1.0 사이로 고정합니다." +msgstr "값을 0.0에서 1.0 사이로 고정해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Extracts the sign of the parameter." -msgstr "매개변수의 부호를 추출합니다." +msgstr "매개변수의 부호를 추출해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the sine of the parameter." -msgstr "매개변수의 사인 값을 반환합니다." +msgstr "매개변수의 사인 값을 반환해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the hyperbolic sine of the parameter." -msgstr "매개변수의 쌍곡사인 값을 반환합니다." +msgstr "매개변수의 쌍곡사인 값을 반환해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the square root of the parameter." -msgstr "매개변수의 제곱근을 반환합니다." +msgstr "매개변수의 제곱근을 반환해요." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "SmoothStep function( scalar(edge0), scalar(edge1), scalar(x) ).\n" "\n" @@ -8363,11 +8499,10 @@ msgid "" msgstr "" "SmoothStep 함수( 스칼라(edge0), 스칼라(edge1), 스칼라(x) ).\n" "\n" -"'x'가 'edge0'보다 작고, 'edge1'보다 크면 0.0을 반환합니다. 그렇지 않은 경우, " -"반환값은 에르미트 다항식을 통해 0.0과 1.0사이로 보간됩니다." +"'x'가 'edge0'보다 작으면 0.0을 반환하고, 'edge1'보다 크면 1.0을 반환해요. 그" +"렇지 않은 경우, 에르미트 다항식을 통해반환값을 0.0과 1.0사이로 보간해요." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "Step function( scalar(edge), scalar(x) ).\n" "\n" @@ -8375,39 +8510,39 @@ msgid "" msgstr "" "Step 함수( 스칼라(edge), 스칼라(x) ).\n" "\n" -"'x'가 'edge'보다 작으면 0.0을 반환하고 그렇지 않으면 1.0을 반환합니다." +"'x'가 'edge'보다 작으면 0.0을 반환하고 그렇지 않으면 1.0을 반환해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the tangent of the parameter." -msgstr "매개변수의 탄젠트 값을 반환합니다." +msgstr "매개변수의 탄젠트 값을 반환해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the hyperbolic tangent of the parameter." -msgstr "매개변수의 쌍곡탄젠트 값을 반환합니다." +msgstr "매개변수의 쌍곡탄젠트 값을 반환해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Finds the truncated value of the parameter." -msgstr "매개변수의 절사된 값을 찾습니다." +msgstr "매개변수의 절사된 값을 찾아요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Adds scalar to scalar." -msgstr "스칼라에 스칼라를 더합니다." +msgstr "스칼라에 스칼라를 더해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Divides scalar by scalar." -msgstr "스칼라를 스칼라로 나눕니다." +msgstr "스칼라를 스칼라로 나누어요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Multiplies scalar by scalar." -msgstr "스칼라를 스칼라로 곱합니다." +msgstr "스칼라를 스칼라로 곱해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the remainder of the two scalars." -msgstr "두 스칼라의 나머지를 반환합니다." +msgstr "두 스칼라의 나머지를 반환해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Subtracts scalar from scalar." -msgstr "스칼라에서 스칼라를 뺍니다." +msgstr "스칼라에서 스칼라를 빼요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Scalar constant." @@ -8419,23 +8554,23 @@ msgstr "스칼라 유니폼." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Perform the cubic texture lookup." -msgstr "세제곱 텍스쳐 룩업을 수행합니다." +msgstr "세제곱 텍스처 룩업을 수행해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Perform the texture lookup." -msgstr "텍스쳐 룩업을 수행합니다." +msgstr "텍스처 룩업을 수행해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Cubic texture uniform lookup." -msgstr "세제곱 텍스쳐 유니폼 룩업." +msgstr "세제곱 텍스처 유니폼 룩업." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "2D texture uniform lookup." -msgstr "2D 텍스쳐 유니폼 룩업." +msgstr "2D 텍스처 유니폼 룩업." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "2D texture uniform lookup with triplanar." -msgstr "Triplanar가 적용된 2D 텍스쳐 유니폼 룩업 ." +msgstr "Triplanar가 적용된 2D 텍스처 유니폼 룩업 ." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Transform function." @@ -8451,40 +8586,40 @@ msgid "" "whose number of rows is the number of components in 'c' and whose number of " "columns is the number of components in 'r'." msgstr "" -"벡터 한 쌍의 외적을 계산합니다.\n" +"벡터 한 쌍의 외적을 계산해요.\n" "\n" -"OuterProduct는 첫 매개변수 'c'를 열 벡터로 취급합니다 (1열로 이루어진 행렬) " -"그리고 두 번째 매개변수 'r'을 행 벡터로 취급합니다 (1행으로 이루어진 행렬) 그" -"리고 선형 대수 행렬에 'c * r'을 곱합니다, 행렬을 산출하는데, 행의 수는 'c'의 " -"구성 요소 수이고 열의 수는 'r'의 구성 요소 수입니다." +"OuterProduct는 첫 매개변수 'c'를 열 벡터로 취급하고 (1열로 이루어진 행렬) 두 " +"번째 매개변수 'r'을 행 벡터로 취급해요 (1행으로 이루어진 행렬), 그리고 선형 " +"대수 행렬에 'c * r'을 곱해서 행렬을 산출하는데, 행 수는 'c'의 구성 요소 수이" +"고 열 수는 'r'의 구성 요소 수가 돼요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Composes transform from four vectors." -msgstr "4개의 벡터로 변형을 합성합니다." +msgstr "4개의 벡터로 변형을 합성해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Decomposes transform to four vectors." -msgstr "변형을 4개의 벡터로 분해합니다." +msgstr "변형을 4개의 벡터로 분해해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Calculates the determinant of a transform." -msgstr "변형의 행렬식을 계산합니다." +msgstr "변형의 행렬식을 계산해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Calculates the inverse of a transform." -msgstr "변형의 역함수를 계산합니다." +msgstr "변형의 역함수를 계산해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Calculates the transpose of a transform." -msgstr "변형의 전치를 계산합니다." +msgstr "변형의 전치를 계산해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Multiplies transform by transform." -msgstr "변형에 변형을 곱합니다." +msgstr "변형에 변형을 곱해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Multiplies vector by transform." -msgstr "변형에 벡터를 곱합니다." +msgstr "변형에 벡터를 곱해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Transform constant." @@ -8504,23 +8639,23 @@ msgstr "벡터 연산자." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Composes vector from three scalars." -msgstr "세 개의 스칼라로 벡터를 합성합니다." +msgstr "세 개의 스칼라로 벡터를 합성해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Decomposes vector to three scalars." -msgstr "벡터를 세 개의 스칼라로 분해합니다." +msgstr "벡터를 세 개의 스칼라로 분해해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Calculates the cross product of two vectors." -msgstr "두 벡터의 벡터곱 값을 계산합니다." +msgstr "두 벡터의 벡터곱 값을 계산해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the distance between two points." -msgstr "두 점 사이의 거리를 반환합니다." +msgstr "두 점 사이의 거리를 반환해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Calculates the dot product of two vectors." -msgstr "두 벡터의 스칼라곱 값을 계산합니다." +msgstr "두 벡터의 스칼라곱 값을 계산해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "" @@ -8529,27 +8664,26 @@ msgid "" "incident vector, and Nref, the reference vector. If the dot product of I and " "Nref is smaller than zero the return value is N. Otherwise -N is returned." msgstr "" -"같은 방향을 가리키는 벡터를 참조 벡터로 반환합니다. 함수에는 세 개의 벡터 매" -"개변수가 있습니다 : 방향을 지정하는 벡터 N, 인시던트 벡터 I, 그리고 참조 벡" -"터 Nref. I와 Nref의 내적 값이 0보다 작으면 반환값은 N이 됩니다. 그렇지 않으" -"면 -N이 반환됩니다." +"같은 방향을 가리키는 벡터를 참조 벡터로 반환해요. 함수에는 세 개의 벡터 매개" +"변수가 있어요 : 방향을 지정하는 벡터 N, 인시던트 벡터 I, 그리고 참조 벡터 " +"Nref. 만약 I와 Nref가 0의 벡터곱이 0보다 작다면 반환값은 N이 되요. 그렇지 않" +"으면 -N이 반환되고요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Calculates the length of a vector." -msgstr "벡터의 길이를 계산합니다." +msgstr "벡터의 길이를 계산해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Linear interpolation between two vectors." msgstr "두 벡터 간의 선형 보간." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Linear interpolation between two vectors using scalar." -msgstr "두 벡터 간의 선형 보간." +msgstr "스칼라를 사용하 두 벡터 간의 선형 보간." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Calculates the normalize product of vector." -msgstr "벡터의 노멀 값을 계산합니다." +msgstr "벡터의 노멀 값을 계산해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "1.0 - vector" @@ -8564,14 +8698,13 @@ msgid "" "Returns the vector that points in the direction of reflection ( a : incident " "vector, b : normal vector )." msgstr "" -"반사 방향을 가리키는 벡터를 반환합니다 (a : 인시던트 벡터, b : 노멀 벡터)." +"반사 방향을 가리키는 벡터를 반환해요 (a : 인시던트 벡터, b : 노멀 벡터)." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the vector that points in the direction of refraction." -msgstr "반사 방향을 가리키는 벡터를 반환합니다." +msgstr "반사 방향을 가리키는 벡터를 반환해요." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "SmoothStep function( vector(edge0), vector(edge1), vector(x) ).\n" "\n" @@ -8581,12 +8714,10 @@ msgid "" msgstr "" "SmoothStep 함수( 벡터(edge0), 벡터(edge1), 벡터(x) ).\n" "\n" -"'x'가 'edge0'보다 작으면 0.0을 반환하고 'x'가 'edge1'보다 크면 1.0을 반환합니" -"다. 그렇지 않으면 반환 값은 에르미트 다항식을 통해 0.0과 1.0 사이로 보간됩니" -"다." +"'x'가 'edge0'보다 작으면 0.0을, 'x'가 'edge1'보다 크면 1.0을 반환해요. 그렇" +"지 않은 경우 에르미트 다항식으로 반환값을 0.0과 1.0 사이로 보간해요." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "SmoothStep function( scalar(edge0), scalar(edge1), vector(x) ).\n" "\n" @@ -8596,12 +8727,10 @@ msgid "" msgstr "" "SmoothStep 함수( 스칼라(edge0), 스칼라(edge1), 벡터(x) ).\n" "\n" -"'x'가 'edge0'보다 작으면 0.0을 반환하고 'x'가 'edge1'보다 크면 1.0을 반환합니" -"다. 그렇지 않으면 반환 값은 에르미트 다항식을 통해 0.0과 1.0 사이로 보간됩니" -"다." +"'x'가 'edge0'보다 작으면 0.0을, 'x'가 'edge1'보다 크면 1.0을 반환해요. 그렇" +"지 않은 경우 에르미트 다항식으로 반환값을 0.0과 1.0 사이로 보간해요." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "Step function( vector(edge), vector(x) ).\n" "\n" @@ -8609,10 +8738,9 @@ msgid "" msgstr "" "Step 함수( 벡터(edge), 벡터(x) ).\n" "\n" -"'x'가 'edge'보다 작으면 0.0을 반환하고 그렇지 않으면 1.0을 반환합니다." +"'x'가 'edge'보다 작으면 0.0을 반환하고, 그렇지 않은 경우 1.0을 반환해요." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "Step function( scalar(edge), vector(x) ).\n" "\n" @@ -8620,27 +8748,27 @@ msgid "" msgstr "" "Step 함수( 스칼라(edge), 벡터(x) ).\n" "\n" -"'x'가 'edge'보다 작으면 0.0을 반환하고 그렇지 않으면 1.0을 반환합니다." +"'x'가 'edge'보다 작으면 0.0을 반환하고, 그렇지 않은 경우 1.0을 반환해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Adds vector to vector." -msgstr "벡터에 벡터를 더합니다." +msgstr "벡터에 벡터를 더해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Divides vector by vector." -msgstr "벡터를 벡터로 나눕니다." +msgstr "벡터를 벡터로 나누어요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Multiplies vector by vector." -msgstr "벡터를 벡터로 곱합니다." +msgstr "벡터를 벡터로 곱해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the remainder of the two vectors." -msgstr "두 벡터의 나머지를 반환합니다." +msgstr "두 벡터의 나머지를 반환해요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Subtracts vector from vector." -msgstr "벡터에서 벡터를 뺍니다." +msgstr "벡터에서 벡터를 빼요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Vector constant." @@ -8656,17 +8784,17 @@ msgid "" "output ports. This is a direct injection of code into the vertex/fragment/" "light function, do not use it to write the function declarations inside." msgstr "" -"커스텀 Godot 셰이더 언어 명령문으로, 커스텀 입력 및 출력 포트가 있습니다. 버" -"텍스/프래그먼트/조명 함수에 직접 코드를 넣는 것이므로, 코드 내에 함수 선언을 " -"적는 용도로 쓰지 마세요." +"맞춤 입력 및 출력 포트로 이루어진, 맞춤 Godot 셰이더 언어 명령문. 꼭짓점/프래" +"그먼트/조명 함수에 직접 코드를 넣는 것이므로 코드 내에 함수 선언을 작성하는 " +"용도로 쓰지 마세요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "" "Returns falloff based on the dot product of surface normal and view " "direction of camera (pass associated inputs to it)." msgstr "" -"카메라의 화면 방향과 표면 노멀의 스칼라곱을 기반으로 하는 폴오프를 반환합니" -"다 (폴오프와 관련된 입력을 전달함)." +"카메라의 화면 방향과 표면 노멀의 스칼라곱을 기반으로 하는 폴오프를 반환해요 " +"(폴오프와 관련된 입력을 전달함)." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "" @@ -8674,6 +8802,9 @@ msgid "" "shader. You can place various function definitions inside and call it later " "in the Expressions. You can also declare varyings, uniforms and constants." msgstr "" +"결과 셰이더 위에 배치된, 맞춤 Godot 셰이더 언어 명령문. 다양한 함수 선언을 놓" +"은 뒤 나중에 명령문에서 호출할 수 있어요. 변화, 유니폼, 상수도 정의할 수 있어" +"요." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(Fragment/Light mode only) Scalar derivative function." @@ -8727,7 +8858,7 @@ msgstr "비주얼 셰이더" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Edit Visual Property" -msgstr "비주얼 속성 편집" +msgstr "비주얼 속성 편집하기" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Visual Shader Mode Changed" @@ -8739,19 +8870,19 @@ msgstr "실행가능" #: editor/project_export.cpp msgid "Delete patch '%s' from list?" -msgstr "'%s'을(를) 패치 목록에서 삭제하시겠습니까?" +msgstr "'%s'을(를) 패치 목록에서 삭제할까요?" #: editor/project_export.cpp msgid "Delete preset '%s'?" -msgstr "'%s' 프리셋을 삭제하시겠습니까?" +msgstr "'%s' 프리셋을 삭제할까요?" #: editor/project_export.cpp msgid "" "Failed to export the project for platform '%s'.\n" "Export templates seem to be missing or invalid." msgstr "" -"'%s' 플랫폼에 프로젝트를 내보낼 수 없습니다.\n" -"내보내기 템플릿이 없거나 올바르지 않습니다." +"'%s' 플랫폼에 프로젝트를 내보낼 수 없어요.\n" +"내보내기 템플릿이 누락되거나 잘못된 듯 해요." #: editor/project_export.cpp msgid "" @@ -8759,12 +8890,12 @@ msgid "" "This might be due to a configuration issue in the export preset or your " "export settings." msgstr "" -"'%s' 플랫폼에 프로젝트를 내보낼 수 없습니다.\n" -"내보내기 프리셋이나 내보내기 설정의 구성 문제가 원인으로 보입니다." +"'%s' 플랫폼에 프로젝트를 내보낼 수 없어요.\n" +"내보내기 프리셋이나 내보내기 설정 상의 문제 때문인 것 같아요." #: editor/project_export.cpp msgid "Release" -msgstr "배포" +msgstr "출시" #: editor/project_export.cpp msgid "Exporting All" @@ -8772,11 +8903,11 @@ msgstr "모두 내보내기" #: editor/project_export.cpp msgid "The given export path doesn't exist:" -msgstr "주어진 내보내기 경로가 존재하지 않습니다:" +msgstr "주어진 내보내기 경로가 없음:" #: editor/project_export.cpp msgid "Export templates for this platform are missing/corrupted:" -msgstr "이 플랫폼에 대한 내보내기 템플릿이 없거나 손상됨:" +msgstr "이 플랫폼의 내보내기 템플릿이 누락됨/손상됨:" #: editor/project_export.cpp msgid "Presets" @@ -8784,7 +8915,7 @@ msgstr "프리셋" #: editor/project_export.cpp editor/project_settings_editor.cpp msgid "Add..." -msgstr "추가..." +msgstr "추가하기..." #: editor/project_export.cpp msgid "Export Path" @@ -8800,11 +8931,11 @@ msgstr "프로젝트의 모든 리소스 내보내기" #: editor/project_export.cpp msgid "Export selected scenes (and dependencies)" -msgstr "선택된 씬 내보내기 (종속된 리소스 포함)" +msgstr "선택한 씬 내보내기 (종속된 리소스 포함)" #: editor/project_export.cpp msgid "Export selected resources (and dependencies)" -msgstr "선택된 리소스 내보내기 (종속된 리소스 포함)" +msgstr "선택한 리소스 내보내기 (종속된 리소스 포함)" #: editor/project_export.cpp msgid "Export Mode:" @@ -8817,12 +8948,12 @@ msgstr "내보낼 리소스:" #: editor/project_export.cpp msgid "" "Filters to export non-resource files (comma separated, e.g: *.json, *.txt)" -msgstr "리소스가 아닌 파일 내보내기 필터 (콤마로 구분, 예: *.json, *.txt)" +msgstr "리소스가 아닌 파일 내보내기 필터 (쉼표로 구분, 예: *.json, *.txt)" #: editor/project_export.cpp msgid "" "Filters to exclude files from project (comma separated, e.g: *.json, *.txt)" -msgstr "프로젝트에서 제외시킬 파일 필터 (콤마로 구분, 예: *.json, *.txt)" +msgstr "프로젝트에서 제외시킬 파일 필터 (쉼표로 구분, 예: *.json, *.txt)" #: editor/project_export.cpp msgid "Patches" @@ -8838,7 +8969,7 @@ msgstr "기능" #: editor/project_export.cpp msgid "Custom (comma-separated):" -msgstr "커스텀 (쉼표로 구분):" +msgstr "맞춤 (쉼표로 구분):" #: editor/project_export.cpp msgid "Feature List:" @@ -8858,7 +8989,7 @@ msgstr "텍스트" #: editor/project_export.cpp msgid "Compiled" -msgstr "컴파일" +msgstr "컴파일됨" #: editor/project_export.cpp msgid "Encrypted (Provide Key Below)" @@ -8866,11 +8997,11 @@ msgstr "암호화 (아래에 키값 필요)" #: editor/project_export.cpp msgid "Invalid Encryption Key (must be 64 characters long)" -msgstr "올바르지 않은 암호화 키 (64자 길이어야 함)" +msgstr "잘못된 암호화 키 (64자 길이여야 함)" #: editor/project_export.cpp msgid "Script Encryption Key (256-bits as hex):" -msgstr "스크립트 암호 키 (256-비트를 hex 포멧으로):" +msgstr "스크립트 암호화 키 (256-비트를 hex 형식으로):" #: editor/project_export.cpp msgid "Export PCK/Zip" @@ -8898,13 +9029,12 @@ msgstr "디버그와 함께 내보내기" #: editor/project_manager.cpp msgid "The path does not exist." -msgstr "경로가 존재하지 않습니다." +msgstr "경로가 없어요." #: editor/project_manager.cpp msgid "Invalid '.zip' project file, does not contain a 'project.godot' file." msgstr "" -"올바르지 않은 '.zip' 프로젝트 파일, 'project.godot' 파일을 포함하지 않고 있습" -"니다." +"잘못된 '.zip' 프로젝트 파일이에요, 'project.godot' 파일을 갖고 있지 않아요." #: editor/project_manager.cpp msgid "Please choose an empty folder." @@ -8912,11 +9042,11 @@ msgstr "비어있는 폴더를 선택하세요." #: editor/project_manager.cpp msgid "Please choose a 'project.godot' or '.zip' file." -msgstr "'project.godot' 파일 이나 '.zip' 파일을 선택하세요." +msgstr "'project.godot' 파일 또는 '.zip' 파일을 선택하세요." #: editor/project_manager.cpp msgid "Directory already contains a Godot project." -msgstr "디렉토리에 Godot 프로젝트가 이미 있습니다." +msgstr "디렉토리에 Godot 프로젝트가 이미 있어요." #: editor/project_manager.cpp msgid "New Game Project" @@ -8928,47 +9058,47 @@ msgstr "가져온 프로젝트" #: editor/project_manager.cpp msgid "Invalid Project Name." -msgstr "인식할수 없는 프로젝트 명입니다." +msgstr "잘못된 프로젝트 이름." #: editor/project_manager.cpp msgid "Couldn't create folder." -msgstr "폴더를 만들 수 없습니다." +msgstr "폴더를 만들 수 없어요." #: editor/project_manager.cpp msgid "There is already a folder in this path with the specified name." -msgstr "이미 지정된 이름의 경로를 가진 폴더입니다." +msgstr "이미 이 경로에 이 이름과 같은 폴더가 있어요." #: editor/project_manager.cpp msgid "It would be a good idea to name your project." -msgstr "프로젝트 이름을 정하는 것을 권합니다." +msgstr "프로젝트 이름을 정하는 게 좋을 거에요." #: editor/project_manager.cpp msgid "Invalid project path (changed anything?)." -msgstr "올바르지 않은 프로젝트 경로 (뭔가 변경하신 거라도?)." +msgstr "잘못된 프로젝트 경로 (프로젝트에 손대셨나요?)." #: editor/project_manager.cpp msgid "" "Couldn't load project.godot in project path (error %d). It may be missing or " "corrupted." msgstr "" -"프로젝트 경로로부터 project.godot 파일을 불러올 수 없습니다 (오류 %d). 존재하" -"지 않거나 손상되었을 수 있습니다." +"프로젝트 경로에서 project.godot을 불러올 수 없어요 (오류 %d). 누락되거나 손상" +"되었나 봐요." #: editor/project_manager.cpp msgid "Couldn't edit project.godot in project path." -msgstr "프로젝트 경로에 project.godot 파일을 편집할 수 없습니다." +msgstr "프로젝트 경로에서 project.godot 파일을 편집할 수 없어요." #: editor/project_manager.cpp msgid "Couldn't create project.godot in project path." -msgstr "프로젝트 경로에 project.godot 파일을 생성할 수 없습니다." +msgstr "프로젝트 경로에서 project.godot 파일을 생성할 수 없어요." #: editor/project_manager.cpp msgid "The following files failed extraction from package:" -msgstr "다음의 파일들을 패키지로부터 추출하는데 실패했습니다:" +msgstr "다음 파일을 패키지에서 추출하는데 실패함:" #: editor/project_manager.cpp msgid "Rename Project" -msgstr "프로젝트 이름 변경" +msgstr "프로젝트 이름 바꾸기" #: editor/project_manager.cpp msgid "Import Existing Project" @@ -8976,7 +9106,7 @@ msgstr "기존 프로젝트 가져오기" #: editor/project_manager.cpp msgid "Import & Edit" -msgstr "가져오기 & 편집" +msgstr "가져오기 & 편집하기" #: editor/project_manager.cpp msgid "Create New Project" @@ -8984,7 +9114,7 @@ msgstr "새 프로젝트 만들기" #: editor/project_manager.cpp msgid "Create & Edit" -msgstr "생성 & 편집" +msgstr "만들기 & 편집하기" #: editor/project_manager.cpp msgid "Install Project:" @@ -8992,11 +9122,11 @@ msgstr "프로젝트 설치:" #: editor/project_manager.cpp msgid "Install & Edit" -msgstr "설치 & 편집" +msgstr "설치 & 편집하기" #: editor/project_manager.cpp msgid "Project Name:" -msgstr "프로젝트 명:" +msgstr "프로젝트 이름:" #: editor/project_manager.cpp msgid "Project Path:" @@ -9044,28 +9174,27 @@ msgstr "" #: editor/project_manager.cpp msgid "Renderer can be changed later, but scenes may need to be adjusted." -msgstr "렌더러는 나중에 바꿀 수 있지만, 씬을 조정해야 할 수도 있습니다." +msgstr "렌더러는 나중에 바꿀 수 있지만, 씬을 조정해야 할지도 몰라요." #: editor/project_manager.cpp msgid "Unnamed Project" -msgstr "이름없는 프로젝트" +msgstr "이름 없는 프로젝트" #: editor/project_manager.cpp -#, fuzzy msgid "Missing Project" -msgstr "기존 프로젝트 가져오기" +msgstr "누락된 프로젝트" #: editor/project_manager.cpp msgid "Error: Project is missing on the filesystem." -msgstr "" +msgstr "오류: 프로젝트가 파일 시스템에서 누락되었어요." #: editor/project_manager.cpp msgid "Can't open project at '%s'." -msgstr "'%s'에서 프로젝트를 열 수 없음." +msgstr "'%s'에서 프로젝트를 열 수 없어요." #: editor/project_manager.cpp msgid "Are you sure to open more than one project?" -msgstr "두개 이상의 프로젝트를 열려는 것이 확실합니까?" +msgstr "두 개 이상의 프로젝트를 여는 건가요?" #: editor/project_manager.cpp msgid "" @@ -9079,12 +9208,12 @@ msgid "" "Warning: You won't be able to open the project with previous versions of the " "engine anymore." msgstr "" -"다음 프로젝트 설정 파일은 현재 버전의 Godot에서 생성한 것이 아닙니다.\n" +"다음 프로젝트 설정 파일은 현재 버전의 Godot에서 만든 것이 아니네요.\n" "↵\n" "%s↵\n" "↵\n" -"파일을 연다면, 현재 Godot의 구성 파일 형식으로 변환됩니다.\n" -"경고: 더 이상 이 프로젝트를 이전 버전의 엔진에서 열 수 없게 됩니다." +"파일 열기를 계속한다면, 현재 Godot의 구성 파일 형식으로 변환될 거에요.\n" +"경고: 더 이상 이 프로젝트를 이전 버전의 엔진에서 열 수 없을 거에요." #: editor/project_manager.cpp msgid "" @@ -9097,21 +9226,20 @@ msgid "" "Warning: You won't be able to open the project with previous versions of the " "engine anymore." msgstr "" -"다음의 프로젝트 설정 파일은 이전 버전에서 생성된 것으로, 현재 버전에 맞게 변" -"환해야 합니다:\n" +"다음 프로젝트 설정 파일은 이전 버전에 만든 것으로, 현재 버전에 맞게 변환해야 " +"해요:\n" "\n" "%s\n" "\n" -"변환하시겠습니까?\n" -"경고: 더 이상 이 프로젝트를 이전 버전의 엔진에서 열 수 없게 됩니다." +"변환할까요?\n" +"경고: 더 이상 이 프로젝트를 이전 버전의 엔진에서 열 수 없을 거에요." #: editor/project_manager.cpp msgid "" "The project settings were created by a newer engine version, whose settings " "are not compatible with this version." msgstr "" -"새로운 버전의 엔진으로 프로젝트 설정이 생성되었습니다, 이 버전에서는 호환되" -"지 않습니다." +"프로젝트 설정이 새 버전에 맞게 만들어졌어요, 이 버전에서는 호환하지 않아요." #: editor/project_manager.cpp msgid "" @@ -9119,69 +9247,67 @@ msgid "" "Please edit the project and set the main scene in the Project Settings under " "the \"Application\" category." msgstr "" -"프로젝트를 실행할 수 없습니다: 메인 씬이 지정되지 않았습니다.\n" -"프로젝트를 편집하고 프로젝트 설정의 \"Application\" 카테고리에서 메인 씬을 설" -"정하세요." +"프로젝트를 실행할 수 없음: 기본 씬을 정의하지 않았어요.\n" +"프로젝트를 편집하고 프로젝트 설정의 \"Application\" 카테고리에서 기본 씬을 설" +"정해주세요." #: editor/project_manager.cpp msgid "" "Can't run project: Assets need to be imported.\n" "Please edit the project to trigger the initial import." msgstr "" -"프로젝트 실행 불가: 애셋들을 가져와야 합니다.\n" -"프로젝트를 편집하여 최초 가져오기가 실행되도록 하세요." +"프로젝트를 실행할 수 없음: 애셋을 가져와야 해요.\n" +"프로젝트를 편집해서 최초 가져오기가 실행되도록 하세요." #: editor/project_manager.cpp msgid "Are you sure to run %d projects at once?" -msgstr "한 번에 %d개의 프로젝트를 실행하시겠습니까?" +msgstr "한 번에 %d개의 프로젝트를 실행할까요?" #: editor/project_manager.cpp msgid "" "Remove %d projects from the list?\n" "The project folders' contents won't be modified." msgstr "" -"%d개의 프로젝트를 삭제하시겠습니까?\n" -"프로젝트 폴더의 내용은 수정되지 않습니다." +"%d개의 프로젝트를 삭제할까요?\n" +"프로젝트 폴더의 내용은 수정되지 않아요." #: editor/project_manager.cpp msgid "" "Remove this project from the list?\n" "The project folder's contents won't be modified." msgstr "" -"이 프로젝트를 목록에서 삭제하시겠습니까?\n" -"프로젝트 폴더의 내용은 수정되지 않습니다." +"이 프로젝트를 목록에서 삭제할까요?\n" +"프로젝트 폴더의 내용은 수정되지 않아요." #: editor/project_manager.cpp -#, fuzzy msgid "" "Remove all missing projects from the list?\n" "The project folders' contents won't be modified." msgstr "" -"%d개의 프로젝트를 삭제하시겠습니까?\n" -"프로젝트 폴더의 내용은 수정되지 않습니다." +"%d개의 프로젝트를 삭제할까요?\n" +"프로젝트 폴더의 내용은 수정되지 않아요." #: editor/project_manager.cpp msgid "" "Language changed.\n" "The interface will update after restarting the editor or project manager." msgstr "" -"언어가 변경되었습니다.\n" -"인터페이스는 편집기나 프로젝트 매니저를 재시작할 때 업데이트됩니다." +"언어가 바뀌었어요.\n" +"인터페이스는 편집기나 프로젝트 매니저를 다시 켜면 적용돼요." #: editor/project_manager.cpp msgid "" "Are you sure to scan %s folders for existing Godot projects?\n" "This could take a while." msgstr "" -"Godot 프로젝트가 있는지 %s 폴더를 스캔하시겠습니까?\n" -"약간 시간이 걸릴 수 있습니다." +"Godot 프로젝트를 확인하기 위해 %s 폴더를 스캔할까요?\n" +"시간이 걸릴 수 있어요." #: editor/project_manager.cpp msgid "Project Manager" msgstr "프로젝트 매니저" #: editor/project_manager.cpp -#, fuzzy msgid "Projects" msgstr "프로젝트" @@ -9199,7 +9325,7 @@ msgstr "새 프로젝트" #: editor/project_manager.cpp msgid "Remove Missing" -msgstr "누락된 부분 삭제" +msgstr "누락된 부분 삭제하기" #: editor/project_manager.cpp msgid "Templates" @@ -9218,8 +9344,8 @@ msgid "" "You currently don't have any projects.\n" "Would you like to explore official example projects in the Asset Library?" msgstr "" -"현재 프로젝트가 하나도 없습니다.\n" -"애셋 라이브러리에서 공식 예제 프로젝트를 찾아보시겠습니까?" +"현재 프로젝트가 하나도 없네요.\n" +"애셋 라이브러리에서 공식 예제 프로젝트를 찾아볼까요?" #: editor/project_settings_editor.cpp msgid "Key " @@ -9242,24 +9368,23 @@ msgid "" "Invalid action name. it cannot be empty nor contain '/', ':', '=', '\\' or " "'\"'" msgstr "" -"올바르지 않은 액션 이름. 공백이거나, '/' , ':', '=', '\\', '\"' 를 포함하면 " -"안 됩니다" +"잘못된 액션 이름. 공백이거나, '/' , ':', '=', '\\', '\"' 를 포함하면 안 돼요" #: editor/project_settings_editor.cpp msgid "An action with the name '%s' already exists." -msgstr "이름 '%s'을(를) 가진 액션이 이미 존재합니다." +msgstr "이름 '%s'을(를) 가진 액션이 이미 있어요." #: editor/project_settings_editor.cpp msgid "Rename Input Action Event" -msgstr "입력 앱션 이벤트 이름 변경" +msgstr "입력 액션 이벤트 이름 바꾸기" #: editor/project_settings_editor.cpp msgid "Change Action deadzone" -msgstr "액션 데드 존 변경" +msgstr "액션 데드존 바꾸기" #: editor/project_settings_editor.cpp msgid "Add Input Action Event" -msgstr "입력 액션 이벤트 추가" +msgstr "입력 액션 이벤트 추가하기" #: editor/project_settings_editor.cpp msgid "All Devices" @@ -9343,11 +9468,11 @@ msgstr "입력 액션 지우기" #: editor/project_settings_editor.cpp msgid "Erase Input Action Event" -msgstr "입력 액션 이벤트 삭제" +msgstr "입력 액션 이벤트 삭제하기" #: editor/project_settings_editor.cpp msgid "Add Event" -msgstr "이벤트 추가" +msgstr "이벤트 추가하기" #: editor/project_settings_editor.cpp msgid "Button" @@ -9375,7 +9500,7 @@ msgstr "휠 아래로." #: editor/project_settings_editor.cpp msgid "Add Global Property" -msgstr "글로벌 속성 추가" +msgstr "전역 속성 추가하기" #: editor/project_settings_editor.cpp msgid "Select a setting item first!" @@ -9383,27 +9508,26 @@ msgstr "먼저 설정 항목을 선택하세요!" #: editor/project_settings_editor.cpp msgid "No property '%s' exists." -msgstr "'%s' 속성이 존재하지 않습니다." +msgstr "'%s' 속성이 없어요." #: editor/project_settings_editor.cpp msgid "Setting '%s' is internal, and it can't be deleted." -msgstr "'%s' 설정은 내부적인 것입니다, 삭제할 수 없습니다." +msgstr "'%s' 설정은 내부적인 것이고, 삭제할 수 없어요." #: editor/project_settings_editor.cpp msgid "Delete Item" -msgstr "아이템 삭제" +msgstr "항목 삭제하기" #: editor/project_settings_editor.cpp msgid "" "Invalid action name. It cannot be empty nor contain '/', ':', '=', '\\' or " "'\"'." msgstr "" -"인식할수 없는 액션 이름입니다. 공백이거나, '/' , ':', '=', '\\', '\"' 가 포함" -"되면 안 됩니다." +"잘못된 액션 이름. 공백이거나, '/' , ':', '=', '\\', '\"'를 포함하면 안 돼요." #: editor/project_settings_editor.cpp msgid "Add Input Action" -msgstr "입력 액션 추가" +msgstr "입력 액션 추가하기" #: editor/project_settings_editor.cpp msgid "Error saving settings." @@ -9414,36 +9538,41 @@ msgid "Settings saved OK." msgstr "설정 저장 완료." #: editor/project_settings_editor.cpp +#, fuzzy +msgid "Moved Input Action Event" +msgstr "입력 액션 이벤트 추가하기" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "기능 재정의" #: editor/project_settings_editor.cpp msgid "Add Translation" -msgstr "번역 추가" +msgstr "번역 추가하기" #: editor/project_settings_editor.cpp msgid "Remove Translation" -msgstr "번역 삭제" +msgstr "번역 삭제하기" #: editor/project_settings_editor.cpp msgid "Add Remapped Path" -msgstr "리맵핑 경로 추가" +msgstr "리맵핑 경로 추가하기" #: editor/project_settings_editor.cpp msgid "Resource Remap Add Remap" -msgstr "리소스 리맵핑 추가" +msgstr "리소스 리맵핑 추가하기" #: editor/project_settings_editor.cpp msgid "Change Resource Remap Language" -msgstr "리소스 리맵핑 언어 변경" +msgstr "리소스 리맵핑 언어 바꾸기" #: editor/project_settings_editor.cpp msgid "Remove Resource Remap" -msgstr "리소스 리맵핑 삭제" +msgstr "리소스 리맵핑 삭제하기" #: editor/project_settings_editor.cpp msgid "Remove Resource Remap Option" -msgstr "리소스 리맵핑 옵션 삭제" +msgstr "리소스 리맵핑 옵션 삭제하기" #: editor/project_settings_editor.cpp msgid "Changed Locale Filter" @@ -9451,7 +9580,7 @@ msgstr "로케일 필터 변경됨" #: editor/project_settings_editor.cpp msgid "Changed Locale Filter Mode" -msgstr "로케일 필터 모드 변경" +msgstr "로케일 필터 모드 변경됨" #: editor/project_settings_editor.cpp msgid "Project Settings (project.godot)" @@ -9467,11 +9596,11 @@ msgstr "재정의..." #: editor/project_settings_editor.cpp editor/settings_config_dialog.cpp msgid "The editor must be restarted for changes to take effect." -msgstr "변경 사항을 적용하려면 편집기를 다시 실행해야 합니다." +msgstr "변경 사항을 적용하려면 편집기를 다시 켜야 해요." #: editor/project_settings_editor.cpp msgid "Input Map" -msgstr "입력 설정" +msgstr "입력 맵" #: editor/project_settings_editor.cpp msgid "Action:" @@ -9483,7 +9612,7 @@ msgstr "액션" #: editor/project_settings_editor.cpp msgid "Deadzone" -msgstr "데드 존" +msgstr "데드존" #: editor/project_settings_editor.cpp msgid "Device:" @@ -9550,6 +9679,10 @@ msgid "Plugins" msgstr "플러그인" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "프리셋..." + +#: editor/property_editor.cpp msgid "Zero" msgstr "등속" @@ -9571,19 +9704,19 @@ msgstr "디렉토리..." #: editor/property_editor.cpp msgid "Assign" -msgstr "할당" +msgstr "지정하기" #: editor/property_editor.cpp msgid "Select Node" -msgstr "노드 선택" +msgstr "노드 선택하기" #: editor/property_editor.cpp msgid "Error loading file: Not a resource!" -msgstr "파일 불러오기 오류: 리소스가 아닙니다!" +msgstr "파일 불러오기 오류: 리소스가 아니에요!" #: editor/property_editor.cpp msgid "Pick a Node" -msgstr "노드 선택" +msgstr "노드 선택하기" #: editor/property_editor.cpp msgid "Bit %d, val %d." @@ -9591,19 +9724,19 @@ msgstr "비트 %d, 값 %d." #: editor/property_selector.cpp msgid "Select Property" -msgstr "속성 선택" +msgstr "속성 선택하기" #: editor/property_selector.cpp msgid "Select Virtual Method" -msgstr "가상 메서드 선택" +msgstr "가상 메서드 선택하기" #: editor/property_selector.cpp msgid "Select Method" -msgstr "메서드 선택" +msgstr "메서드 선택하기" #: editor/rename_dialog.cpp editor/scene_tree_dock.cpp msgid "Batch Rename" -msgstr "일괄 이름 변경" +msgstr "일괄 이름 바꾸기" #: editor/rename_dialog.cpp msgid "Prefix" @@ -9615,7 +9748,7 @@ msgstr "접미사" #: editor/rename_dialog.cpp msgid "Advanced Options" -msgstr "고급 옵션" +msgstr "고급 설정" #: editor/rename_dialog.cpp msgid "Substitute" @@ -9631,7 +9764,7 @@ msgstr "노드의 부모 이름 (사용 가능한 경우)" #: editor/rename_dialog.cpp msgid "Node type" -msgstr "노드 타입" +msgstr "노드 유형" #: editor/rename_dialog.cpp msgid "Current scene name" @@ -9647,7 +9780,7 @@ msgid "" "Compare counter options." msgstr "" "순차 정수 카운터.\n" -"카운터 설정과 비교함." +"카운터 설정과 비교해요." #: editor/rename_dialog.cpp msgid "Per Level counter" @@ -9655,7 +9788,7 @@ msgstr "수준 별 카운터" #: editor/rename_dialog.cpp msgid "If set the counter restarts for each group of child nodes" -msgstr "설정한다면 각 그룹의 자식 노드에 대해 카운터가 다시 시작됩니다" +msgstr "설정한다면 각 그룹의 자식 노드의 카운터를 다시 시작해요" #: editor/rename_dialog.cpp msgid "Initial value for the counter" @@ -9687,19 +9820,19 @@ msgstr "정규 표현식" #: editor/rename_dialog.cpp msgid "Post-Process" -msgstr "후 처리" +msgstr "후처리" #: editor/rename_dialog.cpp msgid "Keep" -msgstr "유지" +msgstr "유지하기" #: editor/rename_dialog.cpp msgid "CamelCase to under_scored" -msgstr "낙타 대문자를 밑줄로" +msgstr "CamelCase를 under_scored로 하기" #: editor/rename_dialog.cpp msgid "under_scored to CamelCase" -msgstr "밑줄을 낙타 대문자로" +msgstr "under_scored를 CamelCase로 하기" #: editor/rename_dialog.cpp msgid "Case" @@ -9707,35 +9840,31 @@ msgstr "문자" #: editor/rename_dialog.cpp msgid "To Lowercase" -msgstr "소문자로" +msgstr "소문자로 하기" #: editor/rename_dialog.cpp msgid "To Uppercase" -msgstr "대문자로" +msgstr "대문자로 하기" #: editor/rename_dialog.cpp msgid "Reset" -msgstr "리셋" - -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "오류" +msgstr "되돌리기" #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" -msgstr "부모 노드 재지정" +msgstr "부모 노드 다시 지정하기" #: editor/reparent_dialog.cpp msgid "Reparent Location (Select new Parent):" -msgstr "부모 노드 재지정 위치 (새 부모 노드를 선택):" +msgstr "부모 노드 다시 지정 위치 (새 부모 노드를 선택해요):" #: editor/reparent_dialog.cpp msgid "Keep Global Transform" -msgstr "글로벌 변형 유지" +msgstr "전역 변형 유지하기" #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent" -msgstr "부모 재지정" +msgstr "부모 다시 지정하기" #: editor/run_settings_dialog.cpp msgid "Run Mode:" @@ -9747,11 +9876,11 @@ msgstr "현재 씬" #: editor/run_settings_dialog.cpp msgid "Main Scene" -msgstr "메인 씬" +msgstr "기본 씬" #: editor/run_settings_dialog.cpp msgid "Main Scene Arguments:" -msgstr "메인 씬 인수:" +msgstr "기본 씬 인수:" #: editor/run_settings_dialog.cpp msgid "Scene Run Settings" @@ -9763,72 +9892,90 @@ msgstr "씬을 인스턴스할 수 있는 부모가 없습니다." #: editor/scene_tree_dock.cpp msgid "Error loading scene from %s" -msgstr "%s에서 씬 로딩 중 오류" +msgstr "%s에서 씬 불러오는 중 오류" #: editor/scene_tree_dock.cpp msgid "" "Cannot instance the scene '%s' because the current scene exists within one " "of its nodes." -msgstr "" -"한 노드에 현재 씬이 존재하기 때문에, '%s' 씬을 인스턴스 할 수 없습니다." +msgstr "한 노드에 현재 씬이 있기 때문에, '%s' 씬을 인스턴스할 수 없어요." #: editor/scene_tree_dock.cpp msgid "Instance Scene(s)" msgstr "씬 인스턴스" #: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Replace with Branch Scene" +msgstr "분기를 다른 씬으로 저장" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" -msgstr "자식 씬 추가" +msgstr "자식 씬 추가하기" #: editor/scene_tree_dock.cpp msgid "Clear Script" -msgstr "스크립트 삭제" +msgstr "스크립트 삭제하기" #: editor/scene_tree_dock.cpp msgid "This operation can't be done on the tree root." -msgstr "이 작업은 트리 루트에서는 불가합니다." +msgstr "이 작업은 트리 루트에서 할 수 없어요." #: editor/scene_tree_dock.cpp msgid "Move Node In Parent" -msgstr "노드를 부모 노드로 이동" +msgstr "노드를 부모 노드로 이동하기" #: editor/scene_tree_dock.cpp msgid "Move Nodes In Parent" -msgstr "노드들을 부모 노드로 이동" +msgstr "노드들을 부모 노드로 이동하기" #: editor/scene_tree_dock.cpp msgid "Duplicate Node(s)" -msgstr "노드 복제" +msgstr "노드 복제하기" #: editor/scene_tree_dock.cpp msgid "Can't reparent nodes in inherited scenes, order of nodes can't change." msgstr "" -"상속된 씬에서 부모 노드를 다시 지정할 수 없습니다, 노드의 순서는 바꿀 수 없습" -"니다." +"상속한 씬에서 노드의 부모를 다시 지정할 수 없어요, 노드 순서는 바뀌지 않아요." #: editor/scene_tree_dock.cpp msgid "Node must belong to the edited scene to become root." -msgstr "노드는 루트로 되려면 편집된 씬에 속해있어야 합니다." +msgstr "노드는 루트가 되기 위해선 편집한 씬에 속해야 해요." #: editor/scene_tree_dock.cpp msgid "Instantiated scenes can't become root" -msgstr "인스턴트화된 씬은 루트가 될 수 없습니다" +msgstr "인스턴트화된 씬은 루트가 될 수 없어요" #: editor/scene_tree_dock.cpp msgid "Make node as Root" msgstr "노드를 루트로 만들기" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" -msgstr "노드를 삭제하시겠습니까?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "노드 삭제하기" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete the root node \"%s\"?" +msgstr "셰이더 그래프 노드 삭제" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" +msgstr "" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "노드 삭제하기" #: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." -msgstr "그 루트 노드로는 수행할 수 없습니다." +msgstr "루트 노드로는 수행할 수 없어요." #: editor/scene_tree_dock.cpp msgid "This operation can't be done on instanced scenes." -msgstr "이 작업은 인스턴스된 씬에서는 불가합니다." +msgstr "이 작업은 인스턴스된 씬에서 할 수 없어요." #: editor/scene_tree_dock.cpp msgid "Save New Scene As..." @@ -9839,8 +9986,7 @@ msgid "" "Disabling \"editable_instance\" will cause all properties of the node to be " "reverted to their default." msgstr "" -"\"editable_instance\"를 비활설화 하면 노드의 모든 속성이 기본 값으로 되돌아갑" -"니다." +"\"editable_instance\"를 끄게 되면 노드의 모든 속성이 기본 값으로 되돌아와요." #: editor/scene_tree_dock.cpp msgid "Editable Children" @@ -9848,7 +9994,7 @@ msgstr "자식노드 편집 가능" #: editor/scene_tree_dock.cpp msgid "Load As Placeholder" -msgstr "Placeholder로써 불러오기" +msgstr "자리 표시자로 불러오기" #: editor/scene_tree_dock.cpp msgid "Make Local" @@ -9880,11 +10026,11 @@ msgstr "다른 노드" #: editor/scene_tree_dock.cpp msgid "Can't operate on nodes from a foreign scene!" -msgstr "다른 씬에서 수행할 수 없는 작업입니다!" +msgstr "다른 씬에서 수행할 수 없는 작업이에요!" #: editor/scene_tree_dock.cpp msgid "Can't operate on nodes the current scene inherits from!" -msgstr "상속 씬 내에서 수행할 수 없는 작업입니다!" +msgstr "상속 씬 내에서 수행할 수 없는 작업이에요!" #: editor/scene_tree_dock.cpp msgid "Attach Script" @@ -9892,19 +10038,18 @@ msgstr "스크립트 붙이기" #: editor/scene_tree_dock.cpp msgid "Remove Node(s)" -msgstr "노드 삭제" +msgstr "노드 삭제하기" #: editor/scene_tree_dock.cpp -#, fuzzy msgid "Change type of node(s)" -msgstr "출력 포트 이름 변경" +msgstr "노드 유형 바꾸기" #: editor/scene_tree_dock.cpp msgid "" "Couldn't save new scene. Likely dependencies (instances) couldn't be " "satisfied." msgstr "" -"씬을 저장할 수 없습니다. 아마도 종속 관계가 만족스럽지 않을 수 있습니다." +"씬을 저장할 수 없어요. 종속 관계 (인스턴스)가 만족스럽지 않은 모양이에요." #: editor/scene_tree_dock.cpp msgid "Error saving scene." @@ -9916,7 +10061,7 @@ msgstr "저장하기 위해 씬을 복제하는 중에 오류가 발생했습니 #: editor/scene_tree_dock.cpp msgid "Sub-Resources" -msgstr "서브-리소스" +msgstr "하위-리소스" #: editor/scene_tree_dock.cpp msgid "Clear Inheritance" @@ -9928,7 +10073,7 @@ msgstr "문서 열기" #: editor/scene_tree_dock.cpp msgid "Add Child Node" -msgstr "자식 노드 추가" +msgstr "자식 노드 추가하기" #: editor/scene_tree_dock.cpp msgid "Expand/Collapse All" @@ -9936,7 +10081,7 @@ msgstr "모두 펼치기/접기" #: editor/scene_tree_dock.cpp msgid "Change Type" -msgstr "타입 변경" +msgstr "유형 바꾸기" #: editor/scene_tree_dock.cpp msgid "Extend Script" @@ -9944,7 +10089,7 @@ msgstr "스크립트 펼치기" #: editor/scene_tree_dock.cpp msgid "Reparent to New Node" -msgstr "새 노드에 부모 노드 재지정" +msgstr "새 노드에 부모 노드 다시 지정하기" #: editor/scene_tree_dock.cpp msgid "Make Scene Root" @@ -9952,38 +10097,38 @@ msgstr "씬 루트 만들기" #: editor/scene_tree_dock.cpp msgid "Merge From Scene" -msgstr "다른 씬에서 가져오기" +msgstr "다른 씬에서 병합하기" #: editor/scene_tree_dock.cpp editor/script_editor_debugger.cpp msgid "Save Branch as Scene" -msgstr "선택 노드를 다른 씬으로 저장" +msgstr "분기를 다른 씬으로 저장" #: editor/scene_tree_dock.cpp editor/script_editor_debugger.cpp msgid "Copy Node Path" -msgstr "노드 경로 복사" +msgstr "노드 경로 복사하기" #: editor/scene_tree_dock.cpp msgid "Delete (No Confirm)" -msgstr "삭제 (확인 없음)" +msgstr "삭제하기 (확인 없음)" #: editor/scene_tree_dock.cpp msgid "Add/Create a New Node." -msgstr "새 노드 추가/만들기." +msgstr "새 노드 추가하기/만들기." #: editor/scene_tree_dock.cpp msgid "" "Instance a scene file as a Node. Creates an inherited scene if no root node " "exists." msgstr "" -"씬 파일을 노드로 추가합니다. 루트 노드가 없을 경우, 상속씬으로 만들어집니다." +"씬 파일을 노드로 인스턴스해요. 루트 노드가 없으면 상속된 씬을 만들어요." #: editor/scene_tree_dock.cpp msgid "Attach a new or existing script for the selected node." -msgstr "선택된 노드에 새로운 스크립트를 생성하거나 기존 스크립트를 불러옵니다." +msgstr "선택한 노드에 새로운 혹은 존재하는 스크립트를 붙여요." #: editor/scene_tree_dock.cpp msgid "Clear a script for the selected node." -msgstr "선택된 노드의 스크립트를 삭제합니다." +msgstr "선택한 노드의 스크립트를 삭제해요." #: editor/scene_tree_dock.cpp msgid "Remote" @@ -9995,7 +10140,7 @@ msgstr "로컬" #: editor/scene_tree_dock.cpp msgid "Clear Inheritance? (No Undo!)" -msgstr "상속을 지우시겠습니까? (되돌리기 불가!)" +msgstr "상속을 지울까요? (되돌릴 수 없어요!)" #: editor/scene_tree_editor.cpp msgid "Toggle Visible" @@ -10003,7 +10148,7 @@ msgstr "보이기 토글" #: editor/scene_tree_editor.cpp msgid "Unlock Node" -msgstr "노드 잠금 해제" +msgstr "노드 잠금 풀기" #: editor/scene_tree_editor.cpp msgid "Button Group" @@ -10015,34 +10160,31 @@ msgstr "(연결 시작 지점)" #: editor/scene_tree_editor.cpp msgid "Node configuration warning:" -msgstr "노드 구성 경고:" +msgstr "노드 설정 경고:" #: editor/scene_tree_editor.cpp -#, fuzzy msgid "" "Node has %s connection(s) and %s group(s).\n" "Click to show signals dock." msgstr "" -"노드가 연결과 그룹을 갖고 있습니다.\n" -"시그널 독을 클릭하여 보세요." +"노드가 %s 연결과 %s 그룹을 갖고 있어요.\n" +"클릭하면 시그널 독을 보여줘요." #: editor/scene_tree_editor.cpp -#, fuzzy msgid "" "Node has %s connection(s).\n" "Click to show signals dock." msgstr "" -"노드가 연결을 갖고 있습니다\n" -"시그널 독을 클릭하여 보세요." +"노드가 %s 연결을 갖고 있어요.\n" +"클릭하면 시그널 독을 보여줘요." #: editor/scene_tree_editor.cpp -#, fuzzy msgid "" "Node is in %s group(s).\n" "Click to show groups dock." msgstr "" -"노드가 그룹 안에 있습니다.\n" -"그룹 독을 클릭하여 보세요." +"노드가 그룹 안에 있어요.\n" +"클릭하면 그룹 독을 보여줘요." #: editor/scene_tree_editor.cpp msgid "Open Script:" @@ -10053,16 +10195,16 @@ msgid "" "Node is locked.\n" "Click to unlock it." msgstr "" -"노드가 잠겨있습니다.\n" -"클릭하여 잠금을 푸세요." +"노드가 잠겨있어요.\n" +"클릭하면 잠금을 풀어요." #: editor/scene_tree_editor.cpp msgid "" "Children are not selectable.\n" "Click to make selectable." msgstr "" -"자식들을 선택할 수 없습니다.\n" -"클릭하면 선택할 수 있게 됩니다." +"자식을 선택할 수 없어요.\n" +"클릭하면 선택할 수 있어요." #: editor/scene_tree_editor.cpp msgid "Toggle Visibility" @@ -10073,16 +10215,16 @@ msgid "" "AnimationPlayer is pinned.\n" "Click to unpin." msgstr "" -"AnimationPlayer가 고정되어있습니다.\n" -"클릭하서 고정을 푸세요." +"AnimationPlayer가 고정되어 있어요.\n" +"클릭하면 고정을 풀어요." #: editor/scene_tree_editor.cpp msgid "Invalid node name, the following characters are not allowed:" -msgstr "올바르지 않은 노드 이름입니다. 다음의 문자는 허용되지 않습니다:" +msgstr "잘못된 노드 이름이에요. 다음 문자는 허용하지 않아요:" #: editor/scene_tree_editor.cpp msgid "Rename Node" -msgstr "노드 이름 변경" +msgstr "노드 이름 바꾸기" #: editor/scene_tree_editor.cpp msgid "Scene Tree (Nodes):" @@ -10090,56 +10232,55 @@ msgstr "씬 트리 (노드):" #: editor/scene_tree_editor.cpp msgid "Node Configuration Warning!" -msgstr "노드 구성 경고!" +msgstr "노드 설정 경고!" #: editor/scene_tree_editor.cpp msgid "Select a Node" -msgstr "노드 선택" +msgstr "노드를 선택하세요" #: editor/script_create_dialog.cpp msgid "Path is empty." -msgstr "경로가 비었습니다." +msgstr "경로가 비었어요." #: editor/script_create_dialog.cpp msgid "Filename is empty." -msgstr "파일 이름이 비었습니다." +msgstr "파일 이름이 비었어요." #: editor/script_create_dialog.cpp msgid "Path is not local." -msgstr "경로가 로컬이 아닙니다." +msgstr "경로가 로컬이 아니에요." #: editor/script_create_dialog.cpp msgid "Invalid base path." -msgstr "올바르지 않은 기본 경로." +msgstr "잘못된 기본 경로." #: editor/script_create_dialog.cpp msgid "A directory with the same name exists." -msgstr "같은 이름의 디렉토리가 존재합니다." +msgstr "같은 이름의 디렉토리가 있어요." #: editor/script_create_dialog.cpp msgid "Invalid extension." -msgstr "올바르지 않은 확장자." +msgstr "잘못된 확장자." #: editor/script_create_dialog.cpp msgid "Wrong extension chosen." -msgstr "잘못된 확장자 선택입니다." +msgstr "잘못된 확장자 선택." #: editor/script_create_dialog.cpp msgid "Error loading template '%s'" -msgstr "'%s' 템플릿 불러오기 오류" +msgstr "'%s' 템플릿 불러오는 중 오류" #: editor/script_create_dialog.cpp msgid "Error - Could not create script in filesystem." -msgstr "오류 - 파일 시스템에 스크립트를 생성할 수 없습니다." +msgstr "오류 - 파일 시스템에 스크립트를 만들 수 없어요." #: editor/script_create_dialog.cpp msgid "Error loading script from %s" -msgstr "'%s' 스크립트 로딩 중 오류" +msgstr "'%s' 스크립트 불러오는 중 오류" #: editor/script_create_dialog.cpp -#, fuzzy msgid "Overrides" -msgstr "덮어 쓰기" +msgstr "재정의하기" #: editor/script_create_dialog.cpp msgid "N/A" @@ -10147,7 +10288,7 @@ msgstr "해당 없음" #: editor/script_create_dialog.cpp msgid "Open Script / Choose Location" -msgstr "스크립트 열기 / 위치 선택" +msgstr "스크립트 열기 / 위치 선택하기" #: editor/script_create_dialog.cpp msgid "Open Script" @@ -10155,15 +10296,15 @@ msgstr "스크립트 열기" #: editor/script_create_dialog.cpp msgid "File exists, it will be reused." -msgstr "파일이 존재합니다, 재사용됩니다." +msgstr "파일이 있어요, 다시 사용할게요." #: editor/script_create_dialog.cpp msgid "Invalid class name." -msgstr "올바르지 않은 클래스명." +msgstr "잘못된 클래스 이름." #: editor/script_create_dialog.cpp msgid "Invalid inherited parent name or path." -msgstr "올바르지 않은 상속된 부모 이름 또는 경로." +msgstr "잘못된 상속된 부모 이름 또는 경로." #: editor/script_create_dialog.cpp msgid "Script is valid." @@ -10179,11 +10320,11 @@ msgstr "내장 스크립트 (씬 파일 안)." #: editor/script_create_dialog.cpp msgid "Will create a new script file." -msgstr "새 스크립트 파일을 만듭니다." +msgstr "새 스크립트 파일을 만들어요." #: editor/script_create_dialog.cpp msgid "Will load an existing script file." -msgstr "기존 스크립트 파일을 불러옵니다." +msgstr "기존 스크립트 파일을 불러와요." #: editor/script_create_dialog.cpp msgid "Language" @@ -10195,7 +10336,7 @@ msgstr "상속" #: editor/script_create_dialog.cpp msgid "Class Name" -msgstr "클래스명" +msgstr "클래스 이름" #: editor/script_create_dialog.cpp msgid "Template" @@ -10218,24 +10359,60 @@ msgid "Bytes:" msgstr "바이트:" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" -msgstr "스택 추적" +#, fuzzy +msgid "Warning:" +msgstr "경고:" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." -msgstr "목록에서 한 개 혹은 여러 개의 항목을 집어 그래프로 보여줍니다." +msgid "Error:" +msgstr "에러:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error" +msgstr "복사하기 오류" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error:" +msgstr "에러:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source" +msgstr "소스" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" +msgstr "소스" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source:" +msgstr "소스" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" +msgstr "스택 추적" #: editor/script_editor_debugger.cpp msgid "Errors" msgstr "오류" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +#, fuzzy +msgid "Child process connected." msgstr "자식 프로세스 연결됨" #: editor/script_editor_debugger.cpp msgid "Copy Error" -msgstr "복사 오류" +msgstr "복사하기 오류" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "중단점" #: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" @@ -10254,6 +10431,11 @@ msgid "Profiler" msgstr "프로파일러" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Network Profiler" +msgstr "프로필 내보내기" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "모니터" @@ -10266,8 +10448,12 @@ msgid "Monitors" msgstr "모니터" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "목록에서 한 개 이상의 항목을 집어 그래프로 표시해요." + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" -msgstr "리소스별 비디오 메모리 사용량 목록:" +msgstr "리소스 별 비디오 메모리 사용량 목록:" #: editor/script_editor_debugger.cpp msgid "Total:" @@ -10283,7 +10469,7 @@ msgstr "리소스 경로" #: editor/script_editor_debugger.cpp msgid "Type" -msgstr "타입" +msgstr "유형" #: editor/script_editor_debugger.cpp msgid "Format" @@ -10303,7 +10489,7 @@ msgstr "클릭된 Control:" #: editor/script_editor_debugger.cpp msgid "Clicked Control Type:" -msgstr "클릭된 Control 타입:" +msgstr "클릭된 Control 유형:" #: editor/script_editor_debugger.cpp msgid "Live Edit Root:" @@ -10311,7 +10497,7 @@ msgstr "실시간 편집 루트:" #: editor/script_editor_debugger.cpp msgid "Set From Tree" -msgstr "트리로부터 설정" +msgstr "트리에서 설정하기" #: editor/script_editor_debugger.cpp msgid "Export measures as CSV" @@ -10323,11 +10509,11 @@ msgstr "단축키 지우기" #: editor/settings_config_dialog.cpp msgid "Restore Shortcut" -msgstr "단축키 복원" +msgstr "단축키 복원하기" #: editor/settings_config_dialog.cpp msgid "Change Shortcut" -msgstr "단축키 변경" +msgstr "단축키 바꾸기" #: editor/settings_config_dialog.cpp msgid "Editor Settings" @@ -10343,87 +10529,87 @@ msgstr "바인딩" #: editor/spatial_editor_gizmos.cpp msgid "Change Light Radius" -msgstr "Light 반경 변경" +msgstr "조명 반경 바꾸기" #: editor/spatial_editor_gizmos.cpp msgid "Change AudioStreamPlayer3D Emission Angle" -msgstr "AudioStreamPlayer3D 에미션 각도 변경" +msgstr "AudioStreamPlayer3D 방출 각도 바꾸기" #: editor/spatial_editor_gizmos.cpp msgid "Change Camera FOV" -msgstr "Camera 시야 변경" +msgstr "카메라 시야 바꾸기" #: editor/spatial_editor_gizmos.cpp msgid "Change Camera Size" -msgstr "Camera 크기 변경" +msgstr "카메라 크기 바꾸기" #: editor/spatial_editor_gizmos.cpp msgid "Change Notifier AABB" -msgstr "알림 AABB 변경" +msgstr "알림 AABB 바꾸기" #: editor/spatial_editor_gizmos.cpp msgid "Change Particles AABB" -msgstr "파티클 AABB 변경" +msgstr "파티클 AABB 바꾸기" #: editor/spatial_editor_gizmos.cpp msgid "Change Probe Extents" -msgstr "프로브 범위 변경" +msgstr "프로브 범위 바꾸기" #: editor/spatial_editor_gizmos.cpp modules/csg/csg_gizmos.cpp msgid "Change Sphere Shape Radius" -msgstr "구체 모양 반경 변경" +msgstr "구체 모양 반경 바꾸기" #: editor/spatial_editor_gizmos.cpp modules/csg/csg_gizmos.cpp msgid "Change Box Shape Extents" -msgstr "박스 모양 범위 변경" +msgstr "박스 모양 범위 바꾸기" #: editor/spatial_editor_gizmos.cpp msgid "Change Capsule Shape Radius" -msgstr "캡슐 모양 반경 변경" +msgstr "캡슐 모양 반경 바꾸기" #: editor/spatial_editor_gizmos.cpp msgid "Change Capsule Shape Height" -msgstr "캡슐 모양 높이 변경" +msgstr "캡슐 모양 높이 바꾸기" #: editor/spatial_editor_gizmos.cpp msgid "Change Cylinder Shape Radius" -msgstr "캡슐 모양 반지름 변경" +msgstr "캡슐 모양 반지름 바꾸기" #: editor/spatial_editor_gizmos.cpp msgid "Change Cylinder Shape Height" -msgstr "캡슐 모양 높이 변경" +msgstr "캡슐 모양 높이 바꾸기" #: editor/spatial_editor_gizmos.cpp msgid "Change Ray Shape Length" -msgstr "광선 모양 길이 변경" +msgstr "광선 모양 길이 바꾸기" #: modules/csg/csg_gizmos.cpp msgid "Change Cylinder Radius" -msgstr "원기둥 반지름 변경" +msgstr "원기둥 반지름 바꾸기" #: modules/csg/csg_gizmos.cpp msgid "Change Cylinder Height" -msgstr "원기둥 높이 변경" +msgstr "원기둥 높이 바꾸기" #: modules/csg/csg_gizmos.cpp msgid "Change Torus Inner Radius" -msgstr "토러스 내부 반지름 변경" +msgstr "토러스 내부 반지름 바꾸기" #: modules/csg/csg_gizmos.cpp msgid "Change Torus Outer Radius" -msgstr "토러스 외부 반지름 변경" +msgstr "토러스 외부 반지름 바꾸기" #: modules/gdnative/gdnative_library_editor_plugin.cpp msgid "Select the dynamic library for this entry" -msgstr "이 엔트리에 대한 다이나믹 라이브러리를 선택" +msgstr "이 엔트리에 대한 다이나믹 라이브러리를 선택하기" #: modules/gdnative/gdnative_library_editor_plugin.cpp msgid "Select dependencies of the library for this entry" -msgstr "이 엔트리에 대한 라이브러리의 종속을 선택" +msgstr "이 엔트리에 대한 라이브러리의 종속을 선택하기" #: modules/gdnative/gdnative_library_editor_plugin.cpp msgid "Remove current entry" -msgstr "현재 엔트리 삭제" +msgstr "현재 엔트리 삭제하기" #: modules/gdnative/gdnative_library_editor_plugin.cpp msgid "Double click to create a new entry" @@ -10462,10 +10648,6 @@ msgid "Library" msgstr "라이브러리" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "상태" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "라이브러리들: " @@ -10474,6 +10656,10 @@ msgid "GDNative" msgstr "GDNative" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "스텝 인수가 0입니다!" @@ -10491,21 +10677,19 @@ msgstr "리소스 파일에 기반하지 않음" #: modules/gdscript/gdscript_functions.cpp msgid "Invalid instance dictionary format (missing @path)" -msgstr "올바르지 않은 인스턴스 Dictionary 형식 (@path 없음)" +msgstr "잘못된 인스턴스 Dictionary 형식 (@path 없음)" #: modules/gdscript/gdscript_functions.cpp msgid "Invalid instance dictionary format (can't load script at @path)" -msgstr "" -"올바르지 않은 인스턴스 Dictionary 형식 (@path 에서 스크립트를 불러올 수 없음)" +msgstr "잘못된 인스턴스 Dictionary 형식 (@path 에서 스크립트를 불러올 수 없음)" #: modules/gdscript/gdscript_functions.cpp msgid "Invalid instance dictionary format (invalid script at @path)" -msgstr "" -"올바르지 않은 인스턴스 Dictionary 형식 (@path의 스크립트가 올바르지 않음)" +msgstr "잘못된 인스턴스 Dictionary 형식 (@path의 스크립트가 올바르지 않음)" #: modules/gdscript/gdscript_functions.cpp msgid "Invalid instance dictionary (invalid subclasses)" -msgstr "올바르지 않은 인스턴스 Dictionary (하위 클래스가 올바르지 않음)" +msgstr "잘못된 인스턴스 Dictionary (하위 클래스가 올바르지 않음)" #: modules/gdscript/gdscript_functions.cpp msgid "Object can't provide a length." @@ -10537,11 +10721,11 @@ msgstr "층:" #: modules/gridmap/grid_map_editor_plugin.cpp msgid "GridMap Delete Selection" -msgstr "그리드맵 선택 삭제" +msgstr "그리드맵 선택 삭제하기" #: modules/gridmap/grid_map_editor_plugin.cpp msgid "GridMap Fill Selection" -msgstr "그리드맵 채우기 선택" +msgstr "그리드맵 채우기 선택하기" #: modules/gridmap/grid_map_editor_plugin.cpp msgid "GridMap Paste Selection" @@ -10617,7 +10801,7 @@ msgstr "선택 지우기" #: modules/gridmap/grid_map_editor_plugin.cpp msgid "Fill Selection" -msgstr "채우기 선택" +msgstr "채우기 선택하기" #: modules/gridmap/grid_map_editor_plugin.cpp msgid "GridMap Settings" @@ -10625,7 +10809,16 @@ msgstr "그리드맵 설정" #: modules/gridmap/grid_map_editor_plugin.cpp msgid "Pick Distance:" -msgstr "거리 선택:" +msgstr "거리 선택하기:" + +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "메서드 필터" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" @@ -10689,7 +10882,7 @@ msgstr "내비게이션 메시 생성기 설정:" #: modules/recast/navigation_mesh_generator.cpp msgid "Parsing Geometry..." -msgstr "지오메트리 분석 중..." +msgstr "형태 분석 중..." #: modules/recast/navigation_mesh_generator.cpp msgid "Done!" @@ -10721,7 +10914,7 @@ msgstr "" #: modules/visual_script/visual_script.cpp msgid "Node returned an invalid sequence output: " -msgstr "올바르지 않은 시퀀스 출력을 반환한 노드: " +msgstr "잘못된 시퀀스 출력을 반환한 노드: " #: modules/visual_script/visual_script.cpp msgid "Found sequence bit but not the node in the stack, report bug!" @@ -10734,15 +10927,15 @@ msgstr "스택 깊이로 오버플로우한 스택: " #: modules/visual_script/visual_script_editor.cpp msgid "Change Signal Arguments" -msgstr "시그널 인수 변경" +msgstr "시그널 인수 바꾸기" #: modules/visual_script/visual_script_editor.cpp msgid "Change Argument Type" -msgstr "인수 타입 변경" +msgstr "인수 유형 바꾸기" #: modules/visual_script/visual_script_editor.cpp msgid "Change Argument name" -msgstr "인수 이름 변경" +msgstr "인수 이름 바꾸기" #: modules/visual_script/visual_script_editor.cpp msgid "Set Variable Default Value" @@ -10750,31 +10943,31 @@ msgstr "변수 기본값 설정" #: modules/visual_script/visual_script_editor.cpp msgid "Set Variable Type" -msgstr "변수 타입 설정" +msgstr "변수 유형 설정" #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Override an existing built-in function." -msgstr "기존 내장 타입 이름과 충돌하지 않아야 합니다." +msgstr "존재하는 내장 함수 다시 정의하기." #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Create a new function." -msgstr "새 사각형 만들기." +msgstr "새 함수 만들기." #: modules/visual_script/visual_script_editor.cpp msgid "Variables:" msgstr "변수:" #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Create a new variable." -msgstr "새 사각형 만들기." +msgstr "새 변수 만들기." + +#: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "시그널:" #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Create a new signal." -msgstr "새로운 폴리곤 만들기." +msgstr "새 시그널 만들기." #: modules/visual_script/visual_script_editor.cpp msgid "Name is not a valid identifier:" @@ -10786,127 +10979,127 @@ msgstr "이미 다른 함수/변수/시그널로 사용된 이름:" #: modules/visual_script/visual_script_editor.cpp msgid "Rename Function" -msgstr "함수명 변경" +msgstr "함수명 바꾸기" #: modules/visual_script/visual_script_editor.cpp msgid "Rename Variable" -msgstr "변수명 변경" +msgstr "변수명 바꾸기" #: modules/visual_script/visual_script_editor.cpp msgid "Rename Signal" -msgstr "시그널명 변경" +msgstr "시그널 이름 바꾸기" #: modules/visual_script/visual_script_editor.cpp msgid "Add Function" -msgstr "함수 추가" +msgstr "함수 추가하기" #: modules/visual_script/visual_script_editor.cpp msgid "Add Variable" -msgstr "변수 추가" +msgstr "변수 추가하기" #: modules/visual_script/visual_script_editor.cpp msgid "Add Signal" -msgstr "시그널 추가" +msgstr "시그널 추가하기" #: modules/visual_script/visual_script_editor.cpp msgid "Change Expression" -msgstr "표현식 변경" +msgstr "표현식 바꾸기" #: modules/visual_script/visual_script_editor.cpp msgid "Remove VisualScript Nodes" -msgstr "비주얼 스크립트 노드 삭제" +msgstr "비주얼 스크립트 노드 삭제하기" #: modules/visual_script/visual_script_editor.cpp msgid "Duplicate VisualScript Nodes" -msgstr "비주얼 스크립트 노드 복제" +msgstr "비주얼 스크립트 노드 복제하기" #: modules/visual_script/visual_script_editor.cpp msgid "Hold %s to drop a Getter. Hold Shift to drop a generic signature." msgstr "" -"%s을(를) 누르고 있으면 Getter를 드롭합니다. Shift을(를) 누르고 있으면 일반적" -"인 시그니처를 드롭합니다." +"%s을(를) 누르고 있으면 Getter를 드롭해요. Shift을(를) 누르고 있으면 일반적인 " +"시그니처를 드롭해요." #: modules/visual_script/visual_script_editor.cpp msgid "Hold Ctrl to drop a Getter. Hold Shift to drop a generic signature." msgstr "" -"Ctrl을 누르고 있으면 Getter를 드롭합니다. Shift를 누르고 있으면 일반적인 시그" -"니처를 드롭합니다." +"Ctrl을 누르고 있으면 Getter를 드롭해요. Shift를 누르고 있으면 일반적인 시그니" +"처를 드롭해요." #: modules/visual_script/visual_script_editor.cpp msgid "Hold %s to drop a simple reference to the node." -msgstr "%s을(를) 누르고 있으면 노드에 대한 간단한 참조를 드롭합니다." +msgstr "%s을(를) 누르고 있으면 노드에 대한 간단한 참조를 드롭해요." #: modules/visual_script/visual_script_editor.cpp msgid "Hold Ctrl to drop a simple reference to the node." -msgstr "Ctrl을 누르고 있으면 노드에 대한 간단한 참조를 드롭합니다." +msgstr "Ctrl을 누르고 있으면 노드에 대한 간단한 참조를 드롭해요." #: modules/visual_script/visual_script_editor.cpp msgid "Hold %s to drop a Variable Setter." -msgstr "%s을(를) 누르고 있르면 변수 Setter를 드롭합니다." +msgstr "%s을(를) 누르고 있르면 변수 Setter를 드롭해요." #: modules/visual_script/visual_script_editor.cpp msgid "Hold Ctrl to drop a Variable Setter." -msgstr "Ctrl을 누르고 있으면 변수 Setter를 드랍합니다." +msgstr "Ctrl을 누르고 있으면 변수 Setter를 드롭해요." #: modules/visual_script/visual_script_editor.cpp msgid "Add Preload Node" -msgstr "Preload 노드 추가" +msgstr "Preload 노드 추가하기" #: modules/visual_script/visual_script_editor.cpp msgid "Add Node(s) From Tree" -msgstr "트리에서 노드 추가" +msgstr "트리에서 노드 추가하기" #: modules/visual_script/visual_script_editor.cpp msgid "Add Getter Property" -msgstr "Getter 속성 추가" +msgstr "Getter 속성 추가하기" #: modules/visual_script/visual_script_editor.cpp msgid "Add Setter Property" -msgstr "Setter 속성 추가" +msgstr "Setter 속성 추가하기" #: modules/visual_script/visual_script_editor.cpp msgid "Change Base Type" -msgstr "기본 타입 변경" +msgstr "기본 유형 바꾸기" #: modules/visual_script/visual_script_editor.cpp msgid "Move Node(s)" -msgstr "노드 이동" +msgstr "노드 이동하기" #: modules/visual_script/visual_script_editor.cpp msgid "Remove VisualScript Node" -msgstr "비주얼 스크립트 노드 삭제" +msgstr "비주얼 스크립트 노드 삭제하기" #: modules/visual_script/visual_script_editor.cpp msgid "Connect Nodes" -msgstr "노드 연결" +msgstr "노드 연결하기" #: modules/visual_script/visual_script_editor.cpp msgid "Connect Node Data" -msgstr "노드 데이터 연결" +msgstr "노드 데이터 연결하기" #: modules/visual_script/visual_script_editor.cpp msgid "Connect Node Sequence" -msgstr "노드 시퀀스 연결" +msgstr "노드 시퀀스 연결하기" #: modules/visual_script/visual_script_editor.cpp msgid "Script already has function '%s'" -msgstr "스크립트가 이미 '%s' 함수를 갖고 있음" +msgstr "스크립트가 이미 '%s' 함수를 갖고 있어요" #: modules/visual_script/visual_script_editor.cpp msgid "Change Input Value" -msgstr "입력 값 변경" +msgstr "입력 값 바꾸기" #: modules/visual_script/visual_script_editor.cpp msgid "Resize Comment" -msgstr "주석 크기 조절" +msgstr "주석 크기 조절하기" #: modules/visual_script/visual_script_editor.cpp msgid "Can't copy the function node." -msgstr "함수 노드를 복사할 수 없습니다." +msgstr "함수 노드를 복사할 수 없어요." #: modules/visual_script/visual_script_editor.cpp msgid "Clipboard is empty!" -msgstr "클립보드가 비었습니다!" +msgstr "클립보드가 비었어요!" #: modules/visual_script/visual_script_editor.cpp msgid "Paste VisualScript Nodes" @@ -10914,27 +11107,32 @@ msgstr "비주얼 스크립트 노드 붙여넣기" #: modules/visual_script/visual_script_editor.cpp msgid "Remove Function" -msgstr "함수 삭제" +msgstr "함수 삭제하기" #: modules/visual_script/visual_script_editor.cpp msgid "Remove Variable" -msgstr "변수 삭제" +msgstr "변수 삭제하기" #: modules/visual_script/visual_script_editor.cpp msgid "Editing Variable:" -msgstr "변수 편집:" +msgstr "변수 편집하기:" #: modules/visual_script/visual_script_editor.cpp msgid "Remove Signal" -msgstr "시그널 삭제" +msgstr "시그널 삭제하기" #: modules/visual_script/visual_script_editor.cpp msgid "Editing Signal:" -msgstr "시그널 편집:" +msgstr "시그널 편집하기:" + +#: modules/visual_script/visual_script_editor.cpp +#, fuzzy +msgid "Make Tool:" +msgstr "로컬로 만들기" #: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" -msgstr "기본 타입:" +msgstr "기본 유형:" #: modules/visual_script/visual_script_editor.cpp msgid "Members:" @@ -10946,19 +11144,19 @@ msgstr "사용 가능한 노드:" #: modules/visual_script/visual_script_editor.cpp msgid "Select or create a function to edit its graph." -msgstr "그래프를 편집하기 위한 함수를 선택하거나 만드세요." +msgstr "그래프를 편집하기 위한 함수를 선택하거나 만들어요." #: modules/visual_script/visual_script_editor.cpp msgid "Delete Selected" -msgstr "선택 항목 삭제" +msgstr "선택 항목 삭제하기" #: modules/visual_script/visual_script_editor.cpp msgid "Find Node Type" -msgstr "노드 타입 찾기" +msgstr "노드 유형 찾기" #: modules/visual_script/visual_script_editor.cpp msgid "Copy Nodes" -msgstr "노드 복사" +msgstr "노드 복사하기" #: modules/visual_script/visual_script_editor.cpp msgid "Cut Nodes" @@ -10966,68 +11164,67 @@ msgstr "노드 잘라내기" #: modules/visual_script/visual_script_editor.cpp msgid "Edit Member" -msgstr "멤버 편집" +msgstr "멤버 편집하기" #: modules/visual_script/visual_script_flow_control.cpp msgid "Input type not iterable: " -msgstr "반복할 수 없는 입력 타입: " +msgstr "반복할 수 없는 입력 유형: " #: modules/visual_script/visual_script_flow_control.cpp msgid "Iterator became invalid" -msgstr "반복자가 유효하지 않게 됨" +msgstr "반복자가 잘못되었어요" #: modules/visual_script/visual_script_flow_control.cpp msgid "Iterator became invalid: " -msgstr "반복자가 유효하지 않게 됨: " +msgstr "반복자가 잘못됨: " #: modules/visual_script/visual_script_func_nodes.cpp msgid "Invalid index property name." -msgstr "올바르지 않은 인덱스 속성명." +msgstr "잘못된 인덱스 속성 이름." #: modules/visual_script/visual_script_func_nodes.cpp msgid "Base object is not a Node!" -msgstr "기본 오브젝트는 노드가 아닙니다!" +msgstr "기본 객체는 노드가 아닙니다!" #: modules/visual_script/visual_script_func_nodes.cpp msgid "Path does not lead Node!" -msgstr "노드를 지칭하는 경로가 아닙니다!" +msgstr "노드를 지정하는 경로가 아니에요!" #: modules/visual_script/visual_script_func_nodes.cpp msgid "Invalid index property name '%s' in node %s." -msgstr "노드 %s 안에 인덱스 속성 이름 '%s'은(는) 올바르지 않습니다." +msgstr "노드 %s 안에 인덱스 속성 이름 '%s'이(가) 잘못됬어요." #: modules/visual_script/visual_script_nodes.cpp msgid ": Invalid argument of type: " -msgstr ": 올바르지 않은 인수 타입: " +msgstr ": 잘못된 인수 유형: " #: modules/visual_script/visual_script_nodes.cpp msgid ": Invalid arguments: " -msgstr ": 올바르지 않은 인수: " +msgstr ": 잘못된 인수: " #: modules/visual_script/visual_script_nodes.cpp msgid "VariableGet not found in script: " -msgstr "VariableGet이 스크립트에서 발견되지 않음: " +msgstr "VariableGet을 스크립트에서 찾을 수 없음: " #: modules/visual_script/visual_script_nodes.cpp msgid "VariableSet not found in script: " -msgstr "VariableSet이 스크립트에서 발견되지 않음: " +msgstr "VariableSet을 스크립트에서 찾을 수 없음: " #: modules/visual_script/visual_script_nodes.cpp msgid "Custom node has no _step() method, can't process graph." -msgstr "" -"커스텀 노드가 _step() 메서드를 갖고 있지 않아서, 그래프를 처리할 수 없습니다." +msgstr "맞춤 노드에 _step() 메서드가 없어요, 그래프를 처리할 수 없어요." #: modules/visual_script/visual_script_nodes.cpp msgid "" "Invalid return value from _step(), must be integer (seq out), or string " "(error)." msgstr "" -"_step()으로부터의 올바르지 않은 반환 값으로, integer (seq out), 혹은 string " -"(error)가 아니면 안됩니다." +"_step()에서 잘못된 반환 값이에요, 정수 (seq out), 또는 문자열 (error)이어야 " +"해요." #: modules/visual_script/visual_script_property_selector.cpp msgid "Search VisualScript" -msgstr "비주얼 스크립트 검색" +msgstr "비주얼 스크립트 검색하기" #: modules/visual_script/visual_script_property_selector.cpp msgid "Get %s" @@ -11039,72 +11236,72 @@ msgstr "Set %s" #: platform/android/export/export.cpp msgid "Package name is missing." -msgstr "패키지 이름이 없습니다." +msgstr "패키지 이름이 없어요." #: platform/android/export/export.cpp msgid "Package segments must be of non-zero length." -msgstr "패키지 세그먼트는 길이가 0이 아니어야 합니다." +msgstr "패키지 세그먼트는 길이가 0이 아니어야 해요." #: platform/android/export/export.cpp msgid "The character '%s' is not allowed in Android application package names." -msgstr "" -"문자 '%s'은(는) 안드로이드 애플리케이션 패키지 이름으로 쓸 수 없습니다." +msgstr "문자 '%s'은(는) 안드로이드 애플리케이션 패키지 이름으로 쓸 수 없어요." #: platform/android/export/export.cpp msgid "A digit cannot be the first character in a package segment." -msgstr "숫자는 패키지 세그먼트의 첫 문자가 될 수 없습니다." +msgstr "숫자는 패키지 세그먼트의 첫 문자로 쓸 수 없어요." #: platform/android/export/export.cpp msgid "The character '%s' cannot be the first character in a package segment." -msgstr "문자 '%s'은(는) 패키지 세그먼트의 첫 문자가 될 수 없습니다." +msgstr "문자 '%s'은(는) 패키지 세그먼트의 첫 문자로 쓸 수 없어요." #: platform/android/export/export.cpp msgid "The package must have at least one '.' separator." -msgstr "패키지는 적어도 하나의 '.' 분리 기호를 갖고 있어야 합니다." +msgstr "패키지는 적어도 하나의 '.' 분리 기호가 있어야 해요." #: platform/android/export/export.cpp msgid "ADB executable not configured in the Editor Settings." -msgstr "ADB 실행 파일이 편집기 설정에서 구성되지 않았습니다." +msgstr "ADB 실행 파일을 편집기 설정에서 설정하지 않았어요." #: platform/android/export/export.cpp msgid "OpenJDK jarsigner not configured in the Editor Settings." -msgstr "OpenJDK jarsigner가 편집기 설정에서 구성되지 않았습니다." +msgstr "OpenJDK jarsigner를 편집기 설정에서 설정하지 않았어요." #: platform/android/export/export.cpp msgid "Debug keystore not configured in the Editor Settings nor in the preset." -msgstr "Debug keystore이 편집기 설정 또는 프리셋에서 구성되지 않았습니다." +msgstr "Debug keystore를 편집기 설정과 프리셋에 설정하지 않았어요." #: platform/android/export/export.cpp msgid "Custom build requires a valid Android SDK path in Editor Settings." -msgstr "" -"커스텀 빌드에는 편집기 설정에서 올바른 안드로이드 SDK 경로가 필요합니다." +msgstr "맞춤 빌드에는 편집기 설정에서 올바른 안드로이드 SDK 경로가 필요해요." #: platform/android/export/export.cpp msgid "Invalid Android SDK path for custom build in Editor Settings." -msgstr "편집기 설정에서 커스텀 빌드에 올바르지 않은 안드로이드 SDK 경로입니다." +msgstr "편집기 설정에서 맞춤 빌드에 잘못된 안드로이드 SDK 경로이에요." #: platform/android/export/export.cpp +#, fuzzy msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" -"컴파일을 하기 위한 안드로이드 프로젝트가 설치되지 않았습니다. 편집기 메뉴에" -"서 설치하세요." +"컴파일하기 위한 안드로이드 프로젝트를 설치하지 않았어요. 편집기 메뉴에서 설치" +"하세요." #: platform/android/export/export.cpp msgid "Invalid public key for APK expansion." -msgstr "APK 확장에 올바르지 않은 공용 키입니다." +msgstr "APK 확장에 잘못된 공개 키이에요." #: platform/android/export/export.cpp msgid "Invalid package name:" -msgstr "올바르지 않은 패키지 이름:" +msgstr "잘못된 패키지 이름:" #: platform/android/export/export.cpp msgid "" "Trying to build from a custom built template, but no version info for it " "exists. Please reinstall from the 'Project' menu." msgstr "" -"커스텀 빌드 템플릿으로 빌드하려 했으나, 버전 정보가 존재하지 않습니다. '프로" -"젝트' 메뉴에서 다시 설치해주세요." +"맞춤 빌드 템플릿으로 빌드하려 했으나, 버전 정보가가 없어요. '프로젝트' 메뉴에" +"서 다시 설치해주세요." #: platform/android/export/export.cpp msgid "" @@ -11113,8 +11310,8 @@ msgid "" " Godot Version: %s\n" "Please reinstall Android build template from 'Project' menu." msgstr "" -"안드로이드 빌드 버전이 맞지 않습니다:\n" -" 설치된 템플릿: %s\n" +"안드로이드 빌드 버전이 맞지 않음:\n" +" 설치한 템플릿: %s\n" " Godot 버전: %s\n" "'프로젝트' 메뉴에서 안드로이드 빌드 템플릿을 다시 설치해주세요." @@ -11127,57 +11324,57 @@ msgid "" "Building of Android project failed, check output for the error.\n" "Alternatively visit docs.godotengine.org for Android build documentation." msgstr "" -"안드로이드 프로젝트의 빌드에 실패했습니다, 출력한 오류를 확인하세요.\n" -"또는 docs.godotengine.org에서 안드로이드 빌드 문서를 찾을 수 있습니다." +"안드로이드 프로젝트의 빌드에 실패했어요, 출력한 오류를 확인하세요.\n" +"또는 docs.godotengine.org에서 안드로이드 빌드 문서를 찾아 보세요." #: platform/android/export/export.cpp msgid "No build apk generated at: " -msgstr "여기에 빌드 apk가 생성되지 않았습니다: " +msgstr "여기에 빌드 apk를 만들지 않음: " #: platform/iphone/export/export.cpp msgid "Identifier is missing." -msgstr "식별자가 없습니다." +msgstr "식별자가 없어요." #: platform/iphone/export/export.cpp msgid "Identifier segments must be of non-zero length." -msgstr "식별자 세그먼트는 길이가 0이 아니어야 합니다." +msgstr "식별자 세그먼트는 길이가 0이 아니어야 해요." #: platform/iphone/export/export.cpp msgid "The character '%s' is not allowed in Identifier." -msgstr "문자 '%s'은(는) 식별자에 쓸 수 없습니다." +msgstr "문자 '%s'은(는) 식별자에 쓸 수 없어요." #: platform/iphone/export/export.cpp msgid "A digit cannot be the first character in a Identifier segment." -msgstr "숫자는 식별자 세그먼트의 첫 문자가 될 수 없습니다." +msgstr "숫자는 식별자 세그먼트의 첫 문자로 쓸 수 없어요." #: platform/iphone/export/export.cpp msgid "" "The character '%s' cannot be the first character in a Identifier segment." -msgstr "문자 '%s'은(는) 식별자 세그먼트의 첫 문자가 될 수 없습니다." +msgstr "문자 '%s'은(는) 식별자 세그먼트의 첫 문자로 쓸 수 없어요." #: platform/iphone/export/export.cpp msgid "The Identifier must have at least one '.' separator." -msgstr "식별자는 적어도 하나의 '.' 분리 기호를 갖고 있어야 합니다." +msgstr "식별자는 적어도 하나의 '.' 분리 기호를 갖고 있어야 해요." #: platform/iphone/export/export.cpp msgid "App Store Team ID not specified - cannot configure the project." -msgstr "앱스토어 팀 ID가 지정되지 않았습니다 - 프로젝트를 구성할 수 없습니다." +msgstr "App Store 팀 ID를 지정하지 않았어요 - 프로젝트를 구성할 수 없어요." #: platform/iphone/export/export.cpp msgid "Invalid Identifier:" -msgstr "올바르지 않은 식별자:" +msgstr "잘못된 식별자:" #: platform/iphone/export/export.cpp msgid "Required icon is not specified in the preset." -msgstr "요구되는 아이콘이 프리셋에서 지정되지 않았습니다." +msgstr "요구하는 아이콘을 프리셋에서 지정하지 않았어요." #: platform/javascript/export/export.cpp msgid "Run in Browser" -msgstr "브라우저에서 실행" +msgstr "브라우저에서 실행하기" #: platform/javascript/export/export.cpp msgid "Run exported HTML in the system's default browser." -msgstr "내보내기 한 HTML을 시스템의 기본 브라우저를 사용하여 실행." +msgstr "내보낸 HTML을 시스템의 기본 브라우저를 사용하여 실행하기." #: platform/javascript/export/export.cpp msgid "Could not write file:" @@ -11185,15 +11382,15 @@ msgstr "파일에 쓸 수 없음:" #: platform/javascript/export/export.cpp msgid "Could not open template for export:" -msgstr "내보내기 템플릿을 열 수 없습니다:" +msgstr "내보내기 템플릿을 열 수 없음:" #: platform/javascript/export/export.cpp msgid "Invalid export template:" -msgstr "올바르지 않은 내보내기 템플릿:" +msgstr "잘못된 내보내기 템플릿:" #: platform/javascript/export/export.cpp msgid "Could not read custom HTML shell:" -msgstr "커스텀 HTML shell을 읽을 수 없음:" +msgstr "맞춤 HTML shell을 읽을 수 없음:" #: platform/javascript/export/export.cpp msgid "Could not read boot splash image file:" @@ -11201,68 +11398,67 @@ msgstr "부트 스플래시 이미지 파일을 읽을 수 없음:" #: platform/javascript/export/export.cpp msgid "Using default boot splash image." -msgstr "기본 부트 스플래시 이미지 사용." +msgstr "기본 부트 스플래시 이미지 사용하기." #: platform/uwp/export/export.cpp msgid "Invalid package unique name." -msgstr "올바르지 않은 패키지 고유 이름." +msgstr "잘못된 패키지 고유 이름." #: platform/uwp/export/export.cpp msgid "Invalid product GUID." -msgstr "유요하지 않은 프로덕트 GUID." +msgstr "잘못된 제품 GUID." #: platform/uwp/export/export.cpp msgid "Invalid publisher GUID." -msgstr "유요하지 않은 퍼블리셔 GUID." +msgstr "잘못된 퍼블리셔 GUID." #: platform/uwp/export/export.cpp msgid "Invalid background color." -msgstr "유요하지 않은 배경 색상." +msgstr "잘못된 배경 색상." #: platform/uwp/export/export.cpp msgid "Invalid Store Logo image dimensions (should be 50x50)." -msgstr "올바르지 않은 로고 이미지 크기입니다 (50x50 이어야 합니다)." +msgstr "잘못된 Store 로고 이미지 크기(50x50이어야 해요)." #: platform/uwp/export/export.cpp msgid "Invalid square 44x44 logo image dimensions (should be 44x44)." -msgstr "올바르지 않은 로고 이미지 크기입니다 (44x44 이어야 합니다)." +msgstr "잘못된 사각형 44x44 로고 이미지 크기 (44x44이어야 해요)." #: platform/uwp/export/export.cpp msgid "Invalid square 71x71 logo image dimensions (should be 71x71)." -msgstr "올바르지 않은 로고 이미지 크기입니다 (71x71 이어야 합니다)." +msgstr "잘못된 사각형 71x71 로고 이미지 크기 (71x71이어야 해요)." #: platform/uwp/export/export.cpp msgid "Invalid square 150x150 logo image dimensions (should be 150x150)." -msgstr "올바르지 않은 로고 이미지 크기입니다 (150x150 이어야 합니다)." +msgstr "잘못된 사각형 150x150 로고 이미지 크기 (150x150이어야 해요)." #: platform/uwp/export/export.cpp msgid "Invalid square 310x310 logo image dimensions (should be 310x310)." -msgstr "올바르지 않은 로고 이미지 크기입니다 (310x310 이어야 합니다)." +msgstr "잘못된 사각형 310x310 로고 이미지 크기 (310x310이어야 해요)." #: platform/uwp/export/export.cpp msgid "Invalid wide 310x150 logo image dimensions (should be 310x150)." -msgstr "올바르지 않은 로고 이미지 크기입니다 (310x150 이어야 합니다)." +msgstr "잘못된 넓은 310x150 로고 이미지 크기 (310x150이어야 해요)." #: platform/uwp/export/export.cpp msgid "Invalid splash screen image dimensions (should be 620x300)." -msgstr "" -"올바르지 않은 스플래시 스크린 이미지 크기입니다 (620x300 이어야 합니다)." +msgstr "잘못된 스플래시 스크린 이미지 크기 (620x300이어야 해요)." #: scene/2d/animated_sprite.cpp msgid "" "A SpriteFrames resource must be created or set in the \"Frames\" property in " "order for AnimatedSprite to display frames." msgstr "" -"AnimatedSprite이 프레임을 보여주기 위해서는 \"Frames\" 속성에 SpriteFrames 리" -"소스를 만들거나 지정해야 합니다." +"AnimatedSprite이 프레임을 보여주려면 \"Frames\" 속성에 SpriteFrames 리소스를 " +"만들거나 지정해야 해요." #: scene/2d/canvas_modulate.cpp msgid "" "Only one visible CanvasModulate is allowed per scene (or set of instanced " "scenes). The first created one will work, while the rest will be ignored." msgstr "" -"씬마다 보이는 CanvasModulate가 단 하나만 허용됩니다. 첫번째로 생성된 것만 동" -"작하고, 나머지는 무시됩니다." +"CanvasModulate는 씬 당 단 하나만 보일 수 있어요. 처음에 만든 것만 작동하고, " +"나머지는 무시돼요." #: scene/2d/collision_object_2d.cpp msgid "" @@ -11270,9 +11466,8 @@ msgid "" "Consider adding a CollisionShape2D or CollisionPolygon2D as a child to " "define its shape." msgstr "" -"이 노드는 Shape을 갖는 자식 노드가 없습니다, 다른 물체와 충돌하거나 상호작용 " -"할 수 없습니다.\n" -"CollisionShape2D 또는 CollisionPolygon2D를 자식 노드로 추가하여 Shape을 정의" +"이 노드는 Shape가 없어요, 다른 물체와 충돌하거나 상호작용할 수 없어요.\n" +"CollisionShape2D 또는 CollisionPolygon2D를 자식 노드로 추가하여 Shape를 정의" "하세요." #: scene/2d/collision_polygon_2d.cpp @@ -11281,13 +11476,13 @@ msgid "" "CollisionObject2D derived node. Please only use it as a child of Area2D, " "StaticBody2D, RigidBody2D, KinematicBody2D, etc. to give them a shape." msgstr "" -"CollisionPolygon2D는 CollisionObject2D에 충돌 모양을 지정하기 위해서만 사용됩" -"니다. Area2D, StaticBody2D, RigidBody2D, KinematicBody2D 등의 자식 노드로 추" -"가하여 사용합니다." +"CollisionPolygon2D는 CollisionObject2D에 충돌 모양을 지정하기 위해서만 사용되" +"요. Shape를 정의해야 하는 Area2D, StaticBody2D, RigidBody2D, KinematicBody2D " +"등의 자식으로만 사용해주세요." #: scene/2d/collision_polygon_2d.cpp msgid "An empty CollisionPolygon2D has no effect on collision." -msgstr "빈 CollisionPolygon2D는 충돌에 영향을 주지 않습니다." +msgstr "빈 CollisionPolygon2D는 충돌에 영향을 주지 않아요." #: scene/2d/collision_shape_2d.cpp msgid "" @@ -11295,63 +11490,64 @@ msgid "" "CollisionObject2D derived node. Please only use it as a child of Area2D, " "StaticBody2D, RigidBody2D, KinematicBody2D, etc. to give them a shape." msgstr "" -"CollisionShape2D는 CollisionObject2D에 충돌 Shape을 지정하기 위해서만 사용됩" -"니다. Area2D, StaticBody2D, RigidBody2D, KinematicBody2D 등의 자식 노드로 추" -"가하여 사용합니다." +"CollisionShape2D는 CollisionObject2D에 충돌 모양을 지정하기 위해서만 사용되" +"요. Shape를 정의해야 하는 Area2D, StaticBody2D, RigidBody2D, KinematicBody2D " +"등의 자식으로만 사용해주세요." #: scene/2d/collision_shape_2d.cpp msgid "" "A shape must be provided for CollisionShape2D to function. Please create a " "shape resource for it!" msgstr "" -"CollisionShape2D가 기능을 하기 위해서는 반드시 Shape이 제공되어야 합니다. " -"Shape 리소스를 만드세요!" +"CollisionShape2D가 작동하려면 반드시 Shape가 있어야 해요. Shape 리소스를 만들" +"어주세요!" #: scene/2d/cpu_particles_2d.cpp msgid "" "CPUParticles2D animation requires the usage of a CanvasItemMaterial with " "\"Particles Animation\" enabled." msgstr "" -"CPUParticles2D 애니메이션을 사용하려면 \"Particles Animation\"이 활성화된 " -"CanvasItemMaterial이 필요합니다." +"CPUParticles2D 애니메이션에는 \"Particles Animation\"이 켜진 " +"CanvasItemMaterial을 사용해야 해요." #: scene/2d/light_2d.cpp msgid "" "A texture with the shape of the light must be supplied to the \"Texture\" " "property." -msgstr "조명의 모양을 나타낼 텍스쳐를 \"Texture\" 속성에 지정해야 합니다." +msgstr "조명의 모양을 나타낼 텍스처를 \"Texture\" 속성에 지정해야 해요." #: scene/2d/light_occluder_2d.cpp msgid "" "An occluder polygon must be set (or drawn) for this occluder to take effect." msgstr "" -"Occluder가 동작하기 위해서는 Occluder 폴리곤을 지정하거나 그려야 합니다." +"이 Occluder가 영향을 주게 하려면 Occluder 폴리곤을 설정해야 (혹은 그려야)해" +"요." #: scene/2d/light_occluder_2d.cpp msgid "The occluder polygon for this occluder is empty. Please draw a polygon." -msgstr "Occluder 폴리곤이 비어있습니다. 폴리곤을 그리세요." +msgstr "Occluder 폴리곤이 비어있어요. 폴리곤을 그려주세요." #: scene/2d/navigation_polygon.cpp msgid "" "A NavigationPolygon resource must be set or created for this node to work. " "Please set a property or draw a polygon." msgstr "" -"이 노드가 동작하기 위해서는 NavigationPolygon 리소스를 지정 또는 생성해야 합" -"니다. 속성을 지정하거나, 폴리곤을 그리세요." +"이 노드가 작동하려면 NavigationPolygon 리소스를 설정하거나 만들어야 해요. 속" +"성을 설정하거나 폴리곤을 그려주세요." #: scene/2d/navigation_polygon.cpp msgid "" "NavigationPolygonInstance must be a child or grandchild to a Navigation2D " "node. It only provides navigation data." msgstr "" -"NavigationPolygonInstance은 Navigation2D 노드의 하위에 있어야 합니다. 이것은 " -"내비게이션 데이터만을 제공합니다." +"NavigationPolygonInstance는 Navigation2D 노드의 자식 또는 그 아래에 있어야 해" +"요. 이것은 내비게이션 데이터만을 제공해요." #: scene/2d/parallax_layer.cpp msgid "" "ParallaxLayer node only works when set as child of a ParallaxBackground node." msgstr "" -"ParallaxLayer는 ParallaxBackground 노드의 자식노드로 있을 때만 동작합니다." +"ParallaxLayer는 ParallaxBackground 노드의 자식 노드로 있을 때만 작동해요." #: scene/2d/particles_2d.cpp msgid "" @@ -11359,29 +11555,28 @@ msgid "" "Use the CPUParticles2D node instead. You can use the \"Convert to " "CPUParticles\" option for this purpose." msgstr "" -"GPU 기반 파티클은 GLES2 비디오 드라이버에서 지원하지 않습니다.\n" -"CPUParticles2D 노드를 사용하세요. 이 경우 \"CPU파티클로 변환\" 옵션을 사용할 " -"수 있습니다." +"GPU 기반 파티클은 GLES2 비디오 드라이버에서 지원하지 않아요.\n" +"대신 CPUParticles2D 노드를 사용하세요. 이 경우 \"CPU파티클로 변환\" 옵션을 사" +"용할 수 있어요." #: scene/2d/particles_2d.cpp scene/3d/particles.cpp msgid "" "A material to process the particles is not assigned, so no behavior is " "imprinted." msgstr "" -"파티클을 처리할 메테리얼이 할당되지 않았기에, 아무런 행동도 인쇄되지 않았습니" -"다." +"파티클을 처리할 머티리얼을 지정하지 않아서, 아무런 동작도 찍히지 않았어요." #: scene/2d/particles_2d.cpp msgid "" "Particles2D animation requires the usage of a CanvasItemMaterial with " "\"Particles Animation\" enabled." msgstr "" -"Particles2D 애니메이션을 사용하려면 \"Particles Animation\"이 활성화된 " -"CanvasItemMaterial이 필요합니다." +"Particles2D 애니메이션은 \"Particles Animation\"이 켜져 있는 " +"CanvasItemMaterial을 사용해야 해요." #: scene/2d/path_2d.cpp msgid "PathFollow2D only works when set as a child of a Path2D node." -msgstr "PathFollow2D는 Path2D 노드의 자식노드로 있을 때만 동작합니다." +msgstr "PathFollow2D는 Path2D 노드의 자식 노드로 있을 때만 작동해요." #: scene/2d/physics_body_2d.cpp msgid "" @@ -11390,27 +11585,27 @@ msgid "" "Change the size in children collision shapes instead." msgstr "" "(캐릭터나 리지드 모드에서) RigidBody2D의 크기 변경은 물리 엔진이 작동하는 동" -"안 큰 부담이 됩니다.\n" +"안 큰 부담이 되요.\n" "대신 자식 충돌 형태의 크기를 변경해보세요." #: scene/2d/remote_transform_2d.cpp msgid "Path property must point to a valid Node2D node to work." -msgstr "Path 속성은 올바른 Node2D 노드를 가리켜야 합니다." +msgstr "Path 속성은 올바른 Node2D 노드를 가리켜야 해요." #: scene/2d/skeleton_2d.cpp msgid "This Bone2D chain should end at a Skeleton2D node." -msgstr "이 Bone2D 체인은 Skeleton2D 노드에서 끝나야 합니다." +msgstr "이 Bone2D 체인은 Skeleton2D 노드에서 끝나야 해요." #: scene/2d/skeleton_2d.cpp msgid "A Bone2D only works with a Skeleton2D or another Bone2D as parent node." -msgstr "Bone2D는 Skeleton2D나 다른 Bone2D가 부모 노드로 있어야만 작동합니다." +msgstr "Bone2D는 Skeleton2D나 다른 Bone2D가 부모 노드로 있어야만 작동해요." #: scene/2d/skeleton_2d.cpp msgid "" "This bone lacks a proper REST pose. Go to the Skeleton2D node and set one." msgstr "" -"이 본에 적절한 휴식 자세가 없습니다. Skeleton2D 노드로 가 휴식으로 할 자세를 " -"설정하세요." +"이 본에 적절한 대기 자세가 없습니다. Skeleton2D 노드로 가서 대기 자세를 설정" +"하세요." #: scene/2d/tile_map.cpp msgid "" @@ -11418,46 +11613,46 @@ msgid "" "to. Please use it as a child of Area2D, StaticBody2D, RigidBody2D, " "KinematicBody2D, etc. to give them a shape." msgstr "" -"Use Parent가 켜진 TileMap은 형태를 주기 위해 부모 CollisionObject2D가 필요합" +"Use Parent가 켜진 TileMap은 형태를 주기 위한 부모 CollisionObject2D가 필요합" "니다. 형태를 주기 위해 Area2D, StaticBody2D, RigidBody2D, KinematicBody2D 등" -"의 자식 노드로 추가하여 사용합니다." +"을 자식 노드로 사용해주세요." #: scene/2d/visibility_notifier_2d.cpp msgid "" "VisibilityEnabler2D works best when used with the edited scene root directly " "as parent." msgstr "" -"VisibilityEnabler2D는 편집 씬의 루트의 하위 노드로 추가할 때 가장 잘 동작합니" -"다." +"VisibilityEnabler2D는 편집한 씬의 루트에 직접 부모로 사용할 때 가장 잘 작동해" +"요." #: scene/3d/arvr_nodes.cpp msgid "ARVRCamera must have an ARVROrigin node as its parent." -msgstr "ARVRCamera는 반드시 ARVROrigin 노드를 부모로 가지고 있어야 합니다." +msgstr "ARVRCamera는 반드시 ARVROrigin 노드를 부모로 갖고 있어야 해요." #: scene/3d/arvr_nodes.cpp msgid "ARVRController must have an ARVROrigin node as its parent." -msgstr "ARVRController는 반드시 ARVROrigin 노드를 부모로 가지고 있어야 합니다." +msgstr "ARVRController는 반드시 ARVROrigin 노드를 부모로 갖고 있어야 해요." #: scene/3d/arvr_nodes.cpp msgid "" "The controller ID must not be 0 or this controller won't be bound to an " "actual controller." msgstr "" -"컨트롤러 ID가 0이 되면 컨트롤러가 실제 컨트롤러에 바인딩하지 않게 됩니다." +"컨트롤러 ID가 0이 되면 컨트롤러가 실제 컨트롤러에 바인딩하지 않게 돼요." #: scene/3d/arvr_nodes.cpp msgid "ARVRAnchor must have an ARVROrigin node as its parent." -msgstr "ARVRAnchor는 반드시 ARVROrigin 노드를 부모로 가지고 있어야 합니다." +msgstr "ARVRAnchor는 반드시 ARVROrigin 노드를 부모로 갖고 있어야 해요." #: scene/3d/arvr_nodes.cpp msgid "" "The anchor ID must not be 0 or this anchor won't be bound to an actual " "anchor." -msgstr "앵커 ID가 0이 되면 앵커가 실제 앵커에 바인딩하지 않게 됩니다." +msgstr "앵커 ID가 0이 되면 앵커가 실제 앵커에 바인딩하지 않게 돼요." #: scene/3d/arvr_nodes.cpp msgid "ARVROrigin requires an ARVRCamera child node." -msgstr "ARVROrigin은 자식으로 ARVRCamera 노드가 필요합니다." +msgstr "ARVROrigin은 자식으로 ARVRCamera 노드가 필요해요." #: scene/3d/baked_lightmap.cpp msgid "%d%%" @@ -11473,7 +11668,7 @@ msgstr "메시 구분 중: " #: scene/3d/baked_lightmap.cpp msgid "Plotting Lights:" -msgstr "라이트 구분 중:" +msgstr "조명 구분 중:" #: scene/3d/baked_lightmap.cpp scene/3d/gi_probe.cpp msgid "Finishing Plot" @@ -11481,7 +11676,7 @@ msgstr "구분 끝남" #: scene/3d/baked_lightmap.cpp msgid "Lighting Meshes: " -msgstr "메시에 라이팅 중: " +msgstr "메시에 조명 중: " #: scene/3d/collision_object.cpp msgid "" @@ -11489,10 +11684,9 @@ msgid "" "Consider adding a CollisionShape or CollisionPolygon as a child to define " "its shape." msgstr "" -"이 노드는 Shape을 갖는 자식 노드가 없습니다, 다른 물체와 충돌하거나 상호작용 " -"할 수 없습니다.\n" -"CollisionShape 또는 CollisionPolygon를 자식 노드로 추가하여 Shape을 정의하세" -"요." +"이 노드는 Shape가 없어요, 다른 물체와 충돌하거나 상호작용할 수 없어요.\n" +"CollisionShape 또는 CollisionPolygon을 자식 노드로 추가해서 Shape을 정의해보" +"세요." #: scene/3d/collision_polygon.cpp msgid "" @@ -11500,13 +11694,13 @@ msgid "" "CollisionObject derived node. Please only use it as a child of Area, " "StaticBody, RigidBody, KinematicBody, etc. to give them a shape." msgstr "" -"CollisionPolygon은 CollisionObject에 충돌 Shape을 지정하기 위해서만 사용됩니" -"다. Area, StaticBody, RigidBody, KinematicBody 등에 자식 노드로 추가하여 사용" -"합니다." +"CollisionPolygon은 CollisionObject에 충돌 Shape을 지정하기 위해서만 사용돼" +"요. Area, StaticBody, RigidBody, KinematicBody 등에 자식 노드로 추가해서 사용" +"해주세요." #: scene/3d/collision_polygon.cpp msgid "An empty CollisionPolygon has no effect on collision." -msgstr "빈 CollisionPolygon는 충돌에 영향을 주지 않습니다." +msgstr "빈 CollisionPolygon는 충돌에 영향을 주지 않아요." #: scene/3d/collision_shape.cpp msgid "" @@ -11514,29 +11708,29 @@ msgid "" "derived node. Please only use it as a child of Area, StaticBody, RigidBody, " "KinematicBody, etc. to give them a shape." msgstr "" -"CollisionShape은 CollisionObject에 충돌 Shape을 지정하기 위해서만 사용됩니" -"다. Area, StaticBody, RigidBody, KinematicBody 등에 자식 노드로 추가하여 사용" -"합니다." +"CollisionShape은 CollisionObject에 충돌 Shape을 지정하기 위해서만 사용돼요. " +"Area, StaticBody, RigidBody, KinematicBody 등에 자식 노드로 추가해서 사용해주" +"세요." #: scene/3d/collision_shape.cpp msgid "" "A shape must be provided for CollisionShape to function. Please create a " "shape resource for it." msgstr "" -"CollisionShape가 제 기능을 하려면 Shape가 제공되어야 합니다. Shape 리소스를 " -"만드세요." +"CollisionShape가 제 기능을 하려면 Shape가 있어야 해요. Shape 리소스를 만들어" +"주세요." #: scene/3d/collision_shape.cpp msgid "" "Plane shapes don't work well and will be removed in future versions. Please " "don't use them." msgstr "" -"평면 모양은 잘 작동하지 않으며 이후 버전에서 제거될 예정입니다. 사용하지 말아" -"주세요." +"평면 Shape는 잘 작동하지 않으며 이후 버전에서 제거될 예정이에요. 사용하지 말" +"아주세요." #: scene/3d/cpu_particles.cpp msgid "Nothing is visible because no mesh has been assigned." -msgstr "지정된 메시가 없으므로 메시를 볼 수 없습니다." +msgstr "지정한 메시가 없어서 아무 것도 보이지 않아요." #: scene/3d/cpu_particles.cpp msgid "" @@ -11544,37 +11738,35 @@ msgid "" "Billboard Mode is set to \"Particle Billboard\"." msgstr "" "CPUParticles 애니메이션을 사용하려면 Billboard Mode가 \"Particle Billboard" -"\"로 설정된 SpatialMaterial이 필요합니다." +"\"로 설정된 SpatialMaterial이 필요해요." #: scene/3d/gi_probe.cpp msgid "Plotting Meshes" -msgstr "메시 구분중" +msgstr "메시 구분 중" #: scene/3d/gi_probe.cpp msgid "" "GIProbes are not supported by the GLES2 video driver.\n" "Use a BakedLightmap instead." msgstr "" -"GIProbe는 GLES2 비디오 드라이버에서 지원하지 않습니다.\n" -"BakedLightmap을 사용하세요." +"GIProbe는 GLES2 비디오 드라이버에서 지원하지 않아요.\n" +"대신 BakedLightmap을 사용하세요." #: scene/3d/light.cpp msgid "A SpotLight with an angle wider than 90 degrees cannot cast shadows." -msgstr "SpotLight의 각도를 90도 이상으로 잡게되면 그림자를 투영할 수 없습니다." +msgstr "SpotLight의 각도를 90도 이상으로 잡게되면 그림자를 투영할 수 없어요." #: scene/3d/navigation_mesh.cpp msgid "A NavigationMesh resource must be set or created for this node to work." -msgstr "" -"이 노드가 동작하기 위해서는 NavigationMesh 리소스를 지정하거나 생성해야 합니" -"다." +msgstr "이 노드가 작동하려면 NavigationMesh 리소스를 설정하거나 만들어야 해요." #: scene/3d/navigation_mesh.cpp msgid "" "NavigationMeshInstance must be a child or grandchild to a Navigation node. " "It only provides navigation data." msgstr "" -"NavigationMeshInstance은 Navigation 노드의 하위에 있어야 합니다. 이것은 내비" -"게이션 데이터만을 제공합니다." +"NavigationMeshInstance는 Navigation 노드의 자식이나 그 아래에 있어야 해요. 이" +"것은 내비게이션 데이터만을 제공해요." #: scene/3d/particles.cpp msgid "" @@ -11582,14 +11774,14 @@ msgid "" "Use the CPUParticles node instead. You can use the \"Convert to CPUParticles" "\" option for this purpose." msgstr "" -"GPU 기반 파티클은 GLES2 비디오 드라이버에서 지원하지 않습니다.\n" -"CPUParticles 노드를 사용하세요. 이 경우 \"CPU파티클로 변환\" 옵션을 사용할 " -"수 있습니다." +"GPU 기반 파티클은 GLES2 비디오 드라이버에서 지원하지 않아요.\n" +"대신 CPUParticles 노드를 사용하세요. 이 경우 \"CPU파티클로 변환\" 설정을 사용" +"할 수 있어요." #: scene/3d/particles.cpp msgid "" "Nothing is visible because meshes have not been assigned to draw passes." -msgstr "메시들을 패스를 그리도록 할당하지 않았으므로 보이지 않습니다." +msgstr "메시들을 패스를 그리도록 지정하지 않아서, 아무 것도 보이지 않아요." #: scene/3d/particles.cpp msgid "" @@ -11597,11 +11789,11 @@ msgid "" "Mode is set to \"Particle Billboard\"." msgstr "" "Particles 애니메이션을 사용하려면 Billboard Mode가 \"Particle Billboard\"로 " -"설정된 SpatialMaterial이 필요합니다." +"설정된 SpatialMaterial이 필요해요." #: scene/3d/path.cpp msgid "PathFollow only works when set as a child of a Path node." -msgstr "PathFollow는 Path 노드의 자식으로 있을 때만 동작합니다." +msgstr "PathFollow는 Path 노드의 자식으로 있을 때만 작동해요." #: scene/3d/path.cpp msgid "" @@ -11609,7 +11801,7 @@ msgid "" "parent Path's Curve resource." msgstr "" "PathFollow의 ROTATION_ORIENTED는 부모 Path의 Curve 리소스에서 \"Up Vector" -"\"가 활성화되어 있어야 합니다." +"\"가 켜져 있어야 해요." #: scene/3d/physics_body.cpp msgid "" @@ -11618,7 +11810,7 @@ msgid "" "Change the size in children collision shapes instead." msgstr "" "(캐릭터나 리지드 모드에서) RigidBody의 크기 변경은 물리 엔진이 작동하는 동안 " -"큰 부담이 됩니다.\n" +"큰 부담이 돼요.\n" "대신 자식 충돌 형태의 크기를 변경해보세요." #: scene/3d/remote_transform.cpp @@ -11626,12 +11818,12 @@ msgid "" "The \"Remote Path\" property must point to a valid Spatial or Spatial-" "derived node to work." msgstr "" -"\"Remote Path\" 속성은 올바른 Spatial 노드, 또는 Spatial 파생 노드를 가리켜" -"야 합니다." +"\"Remote Path\" 속성은 올바른 Spatial 노드, 또는 Spatial에서 파생된 노드를 가" +"리켜야 해요." #: scene/3d/soft_body.cpp msgid "This body will be ignored until you set a mesh." -msgstr "이 바디는 메시를 설정할 때까지 무시됩니다." +msgstr "이 바디는 메시를 설정할 때까지 무시돼요." #: scene/3d/soft_body.cpp msgid "" @@ -11639,8 +11831,8 @@ msgid "" "running.\n" "Change the size in children collision shapes instead." msgstr "" -"SoftBody의 크기 변경은 실행 중에 물리 엔진에 의해 무시됩니다.\n" -"대신 자식의 충돌 크기를 변경하세요." +"실행 중에 SoftBody의 크기 변경은 물리 엔진에 의해 다시 정의돼요.\n" +"대신 자식의 충돌 모양 크기를 변경하세요." #: scene/3d/sprite_3d.cpp msgid "" @@ -11648,14 +11840,14 @@ msgid "" "order for AnimatedSprite3D to display frames." msgstr "" "AnimatedSprite3D가 프레임을 보여주기 위해서는 \"Frames\" 속성에 SpriteFrames " -"리소스 만들거나 지정해야 합니다." +"리소스를 만들거나 설정해야 해요." #: scene/3d/vehicle_body.cpp msgid "" "VehicleWheel serves to provide a wheel system to a VehicleBody. Please use " "it as a child of a VehicleBody." msgstr "" -"VehicleWheel은 VehicleBody로 휠 시스템을 제공하는 기능을 합니다. VehicleBody" +"VehicleWheel은 VehicleBody로 바퀴 시스템을 제공하는 역할이에요. VehicleBody" "의 자식으로 사용해주세요." #: scene/3d/world_environment.cpp @@ -11663,21 +11855,22 @@ msgid "" "WorldEnvironment requires its \"Environment\" property to contain an " "Environment to have a visible effect." msgstr "" -"WorldEnvironment는 시각 효과를 위해 Environment를 갖는 \"Environment\" 속성" -"이 필요합니다." +"WorldEnvironment가 시각 효과를 갖도록 Environment를 갖고 있는 \"Environment" +"\" 속성이 필요해요." #: scene/3d/world_environment.cpp msgid "" "Only one WorldEnvironment is allowed per scene (or set of instanced scenes)." -msgstr "씬마다 WorldEnvironment가 단 하나만 허용됩니다." +msgstr "" +"씬마다 (혹은 인스턴스된 씬 묶음마다) WorldEnvironment는 하나만 허용되요." #: scene/3d/world_environment.cpp msgid "" "This WorldEnvironment is ignored. Either add a Camera (for 3D scenes) or set " "this environment's Background Mode to Canvas (for 2D scenes)." msgstr "" -"이 WorldEnvironment는 무시됩니다. (3D 씬을 위해) Camera를 추가하거나 아니면 " -"(2D 씬을 위해) 이 환경의 배경 모드를 Canvas로 설정하세요." +"이 WorldEnvironment는 무시돼요. (3D 씬을 위해) Camera를 추가하거나 아니면 " +"(2D 씬을 위해) 이 환경의 Background Mode를 Canvas로 설정하세요." #: scene/animation/animation_blend_tree.cpp msgid "On BlendTree node '%s', animation not found: '%s'" @@ -11689,11 +11882,11 @@ msgstr "애니메이션을 찾을 수 없음: '%s'" #: scene/animation/animation_tree.cpp msgid "In node '%s', invalid animation: '%s'." -msgstr "노드 '%s'에서, 올바르지 않은 애니메이션: '%s'." +msgstr "노드 '%s'에서, 잘못된 애니메이션: '%s'." #: scene/animation/animation_tree.cpp msgid "Invalid animation: '%s'." -msgstr "올바르지 않은 애니메이션: '%s'." +msgstr "잘못된 애니메이션: '%s'." #: scene/animation/animation_tree.cpp msgid "Nothing connected to input '%s' of node '%s'." @@ -11701,27 +11894,25 @@ msgstr "노드 '%s'의 '%s' 입력에 아무것도 연결되지 않음." #: scene/animation/animation_tree.cpp msgid "No root AnimationNode for the graph is set." -msgstr "그래프를 위한 루트 AnimationNode가 설정되지 않았습니다." +msgstr "그래프를 위한 루트 AnimationNode를 설정하지 않았어요." #: scene/animation/animation_tree.cpp msgid "Path to an AnimationPlayer node containing animations is not set." msgstr "" -"애니메이션을 갖고 있는 AnimationPlayer 노드의 경로가 설정되지 않았습니다." +"애니메이션을 갖고 있는 AnimationPlayer 노드의 경로를 설정하지 않았어요." #: scene/animation/animation_tree.cpp msgid "Path set for AnimationPlayer does not lead to an AnimationPlayer node." msgstr "" -"AnimationPlayer에 대한 경로 설정이 AnimationPlayer 노드를 향하고 있지 않습니" -"다." +"AnimationPlayer에 대한 경로 설정이 AnimationPlayer 노드를 향하고 있지 않아요." #: scene/animation/animation_tree.cpp msgid "The AnimationPlayer root node is not a valid node." -msgstr "AnimationPlayer 루트 노드가 올바른 노드가 아닙니다." +msgstr "AnimationPlayer 루트 노드가 올바른 노드가 아니에요." #: scene/animation/animation_tree_player.cpp msgid "This node has been deprecated. Use AnimationTree instead." -msgstr "" -"이 노드는 더 이상 사용할 수 없습니다. AnimationTree를 사용하시길 바랍니다." +msgstr "이 노드는 더 이상 사용할 수 없어요. 대신 AnimationTree를 사용하세요." #: scene/gui/color_picker.cpp msgid "Pick a color from the screen." @@ -11737,11 +11928,11 @@ msgstr "Raw" #: scene/gui/color_picker.cpp msgid "Switch between hexadecimal and code values." -msgstr "16 진수나 코드 값으로 전환합니다." +msgstr "16진수나 코드 값으로 전환해요." #: scene/gui/color_picker.cpp msgid "Add current color as a preset." -msgstr "현재 색상을 프리셋으로 추가합니다." +msgstr "현재 색상을 프리셋으로 추가해요." #: scene/gui/container.cpp msgid "" @@ -11749,7 +11940,7 @@ msgid "" "children placement behavior.\n" "If you don't intend to add a script, use a plain Control node instead." msgstr "" -"Container 자체는 자식 배치 작업을 구성하는 스크립트 외에는 목적이 없습니다.\n" +"Container 자체는 자식 배치 작업을 구성하는 스크립트 외에는 목적이 없어요.\n" "스크립트를 추가하지 않는 경우, 순수한 Control 노드를 사용해주세요." #: scene/gui/control.cpp @@ -11757,9 +11948,8 @@ msgid "" "The Hint Tooltip won't be displayed as the control's Mouse Filter is set to " "\"Ignore\". To solve this, set the Mouse Filter to \"Stop\" or \"Pass\"." msgstr "" -"Hint Tooltip은 Control의 Mouse Filter가 \"ignore\"로 설정되어 있기 때문에 보" -"여지지 않습니다. 해결하려면, Mouse Filter를 \"Stop\"이나 \"Pass\"로 설정하세" -"요." +"Hint Tooltip은 Control의 Mouse Filter가 \"Ignore\"으로 설정되어 있기 때문에 " +"보이지 않아요. 해결하려면, Mouse Filter를 \"Stop\"이나 \"Pass\"로 설정하세요." #: scene/gui/dialogs.cpp msgid "Alert!" @@ -11775,12 +11965,12 @@ msgid "" "functions. Making them visible for editing is fine, but they will hide upon " "running." msgstr "" -"Popup은 popup() 또는 기타 popup*() 함수로 호출되기 전까지 기본적으로 숨어있습" -"니다. 편집하는 동안 보이도록 할 수는 있으나, 실행 시에는 보이지 않습니다." +"Popup은 popup() 또는 기타 popup*() 함수로 호출하기 전까지 기본적으로 숨어있어" +"요. 편집하는 동안 보이도록 할 수는 있으나, 실행 시에는 보이지 않아요." #: scene/gui/range.cpp msgid "If \"Exp Edit\" is enabled, \"Min Value\" must be greater than 0." -msgstr "\"Exp Edit\"이 활성화되면, \"Min Value\"는 반드시 0보다 커야 합니다." +msgstr "\"Exp Edit\"을 켜면, \"Min Value\"는 반드시 0보다 커야 해요." #: scene/gui/scroll_container.cpp msgid "" @@ -11788,9 +11978,9 @@ msgid "" "Use a container as child (VBox, HBox, etc.), or a Control and set the custom " "minimum size manually." msgstr "" -"ScrollContainer는 단일 자식 Control을 작업하기 위한 것입니다.\n" -"컨테이너를 자식으로 사용하거나 (VBox, HBox 등), Control을 사용해 손수 최소 수" -"치를 설정하세요." +"ScrollContainer는 단일 자식 Control을 작업하기 위한 것이에요.\n" +"컨테이너를 자식으로 사용하거나 (VBox, HBox 등), Control을 사용하고 맞춤 최소 " +"수치를 수동으로 설정하세오." #: scene/gui/tree.cpp msgid "(Other)" @@ -11801,8 +11991,8 @@ msgid "" "Default Environment as specified in Project Settings (Rendering -> " "Environment -> Default Environment) could not be loaded." msgstr "" -"프로젝트 설정 (Rendering -> Environment -> Default Environment)에 지정된 기" -"본 환경은 불러올 수 없습니다." +"프로젝트 설정 (Rendering -> Environment -> Default Environment)에 지정한 기" +"본 환경은 불러올 수 없어요." #: scene/main/viewport.cpp msgid "" @@ -11811,10 +12001,10 @@ msgid "" "obtain a size. Otherwise, make it a RenderTarget and assign its internal " "texture to some node for display." msgstr "" -"뷰포트가 렌더 대상으로 설정되지 않았습니다. 뷰포트의 내용을 화면 상에 직접 표" -"시하고자 할 경우, 크기를 얻기 위해서 Control의 자식 노드로 만들어야 합니다. " -"그렇지 않을 경우, 화면에 표시하기 위해서는 RenderTarget으로 설정하고 내부적" -"인 텍스쳐를 다른 노드에 할당해야 합니다." +"뷰포트를 렌더 대상으로 설정하지 않았어요. 뷰포트의 내용을 화면에 직접 표시하" +"려면, 크기를 얻기 위해서 Control의 자식 노드로 만들어야 해요. 그렇지 않을 경" +"우, 화면에 표시하기 위해서는 RenderTarget으로 설정하고 내부적인 텍스처를 다" +"른 노드에 지정해야 해요." #: scene/resources/visual_shader.cpp msgid "Input" @@ -11822,15 +12012,15 @@ msgstr "입력" #: scene/resources/visual_shader_nodes.cpp msgid "Invalid source for preview." -msgstr "미리보기에 올바르지 않은 소스." +msgstr "미리 보기에 잘못된 소스." #: scene/resources/visual_shader_nodes.cpp msgid "Invalid source for shader." -msgstr "셰이더에 올바르지 않은 소스." +msgstr "셰이더에 잘못된 소스." #: scene/resources/visual_shader_nodes.cpp msgid "Invalid comparison function for that type." -msgstr "해당 타입에 올바르지 않은 비교 함수." +msgstr "해당 유형에 잘못된 비교 함수." #: servers/visual/shader_language.cpp msgid "Assignment to function." @@ -11838,15 +12028,52 @@ msgstr "함수에 배치함." #: servers/visual/shader_language.cpp msgid "Assignment to uniform." -msgstr "균일하게 배치함." +msgstr "유니폼에 배치함." #: servers/visual/shader_language.cpp msgid "Varyings can only be assigned in vertex function." -msgstr "Varyings는 오직 버텍스 함수에서만 지정할 수 있습니다." +msgstr "Varyings는 오직 꼭짓점 함수에서만 지정할 수 있어요." #: servers/visual/shader_language.cpp msgid "Constants cannot be modified." -msgstr "상수는 수정할 수 없습니다." +msgstr "상수는 수정할 수 없어요." + +#~ msgid "Properties:" +#~ msgstr "속성:" + +#~ msgid "Methods:" +#~ msgstr "메서드:" + +#~ msgid "Theme Properties:" +#~ msgstr "테마 속성:" + +#~ msgid "Enumerations:" +#~ msgstr "열거:" + +#~ msgid "Constants:" +#~ msgstr "상수:" + +#~ msgid "Class Description:" +#~ msgstr "클래스 설명:" + +#~ msgid "Property Descriptions:" +#~ msgstr "속성 설명:" + +#~ msgid "Method Descriptions:" +#~ msgstr "메서드 설명:" + +#~ msgid "" +#~ "This will install the Android project for custom builds.\n" +#~ "Note that, in order to use it, it needs to be enabled per export preset." +#~ msgstr "" +#~ "맞춤 빌드 용 안드로이드 프로젝트를 설치할게요.\n" +#~ "이것을 사용하려면 내보내기 프리셋마다 이 설정을 켜줘야 해요." + +#~ msgid "Reverse sorting." +#~ msgstr "역순 정렬." + +#~ msgid "Delete Node(s)?" +#~ msgstr "노드를 삭제할까요?" #~ msgid "No Matches" #~ msgstr "일치 결과 없음" @@ -12259,9 +12486,6 @@ msgstr "상수는 수정할 수 없습니다." #~ msgid "Instance the selected scene(s) as child of the selected node." #~ msgstr "선택된 씬을 선택된 노드의 자식으로 인스턴스 합니다." -#~ msgid "Warnings:" -#~ msgstr "경고:" - #~ msgid "Font Size:" #~ msgstr "폰트 크기:" @@ -12304,9 +12528,6 @@ msgstr "상수는 수정할 수 없습니다." #~ msgid "Select a split to erase it." #~ msgstr "지우기 위한 분할 위치를 선택하기." -#~ msgid "No name provided" -#~ msgstr "이름이 지정되지 않음" - #~ msgid "Add Node.." #~ msgstr "노드 추가.." @@ -12440,9 +12661,6 @@ msgstr "상수는 수정할 수 없습니다." #~ msgid "Warning" #~ msgstr "경고" -#~ msgid "Error:" -#~ msgstr "에러:" - #~ msgid "Function:" #~ msgstr "함수:" @@ -12524,9 +12742,6 @@ msgstr "상수는 수정할 수 없습니다." #~ msgid "Duplicate Graph Node(s)" #~ msgstr "그래프 노드 복제" -#~ msgid "Delete Shader Graph Node(s)" -#~ msgstr "셰이더 그래프 노드 삭제" - #~ msgid "Error: Cyclic Connection Link" #~ msgstr "에러: 순환 연결 링크" @@ -12953,9 +13168,6 @@ msgstr "상수는 수정할 수 없습니다." #~ msgid "Pick New Name and Location For:" #~ msgstr "새로운 이름과 위치를 고르세요:" -#~ msgid "No files selected!" -#~ msgstr "파일이 선택되지 않았습니다!" - #~ msgid "Info" #~ msgstr "정보" @@ -13352,12 +13564,6 @@ msgstr "상수는 수정할 수 없습니다." #~ msgid "Scaling to %s%%." #~ msgstr "%s%%로 크기 변경." -#~ msgid "Up" -#~ msgstr "위" - -#~ msgid "Down" -#~ msgstr "아래" - #~ msgid "Bucket" #~ msgstr "채우기" diff --git a/editor/translations/lt.po b/editor/translations/lt.po index 79d42d1231..4a7551e5b2 100644 --- a/editor/translations/lt.po +++ b/editor/translations/lt.po @@ -59,6 +59,34 @@ msgstr "" msgid "On call to '%s':" msgstr "" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +msgid "MiB" +msgstr "" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "Nemokama" @@ -484,6 +512,12 @@ msgid "Select None" msgstr "Pasirinkite Nodus, kuriuos norite importuoti" #: editor/animation_track_editor.cpp +#, fuzzy +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" +"Norint redaguoti animacijas pasirinkite AnimationPlayer Nodą iš Scenos." + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "" @@ -813,7 +847,8 @@ msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -920,7 +955,8 @@ msgstr "" msgid "Matches:" msgstr "" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1220,7 +1256,7 @@ msgid "Delete Bus Effect" msgstr "" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +msgid "Drag & drop to rearrange." msgstr "" #: editor/editor_audio_buses.cpp @@ -1412,6 +1448,7 @@ msgid "Add AutoLoad" msgstr "" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "" @@ -1641,6 +1678,7 @@ msgstr "(Esama)" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "" @@ -1717,6 +1755,7 @@ msgid "New Folder..." msgstr "" #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "" @@ -1874,46 +1913,27 @@ msgid "Inherited by:" msgstr "" #: editor/editor_help.cpp -msgid "Brief Description:" -msgstr "" +#, fuzzy +msgid "Brief Description" +msgstr "Aprašymas:" #: editor/editor_help.cpp msgid "Properties" msgstr "" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "" - -#: editor/editor_help.cpp msgid "Methods" msgstr "" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "" - -#: editor/editor_help.cpp msgid "Theme Properties" msgstr "" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "" - -#: editor/editor_help.cpp msgid "enum " msgstr "" @@ -1922,21 +1942,12 @@ msgid "Constants" msgstr "" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "" - -#: editor/editor_help.cpp #, fuzzy msgid "Class Description" msgstr "Aprašymas:" #: editor/editor_help.cpp -#, fuzzy -msgid "Class Description:" -msgstr "Aprašymas:" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +msgid "Online Tutorials" msgstr "" #: editor/editor_help.cpp @@ -1952,11 +1963,6 @@ msgid "Property Descriptions" msgstr "Aprašymas:" #: editor/editor_help.cpp -#, fuzzy -msgid "Property Descriptions:" -msgstr "Aprašymas:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -1968,11 +1974,6 @@ msgid "Method Descriptions" msgstr "Aprašymas:" #: editor/editor_help.cpp -#, fuzzy -msgid "Method Descriptions:" -msgstr "Aprašymas:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2042,8 +2043,8 @@ msgstr "" msgid "Copy Selection" msgstr "Panaikinti pasirinkimą" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2056,6 +2057,50 @@ msgstr "" msgid "Clear Output" msgstr "" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +#, fuzzy +msgid "Start" +msgstr "Pradėti!" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +#, fuzzy +msgid "Down" +msgstr "Atsiųsti" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" msgstr "" @@ -2601,6 +2646,19 @@ msgstr "" msgid "Project Settings..." msgstr "" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Version Control" +msgstr "Versija:" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp #, fuzzy msgid "Export..." @@ -2802,10 +2860,6 @@ msgstr "" msgid "Stop the scene." msgstr "" -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "" @@ -2856,10 +2910,6 @@ msgid "Inspector" msgstr "" #: editor/editor_node.cpp -msgid "Node" -msgstr "" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "" @@ -2881,15 +2931,21 @@ msgstr "" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -2952,6 +3008,10 @@ msgstr "" msgid "Open the previous Editor" msgstr "Atidaryti praeitą Editorių" +#: editor/editor_path.cpp +msgid "No sub-resources found." +msgstr "" + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "" @@ -2962,6 +3022,11 @@ msgstr "Miniatūra..." #: editor/editor_plugin_settings.cpp #, fuzzy +msgid "Main Script:" +msgstr "Atidaryti Skriptų Editorių" + +#: editor/editor_plugin_settings.cpp +#, fuzzy msgid "Edit Plugin" msgstr "Priedai" @@ -2991,12 +3056,6 @@ msgstr "Statusas:" msgid "Edit:" msgstr "Redaguoti" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -#, fuzzy -msgid "Start" -msgstr "Pradėti!" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "" @@ -3801,9 +3860,10 @@ msgstr "" msgid "Import As:" msgstr "" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." -msgstr "" +#: editor/import_dock.cpp +#, fuzzy +msgid "Preset" +msgstr "Atstatyti Priartinimą" #: editor/import_dock.cpp msgid "Reimport" @@ -4244,6 +4304,7 @@ msgid "Change Animation Name:" msgstr "" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "" @@ -4823,10 +4884,6 @@ msgid "Sort:" msgstr "" #: editor/plugins/asset_library_editor_plugin.cpp -msgid "Reverse sorting." -msgstr "" - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "Kategorija:" @@ -5100,6 +5157,11 @@ msgid "Pan Mode" msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy +msgid "Ruler Mode" +msgstr "TimeScale Nodas" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "" @@ -6163,7 +6225,7 @@ msgstr "" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "" @@ -6375,11 +6437,11 @@ msgid "Toggle Scripts Panel" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" +msgid "Step Into" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Into" +msgid "Step Over" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp @@ -6460,7 +6522,7 @@ msgstr "" msgid "Connections to method:" msgstr "Prijunkite prie Nodo:" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp msgid "Source" msgstr "" @@ -7242,6 +7304,11 @@ msgstr "" #: editor/plugins/sprite_frames_editor_plugin.cpp #, fuzzy +msgid "Move Frame" +msgstr "Mix Nodas" + +#: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy msgid "Animations:" msgstr "Animacija" @@ -7566,6 +7633,15 @@ msgid "Enable Priority" msgstr "Redaguoti Filtrus" #: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy +msgid "Filter tiles" +msgstr "Filtrai..." + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "" @@ -7706,6 +7782,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp #, fuzzy msgid "Remove selected texture? This will remove all tiles which use it." msgstr "Panaikinti pasirinkimą" @@ -7875,6 +7956,104 @@ msgstr "" msgid "TileSet" msgstr "" +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No VCS addons are available." +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No commit message was provided" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit" +msgstr "Bendruomenė" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Initialize" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "Sukurti Naują" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "Naujas pavadinimas:" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "Ištrinti Efektą" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Typechange" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "Panaikinti pasirinkimą" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Stage All" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Commit Changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -8120,6 +8299,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9324,6 +9508,10 @@ msgid "Settings saved OK." msgstr "" #: editor/project_settings_editor.cpp +msgid "Moved Input Action Event" +msgstr "" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "" @@ -9461,6 +9649,10 @@ msgid "Plugins" msgstr "Priedai" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "" + +#: editor/property_editor.cpp msgid "Zero" msgstr "" @@ -9628,10 +9820,6 @@ msgstr "" msgid "Reset" msgstr "Atstatyti Priartinimą" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "" @@ -9687,6 +9875,10 @@ msgid "Instance Scene(s)" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Replace with Branch Scene" +msgstr "" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "" @@ -9727,10 +9919,24 @@ msgid "Make node as Root" msgstr "" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "Ištrinti Efektą" + +#: editor/scene_tree_dock.cpp +msgid "Delete the root node \"%s\"?" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" +msgstr "" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "Ištrinti Efektą" + +#: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." msgstr "" @@ -10118,26 +10324,57 @@ msgid "Bytes:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" +msgid "Warning:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." +#, fuzzy +msgid "Error:" +msgstr "Įvyko klaida kraunant šriftą." + +#: editor/script_editor_debugger.cpp +msgid "C++ Error" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Errors" +msgid "C++ Error:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Source" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +msgid "Source:" msgstr "" #: editor/script_editor_debugger.cpp +msgid "C++ Source:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "Errors" +msgstr "" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Child process connected." +msgstr "Atsijungti" + +#: editor/script_editor_debugger.cpp msgid "Copy Error" msgstr "" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "Sukurti" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "" @@ -10154,6 +10391,11 @@ msgid "Profiler" msgstr "" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Network Profiler" +msgstr "Importuoti iš Nodo:" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "" @@ -10166,6 +10408,10 @@ msgid "Monitors" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "" @@ -10362,10 +10608,6 @@ msgid "Library" msgstr "" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "" @@ -10374,6 +10616,10 @@ msgid "GDNative" msgstr "" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "" @@ -10528,6 +10774,15 @@ msgstr "" msgid "Pick Distance:" msgstr "" +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "Filtrai..." + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -10665,6 +10920,10 @@ msgid "Create a new variable." msgstr "Sukurti Naują" #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp #, fuzzy msgid "Create a new signal." msgstr "Keisti Poligono Skalę" @@ -10824,6 +11083,10 @@ msgid "Editing Signal:" msgstr "" #: modules/visual_script/visual_script_editor.cpp +msgid "Make Tool:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "" @@ -10972,7 +11235,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp @@ -11634,6 +11898,18 @@ msgid "Constants cannot be modified." msgstr "" #, fuzzy +#~ msgid "Class Description:" +#~ msgstr "Aprašymas:" + +#, fuzzy +#~ msgid "Property Descriptions:" +#~ msgstr "Aprašymas:" + +#, fuzzy +#~ msgid "Method Descriptions:" +#~ msgstr "Aprašymas:" + +#, fuzzy #~ msgid "Select Mode (Q)" #~ msgstr "Pasirinkite Nodus, kuriuos norite importuoti" diff --git a/editor/translations/lv.po b/editor/translations/lv.po index fe36132eca..2ffe68acc5 100644 --- a/editor/translations/lv.po +++ b/editor/translations/lv.po @@ -59,6 +59,34 @@ msgstr "Nderīgs arguments, lai izveidotu '%s'" msgid "On call to '%s':" msgstr "" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +msgid "MiB" +msgstr "" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "Bezmaksas" @@ -477,6 +505,10 @@ msgid "Select None" msgstr "Dzēst izvēlētos" #: editor/animation_track_editor.cpp +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "Rādīt celiņus tikai no mezgliem izvēlētajā kokā." @@ -804,7 +836,8 @@ msgstr "Savieno Signālu:" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -909,7 +942,8 @@ msgstr "Meklēt:" msgid "Matches:" msgstr "" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1222,7 +1256,7 @@ msgid "Delete Bus Effect" msgstr "" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +msgid "Drag & drop to rearrange." msgstr "" #: editor/editor_audio_buses.cpp @@ -1423,6 +1457,7 @@ msgid "Add AutoLoad" msgstr "" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "" @@ -1648,6 +1683,7 @@ msgstr "Izveidot Funkciju" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "" @@ -1722,6 +1758,7 @@ msgid "New Folder..." msgstr "" #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "" @@ -1880,46 +1917,27 @@ msgid "Inherited by:" msgstr "" #: editor/editor_help.cpp -msgid "Brief Description:" -msgstr "" +#, fuzzy +msgid "Brief Description" +msgstr "Apraksts:" #: editor/editor_help.cpp msgid "Properties" msgstr "" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "" - -#: editor/editor_help.cpp msgid "Methods" msgstr "" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "" - -#: editor/editor_help.cpp msgid "Theme Properties" msgstr "" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "" - -#: editor/editor_help.cpp msgid "enum " msgstr "" @@ -1928,21 +1946,12 @@ msgid "Constants" msgstr "" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "" - -#: editor/editor_help.cpp #, fuzzy msgid "Class Description" msgstr "Apraksts:" #: editor/editor_help.cpp -#, fuzzy -msgid "Class Description:" -msgstr "Apraksts:" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +msgid "Online Tutorials" msgstr "" #: editor/editor_help.cpp @@ -1958,11 +1967,6 @@ msgid "Property Descriptions" msgstr "Apraksts:" #: editor/editor_help.cpp -#, fuzzy -msgid "Property Descriptions:" -msgstr "Apraksts:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -1974,11 +1978,6 @@ msgid "Method Descriptions" msgstr "Apraksts:" #: editor/editor_help.cpp -#, fuzzy -msgid "Method Descriptions:" -msgstr "Apraksts:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2047,8 +2046,8 @@ msgstr "" msgid "Copy Selection" msgstr "Noņemt Izvēlēto" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2061,6 +2060,48 @@ msgstr "" msgid "Clear Output" msgstr "" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Down" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" msgstr "" @@ -2607,6 +2648,18 @@ msgstr "" msgid "Project Settings..." msgstr "" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control" +msgstr "" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp msgid "Export..." msgstr "" @@ -2807,10 +2860,6 @@ msgstr "" msgid "Stop the scene." msgstr "" -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "" @@ -2862,10 +2911,6 @@ msgid "Inspector" msgstr "" #: editor/editor_node.cpp -msgid "Node" -msgstr "" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "" @@ -2887,15 +2932,21 @@ msgstr "" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -2958,6 +3009,10 @@ msgstr "" msgid "Open the previous Editor" msgstr "" +#: editor/editor_path.cpp +msgid "No sub-resources found." +msgstr "" + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "" @@ -2967,6 +3022,11 @@ msgid "Thumbnail..." msgstr "" #: editor/editor_plugin_settings.cpp +#, fuzzy +msgid "Main Script:" +msgstr "Savieno Signālu:" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "" @@ -2995,11 +3055,6 @@ msgstr "" msgid "Edit:" msgstr "" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "" @@ -3797,9 +3852,10 @@ msgstr "" msgid "Import As:" msgstr "" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." -msgstr "" +#: editor/import_dock.cpp +#, fuzzy +msgid "Preset" +msgstr "Atiestatīt tālummaiņu" #: editor/import_dock.cpp msgid "Reimport" @@ -4237,6 +4293,7 @@ msgid "Change Animation Name:" msgstr "" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "" @@ -4804,10 +4861,6 @@ msgid "Sort:" msgstr "" #: editor/plugins/asset_library_editor_plugin.cpp -msgid "Reverse sorting." -msgstr "" - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "" @@ -5080,6 +5133,11 @@ msgid "Pan Mode" msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy +msgid "Ruler Mode" +msgstr "Mēroga Attiecība:" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "" @@ -6142,7 +6200,7 @@ msgstr "" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "" @@ -6350,11 +6408,11 @@ msgid "Toggle Scripts Panel" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" +msgid "Step Into" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Into" +msgid "Step Over" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp @@ -6435,7 +6493,7 @@ msgstr "" msgid "Connections to method:" msgstr "" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp #, fuzzy msgid "Source" msgstr "Resurs" @@ -7223,6 +7281,10 @@ msgid "(empty)" msgstr "" #: editor/plugins/sprite_frames_editor_plugin.cpp +msgid "Move Frame" +msgstr "" + +#: editor/plugins/sprite_frames_editor_plugin.cpp #, fuzzy msgid "Animations:" msgstr "Funkcijas:" @@ -7546,6 +7608,14 @@ msgid "Enable Priority" msgstr "" #: editor/plugins/tile_map_editor_plugin.cpp +msgid "Filter tiles" +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "" @@ -7685,6 +7755,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp #, fuzzy msgid "Remove selected texture? This will remove all tiles which use it." msgstr "Noņemt Izvēlēto" @@ -7852,6 +7927,106 @@ msgstr "" msgid "TileSet" msgstr "" +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No VCS addons are available." +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No commit message was provided" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Commit" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Initialize" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "Izveidot Jaunu %s" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "Nomainīt" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "Pārsaukt Audio Kopni" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "Izdzēst" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Typechange" +msgstr "Nomainīt" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "Mēroga Izvēle" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Stage All" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit Changes" +msgstr "Nomainīt" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -8096,6 +8271,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9293,6 +9473,10 @@ msgid "Settings saved OK." msgstr "" #: editor/project_settings_editor.cpp +msgid "Moved Input Action Event" +msgstr "" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "" @@ -9430,6 +9614,10 @@ msgid "Plugins" msgstr "" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "" + +#: editor/property_editor.cpp msgid "Zero" msgstr "" @@ -9595,10 +9783,6 @@ msgstr "" msgid "Reset" msgstr "Atiestatīt tālummaiņu" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "" @@ -9654,6 +9838,10 @@ msgid "Instance Scene(s)" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Replace with Branch Scene" +msgstr "" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "" @@ -9694,10 +9882,24 @@ msgid "Make node as Root" msgstr "" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "Izdzēst" + +#: editor/scene_tree_dock.cpp +msgid "Delete the root node \"%s\"?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" msgstr "" #: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "Izdzēst" + +#: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." msgstr "" @@ -10084,26 +10286,60 @@ msgid "Bytes:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" +msgid "Warning:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." +#, fuzzy +msgid "Error:" +msgstr "Kļūme lādējot:" + +#: editor/script_editor_debugger.cpp +msgid "C++ Error" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Errors" +msgid "C++ Error:" +msgstr "" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source" +msgstr "Resurs" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" +msgstr "Resurs" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source:" +msgstr "Resurs" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +msgid "Errors" msgstr "" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Child process connected." +msgstr "Savienot" + +#: editor/script_editor_debugger.cpp msgid "Copy Error" msgstr "" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "Izveidot" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "" @@ -10120,6 +10356,10 @@ msgid "Profiler" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Network Profiler" +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "" @@ -10132,6 +10372,10 @@ msgid "Monitors" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "" @@ -10328,10 +10572,6 @@ msgid "Library" msgstr "" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "" @@ -10340,6 +10580,10 @@ msgid "GDNative" msgstr "" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "" @@ -10494,6 +10738,14 @@ msgstr "" msgid "Pick Distance:" msgstr "" +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Filter meshes" +msgstr "" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -10634,6 +10886,10 @@ msgid "Create a new variable." msgstr "Izveidot Jaunu %s" #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp #, fuzzy msgid "Create a new signal." msgstr "Izveidot" @@ -10791,6 +11047,10 @@ msgid "Editing Signal:" msgstr "" #: modules/visual_script/visual_script_editor.cpp +msgid "Make Tool:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "" @@ -10938,7 +11198,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp @@ -11597,6 +11858,18 @@ msgstr "" msgid "Constants cannot be modified." msgstr "" +#, fuzzy +#~ msgid "Class Description:" +#~ msgstr "Apraksts:" + +#, fuzzy +#~ msgid "Property Descriptions:" +#~ msgstr "Apraksts:" + +#, fuzzy +#~ msgid "Method Descriptions:" +#~ msgstr "Apraksts:" + #~ msgid "Error initializing FreeType." #~ msgstr "Kļūme inicializējot FreeType." diff --git a/editor/translations/mi.po b/editor/translations/mi.po index 1bb449ea57..9b3110d3de 100644 --- a/editor/translations/mi.po +++ b/editor/translations/mi.po @@ -49,6 +49,34 @@ msgstr "" msgid "On call to '%s':" msgstr "" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +msgid "MiB" +msgstr "" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "" @@ -448,6 +476,10 @@ msgid "Select None" msgstr "" #: editor/animation_track_editor.cpp +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "" @@ -765,7 +797,8 @@ msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -866,7 +899,8 @@ msgstr "" msgid "Matches:" msgstr "" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1166,7 +1200,7 @@ msgid "Delete Bus Effect" msgstr "" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +msgid "Drag & drop to rearrange." msgstr "" #: editor/editor_audio_buses.cpp @@ -1357,6 +1391,7 @@ msgid "Add AutoLoad" msgstr "" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "" @@ -1576,6 +1611,7 @@ msgstr "" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "" @@ -1646,6 +1682,7 @@ msgid "New Folder..." msgstr "" #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "" @@ -1801,7 +1838,7 @@ msgid "Inherited by:" msgstr "" #: editor/editor_help.cpp -msgid "Brief Description:" +msgid "Brief Description" msgstr "" #: editor/editor_help.cpp @@ -1809,38 +1846,18 @@ msgid "Properties" msgstr "" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "" - -#: editor/editor_help.cpp msgid "Methods" msgstr "" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "" - -#: editor/editor_help.cpp msgid "Theme Properties" msgstr "" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "" - -#: editor/editor_help.cpp msgid "enum " msgstr "" @@ -1849,19 +1866,11 @@ msgid "Constants" msgstr "" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "" - -#: editor/editor_help.cpp msgid "Class Description" msgstr "" #: editor/editor_help.cpp -msgid "Class Description:" -msgstr "" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +msgid "Online Tutorials" msgstr "" #: editor/editor_help.cpp @@ -1876,10 +1885,6 @@ msgid "Property Descriptions" msgstr "" #: editor/editor_help.cpp -msgid "Property Descriptions:" -msgstr "" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -1890,10 +1895,6 @@ msgid "Method Descriptions" msgstr "" #: editor/editor_help.cpp -msgid "Method Descriptions:" -msgstr "" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -1960,8 +1961,8 @@ msgstr "" msgid "Copy Selection" msgstr "" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -1974,6 +1975,48 @@ msgstr "" msgid "Clear Output" msgstr "" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Down" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" msgstr "" @@ -2513,6 +2556,18 @@ msgstr "" msgid "Project Settings..." msgstr "" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control" +msgstr "" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp msgid "Export..." msgstr "" @@ -2712,10 +2767,6 @@ msgstr "" msgid "Stop the scene." msgstr "" -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "" @@ -2766,10 +2817,6 @@ msgid "Inspector" msgstr "" #: editor/editor_node.cpp -msgid "Node" -msgstr "" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "" @@ -2791,15 +2838,21 @@ msgstr "" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -2862,6 +2915,10 @@ msgstr "" msgid "Open the previous Editor" msgstr "" +#: editor/editor_path.cpp +msgid "No sub-resources found." +msgstr "" + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "" @@ -2871,6 +2928,10 @@ msgid "Thumbnail..." msgstr "" #: editor/editor_plugin_settings.cpp +msgid "Main Script:" +msgstr "" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "" @@ -2899,11 +2960,6 @@ msgstr "" msgid "Edit:" msgstr "" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "" @@ -3679,8 +3735,8 @@ msgstr "" msgid "Import As:" msgstr "" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." +#: editor/import_dock.cpp +msgid "Preset" msgstr "" #: editor/import_dock.cpp @@ -4106,6 +4162,7 @@ msgid "Change Animation Name:" msgstr "" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "" @@ -4664,10 +4721,6 @@ msgid "Sort:" msgstr "" #: editor/plugins/asset_library_editor_plugin.cpp -msgid "Reverse sorting." -msgstr "" - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "" @@ -4930,6 +4983,10 @@ msgid "Pan Mode" msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp +msgid "Ruler Mode" +msgstr "" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "" @@ -5978,7 +6035,7 @@ msgstr "" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "" @@ -6178,11 +6235,11 @@ msgid "Toggle Scripts Panel" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" +msgid "Step Into" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Into" +msgid "Step Over" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp @@ -6262,7 +6319,7 @@ msgstr "" msgid "Connections to method:" msgstr "" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp msgid "Source" msgstr "" @@ -7029,6 +7086,10 @@ msgid "(empty)" msgstr "" #: editor/plugins/sprite_frames_editor_plugin.cpp +msgid "Move Frame" +msgstr "" + +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Animations:" msgstr "" @@ -7343,6 +7404,14 @@ msgid "Enable Priority" msgstr "" #: editor/plugins/tile_map_editor_plugin.cpp +msgid "Filter tiles" +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "" @@ -7473,6 +7542,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp msgid "Remove selected texture? This will remove all tiles which use it." msgstr "" @@ -7627,6 +7701,99 @@ msgstr "" msgid "TileSet" msgstr "" +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No VCS addons are available." +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No commit message was provided" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Commit" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Initialize" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect new changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Renamed" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Deleted" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Typechange" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Stage Selected" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Stage All" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Commit Changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -7860,6 +8027,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9050,6 +9222,10 @@ msgid "Settings saved OK." msgstr "" #: editor/project_settings_editor.cpp +msgid "Moved Input Action Event" +msgstr "" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "" @@ -9186,6 +9362,10 @@ msgid "Plugins" msgstr "" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "" + +#: editor/property_editor.cpp msgid "Zero" msgstr "" @@ -9349,10 +9529,6 @@ msgstr "" msgid "Reset" msgstr "" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "" @@ -9408,6 +9584,10 @@ msgid "Instance Scene(s)" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Replace with Branch Scene" +msgstr "" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "" @@ -9448,7 +9628,19 @@ msgid "Make node as Root" msgstr "" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" +msgid "Delete %d nodes?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete the root node \"%s\"?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\"?" msgstr "" #: editor/scene_tree_dock.cpp @@ -9826,11 +10018,35 @@ msgid "Bytes:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" +msgid "Warning:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." +msgid "Error:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Error" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Error:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Source" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "Source:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Source:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" msgstr "" #: editor/script_editor_debugger.cpp @@ -9838,7 +10054,7 @@ msgid "Errors" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +msgid "Child process connected." msgstr "" #: editor/script_editor_debugger.cpp @@ -9846,6 +10062,10 @@ msgid "Copy Error" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Skip Breakpoints" +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "" @@ -9862,6 +10082,10 @@ msgid "Profiler" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Network Profiler" +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "" @@ -9874,6 +10098,10 @@ msgid "Monitors" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "" @@ -10070,10 +10298,6 @@ msgid "Library" msgstr "" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "" @@ -10082,6 +10306,10 @@ msgid "GDNative" msgstr "" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "" @@ -10233,6 +10461,14 @@ msgstr "" msgid "Pick Distance:" msgstr "" +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Filter meshes" +msgstr "" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -10368,6 +10604,10 @@ msgid "Create a new variable." msgstr "" #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Create a new signal." msgstr "" @@ -10524,6 +10764,10 @@ msgid "Editing Signal:" msgstr "" #: modules/visual_script/visual_script_editor.cpp +msgid "Make Tool:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "" @@ -10671,7 +10915,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp diff --git a/editor/translations/ml.po b/editor/translations/ml.po index 876edb73fa..842e96a160 100644 --- a/editor/translations/ml.po +++ b/editor/translations/ml.po @@ -57,6 +57,34 @@ msgstr "" msgid "On call to '%s':" msgstr "" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +msgid "MiB" +msgstr "" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "" @@ -456,6 +484,10 @@ msgid "Select None" msgstr "" #: editor/animation_track_editor.cpp +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "" @@ -773,7 +805,8 @@ msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -874,7 +907,8 @@ msgstr "" msgid "Matches:" msgstr "" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1174,7 +1208,7 @@ msgid "Delete Bus Effect" msgstr "" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +msgid "Drag & drop to rearrange." msgstr "" #: editor/editor_audio_buses.cpp @@ -1365,6 +1399,7 @@ msgid "Add AutoLoad" msgstr "" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "" @@ -1584,6 +1619,7 @@ msgstr "" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "" @@ -1654,6 +1690,7 @@ msgid "New Folder..." msgstr "" #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "" @@ -1809,7 +1846,7 @@ msgid "Inherited by:" msgstr "" #: editor/editor_help.cpp -msgid "Brief Description:" +msgid "Brief Description" msgstr "" #: editor/editor_help.cpp @@ -1817,38 +1854,18 @@ msgid "Properties" msgstr "" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "" - -#: editor/editor_help.cpp msgid "Methods" msgstr "" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "" - -#: editor/editor_help.cpp msgid "Theme Properties" msgstr "" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "" - -#: editor/editor_help.cpp msgid "enum " msgstr "" @@ -1857,19 +1874,11 @@ msgid "Constants" msgstr "" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "" - -#: editor/editor_help.cpp msgid "Class Description" msgstr "" #: editor/editor_help.cpp -msgid "Class Description:" -msgstr "" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +msgid "Online Tutorials" msgstr "" #: editor/editor_help.cpp @@ -1884,10 +1893,6 @@ msgid "Property Descriptions" msgstr "" #: editor/editor_help.cpp -msgid "Property Descriptions:" -msgstr "" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -1898,10 +1903,6 @@ msgid "Method Descriptions" msgstr "" #: editor/editor_help.cpp -msgid "Method Descriptions:" -msgstr "" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -1968,8 +1969,8 @@ msgstr "" msgid "Copy Selection" msgstr "" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -1982,6 +1983,48 @@ msgstr "" msgid "Clear Output" msgstr "" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Down" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" msgstr "" @@ -2521,6 +2564,18 @@ msgstr "" msgid "Project Settings..." msgstr "" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control" +msgstr "" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp msgid "Export..." msgstr "" @@ -2720,10 +2775,6 @@ msgstr "" msgid "Stop the scene." msgstr "" -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "" @@ -2774,10 +2825,6 @@ msgid "Inspector" msgstr "" #: editor/editor_node.cpp -msgid "Node" -msgstr "" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "" @@ -2799,15 +2846,21 @@ msgstr "" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -2870,6 +2923,10 @@ msgstr "" msgid "Open the previous Editor" msgstr "" +#: editor/editor_path.cpp +msgid "No sub-resources found." +msgstr "" + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "" @@ -2879,6 +2936,10 @@ msgid "Thumbnail..." msgstr "" #: editor/editor_plugin_settings.cpp +msgid "Main Script:" +msgstr "" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "" @@ -2907,11 +2968,6 @@ msgstr "" msgid "Edit:" msgstr "" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "" @@ -3687,8 +3743,8 @@ msgstr "" msgid "Import As:" msgstr "" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." +#: editor/import_dock.cpp +msgid "Preset" msgstr "" #: editor/import_dock.cpp @@ -4114,6 +4170,7 @@ msgid "Change Animation Name:" msgstr "" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "" @@ -4672,10 +4729,6 @@ msgid "Sort:" msgstr "" #: editor/plugins/asset_library_editor_plugin.cpp -msgid "Reverse sorting." -msgstr "" - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "" @@ -4938,6 +4991,10 @@ msgid "Pan Mode" msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp +msgid "Ruler Mode" +msgstr "" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "" @@ -5986,7 +6043,7 @@ msgstr "" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "" @@ -6186,11 +6243,11 @@ msgid "Toggle Scripts Panel" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" +msgid "Step Into" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Into" +msgid "Step Over" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp @@ -6270,7 +6327,7 @@ msgstr "" msgid "Connections to method:" msgstr "" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp msgid "Source" msgstr "" @@ -7037,6 +7094,10 @@ msgid "(empty)" msgstr "" #: editor/plugins/sprite_frames_editor_plugin.cpp +msgid "Move Frame" +msgstr "" + +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Animations:" msgstr "" @@ -7351,6 +7412,14 @@ msgid "Enable Priority" msgstr "" #: editor/plugins/tile_map_editor_plugin.cpp +msgid "Filter tiles" +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "" @@ -7481,6 +7550,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp msgid "Remove selected texture? This will remove all tiles which use it." msgstr "" @@ -7635,6 +7709,99 @@ msgstr "" msgid "TileSet" msgstr "" +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No VCS addons are available." +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No commit message was provided" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Commit" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Initialize" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect new changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Renamed" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Deleted" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Typechange" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Stage Selected" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Stage All" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Commit Changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -7868,6 +8035,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9058,6 +9230,10 @@ msgid "Settings saved OK." msgstr "" #: editor/project_settings_editor.cpp +msgid "Moved Input Action Event" +msgstr "" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "" @@ -9194,6 +9370,10 @@ msgid "Plugins" msgstr "" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "" + +#: editor/property_editor.cpp msgid "Zero" msgstr "" @@ -9357,10 +9537,6 @@ msgstr "" msgid "Reset" msgstr "" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "" @@ -9416,6 +9592,10 @@ msgid "Instance Scene(s)" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Replace with Branch Scene" +msgstr "" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "" @@ -9456,7 +9636,19 @@ msgid "Make node as Root" msgstr "" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" +msgid "Delete %d nodes?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete the root node \"%s\"?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\"?" msgstr "" #: editor/scene_tree_dock.cpp @@ -9834,11 +10026,35 @@ msgid "Bytes:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" +msgid "Warning:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." +msgid "Error:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Error" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Error:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Source" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "Source:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Source:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" msgstr "" #: editor/script_editor_debugger.cpp @@ -9846,7 +10062,7 @@ msgid "Errors" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +msgid "Child process connected." msgstr "" #: editor/script_editor_debugger.cpp @@ -9854,6 +10070,10 @@ msgid "Copy Error" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Skip Breakpoints" +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "" @@ -9870,6 +10090,10 @@ msgid "Profiler" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Network Profiler" +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "" @@ -9882,6 +10106,10 @@ msgid "Monitors" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "" @@ -10078,10 +10306,6 @@ msgid "Library" msgstr "" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "" @@ -10090,6 +10314,10 @@ msgid "GDNative" msgstr "" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "" @@ -10241,6 +10469,14 @@ msgstr "" msgid "Pick Distance:" msgstr "" +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Filter meshes" +msgstr "" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -10376,6 +10612,10 @@ msgid "Create a new variable." msgstr "" #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Create a new signal." msgstr "" @@ -10532,6 +10772,10 @@ msgid "Editing Signal:" msgstr "" #: modules/visual_script/visual_script_editor.cpp +msgid "Make Tool:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "" @@ -10679,7 +10923,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp diff --git a/editor/translations/ms.po b/editor/translations/ms.po index afe9e390fe..2f28b92d55 100644 --- a/editor/translations/ms.po +++ b/editor/translations/ms.po @@ -60,6 +60,34 @@ msgstr "" msgid "On call to '%s':" msgstr "" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +msgid "MiB" +msgstr "" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "" @@ -474,6 +502,10 @@ msgid "Select None" msgstr "Semua Pilihan" #: editor/animation_track_editor.cpp +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "" @@ -793,7 +825,8 @@ msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -894,7 +927,8 @@ msgstr "" msgid "Matches:" msgstr "" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1194,7 +1228,7 @@ msgid "Delete Bus Effect" msgstr "" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +msgid "Drag & drop to rearrange." msgstr "" #: editor/editor_audio_buses.cpp @@ -1385,6 +1419,7 @@ msgid "Add AutoLoad" msgstr "" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "" @@ -1605,6 +1640,7 @@ msgstr "" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "" @@ -1675,6 +1711,7 @@ msgid "New Folder..." msgstr "" #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "" @@ -1830,7 +1867,7 @@ msgid "Inherited by:" msgstr "" #: editor/editor_help.cpp -msgid "Brief Description:" +msgid "Brief Description" msgstr "" #: editor/editor_help.cpp @@ -1838,38 +1875,18 @@ msgid "Properties" msgstr "" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "" - -#: editor/editor_help.cpp msgid "Methods" msgstr "" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "" - -#: editor/editor_help.cpp msgid "Theme Properties" msgstr "" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "" - -#: editor/editor_help.cpp msgid "enum " msgstr "" @@ -1878,19 +1895,11 @@ msgid "Constants" msgstr "" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "" - -#: editor/editor_help.cpp msgid "Class Description" msgstr "" #: editor/editor_help.cpp -msgid "Class Description:" -msgstr "" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +msgid "Online Tutorials" msgstr "" #: editor/editor_help.cpp @@ -1905,10 +1914,6 @@ msgid "Property Descriptions" msgstr "" #: editor/editor_help.cpp -msgid "Property Descriptions:" -msgstr "" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -1919,10 +1924,6 @@ msgid "Method Descriptions" msgstr "" #: editor/editor_help.cpp -msgid "Method Descriptions:" -msgstr "" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -1990,8 +1991,8 @@ msgstr "" msgid "Copy Selection" msgstr "Semua Pilihan" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2004,6 +2005,48 @@ msgstr "" msgid "Clear Output" msgstr "" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Down" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" msgstr "" @@ -2544,6 +2587,18 @@ msgstr "" msgid "Project Settings..." msgstr "" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control" +msgstr "" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp msgid "Export..." msgstr "" @@ -2744,10 +2799,6 @@ msgstr "" msgid "Stop the scene." msgstr "" -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "" @@ -2798,10 +2849,6 @@ msgid "Inspector" msgstr "" #: editor/editor_node.cpp -msgid "Node" -msgstr "" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "" @@ -2823,15 +2870,21 @@ msgstr "" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -2894,6 +2947,10 @@ msgstr "" msgid "Open the previous Editor" msgstr "" +#: editor/editor_path.cpp +msgid "No sub-resources found." +msgstr "" + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "" @@ -2903,6 +2960,10 @@ msgid "Thumbnail..." msgstr "" #: editor/editor_plugin_settings.cpp +msgid "Main Script:" +msgstr "" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "" @@ -2931,11 +2992,6 @@ msgstr "" msgid "Edit:" msgstr "" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "" @@ -3712,8 +3768,8 @@ msgstr "" msgid "Import As:" msgstr "" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." +#: editor/import_dock.cpp +msgid "Preset" msgstr "" #: editor/import_dock.cpp @@ -4143,6 +4199,7 @@ msgid "Change Animation Name:" msgstr "" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "" @@ -4705,10 +4762,6 @@ msgid "Sort:" msgstr "" #: editor/plugins/asset_library_editor_plugin.cpp -msgid "Reverse sorting." -msgstr "" - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "" @@ -4976,6 +5029,10 @@ msgid "Pan Mode" msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp +msgid "Ruler Mode" +msgstr "" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "" @@ -6026,7 +6083,7 @@ msgstr "" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "" @@ -6226,11 +6283,11 @@ msgid "Toggle Scripts Panel" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" +msgid "Step Into" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Into" +msgid "Step Over" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp @@ -6310,7 +6367,7 @@ msgstr "" msgid "Connections to method:" msgstr "" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp msgid "Source" msgstr "" @@ -7079,6 +7136,10 @@ msgid "(empty)" msgstr "" #: editor/plugins/sprite_frames_editor_plugin.cpp +msgid "Move Frame" +msgstr "" + +#: editor/plugins/sprite_frames_editor_plugin.cpp #, fuzzy msgid "Animations:" msgstr "Set Peralihan ke:" @@ -7398,6 +7459,14 @@ msgid "Enable Priority" msgstr "" #: editor/plugins/tile_map_editor_plugin.cpp +msgid "Filter tiles" +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "" @@ -7529,6 +7598,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp msgid "Remove selected texture? This will remove all tiles which use it." msgstr "" @@ -7685,6 +7759,103 @@ msgstr "" msgid "TileSet" msgstr "" +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No VCS addons are available." +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No commit message was provided" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit" +msgstr "Komuniti" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Initialize" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect new changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "Ubah Nama Trek Anim" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "Semua Pilihan" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Typechange" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "Semua Pilihan" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Stage All" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Commit Changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -7922,6 +8093,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9113,6 +9289,10 @@ msgid "Settings saved OK." msgstr "" #: editor/project_settings_editor.cpp +msgid "Moved Input Action Event" +msgstr "" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "" @@ -9250,6 +9430,10 @@ msgid "Plugins" msgstr "" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "" + +#: editor/property_editor.cpp msgid "Zero" msgstr "" @@ -9414,10 +9598,6 @@ msgstr "" msgid "Reset" msgstr "" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "" @@ -9473,6 +9653,10 @@ msgid "Instance Scene(s)" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Replace with Branch Scene" +msgstr "" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "" @@ -9513,10 +9697,24 @@ msgid "Make node as Root" msgstr "" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "Semua Pilihan" + +#: editor/scene_tree_dock.cpp +msgid "Delete the root node \"%s\"?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" msgstr "" #: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "Semua Pilihan" + +#: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." msgstr "" @@ -9892,11 +10090,35 @@ msgid "Bytes:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" +msgid "Warning:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." +msgid "Error:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Error" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Error:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Source" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "Source:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Source:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" msgstr "" #: editor/script_editor_debugger.cpp @@ -9904,7 +10126,7 @@ msgid "Errors" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +msgid "Child process connected." msgstr "" #: editor/script_editor_debugger.cpp @@ -9912,6 +10134,10 @@ msgid "Copy Error" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Skip Breakpoints" +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "" @@ -9928,6 +10154,10 @@ msgid "Profiler" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Network Profiler" +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "" @@ -9940,6 +10170,10 @@ msgid "Monitors" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "" @@ -10136,10 +10370,6 @@ msgid "Library" msgstr "" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "" @@ -10148,6 +10378,10 @@ msgid "GDNative" msgstr "" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "" @@ -10302,6 +10536,14 @@ msgstr "" msgid "Pick Distance:" msgstr "" +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Filter meshes" +msgstr "" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -10437,6 +10679,10 @@ msgid "Create a new variable." msgstr "" #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Create a new signal." msgstr "" @@ -10593,6 +10839,10 @@ msgid "Editing Signal:" msgstr "" #: modules/visual_script/visual_script_editor.cpp +msgid "Make Tool:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "" @@ -10740,7 +10990,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp diff --git a/editor/translations/nb.po b/editor/translations/nb.po index 7b642c69e0..3bc8192461 100644 --- a/editor/translations/nb.po +++ b/editor/translations/nb.po @@ -69,6 +69,35 @@ msgstr "Ugyldige argumenter for å lage \"%s\"" msgid "On call to '%s':" msgstr "Når \"%s\" ble anropt:" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +#, fuzzy +msgid "MiB" +msgstr "Bland" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "Frigjør" @@ -517,6 +546,11 @@ msgid "Select None" msgstr "Kutt Noder" #: editor/animation_track_editor.cpp +#, fuzzy +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "Velg en AnimationPlayer fra scenetreet for å endre animasjoner." + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "Vis kun spor fra noder valgt i treet." @@ -852,7 +886,8 @@ msgstr "Kobler Til Signal:" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -962,7 +997,8 @@ msgstr "Søk:" msgid "Matches:" msgstr "Treff:" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1284,7 +1320,8 @@ msgid "Delete Bus Effect" msgstr "Slett Bus Effekt" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +#, fuzzy +msgid "Drag & drop to rearrange." msgstr "Audio Bus, Dra og Slipp for å omorganisere." #: editor/editor_audio_buses.cpp @@ -1484,6 +1521,7 @@ msgid "Add AutoLoad" msgstr "Legg til AutoLoad" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "Bane:" @@ -1732,6 +1770,7 @@ msgstr "Gjeldende:" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "Ny" @@ -1812,6 +1851,7 @@ msgid "New Folder..." msgstr "Ny Mappe..." #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "Oppdater" @@ -1973,7 +2013,8 @@ msgid "Inherited by:" msgstr "Arvet av:" #: editor/editor_help.cpp -msgid "Brief Description:" +#, fuzzy +msgid "Brief Description" msgstr "Kort beskrivelse:" #: editor/editor_help.cpp @@ -1981,41 +2022,19 @@ msgid "Properties" msgstr "Egenskaper" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "Egenskaper:" - -#: editor/editor_help.cpp msgid "Methods" msgstr "Metoder" #: editor/editor_help.cpp #, fuzzy -msgid "Methods:" -msgstr "Metoder" - -#: editor/editor_help.cpp -#, fuzzy msgid "Theme Properties" msgstr "Egenskaper" #: editor/editor_help.cpp -#, fuzzy -msgid "Theme Properties:" -msgstr "Egenskaper" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "Signaler:" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "Nummereringer" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "Nummereringer:" - -#: editor/editor_help.cpp msgid "enum " msgstr "num " @@ -2024,21 +2043,13 @@ msgid "Constants" msgstr "Konstanter" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "Konstanter:" - -#: editor/editor_help.cpp #, fuzzy msgid "Class Description" msgstr "Beskrivelse" #: editor/editor_help.cpp #, fuzzy -msgid "Class Description:" -msgstr "Beskrivelse:" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +msgid "Online Tutorials" msgstr "Online dokumentasjon:" #: editor/editor_help.cpp @@ -2057,11 +2068,6 @@ msgid "Property Descriptions" msgstr "Egenskapsbeskrivelse:" #: editor/editor_help.cpp -#, fuzzy -msgid "Property Descriptions:" -msgstr "Egenskapsbeskrivelse:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -2075,11 +2081,6 @@ msgid "Method Descriptions" msgstr "Metodebeskrivelse:" #: editor/editor_help.cpp -#, fuzzy -msgid "Method Descriptions:" -msgstr "Metodebeskrivelse:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2159,8 +2160,8 @@ msgstr "Output:" msgid "Copy Selection" msgstr "Fjern Utvalg" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2173,6 +2174,50 @@ msgstr "Tøm" msgid "Clear Output" msgstr "Nullstill resultat" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "Stopp" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +#, fuzzy +msgid "Start" +msgstr "Start!" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +#, fuzzy +msgid "Down" +msgstr "Last ned" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "Node" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" msgstr "" @@ -2772,6 +2817,19 @@ msgstr "Prosjekt" msgid "Project Settings..." msgstr "Prosjektinnstillinger" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Version Control" +msgstr "Versjon:" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp #, fuzzy msgid "Export..." @@ -3006,10 +3064,6 @@ msgstr "Sett scenen på pause" msgid "Stop the scene." msgstr "Stopp scenen." -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "Stopp" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "Spill den redigerte scenen." @@ -3066,10 +3120,6 @@ msgid "Inspector" msgstr "Inspektør" #: editor/editor_node.cpp -msgid "Node" -msgstr "Node" - -#: editor/editor_node.cpp #, fuzzy msgid "Expand Bottom Panel" msgstr "Utvid alle" @@ -3093,15 +3143,21 @@ msgstr "Håndter Eksportmaler" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -3165,6 +3221,11 @@ msgstr "Åpne den neste Editoren" msgid "Open the previous Editor" msgstr "Åpne den forrige Editoren" +#: editor/editor_path.cpp +#, fuzzy +msgid "No sub-resources found." +msgstr "Ressurs" + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "Lager Forhåndsvisning av Mesh" @@ -3175,6 +3236,11 @@ msgstr "Miniatyrbilde..." #: editor/editor_plugin_settings.cpp #, fuzzy +msgid "Main Script:" +msgstr "Kjør Skript" + +#: editor/editor_plugin_settings.cpp +#, fuzzy msgid "Edit Plugin" msgstr "Rediger Poly" @@ -3204,12 +3270,6 @@ msgstr "Status:" msgid "Edit:" msgstr "Rediger" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -#, fuzzy -msgid "Start" -msgstr "Start!" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "Mål:" @@ -4071,9 +4131,9 @@ msgstr " Filer" msgid "Import As:" msgstr "Importer Som:" -#: editor/import_dock.cpp editor/property_editor.cpp +#: editor/import_dock.cpp #, fuzzy -msgid "Preset..." +msgid "Preset" msgstr "Preset..." #: editor/import_dock.cpp @@ -4552,6 +4612,7 @@ msgid "Change Animation Name:" msgstr "Endre Animasjonsnavn:" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "Fjern Animasjon?" @@ -5154,11 +5215,6 @@ msgid "Sort:" msgstr "Sorter:" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy -msgid "Reverse sorting." -msgstr "Ber om..." - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "Kategori:" @@ -5450,6 +5506,11 @@ msgstr "Panorerings-Modus" #: editor/plugins/canvas_item_editor_plugin.cpp #, fuzzy +msgid "Ruler Mode" +msgstr "Velg Modus" + +#: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy msgid "Toggle snapping." msgstr "Slå av/på snapping" @@ -6560,7 +6621,7 @@ msgstr "Instans:" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "Type:" @@ -6782,14 +6843,14 @@ msgid "Toggle Scripts Panel" msgstr "Veksle skriptpanel" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" -msgstr "Hopp Over" - -#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Step Into" msgstr "Tre inn i" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp +msgid "Step Over" +msgstr "Hopp Over" + +#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Break" msgstr "Brekk" @@ -6871,7 +6932,7 @@ msgstr "Fjern Nylige Scener" msgid "Connections to method:" msgstr "Koble Til Node:" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp #, fuzzy msgid "Source" msgstr "Ressurs" @@ -7685,6 +7746,11 @@ msgstr "(tom)" #: editor/plugins/sprite_frames_editor_plugin.cpp #, fuzzy +msgid "Move Frame" +msgstr "Flytt Modus" + +#: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy msgid "Animations:" msgstr "Animasjoner" @@ -8022,6 +8088,15 @@ msgid "Enable Priority" msgstr "Rediger Filtre" #: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy +msgid "Filter tiles" +msgstr "Filtrer Filer..." + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "" @@ -8171,6 +8246,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp #, fuzzy msgid "Remove selected texture? This will remove all tiles which use it." msgstr "Fjern Kurvepunkt" @@ -8349,6 +8429,110 @@ msgstr "Denne operasjonen kan ikke gjøres uten en scene." msgid "TileSet" msgstr "TileSet..." +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No VCS addons are available." +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No commit message was provided" +msgstr "Ingen navn gitt" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit" +msgstr "Fellesskap" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Initialize" +msgstr "Store bokstaver" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "Lag ny %s" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "Forandre" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "Endre navn" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "Slett" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Typechange" +msgstr "Forandre" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "Slett Valgte" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage All" +msgstr "Lagre Alle" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit Changes" +msgstr "Synkroniser Skriptforandringer" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -8607,6 +8791,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9840,6 +10029,11 @@ msgid "Settings saved OK." msgstr "" #: editor/project_settings_editor.cpp +#, fuzzy +msgid "Moved Input Action Event" +msgstr "Fjern Utvalg" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "" @@ -9981,6 +10175,11 @@ msgid "Plugins" msgstr "Plugins" #: editor/property_editor.cpp +#, fuzzy +msgid "Preset..." +msgstr "Preset..." + +#: editor/property_editor.cpp msgid "Zero" msgstr "" @@ -10156,10 +10355,6 @@ msgstr "Store versaler" msgid "Reset" msgstr "Nullstill Zoom" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "" @@ -10215,6 +10410,10 @@ msgid "Instance Scene(s)" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Replace with Branch Scene" +msgstr "" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "" @@ -10256,10 +10455,24 @@ msgid "Make node as Root" msgstr "Lagre Scene" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "Kutt Noder" + +#: editor/scene_tree_dock.cpp +msgid "Delete the root node \"%s\"?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" msgstr "" #: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "Kutt Noder" + +#: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." msgstr "" @@ -10671,11 +10884,42 @@ msgid "Bytes:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" -msgstr "" +#, fuzzy +msgid "Warning:" +msgstr "Advarsler:" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." +#, fuzzy +msgid "Error:" +msgstr "Error!" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error" +msgstr "Last Errors" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error:" +msgstr "Last Errors" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source" +msgstr "Ressurs" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" +msgstr "Ressurs" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source:" +msgstr "Ressurs" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" msgstr "" #: editor/script_editor_debugger.cpp @@ -10683,8 +10927,9 @@ msgid "Errors" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" -msgstr "" +#, fuzzy +msgid "Child process connected." +msgstr "Frakoblet" #: editor/script_editor_debugger.cpp #, fuzzy @@ -10692,6 +10937,11 @@ msgid "Copy Error" msgstr "Last Errors" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "Slett punkter" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "" @@ -10708,6 +10958,11 @@ msgid "Profiler" msgstr "" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Network Profiler" +msgstr "Eksporter Prosjekt" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "" @@ -10720,6 +10975,10 @@ msgid "Monitors" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "" @@ -10923,10 +11182,6 @@ msgid "Library" msgstr "" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "" @@ -10935,6 +11190,10 @@ msgid "GDNative" msgstr "" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "" @@ -11094,6 +11353,15 @@ msgstr "" msgid "Pick Distance:" msgstr "" +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "Lim inn Noder" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -11237,6 +11505,10 @@ msgid "Create a new variable." msgstr "Lag ny %s" #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "Signaler:" + +#: modules/visual_script/visual_script_editor.cpp #, fuzzy msgid "Create a new signal." msgstr "Lag en ny polygon fra bunnen." @@ -11407,6 +11679,11 @@ msgid "Editing Signal:" msgstr "" #: modules/visual_script/visual_script_editor.cpp +#, fuzzy +msgid "Make Tool:" +msgstr "Lag Ben" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "" @@ -11558,7 +11835,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp @@ -12224,6 +12502,39 @@ msgstr "" msgid "Constants cannot be modified." msgstr "Konstanter kan ikke endres." +#~ msgid "Properties:" +#~ msgstr "Egenskaper:" + +#, fuzzy +#~ msgid "Methods:" +#~ msgstr "Metoder" + +#, fuzzy +#~ msgid "Theme Properties:" +#~ msgstr "Egenskaper" + +#~ msgid "Enumerations:" +#~ msgstr "Nummereringer:" + +#~ msgid "Constants:" +#~ msgstr "Konstanter:" + +#, fuzzy +#~ msgid "Class Description:" +#~ msgstr "Beskrivelse:" + +#, fuzzy +#~ msgid "Property Descriptions:" +#~ msgstr "Egenskapsbeskrivelse:" + +#, fuzzy +#~ msgid "Method Descriptions:" +#~ msgstr "Metodebeskrivelse:" + +#, fuzzy +#~ msgid "Reverse sorting." +#~ msgstr "Ber om..." + #~ msgid "" #~ "Can't open file_type_cache.cch for writing, not saving file type cache!" #~ msgstr "" @@ -12396,9 +12707,6 @@ msgstr "Konstanter kan ikke endres." #~ msgid "Instance the selected scene(s) as child of the selected node." #~ msgstr "Instanser den valgte scene(r) som barn av den valgte noden." -#~ msgid "Warnings:" -#~ msgstr "Advarsler:" - #, fuzzy #~ msgid "Font Size:" #~ msgstr "Frontvisning" @@ -12433,9 +12741,6 @@ msgstr "Konstanter kan ikke endres." #~ msgid "Select a split to erase it." #~ msgstr "Velg en Mappe å Skanne" -#~ msgid "No name provided" -#~ msgstr "Ingen navn gitt" - #~ msgid "Create Poly" #~ msgstr "Lag Poly" diff --git a/editor/translations/nl.po b/editor/translations/nl.po index 2c836b5685..c100b343da 100644 --- a/editor/translations/nl.po +++ b/editor/translations/nl.po @@ -91,6 +91,35 @@ msgstr "Ongeldig argument in constructie '%s'" msgid "On call to '%s':" msgstr "Tijdens invocatie van '%s':" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +#, fuzzy +msgid "MiB" +msgstr "Mengen" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "Vrij" @@ -515,6 +544,12 @@ msgid "Select None" msgstr "Niets Selecteren" #: editor/animation_track_editor.cpp +#, fuzzy +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" +"Selecteer een AnimationPlayer uit de Scene Tree om animaties te wijzigen." + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "Toon alleen sporen die horen bij de geselecteerde node in de boom." @@ -843,7 +878,8 @@ msgstr "Verbind met Signaal: " #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -949,7 +985,8 @@ msgstr "Zoeken:" msgid "Matches:" msgstr "Overeenkomsten:" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1269,7 +1306,8 @@ msgid "Delete Bus Effect" msgstr "Verwijder audiobuseffect" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +#, fuzzy +msgid "Drag & drop to rearrange." msgstr "Audiobus, versleep om volgorde te veranderen." #: editor/editor_audio_buses.cpp @@ -1468,6 +1506,7 @@ msgid "Add AutoLoad" msgstr "AutoLoad Toevoegen" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "Pad:" @@ -1709,6 +1748,7 @@ msgstr "Huidig:" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "Nieuw" @@ -1787,6 +1827,7 @@ msgid "New Folder..." msgstr "Nieuwe Map..." #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "Verversen" @@ -1947,7 +1988,8 @@ msgid "Inherited by:" msgstr "Geërfd door:" #: editor/editor_help.cpp -msgid "Brief Description:" +#, fuzzy +msgid "Brief Description" msgstr "Korte Beschrijving:" #: editor/editor_help.cpp @@ -1955,38 +1997,18 @@ msgid "Properties" msgstr "Eigenschappen" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "Eigenschappen:" - -#: editor/editor_help.cpp msgid "Methods" msgstr "Methodes" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "Methodes:" - -#: editor/editor_help.cpp msgid "Theme Properties" msgstr "Thema Eigenschappen" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "Thema Eigenschappen:" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "Signalen:" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "Enumeraties" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "Enumeraties:" - -#: editor/editor_help.cpp msgid "enum " msgstr "enum " @@ -1995,19 +2017,12 @@ msgid "Constants" msgstr "Constanten" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "Constanten:" - -#: editor/editor_help.cpp msgid "Class Description" msgstr "Klassebeschrijving" #: editor/editor_help.cpp -msgid "Class Description:" -msgstr "Klassebeschrijving:" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +#, fuzzy +msgid "Online Tutorials" msgstr "Online Documentatie:" #: editor/editor_help.cpp @@ -2026,11 +2041,6 @@ msgid "Property Descriptions" msgstr "Eigenschap Beschrijving:" #: editor/editor_help.cpp -#, fuzzy -msgid "Property Descriptions:" -msgstr "Eigenschap Beschrijving:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -2044,11 +2054,6 @@ msgid "Method Descriptions" msgstr "Methode Beschrijving:" #: editor/editor_help.cpp -#, fuzzy -msgid "Method Descriptions:" -msgstr "Methode Beschrijving:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2119,8 +2124,8 @@ msgstr "Uitvoer:" msgid "Copy Selection" msgstr "Selectie kopiëren" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2133,6 +2138,49 @@ msgstr "Leegmaken" msgid "Clear Output" msgstr "Maak Uitvoer Leeg" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "Stop" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "Start" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +#, fuzzy +msgid "Down" +msgstr "Download" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "Knooppunt" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" msgstr "" @@ -2739,6 +2787,19 @@ msgstr "Project" msgid "Project Settings..." msgstr "Projectinstellingen" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Version Control" +msgstr "Versie:" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp #, fuzzy msgid "Export..." @@ -2968,10 +3029,6 @@ msgstr "Pauzeer Scene" msgid "Stop the scene." msgstr "Stop de scene." -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "Stop" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "Speel de bewerkte scene." @@ -3026,10 +3083,6 @@ msgid "Inspector" msgstr "Inspecteur" #: editor/editor_node.cpp -msgid "Node" -msgstr "Knooppunt" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "Vergroot onderste paneel" @@ -3052,15 +3105,21 @@ msgstr "Beheer Export Templates" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -3123,6 +3182,11 @@ msgstr "Open de volgende Editor" msgid "Open the previous Editor" msgstr "Open de vorige Editor" +#: editor/editor_path.cpp +#, fuzzy +msgid "No sub-resources found." +msgstr "Geen oppervlakte bron gespecificeerd." + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "Creëren van Mesh Previews" @@ -3132,6 +3196,11 @@ msgid "Thumbnail..." msgstr "Voorbeeld..." #: editor/editor_plugin_settings.cpp +#, fuzzy +msgid "Main Script:" +msgstr "Omschrijving:" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "Bewerk Plugin" @@ -3160,11 +3229,6 @@ msgstr "Staat:" msgid "Edit:" msgstr "Bewerken:" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "Start" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "Meting:" @@ -3983,9 +4047,10 @@ msgstr " Bestanden" msgid "Import As:" msgstr "Importereen Als:" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." -msgstr "Voorinstelling..." +#: editor/import_dock.cpp +#, fuzzy +msgid "Preset" +msgstr "Voorinstelling" #: editor/import_dock.cpp msgid "Reimport" @@ -4453,6 +4518,7 @@ msgid "Change Animation Name:" msgstr "Verander Animatie Naam:" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "Animatie verwijderen?" @@ -5035,11 +5101,6 @@ msgid "Sort:" msgstr "Sorteren:" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy -msgid "Reverse sorting." -msgstr "Opvragen..." - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "Categorie:" @@ -5335,6 +5396,11 @@ msgid "Pan Mode" msgstr "Verschuif Modus" #: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy +msgid "Ruler Mode" +msgstr "Uitvoermodus:" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "Automatisch schikken omschakelen." @@ -6466,7 +6532,7 @@ msgstr "Instantie:" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "Type:" @@ -6684,14 +6750,14 @@ msgid "Toggle Scripts Panel" msgstr "Schakel Scripten Paneel" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" -msgstr "Stap Over" - -#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Step Into" msgstr "Stap In" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp +msgid "Step Over" +msgstr "Stap Over" + +#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Break" msgstr "Breek" @@ -6777,7 +6843,7 @@ msgstr "Maak Leeg" msgid "Connections to method:" msgstr "Verbind Aan Node:" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp #, fuzzy msgid "Source" msgstr "Resource" @@ -7613,6 +7679,11 @@ msgstr "(leeg)" #: editor/plugins/sprite_frames_editor_plugin.cpp #, fuzzy +msgid "Move Frame" +msgstr "Frame Plakken" + +#: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy msgid "Animations:" msgstr "Animaties" @@ -7949,6 +8020,15 @@ msgid "Enable Priority" msgstr "Filters Bewerken" #: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy +msgid "Filter tiles" +msgstr "Bestanden Filteren..." + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "Teken Tegel" @@ -8098,6 +8178,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "Tegelnamen tonen (Alt-toets ingedrukt houden)" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp msgid "Remove selected texture? This will remove all tiles which use it." msgstr "" "Geselecteerde Texture verwijderen? Alle tegels die ervan gebruikt maken " @@ -8285,6 +8370,111 @@ msgstr "Deze operatie kan niet uitgevoerd worden zonder scene." msgid "TileSet" msgstr "TileSet..." +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No VCS addons are available." +msgstr "Naam van primaire Node, indien beschikbaar" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "Fout" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No commit message was provided" +msgstr "Geen naam opgegeven" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit" +msgstr "Gemeenschap" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Initialize" +msgstr "Maak Hoofdletters" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "Nieuwe knopen maken." + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "Wijzig" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "Hernoemen" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "Verwijder" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Typechange" +msgstr "Wijzig" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "Geselecteerde Verwijderen" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage All" +msgstr "Alles Opslaan" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit Changes" +msgstr "Scriptveranderingen synchroniseren" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "Status" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -8547,6 +8737,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9851,6 +10046,11 @@ msgid "Settings saved OK." msgstr "Instellingen succesvol opgeslagen." #: editor/project_settings_editor.cpp +#, fuzzy +msgid "Moved Input Action Event" +msgstr "Toevoegen Input Action Event" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "Override voor Feature" @@ -9996,6 +10196,10 @@ msgid "Plugins" msgstr "Plugins" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "Voorinstelling..." + +#: editor/property_editor.cpp msgid "Zero" msgstr "Nul" @@ -10178,10 +10382,6 @@ msgstr "Hoofdletters" msgid "Reset" msgstr "Reset Zoom" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "Fout" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "" @@ -10237,6 +10437,10 @@ msgid "Instance Scene(s)" msgstr "Instantie Scene(s)" #: editor/scene_tree_dock.cpp +msgid "Replace with Branch Scene" +msgstr "" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "" @@ -10281,8 +10485,23 @@ msgid "Make node as Root" msgstr "Klinkt logisch!" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" -msgstr "Verwijder knooppunt(en)?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "Alles Selecteren" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete the root node \"%s\"?" +msgstr "Verwijder Shader Graaf Knooppunt(en)" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" +msgstr "" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "Alles Selecteren" #: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." @@ -10704,11 +10923,42 @@ msgid "Bytes:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" -msgstr "" +#, fuzzy +msgid "Warning:" +msgstr "Waarschuwingen:" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." +#, fuzzy +msgid "Error:" +msgstr "Fout" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error" +msgstr "Kopieer Fout" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error:" +msgstr "Kopieer Fout" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source" +msgstr "Resource" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" +msgstr "Resource" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source:" +msgstr "Resource" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" msgstr "" #: editor/script_editor_debugger.cpp @@ -10716,14 +10966,20 @@ msgid "Errors" msgstr "Fouten" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" -msgstr "" +#, fuzzy +msgid "Child process connected." +msgstr "Verbinding Verbroken" #: editor/script_editor_debugger.cpp msgid "Copy Error" msgstr "Kopieer Fout" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "Punten aanmaken." + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "Inspecteer vorige instantie" @@ -10740,6 +10996,11 @@ msgid "Profiler" msgstr "" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Network Profiler" +msgstr "Project Exporteren" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "" @@ -10752,6 +11013,10 @@ msgid "Monitors" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "" @@ -10952,10 +11217,6 @@ msgid "Library" msgstr "Bibliotheek" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "Status" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "Bibliotheken: " @@ -10964,6 +11225,10 @@ msgid "GDNative" msgstr "GDInheems" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp #, fuzzy msgid "Step argument is zero!" msgstr "step argument is nul!" @@ -11126,6 +11391,15 @@ msgstr "" msgid "Pick Distance:" msgstr "" +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "Filter:" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -11278,6 +11552,10 @@ msgid "Create a new variable." msgstr "Nieuwe knopen maken." #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "Signalen:" + +#: modules/visual_script/visual_script_editor.cpp #, fuzzy msgid "Create a new signal." msgstr "Nieuwe veelhoek aanmaken." @@ -11454,6 +11732,11 @@ msgid "Editing Signal:" msgstr "Signaal Bewerken:" #: modules/visual_script/visual_script_editor.cpp +#, fuzzy +msgid "Make Tool:" +msgstr "Maak Botten" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "Basis Type:" @@ -11607,7 +11890,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp @@ -12351,6 +12635,39 @@ msgstr "" msgid "Constants cannot be modified." msgstr "" +#~ msgid "Properties:" +#~ msgstr "Eigenschappen:" + +#~ msgid "Methods:" +#~ msgstr "Methodes:" + +#~ msgid "Theme Properties:" +#~ msgstr "Thema Eigenschappen:" + +#~ msgid "Enumerations:" +#~ msgstr "Enumeraties:" + +#~ msgid "Constants:" +#~ msgstr "Constanten:" + +#~ msgid "Class Description:" +#~ msgstr "Klassebeschrijving:" + +#, fuzzy +#~ msgid "Property Descriptions:" +#~ msgstr "Eigenschap Beschrijving:" + +#, fuzzy +#~ msgid "Method Descriptions:" +#~ msgstr "Methode Beschrijving:" + +#, fuzzy +#~ msgid "Reverse sorting." +#~ msgstr "Opvragen..." + +#~ msgid "Delete Node(s)?" +#~ msgstr "Verwijder knooppunt(en)?" + #~ msgid "No Matches" #~ msgstr "Geen Overeenkomsten" @@ -12584,9 +12901,6 @@ msgstr "" #~ "Maak een nieuwe kopie van de geselecteerde scene(s) als kind van de " #~ "geselecteerde knoop." -#~ msgid "Warnings:" -#~ msgstr "Waarschuwingen:" - #~ msgid "Font Size:" #~ msgstr "Lettertypegrootte:" @@ -12629,9 +12943,6 @@ msgstr "" #~ msgid "Select a split to erase it." #~ msgstr "Selecteer een map om te scannen" -#~ msgid "No name provided" -#~ msgstr "Geen naam opgegeven" - #, fuzzy #~ msgid "Add Node.." #~ msgstr "Node Toevoegen" @@ -12820,9 +13131,6 @@ msgstr "" #~ msgid "Move Shader Graph Node" #~ msgstr "Verplaats Shader Graaf Knooppunten" -#~ msgid "Delete Shader Graph Node(s)" -#~ msgstr "Verwijder Shader Graaf Knooppunt(en)" - #~ msgid "Error: Cyclic Connection Link" #~ msgstr "Fout: Cyclische Connectie Link" diff --git a/editor/translations/or.po b/editor/translations/or.po index 6745237b50..1dc9df2f8d 100644 --- a/editor/translations/or.po +++ b/editor/translations/or.po @@ -55,6 +55,34 @@ msgstr "" msgid "On call to '%s':" msgstr "" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +msgid "MiB" +msgstr "" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "" @@ -454,6 +482,10 @@ msgid "Select None" msgstr "" #: editor/animation_track_editor.cpp +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "" @@ -771,7 +803,8 @@ msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -872,7 +905,8 @@ msgstr "" msgid "Matches:" msgstr "" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1172,7 +1206,7 @@ msgid "Delete Bus Effect" msgstr "" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +msgid "Drag & drop to rearrange." msgstr "" #: editor/editor_audio_buses.cpp @@ -1363,6 +1397,7 @@ msgid "Add AutoLoad" msgstr "" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "" @@ -1582,6 +1617,7 @@ msgstr "" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "" @@ -1652,6 +1688,7 @@ msgid "New Folder..." msgstr "" #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "" @@ -1807,7 +1844,7 @@ msgid "Inherited by:" msgstr "" #: editor/editor_help.cpp -msgid "Brief Description:" +msgid "Brief Description" msgstr "" #: editor/editor_help.cpp @@ -1815,38 +1852,18 @@ msgid "Properties" msgstr "" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "" - -#: editor/editor_help.cpp msgid "Methods" msgstr "" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "" - -#: editor/editor_help.cpp msgid "Theme Properties" msgstr "" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "" - -#: editor/editor_help.cpp msgid "enum " msgstr "" @@ -1855,19 +1872,11 @@ msgid "Constants" msgstr "" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "" - -#: editor/editor_help.cpp msgid "Class Description" msgstr "" #: editor/editor_help.cpp -msgid "Class Description:" -msgstr "" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +msgid "Online Tutorials" msgstr "" #: editor/editor_help.cpp @@ -1882,10 +1891,6 @@ msgid "Property Descriptions" msgstr "" #: editor/editor_help.cpp -msgid "Property Descriptions:" -msgstr "" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -1896,10 +1901,6 @@ msgid "Method Descriptions" msgstr "" #: editor/editor_help.cpp -msgid "Method Descriptions:" -msgstr "" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -1966,8 +1967,8 @@ msgstr "" msgid "Copy Selection" msgstr "" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -1980,6 +1981,48 @@ msgstr "" msgid "Clear Output" msgstr "" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Down" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" msgstr "" @@ -2519,6 +2562,18 @@ msgstr "" msgid "Project Settings..." msgstr "" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control" +msgstr "" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp msgid "Export..." msgstr "" @@ -2718,10 +2773,6 @@ msgstr "" msgid "Stop the scene." msgstr "" -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "" @@ -2772,10 +2823,6 @@ msgid "Inspector" msgstr "" #: editor/editor_node.cpp -msgid "Node" -msgstr "" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "" @@ -2797,15 +2844,21 @@ msgstr "" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -2868,6 +2921,10 @@ msgstr "" msgid "Open the previous Editor" msgstr "" +#: editor/editor_path.cpp +msgid "No sub-resources found." +msgstr "" + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "" @@ -2877,6 +2934,10 @@ msgid "Thumbnail..." msgstr "" #: editor/editor_plugin_settings.cpp +msgid "Main Script:" +msgstr "" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "" @@ -2905,11 +2966,6 @@ msgstr "" msgid "Edit:" msgstr "" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "" @@ -3685,8 +3741,8 @@ msgstr "" msgid "Import As:" msgstr "" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." +#: editor/import_dock.cpp +msgid "Preset" msgstr "" #: editor/import_dock.cpp @@ -4112,6 +4168,7 @@ msgid "Change Animation Name:" msgstr "" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "" @@ -4670,10 +4727,6 @@ msgid "Sort:" msgstr "" #: editor/plugins/asset_library_editor_plugin.cpp -msgid "Reverse sorting." -msgstr "" - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "" @@ -4936,6 +4989,10 @@ msgid "Pan Mode" msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp +msgid "Ruler Mode" +msgstr "" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "" @@ -5984,7 +6041,7 @@ msgstr "" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "" @@ -6184,11 +6241,11 @@ msgid "Toggle Scripts Panel" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" +msgid "Step Into" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Into" +msgid "Step Over" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp @@ -6268,7 +6325,7 @@ msgstr "" msgid "Connections to method:" msgstr "" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp msgid "Source" msgstr "" @@ -7035,6 +7092,10 @@ msgid "(empty)" msgstr "" #: editor/plugins/sprite_frames_editor_plugin.cpp +msgid "Move Frame" +msgstr "" + +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Animations:" msgstr "" @@ -7349,6 +7410,14 @@ msgid "Enable Priority" msgstr "" #: editor/plugins/tile_map_editor_plugin.cpp +msgid "Filter tiles" +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "" @@ -7479,6 +7548,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp msgid "Remove selected texture? This will remove all tiles which use it." msgstr "" @@ -7633,6 +7707,99 @@ msgstr "" msgid "TileSet" msgstr "" +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No VCS addons are available." +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No commit message was provided" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Commit" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Initialize" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect new changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Renamed" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Deleted" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Typechange" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Stage Selected" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Stage All" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Commit Changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -7866,6 +8033,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9056,6 +9228,10 @@ msgid "Settings saved OK." msgstr "" #: editor/project_settings_editor.cpp +msgid "Moved Input Action Event" +msgstr "" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "" @@ -9192,6 +9368,10 @@ msgid "Plugins" msgstr "" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "" + +#: editor/property_editor.cpp msgid "Zero" msgstr "" @@ -9355,10 +9535,6 @@ msgstr "" msgid "Reset" msgstr "" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "" @@ -9414,6 +9590,10 @@ msgid "Instance Scene(s)" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Replace with Branch Scene" +msgstr "" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "" @@ -9454,7 +9634,19 @@ msgid "Make node as Root" msgstr "" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" +msgid "Delete %d nodes?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete the root node \"%s\"?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\"?" msgstr "" #: editor/scene_tree_dock.cpp @@ -9832,11 +10024,35 @@ msgid "Bytes:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" +msgid "Warning:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." +msgid "Error:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Error" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Error:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Source" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "Source:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Source:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" msgstr "" #: editor/script_editor_debugger.cpp @@ -9844,7 +10060,7 @@ msgid "Errors" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +msgid "Child process connected." msgstr "" #: editor/script_editor_debugger.cpp @@ -9852,6 +10068,10 @@ msgid "Copy Error" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Skip Breakpoints" +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "" @@ -9868,6 +10088,10 @@ msgid "Profiler" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Network Profiler" +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "" @@ -9880,6 +10104,10 @@ msgid "Monitors" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "" @@ -10076,10 +10304,6 @@ msgid "Library" msgstr "" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "" @@ -10088,6 +10312,10 @@ msgid "GDNative" msgstr "" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "" @@ -10239,6 +10467,14 @@ msgstr "" msgid "Pick Distance:" msgstr "" +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Filter meshes" +msgstr "" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -10374,6 +10610,10 @@ msgid "Create a new variable." msgstr "" #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Create a new signal." msgstr "" @@ -10530,6 +10770,10 @@ msgid "Editing Signal:" msgstr "" #: modules/visual_script/visual_script_editor.cpp +msgid "Make Tool:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "" @@ -10677,7 +10921,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp diff --git a/editor/translations/pl.po b/editor/translations/pl.po index df28369163..da1b230208 100644 --- a/editor/translations/pl.po +++ b/editor/translations/pl.po @@ -21,7 +21,7 @@ # Rafał Ziemniak <synaptykq@gmail.com>, 2017. # RM <synaptykq@gmail.com>, 2018. # Sebastian Krzyszkowiak <dos@dosowisko.net>, 2017. -# Sebastian Pasich <sebastian.pasich@gmail.com>, 2017. +# Sebastian Pasich <sebastian.pasich@gmail.com>, 2017, 2019. # siatek papieros <sbigneu@gmail.com>, 2016. # Zatherz <zatherz@linux.pl>, 2017. # Tomek <kobewi4e@gmail.com>, 2018, 2019. @@ -35,11 +35,12 @@ # Przemysław Pierzga <przemyslawpierzga@gmail.com>, 2019. # Artur Maciąg <arturmaciag@gmail.com>, 2019. # Rafał Wyszomirski <rawyszo@gmail.com>, 2019. +# Myver <igormakarowicz@gmail.com>, 2019. msgid "" msgstr "" "Project-Id-Version: Godot Engine editor\n" "POT-Creation-Date: \n" -"PO-Revision-Date: 2019-08-29 13:35+0000\n" +"PO-Revision-Date: 2019-09-19 05:27+0000\n" "Last-Translator: Tomek <kobewi4e@gmail.com>\n" "Language-Team: Polish <https://hosted.weblate.org/projects/godot-engine/" "godot/pl/>\n" @@ -65,7 +66,7 @@ msgstr "" #: core/math/expression.cpp msgid "Invalid input %i (not passed) in expression" -msgstr "Nieprawidłowe wejście %i (nie podano) w wyrażeniu" +msgstr "Niewłaściwe dane %i (nie przekazane) w wyrażeniu" #: core/math/expression.cpp msgid "self can't be used because instance is null (not passed)" @@ -92,9 +93,38 @@ msgstr "Niepoprawne argumenty do utworzenia \"%s\"" msgid "On call to '%s':" msgstr "Przy wywołaniu \"%s\":" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +#, fuzzy +msgid "MiB" +msgstr "Miks" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" -msgstr "Wolny" +msgstr "Wolne" #: editor/animation_bezier_editor.cpp msgid "Balanced" @@ -507,6 +537,12 @@ msgid "Select None" msgstr "Wybierz węzeł" #: editor/animation_track_editor.cpp +#, fuzzy +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" +"Ścieżka do węzła AnimationPlayer zawierającego animacje nie jest ustawiona." + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "Pokaż tylko ścieżki z węzłów zaznaczonych w drzewie." @@ -685,14 +721,12 @@ msgid "Replaced %d occurrence(s)." msgstr "Zastąpiono %d wystąpień." #: editor/code_editor.cpp editor/editor_help.cpp -#, fuzzy msgid "%d match." -msgstr "Znaleziono %d dopasowań." +msgstr "%d dopasowanie." #: editor/code_editor.cpp editor/editor_help.cpp -#, fuzzy msgid "%d matches." -msgstr "Znaleziono %d dopasowań." +msgstr "%d dopasowań." #: editor/code_editor.cpp editor/find_in_files.cpp msgid "Match Case" @@ -829,7 +863,8 @@ msgstr "Nie można połączyć sygnału" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -930,7 +965,8 @@ msgstr "Szukaj:" msgid "Matches:" msgstr "Pasujące:" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1143,22 +1179,20 @@ msgid "License" msgstr "Licencja" #: editor/editor_about.cpp -#, fuzzy msgid "Third-party Licenses" -msgstr "Licencja zewnętrzna" +msgstr "Licencje zewnętrzne" #: editor/editor_about.cpp -#, fuzzy msgid "" "Godot Engine relies on a number of third-party free and open source " "libraries, all compatible with the terms of its MIT license. The following " "is an exhaustive list of all such third-party components with their " "respective copyright statements and license terms." msgstr "" -"Godot Engine opiera się na wielu niezależnych i otwartych bibliotekach stron " -"trzecich, wszystkie zgodne z warunkami licencji MIT. Poniżej znajduje się " -"kompletna lista wszystkich takich komponentów stron trzecich wraz z ich " -"oświadczeniami o prawach autorskich i postanowieniami licencyjnymi." +"Godot Engine opiera się na wielu niezależnych i otwartych bibliotekach, " +"wszystkie zgodne z warunkami licencji MIT. Poniżej znajduje się kompletna " +"lista wszystkich takich zewnętrznych komponentów wraz z ich oświadczeniami o " +"prawach autorskich i postanowieniami licencyjnymi." #: editor/editor_about.cpp msgid "All Components" @@ -1173,9 +1207,8 @@ msgid "Licenses" msgstr "Licencje" #: editor/editor_asset_installer.cpp editor/project_manager.cpp -#, fuzzy msgid "Error opening package file, not in ZIP format." -msgstr "Błąd otwierania pliku pakietu (nie jest w formacie zip)." +msgstr "Błąd otwierania pliku pakietu, nie jest w formacie ZIP." #: editor/editor_asset_installer.cpp msgid "Uncompressing Assets" @@ -1243,7 +1276,8 @@ msgid "Delete Bus Effect" msgstr "Usuń efekt magistrali" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +#, fuzzy +msgid "Drag & drop to rearrange." msgstr "Magistrala audio, przeciągnij i upuść by przemieścić." #: editor/editor_audio_buses.cpp @@ -1434,6 +1468,7 @@ msgid "Add AutoLoad" msgstr "Dodaj AutoLoad" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "Ścieżka:" @@ -1662,6 +1697,7 @@ msgstr "Ustaw na bieżący" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "Nowy" @@ -1732,6 +1768,7 @@ msgid "New Folder..." msgstr "Utwórz katalog..." #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "Odśwież" @@ -1887,7 +1924,8 @@ msgid "Inherited by:" msgstr "Dziedziczone przez:" #: editor/editor_help.cpp -msgid "Brief Description:" +#, fuzzy +msgid "Brief Description" msgstr "Krótki opis:" #: editor/editor_help.cpp @@ -1895,38 +1933,18 @@ msgid "Properties" msgstr "Właściwości" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "Właściwości:" - -#: editor/editor_help.cpp msgid "Methods" msgstr "Metody" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "Metody:" - -#: editor/editor_help.cpp msgid "Theme Properties" msgstr "Właściwości motywu" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "Właściwości motywu:" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "Sygnały:" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "Wyliczenia" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "Wyliczenia:" - -#: editor/editor_help.cpp msgid "enum " msgstr "enum " @@ -1935,19 +1953,12 @@ msgid "Constants" msgstr "Stałe" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "Stałe:" - -#: editor/editor_help.cpp msgid "Class Description" msgstr "Opis klasy" #: editor/editor_help.cpp -msgid "Class Description:" -msgstr "Opis klasy:" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +#, fuzzy +msgid "Online Tutorials" msgstr "Poradniki online:" #: editor/editor_help.cpp @@ -1965,10 +1976,6 @@ msgid "Property Descriptions" msgstr "Opisy właściwości" #: editor/editor_help.cpp -msgid "Property Descriptions:" -msgstr "Opisy właściwości:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -1981,10 +1988,6 @@ msgid "Method Descriptions" msgstr "Opisy metod" #: editor/editor_help.cpp -msgid "Method Descriptions:" -msgstr "Opisy metod:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2053,8 +2056,8 @@ msgstr "Wyjście:" msgid "Copy Selection" msgstr "Kopiuj zaznaczenie" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2067,10 +2070,51 @@ msgstr "Wyczyść" msgid "Clear Output" msgstr "Wyczyść dane wyjściowe" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "Stop" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "Start" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Down" +msgstr "Dół" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "Góra" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "Węzeł" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp -#, fuzzy msgid "New Window" -msgstr "Okno" +msgstr "Nowe okno" #: editor/editor_node.cpp msgid "Project export failed with error code %d." @@ -2399,9 +2443,8 @@ msgid "Close Scene" msgstr "Zamknij scenę" #: editor/editor_node.cpp -#, fuzzy msgid "Reopen Closed Scene" -msgstr "Zamknij scenę" +msgstr "Przywróć zamkniętą scenę" #: editor/editor_node.cpp msgid "Unable to enable addon plugin at: '%s' parsing of config failed." @@ -2517,9 +2560,8 @@ msgid "Close Tab" msgstr "Zamknij kartę" #: editor/editor_node.cpp -#, fuzzy msgid "Undo Close Tab" -msgstr "Zamknij kartę" +msgstr "Cofnij zamknięcie karty" #: editor/editor_node.cpp editor/plugins/script_editor_plugin.cpp msgid "Close Other Tabs" @@ -2652,18 +2694,29 @@ msgid "Project" msgstr "Projekt" #: editor/editor_node.cpp -#, fuzzy msgid "Project Settings..." -msgstr "Ustawienia projektu" +msgstr "Ustawienia projektu..." + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Version Control" +msgstr "Wersja:" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" #: editor/editor_node.cpp msgid "Export..." msgstr "Eksport..." #: editor/editor_node.cpp -#, fuzzy msgid "Install Android Build Template..." -msgstr "Zainstaluj szablon eksportu dla Androida" +msgstr "Zainstaluj szablon eksportu dla Androida..." #: editor/editor_node.cpp msgid "Open Project Data Folder" @@ -2674,9 +2727,8 @@ msgid "Tools" msgstr "Narzędzia" #: editor/editor_node.cpp -#, fuzzy msgid "Orphan Resource Explorer..." -msgstr "Eksplorator osieroconych zasobów" +msgstr "Eksplorator osieroconych zasobów..." #: editor/editor_node.cpp msgid "Quit to Project List" @@ -2776,9 +2828,8 @@ msgid "Editor" msgstr "Edytor" #: editor/editor_node.cpp -#, fuzzy msgid "Editor Settings..." -msgstr "Ustawienia edytora" +msgstr "Ustawienia edytora..." #: editor/editor_node.cpp msgid "Editor Layout" @@ -2813,14 +2864,12 @@ msgid "Open Editor Settings Folder" msgstr "Otwórz folder ustawień edytora" #: editor/editor_node.cpp -#, fuzzy msgid "Manage Editor Features..." -msgstr "Zarządzaj funkcjonalnościami edytora" +msgstr "Zarządzaj funkcjonalnościami edytora..." #: editor/editor_node.cpp -#, fuzzy msgid "Manage Export Templates..." -msgstr "Zarządzaj szablonami eksportu" +msgstr "Zarządzaj szablonami eksportu..." #: editor/editor_node.cpp editor/plugins/shader_editor_plugin.cpp msgid "Help" @@ -2876,10 +2925,6 @@ msgstr "Zapauzuj scenę" msgid "Stop the scene." msgstr "Zatrzymaj scenę." -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "Stop" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "Uruchom aktualnie edytowaną scenę." @@ -2930,10 +2975,6 @@ msgid "Inspector" msgstr "Inspektor" #: editor/editor_node.cpp -msgid "Node" -msgstr "Węzeł" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "Rozwiń panel dolny" @@ -2955,17 +2996,22 @@ msgstr "Zarządzaj szablonami" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" -"To zainstaluje projekt Androida dla dostosowanych wydań.\n" -"W celu użycia go, musi zostać dołączony do każdego profilu eksportu." #: editor/editor_node.cpp +#, fuzzy msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" "Szablon budowania Androida jest już zainstalowany i nie będzie nadpisany.\n" "Usuń ręcznie folder \"build\" przed spróbowaniem tej operacji ponownie." @@ -3030,6 +3076,11 @@ msgstr "Otwórz następny edytor" msgid "Open the previous Editor" msgstr "Otwórz poprzedni edytor" +#: editor/editor_path.cpp +#, fuzzy +msgid "No sub-resources found." +msgstr "Nie ustawiono źródła płaszczyzny." + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "Tworzenie podglądu Mesh" @@ -3039,6 +3090,11 @@ msgid "Thumbnail..." msgstr "Miniatura..." #: editor/editor_plugin_settings.cpp +#, fuzzy +msgid "Main Script:" +msgstr "Otwórz skrypt:" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "Edytuj wtyczkę" @@ -3067,11 +3123,6 @@ msgstr "Status:" msgid "Edit:" msgstr "Edytuj:" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "Start" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "Zmierzono:" @@ -3288,7 +3339,6 @@ msgid "Import From Node:" msgstr "Zaimportuj z węzła:" #: editor/export_template_manager.cpp -#, fuzzy msgid "Redownload" msgstr "Pobierz ponownie" @@ -3308,6 +3358,8 @@ msgstr "Pobierz" #: editor/export_template_manager.cpp msgid "Official export templates aren't available for development builds." msgstr "" +"Oficjalne szablony eksportowe nie są dostępne dla kompilacji " +"programistycznych." #: editor/export_template_manager.cpp msgid "(Missing)" @@ -3390,23 +3442,20 @@ msgid "Download Complete." msgstr "Pobieranie zakończone." #: editor/export_template_manager.cpp -#, fuzzy msgid "Cannot remove temporary file:" -msgstr "Nie mogę zapisać motywu do pliku:" +msgstr "Nie można usunąć pliku tymczasowego:" #: editor/export_template_manager.cpp -#, fuzzy msgid "" "Templates installation failed.\n" "The problematic templates archives can be found at '%s'." msgstr "" -"Instalacja szablonów się nie udała. Problematyczne archiwa szablonów mogą " -"być znalezione w \"%s\"." +"Instalacja szablonów się nie udała.\n" +"Problematyczne archiwa szablonów mogą być znalezione w \"%s\"." #: editor/export_template_manager.cpp -#, fuzzy msgid "Error requesting URL:" -msgstr "Błąd podczas żądania adresu url: " +msgstr "Błąd podczas żądania adresu URL:" #: editor/export_template_manager.cpp msgid "Connecting to Mirror..." @@ -3593,9 +3642,8 @@ msgid "Move To..." msgstr "Przenieś do..." #: editor/filesystem_dock.cpp -#, fuzzy msgid "New Scene..." -msgstr "Nowa scena" +msgstr "Nowa scena..." #: editor/filesystem_dock.cpp editor/plugins/script_editor_plugin.cpp msgid "New Script..." @@ -3663,9 +3711,8 @@ msgid "Overwrite" msgstr "Nadpisz" #: editor/filesystem_dock.cpp -#, fuzzy msgid "Create Scene" -msgstr "Utwórz ze sceny" +msgstr "Utwórz scenę" #: editor/filesystem_dock.cpp editor/plugins/script_editor_plugin.cpp msgid "Create Script" @@ -3745,21 +3792,18 @@ msgid "Invalid group name." msgstr "Niewłaściwa nazwa grupy." #: editor/groups_editor.cpp -#, fuzzy msgid "Rename Group" -msgstr "Zarządzaj grupami" +msgstr "Zmień nazwę grupy" #: editor/groups_editor.cpp -#, fuzzy msgid "Delete Group" -msgstr "Usuń grupę obrazków" +msgstr "Usuń grupę" #: editor/groups_editor.cpp editor/node_dock.cpp msgid "Groups" msgstr "Grupy" #: editor/groups_editor.cpp -#, fuzzy msgid "Nodes Not in Group" msgstr "Węzły nie w grupie" @@ -3774,12 +3818,11 @@ msgstr "Węzły w grupie" #: editor/groups_editor.cpp msgid "Empty groups will be automatically removed." -msgstr "" +msgstr "Puste grupy zostaną automatycznie usunięte." #: editor/groups_editor.cpp -#, fuzzy msgid "Group Editor" -msgstr "Edytor skryptów" +msgstr "Edytor grup" #: editor/groups_editor.cpp msgid "Manage Groups" @@ -3880,9 +3923,10 @@ msgstr " Pliki" msgid "Import As:" msgstr "Importuj jako:" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." -msgstr "Ustawienie predefiniowane..." +#: editor/import_dock.cpp +#, fuzzy +msgid "Preset" +msgstr "Profile eksportu" #: editor/import_dock.cpp msgid "Reimport" @@ -3989,9 +4033,8 @@ msgid "MultiNode Set" msgstr "Zestaw wielowęzłowy" #: editor/node_dock.cpp -#, fuzzy msgid "Select a single node to edit its signals and groups." -msgstr "Wybierz węzeł do edycji sygnałów i grup." +msgstr "Wybierz pojedynczy węzeł, aby edytować jego sygnały i grupy." #: editor/plugin_config_dialog.cpp msgid "Edit a Plugin" @@ -4323,6 +4366,7 @@ msgid "Change Animation Name:" msgstr "Zmień nazwę animacji:" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "Usunąć animację?" @@ -4447,7 +4491,7 @@ msgstr "Kierunki" #: editor/plugins/animation_player_editor_plugin.cpp msgid "Past" -msgstr "Poprzednie" +msgstr "Poprzedni" #: editor/plugins/animation_player_editor_plugin.cpp msgid "Future" @@ -4770,37 +4814,32 @@ msgid "Request failed, return code:" msgstr "Żądanie nie powiodło się, zwracany kod:" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Request failed." msgstr "Żądanie nie powiodło się." #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Cannot save response to:" -msgstr "Nie mogę zapisać motywu do pliku:" +msgstr "Nie można zapisać odpowiedzi do:" #: editor/plugins/asset_library_editor_plugin.cpp msgid "Write error." -msgstr "" +msgstr "Błąd pisania." #: editor/plugins/asset_library_editor_plugin.cpp msgid "Request failed, too many redirects" msgstr "Żądanie nieudane, zbyt dużo przekierowań" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Redirect loop." msgstr "Pętla przekierowań." #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Request failed, timeout" -msgstr "Żądanie nie powiodło się, zwracany kod:" +msgstr "Żądanie nie powiodło się, przekroczono czas" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Timeout." -msgstr "Czas" +msgstr "Przekroczenie czasu." #: editor/plugins/asset_library_editor_plugin.cpp msgid "Bad download hash, assuming file has been tampered with." @@ -4881,24 +4920,18 @@ msgid "All" msgstr "Wszystko" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Import..." -msgstr "Importuj ponownie..." +msgstr "Importuj..." #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Plugins..." -msgstr "Wtyczki" +msgstr "Wtyczki..." #: editor/plugins/asset_library_editor_plugin.cpp editor/project_manager.cpp msgid "Sort:" msgstr "Sortuj:" #: editor/plugins/asset_library_editor_plugin.cpp -msgid "Reverse sorting." -msgstr "Odwróć sortowanie." - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "Kategoria:" @@ -4908,9 +4941,8 @@ msgid "Site:" msgstr "Źródło:" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Support" -msgstr "Wsparcie..." +msgstr "Wsparcie" #: editor/plugins/asset_library_editor_plugin.cpp msgid "Official" @@ -4921,9 +4953,8 @@ msgid "Testing" msgstr "Testowanie" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Loading..." -msgstr "Wczytaj..." +msgstr "Wczytywanie..." #: editor/plugins/asset_library_editor_plugin.cpp msgid "Assets ZIP File" @@ -5092,9 +5123,8 @@ msgid "Paste Pose" msgstr "Wklej pozę" #: editor/plugins/canvas_item_editor_plugin.cpp -#, fuzzy msgid "Clear Guides" -msgstr "Wyczyść kości" +msgstr "Wyczyść prowadnice" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Create Custom Bone(s) from Node(s)" @@ -5182,6 +5212,11 @@ msgid "Pan Mode" msgstr "Tryb przesuwania" #: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy +msgid "Ruler Mode" +msgstr "Tryb uruchamiania:" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "Przełącz przyciąganie." @@ -5828,26 +5863,23 @@ msgstr "Czas generowania (sek):" #: editor/plugins/particles_editor_plugin.cpp msgid "The geometry's faces don't contain any area." -msgstr "" +msgstr "Powierzchnie geometrii nie zawierają żadnego obszaru." #: editor/plugins/particles_editor_plugin.cpp -#, fuzzy msgid "The geometry doesn't contain any faces." -msgstr "Węzeł nie zawiera geometrii (ściany)." +msgstr "Geometria nie zawiera żadnych powierzchni." #: editor/plugins/particles_editor_plugin.cpp msgid "\"%s\" doesn't inherit from Spatial." -msgstr "" +msgstr "\"%s\" nie dziedziczy ze Spatial." #: editor/plugins/particles_editor_plugin.cpp -#, fuzzy msgid "\"%s\" doesn't contain geometry." -msgstr "Węzeł nie zawiera geometrii." +msgstr "\"%s\" nie zawiera geometrii." #: editor/plugins/particles_editor_plugin.cpp -#, fuzzy msgid "\"%s\" doesn't contain face geometry." -msgstr "Węzeł nie zawiera geometrii." +msgstr "\"%s\" nie zawiera geometrii powierzchni." #: editor/plugins/particles_editor_plugin.cpp msgid "Create Emitter" @@ -6246,7 +6278,7 @@ msgstr "Instancja:" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "Typ:" @@ -6284,9 +6316,8 @@ msgid "Error writing TextFile:" msgstr "Błąd pisania pliku tekstowego:" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "Could not load file at:" -msgstr "Nie mogłem znaleźć tile:" +msgstr "Nie można załadować pliku w:" #: editor/plugins/script_editor_plugin.cpp msgid "Error saving file!" @@ -6309,7 +6340,6 @@ msgid "Error Importing" msgstr "Błąd importowania" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "New Text File..." msgstr "Nowy plik tekstowy..." @@ -6391,9 +6421,8 @@ msgid "Open..." msgstr "Otwórz..." #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "Reopen Closed Script" -msgstr "Otwórz skrypt" +msgstr "Przywróć zamknięty skrypt" #: editor/plugins/script_editor_plugin.cpp msgid "Save All" @@ -6449,14 +6478,14 @@ msgid "Toggle Scripts Panel" msgstr "Przełącz panel skryptów" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" -msgstr "Przekrocz" - -#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Step Into" msgstr "Krok w" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp +msgid "Step Over" +msgstr "Przekrocz" + +#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Break" msgstr "Przerwa" @@ -6528,15 +6557,14 @@ msgid "Search Results" msgstr "Wyniki wyszukiwania" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "Clear Recent Scripts" -msgstr "Wyczyść listę ostatnio otwieranych scen" +msgstr "Wyczyść ostatnio otwierane skrypty" #: editor/plugins/script_text_editor.cpp msgid "Connections to method:" msgstr "Połączenia do metody:" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp msgid "Source" msgstr "Źródło" @@ -6655,9 +6683,8 @@ msgid "Complete Symbol" msgstr "Uzupełnij symbol" #: editor/plugins/script_text_editor.cpp -#, fuzzy msgid "Evaluate Selection" -msgstr "Skaluj zaznaczone" +msgstr "Wylicz wyrażenie" #: editor/plugins/script_text_editor.cpp msgid "Trim Trailing Whitespace" @@ -6814,7 +6841,7 @@ msgstr "Skalowanie: " #: editor/plugins/spatial_editor_plugin.cpp msgid "Translating: " -msgstr "Przesuwanie: " +msgstr "Tłumaczenie: " #: editor/plugins/spatial_editor_plugin.cpp msgid "Rotating %s degrees." @@ -6965,9 +6992,8 @@ msgid "Audio Listener" msgstr "Słuchacz dźwięku" #: editor/plugins/spatial_editor_plugin.cpp -#, fuzzy msgid "Enable Doppler" -msgstr "Włącz filtrowanie" +msgstr "Włącz Dopplera" #: editor/plugins/spatial_editor_plugin.cpp msgid "Cinematic Preview" @@ -7023,7 +7049,7 @@ msgstr "Przyciągnij węzły do podłogi" #: editor/plugins/spatial_editor_plugin.cpp msgid "Couldn't find a solid floor to snap the selection to." -msgstr "" +msgstr "Nie udało się znaleźć stałej podłogi do przyciągnięcia zaznaczenia." #: editor/plugins/spatial_editor_plugin.cpp msgid "" @@ -7036,9 +7062,8 @@ msgstr "" "Alt+PPM: Lista wyboru głębi" #: editor/plugins/spatial_editor_plugin.cpp -#, fuzzy msgid "Use Local Space" -msgstr "Tryb lokalny przestrzeni (%s)" +msgstr "Użyj przestrzeni lokalnej" #: editor/plugins/spatial_editor_plugin.cpp msgid "Bottom View" @@ -7135,9 +7160,8 @@ msgstr "Pokaż siatkę" #: editor/plugins/spatial_editor_plugin.cpp #: modules/gridmap/grid_map_editor_plugin.cpp -#, fuzzy msgid "Settings..." -msgstr "Ustawienia" +msgstr "Ustawienia..." #: editor/plugins/spatial_editor_plugin.cpp msgid "Snap Settings" @@ -7317,6 +7341,11 @@ msgid "(empty)" msgstr "(pusty)" #: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy +msgid "Move Frame" +msgstr "Wklej klatkę" + +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Animations:" msgstr "Animacje:" @@ -7514,14 +7543,12 @@ msgid "Submenu" msgstr "Podmenu" #: editor/plugins/theme_editor_plugin.cpp -#, fuzzy msgid "Subitem 1" -msgstr "Element 1" +msgstr "Podelement 1" #: editor/plugins/theme_editor_plugin.cpp -#, fuzzy msgid "Subitem 2" -msgstr "Element 2" +msgstr "Podpozycja 2" #: editor/plugins/theme_editor_plugin.cpp msgid "Has" @@ -7633,17 +7660,25 @@ msgid "Enable Priority" msgstr "Włącz priorytety" #: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy +msgid "Filter tiles" +msgstr "Filtrowanie plików..." + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "Maluj kafelek" #: editor/plugins/tile_map_editor_plugin.cpp -#, fuzzy msgid "" "Shift+LMB: Line Draw\n" "Shift+Ctrl+LMB: Rectangle Paint" msgstr "" -"Shift+PPM: Rysuj linię\n" -"Shift+Ctrl+PPM: Maluj prostokąt" +"Shift+PPM: Rysowanie linii\n" +"Shift+Ctrl+PPM: Malowanie prostokąta" #: editor/plugins/tile_map_editor_plugin.cpp msgid "Pick Tile" @@ -7766,6 +7801,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "Pokaż nazwy kafelków (przytrzymaj Alt)" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp msgid "Remove selected texture? This will remove all tiles which use it." msgstr "" "Usunąć wybraną teksturę? To usunie wszystkie kafelki, które jej używają." @@ -7936,6 +7976,112 @@ msgstr "Ta właściwość nie może zostać zmieniona." msgid "TileSet" msgstr "TileSet" +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No VCS addons are available." +msgstr "Nazwa rodzica węzła, jeśli dostępna" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "Błąd" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No commit message was provided" +msgstr "Nie podano nazwy" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit" +msgstr "Społeczność" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Initialize" +msgstr "Wielkie litery na początku słów" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "Utwórz nowy prostokąt." + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "Zmień" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "Zmień nazwę" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "Usuń" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Typechange" +msgstr "Zmień" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "Usuń zaznaczone" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage All" +msgstr "Zapisz wszystko" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit Changes" +msgstr "Synchronizuj zmiany skryptów" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "Status" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No file diff is active" +msgstr "Nie wybrano pliku!" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "(Tylko GLES3)" @@ -8042,9 +8188,8 @@ msgid "Light" msgstr "Światło" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Show resulted shader code." -msgstr "Utwórz węzeł shadera" +msgstr "Pokaż wynikowy kod shadera." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Create Shader Node" @@ -8173,6 +8318,14 @@ msgstr "" "fałszywa." #: editor/plugins/visual_shader_editor_plugin.cpp +#, fuzzy +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" +"Zwraca powiązany wektor, jeśli podana wartość boolowska jest prawdziwa albo " +"fałszywa." + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "Zwraca wynik boolowski porównania pomiędzy dwoma parametrami." @@ -8409,7 +8562,6 @@ msgid "Returns the square root of the parameter." msgstr "Zwraca pierwiastek kwadratowy parametru." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "SmoothStep function( scalar(edge0), scalar(edge1), scalar(x) ).\n" "\n" @@ -8425,7 +8577,6 @@ msgstr "" "pomiędzy 0.0 i 1.0 używając wielomianów Hermite'a." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "Step function( scalar(edge), scalar(x) ).\n" "\n" @@ -8603,9 +8754,8 @@ msgid "Linear interpolation between two vectors." msgstr "Liniowo interpoluje pomiędzy dwoma wektorami." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Linear interpolation between two vectors using scalar." -msgstr "Liniowo interpoluje pomiędzy dwoma wektorami." +msgstr "Liniowo interpoluje pomiędzy dwoma wektorami używając skalara." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Calculates the normalize product of vector." @@ -8632,7 +8782,6 @@ msgid "Returns the vector that points in the direction of refraction." msgstr "Zwraca wektor skierowany w kierunku załamania." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "SmoothStep function( vector(edge0), vector(edge1), vector(x) ).\n" "\n" @@ -8648,7 +8797,6 @@ msgstr "" "pomiędzy 0.0 i 1.0 używając wielomianów Hermite'a." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "SmoothStep function( scalar(edge0), scalar(edge1), vector(x) ).\n" "\n" @@ -8664,7 +8812,6 @@ msgstr "" "pomiędzy 0.0 i 1.0 używając wielomianów Hermite'a." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "Step function( vector(edge), vector(x) ).\n" "\n" @@ -8675,7 +8822,6 @@ msgstr "" "Zwraca 0.0 jeśli \"x\" jest mniejsze niż krawędź, w innym przypadku 1.0." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "Step function( scalar(edge), vector(x) ).\n" "\n" @@ -8737,6 +8883,10 @@ msgid "" "shader. You can place various function definitions inside and call it later " "in the Expressions. You can also declare varyings, uniforms and constants." msgstr "" +"Własne wyrażenie w języku shaderów Godota, znajdujące się na górze " +"wynikowego shadera. Możesz wewnątrz utworzyć różne definicje funkcji i " +"wywoływać je później Wyrażeniami. Możesz także deklarować zmienne, uniformy " +"i stałe." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(Fragment/Light mode only) Scalar derivative function." @@ -9130,13 +9280,12 @@ msgid "Unnamed Project" msgstr "Projekt bez nazwy" #: editor/project_manager.cpp -#, fuzzy msgid "Missing Project" -msgstr "Importuj istniejący projekt" +msgstr "Brakujący projekt" #: editor/project_manager.cpp msgid "Error: Project is missing on the filesystem." -msgstr "" +msgstr "Błąd: Projekt nieobecny w systemie plików." #: editor/project_manager.cpp msgid "Can't open project at '%s'." @@ -9235,12 +9384,11 @@ msgstr "" "Zawartość folderu projektu nie zostanie zmodyfikowana." #: editor/project_manager.cpp -#, fuzzy msgid "" "Remove all missing projects from the list?\n" "The project folders' contents won't be modified." msgstr "" -"Usunąć %d projektów z listy?\n" +"Usunąć wszystkie brakujące projekty z listy?\n" "Zawartość folderów projektów nie zostanie zmodyfikowana." #: editor/project_manager.cpp @@ -9265,9 +9413,8 @@ msgid "Project Manager" msgstr "Menedżer projektów" #: editor/project_manager.cpp -#, fuzzy msgid "Projects" -msgstr "Projekt" +msgstr "Projekty" #: editor/project_manager.cpp msgid "Scan" @@ -9498,6 +9645,11 @@ msgid "Settings saved OK." msgstr "Ustawienia zapisane pomyślnie." #: editor/project_settings_editor.cpp +#, fuzzy +msgid "Moved Input Action Event" +msgstr "Dodaj zdarzenie akcji wejścia" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "Nadpisanie dla cechy" @@ -9634,6 +9786,10 @@ msgid "Plugins" msgstr "Wtyczki" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "Ustawienie predefiniowane..." + +#: editor/property_editor.cpp msgid "Zero" msgstr "Zero" @@ -9801,10 +9957,6 @@ msgstr "Na wielkie litery" msgid "Reset" msgstr "Resetuj" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "Błąd" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "Zmień nadrzędny węzeł" @@ -9862,6 +10014,11 @@ msgid "Instance Scene(s)" msgstr "Dodaj instancję sceny" #: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Replace with Branch Scene" +msgstr "Zapisz gałąź jako scenę" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "Dodaj instancję sceny" @@ -9904,8 +10061,23 @@ msgid "Make node as Root" msgstr "Zmień węzeł na Korzeń" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" -msgstr "Usuń węzeł(y)?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "Usuń węzły" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete the root node \"%s\"?" +msgstr "Usuń węzeł(y) Shader Graph" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" +msgstr "" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "Usuń węzły" #: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." @@ -9980,9 +10152,8 @@ msgid "Remove Node(s)" msgstr "Usuń węzeł(y)" #: editor/scene_tree_dock.cpp -#, fuzzy msgid "Change type of node(s)" -msgstr "Zmień nazwę portu wyjściowego" +msgstr "Zmień typ węzła/ów" #: editor/scene_tree_dock.cpp msgid "" @@ -10105,30 +10276,27 @@ msgid "Node configuration warning:" msgstr "Ostrzeżenie konfiguracji węzła:" #: editor/scene_tree_editor.cpp -#, fuzzy msgid "" "Node has %s connection(s) and %s group(s).\n" "Click to show signals dock." msgstr "" -"Węzeł posiada połączenie(a) i grupę(y).\n" +"Węzeł posiada %s połączeń i %s grup.\n" "Kliknij, aby wyświetlić panel sygnałów." #: editor/scene_tree_editor.cpp -#, fuzzy msgid "" "Node has %s connection(s).\n" "Click to show signals dock." msgstr "" -"Węzeł posiada połączenia.\n" +"Węzeł posiada %s połączenia.\n" "Kliknij, aby wyświetlić panel sygnałów." #: editor/scene_tree_editor.cpp -#, fuzzy msgid "" "Node is in %s group(s).\n" "Click to show groups dock." msgstr "" -"Węzeł jest w grupach.\n" +"Węzeł jest w %s grupach.\n" "Kliknij, aby wyświetlić panel grup." #: editor/scene_tree_editor.cpp @@ -10224,9 +10392,8 @@ msgid "Error loading script from %s" msgstr "Błąd ładowania skryptu z %s" #: editor/script_create_dialog.cpp -#, fuzzy msgid "Overrides" -msgstr "Nadpisz" +msgstr "Nadpisuje" #: editor/script_create_dialog.cpp msgid "N/A" @@ -10305,19 +10472,50 @@ msgid "Bytes:" msgstr "Bajty:" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" -msgstr "Ślad stosu" +#, fuzzy +msgid "Warning:" +msgstr "Ostrzeżenia:" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." -msgstr "Wybierz jeden lub więcej elementów z listy by wyświetlić graf." +msgid "Error:" +msgstr "Błąd:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error" +msgstr "Kopiuj błąd" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error:" +msgstr "Błąd:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source" +msgstr "Źródło" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" +msgstr "Źródło" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source:" +msgstr "Źródło" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" +msgstr "Ślad stosu" #: editor/script_editor_debugger.cpp msgid "Errors" msgstr "Błędy" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +#, fuzzy +msgid "Child process connected." msgstr "Połączono z procesem potomnym" #: editor/script_editor_debugger.cpp @@ -10325,6 +10523,11 @@ msgid "Copy Error" msgstr "Kopiuj błąd" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "Punkty wstrzymania" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "Sprawdź poprzednią instancję" @@ -10341,6 +10544,11 @@ msgid "Profiler" msgstr "Profiler" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Network Profiler" +msgstr "Eksportuj profil" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "Monitor" @@ -10353,6 +10561,10 @@ msgid "Monitors" msgstr "Monitory" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "Wybierz jeden lub więcej elementów z listy by wyświetlić graf." + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "Zużycie pamięci wideo według zasobów:" @@ -10549,10 +10761,6 @@ msgid "Library" msgstr "Biblioteka" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "Status" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "Biblioteki: " @@ -10561,6 +10769,10 @@ msgid "GDNative" msgstr "GDNative" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "Argument kroku wynosi zero!" @@ -10578,7 +10790,7 @@ msgstr "Nie bazuje na pliku zasobów" #: modules/gdscript/gdscript_functions.cpp msgid "Invalid instance dictionary format (missing @path)" -msgstr "Niepoprawna instancja formatu słownika (brak @path)" +msgstr "Niepoprawna instancja formatu słownika (brakujący @path)" #: modules/gdscript/gdscript_functions.cpp msgid "Invalid instance dictionary format (can't load script at @path)" @@ -10713,6 +10925,15 @@ msgstr "Ustawienia GridMap" msgid "Pick Distance:" msgstr "Wybierz odległość:" +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "Filtruj metody" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "Nazwa klasy nie może być słowem zastrzeżonym" @@ -10838,28 +11059,28 @@ msgid "Set Variable Type" msgstr "Ustaw typ zmiennej" #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Override an existing built-in function." -msgstr "Nie może kolidować z nazwą istniejącego wbudowanego typu." +msgstr "Zastąp istniejącą funkcję wbudowaną." #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Create a new function." -msgstr "Utwórz nowy prostokąt." +msgstr "Utwórz nową funkcję." #: modules/visual_script/visual_script_editor.cpp msgid "Variables:" msgstr "Zmienne:" #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Create a new variable." -msgstr "Utwórz nowy prostokąt." +msgstr "Utwórz nową zmienną." + +#: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "Sygnały:" #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Create a new signal." -msgstr "Utwórz nowy wielokąt." +msgstr "Utwórz nowy sygnał." #: modules/visual_script/visual_script_editor.cpp msgid "Name is not a valid identifier:" @@ -11018,6 +11239,11 @@ msgid "Editing Signal:" msgstr "Edytuj sygnał:" #: modules/visual_script/visual_script_editor.cpp +#, fuzzy +msgid "Make Tool:" +msgstr "Uczyń lokalnym" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "Typ bazowy:" @@ -11172,8 +11398,10 @@ msgstr "" "Edytora." #: platform/android/export/export.cpp +#, fuzzy msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" "Projekt Androida nie jest zainstalowany do kompilacji. Zainstaluj z menu " "Edytor." @@ -11454,7 +11682,7 @@ msgstr "" msgid "" "ParallaxLayer node only works when set as child of a ParallaxBackground node." msgstr "" -"Węzeł typu ParallaxLayer zadziała, jeśli będzie dzieckiem węzła " +"Węzeł typu ParallaxLayer zadziała tylko jeśli będzie dzieckiem węzła " "ParallaxBackground." #: scene/2d/particles_2d.cpp @@ -11961,6 +12189,43 @@ msgstr "Varying może być przypisane tylko w funkcji wierzchołków." msgid "Constants cannot be modified." msgstr "Stałe nie mogą być modyfikowane." +#~ msgid "Properties:" +#~ msgstr "Właściwości:" + +#~ msgid "Methods:" +#~ msgstr "Metody:" + +#~ msgid "Theme Properties:" +#~ msgstr "Właściwości motywu:" + +#~ msgid "Enumerations:" +#~ msgstr "Wyliczenia:" + +#~ msgid "Constants:" +#~ msgstr "Stałe:" + +#~ msgid "Class Description:" +#~ msgstr "Opis klasy:" + +#~ msgid "Property Descriptions:" +#~ msgstr "Opisy właściwości:" + +#~ msgid "Method Descriptions:" +#~ msgstr "Opisy metod:" + +#~ msgid "" +#~ "This will install the Android project for custom builds.\n" +#~ "Note that, in order to use it, it needs to be enabled per export preset." +#~ msgstr "" +#~ "To zainstaluje projekt Androida dla dostosowanych wydań.\n" +#~ "W celu użycia go, musi zostać dołączony do każdego profilu eksportu." + +#~ msgid "Reverse sorting." +#~ msgstr "Odwróć sortowanie." + +#~ msgid "Delete Node(s)?" +#~ msgstr "Usuń węzeł(y)?" + #~ msgid "No Matches" #~ msgstr "Nie znaleziono" @@ -12241,9 +12506,6 @@ msgstr "Stałe nie mogą być modyfikowane." #~ msgid "Instance the selected scene(s) as child of the selected node." #~ msgstr "Utwórz instancję wybranej sceny/scen jako dziecko wybranego węzła." -#~ msgid "Warnings:" -#~ msgstr "Ostrzeżenia:" - #~ msgid "Font Size:" #~ msgstr "Rozmiar czcionki:" @@ -12288,9 +12550,6 @@ msgstr "Stałe nie mogą być modyfikowane." #~ msgid "Select a split to erase it." #~ msgstr "Wybierz podział, by go usunąć." -#~ msgid "No name provided" -#~ msgstr "Nie podano nazwy" - #~ msgid "Add Node.." #~ msgstr "Dodaj węzeł..." @@ -12428,9 +12687,6 @@ msgstr "Stałe nie mogą być modyfikowane." #~ msgid "Warning" #~ msgstr "Ostrzeżenie" -#~ msgid "Error:" -#~ msgstr "Błąd:" - #~ msgid "Function:" #~ msgstr "Funkcja:" @@ -12497,9 +12753,6 @@ msgstr "Stałe nie mogą być modyfikowane." #~ msgid "Duplicate Graph Node(s)" #~ msgstr "Duplikuj węzły grafu" -#~ msgid "Delete Shader Graph Node(s)" -#~ msgstr "Usuń węzeł(y) Shader Graph" - #~ msgid "Error: Missing Input Connections" #~ msgstr "Błąd: Brakujące połączenia wejścia" @@ -12918,9 +13171,6 @@ msgstr "Stałe nie mogą być modyfikowane." #~ msgid "Pick New Name and Location For:" #~ msgstr "Wybierz nową nazwę i lokację dla:" -#~ msgid "No files selected!" -#~ msgstr "Nie wybrano pliku!" - #~ msgid "Info" #~ msgstr "Informacje" @@ -13294,12 +13544,6 @@ msgstr "Stałe nie mogą być modyfikowane." #~ msgid "Scaling to %s%%." #~ msgstr "Skalowanie do %s%%." -#~ msgid "Up" -#~ msgstr "Góra" - -#~ msgid "Down" -#~ msgstr "Dół" - #~ msgid "Bucket" #~ msgstr "Wiadro" diff --git a/editor/translations/pr.po b/editor/translations/pr.po index e9d7b98fac..bbfdbb9aba 100644 --- a/editor/translations/pr.po +++ b/editor/translations/pr.po @@ -64,6 +64,34 @@ msgstr ": Evil argument of th' type: " msgid "On call to '%s':" msgstr "" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +msgid "MiB" +msgstr "" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "" @@ -486,6 +514,10 @@ msgid "Select None" msgstr "Slit th' Node" #: editor/animation_track_editor.cpp +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "" @@ -808,7 +840,8 @@ msgstr "Slit th' Node" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -914,7 +947,8 @@ msgstr "" msgid "Matches:" msgstr "" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1217,7 +1251,7 @@ msgid "Delete Bus Effect" msgstr "Yar, Blow th' Selected Down!" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +msgid "Drag & drop to rearrange." msgstr "" #: editor/editor_audio_buses.cpp @@ -1410,6 +1444,7 @@ msgid "Add AutoLoad" msgstr "" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "" @@ -1642,6 +1677,7 @@ msgstr "" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "" @@ -1717,6 +1753,7 @@ msgid "New Folder..." msgstr "" #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "" @@ -1874,50 +1911,29 @@ msgid "Inherited by:" msgstr "" #: editor/editor_help.cpp -msgid "Brief Description:" -msgstr "" +#, fuzzy +msgid "Brief Description" +msgstr "Yar, Blow th' Selected Down!" #: editor/editor_help.cpp msgid "Properties" msgstr "" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "" - -#: editor/editor_help.cpp msgid "Methods" msgstr "" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "" - -#: editor/editor_help.cpp #, fuzzy msgid "Theme Properties" msgstr "Paste yer Node" #: editor/editor_help.cpp #, fuzzy -msgid "Theme Properties:" -msgstr "Paste yer Node" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "Yer signals:" - -#: editor/editor_help.cpp -#, fuzzy msgid "Enumerations" msgstr "Yer functions:" #: editor/editor_help.cpp -#, fuzzy -msgid "Enumerations:" -msgstr "Yer functions:" - -#: editor/editor_help.cpp msgid "enum " msgstr "" @@ -1926,21 +1942,12 @@ msgid "Constants" msgstr "" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "" - -#: editor/editor_help.cpp #, fuzzy msgid "Class Description" msgstr "Yar, Blow th' Selected Down!" #: editor/editor_help.cpp -#, fuzzy -msgid "Class Description:" -msgstr "Yar, Blow th' Selected Down!" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +msgid "Online Tutorials" msgstr "" #: editor/editor_help.cpp @@ -1955,10 +1962,6 @@ msgid "Property Descriptions" msgstr "" #: editor/editor_help.cpp -msgid "Property Descriptions:" -msgstr "" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -1969,10 +1972,6 @@ msgid "Method Descriptions" msgstr "" #: editor/editor_help.cpp -msgid "Method Descriptions:" -msgstr "" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2042,8 +2041,8 @@ msgstr "" msgid "Copy Selection" msgstr "Yar, Blow th' Selected Down!" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2056,6 +2055,48 @@ msgstr "" msgid "Clear Output" msgstr "" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Down" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" msgstr "" @@ -2602,6 +2643,18 @@ msgstr "" msgid "Project Settings..." msgstr "" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control" +msgstr "" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp #, fuzzy msgid "Export..." @@ -2806,10 +2859,6 @@ msgstr "" msgid "Stop the scene." msgstr "" -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "" @@ -2861,10 +2910,6 @@ msgid "Inspector" msgstr "" #: editor/editor_node.cpp -msgid "Node" -msgstr "" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "" @@ -2887,15 +2932,21 @@ msgstr "Discharge ye' Variable" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -2958,6 +3009,10 @@ msgstr "" msgid "Open the previous Editor" msgstr "" +#: editor/editor_path.cpp +msgid "No sub-resources found." +msgstr "" + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "" @@ -2968,6 +3023,11 @@ msgstr "" #: editor/editor_plugin_settings.cpp #, fuzzy +msgid "Main Script:" +msgstr "Edit" + +#: editor/editor_plugin_settings.cpp +#, fuzzy msgid "Edit Plugin" msgstr "Ye be fixin' Signal:" @@ -2997,11 +3057,6 @@ msgstr "" msgid "Edit:" msgstr "Edit" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "" @@ -3807,8 +3862,8 @@ msgstr "" msgid "Import As:" msgstr "" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." +#: editor/import_dock.cpp +msgid "Preset" msgstr "" #: editor/import_dock.cpp @@ -4259,6 +4314,7 @@ msgid "Change Animation Name:" msgstr "" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "" @@ -4823,10 +4879,6 @@ msgid "Sort:" msgstr "" #: editor/plugins/asset_library_editor_plugin.cpp -msgid "Reverse sorting." -msgstr "" - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "" @@ -5104,6 +5156,11 @@ msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp #, fuzzy +msgid "Ruler Mode" +msgstr "Slit th' Node" + +#: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy msgid "Toggle snapping." msgstr "Toggle ye Breakpoint" @@ -6172,7 +6229,7 @@ msgstr "" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "" @@ -6381,11 +6438,11 @@ msgid "Toggle Scripts Panel" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" +msgid "Step Into" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Into" +msgid "Step Over" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp @@ -6468,7 +6525,7 @@ msgstr "" msgid "Connections to method:" msgstr "Slit th' Node" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp msgid "Source" msgstr "" @@ -7261,6 +7318,11 @@ msgstr "" #: editor/plugins/sprite_frames_editor_plugin.cpp #, fuzzy +msgid "Move Frame" +msgstr "Forge yer Node!" + +#: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy msgid "Animations:" msgstr "Yer functions:" @@ -7590,6 +7652,15 @@ msgid "Enable Priority" msgstr "Edit yer Variable:" #: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy +msgid "Filter tiles" +msgstr "Paste yer Node" + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "" @@ -7731,6 +7802,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp #, fuzzy msgid "Remove selected texture? This will remove all tiles which use it." msgstr "Discharge ye' Signal" @@ -7904,6 +7980,106 @@ msgstr "" msgid "TileSet" msgstr "" +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No VCS addons are available." +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No commit message was provided" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Commit" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Initialize" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "Yar, Blow th' Selected Down!" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "Change" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "Rename Function" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "Slit th' Node" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Typechange" +msgstr "Change" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "Yar, Blow th' Selected Down!" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Stage All" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit Changes" +msgstr "Change" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -8149,6 +8325,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9352,6 +9533,10 @@ msgid "Settings saved OK." msgstr "" #: editor/project_settings_editor.cpp +msgid "Moved Input Action Event" +msgstr "" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "" @@ -9490,6 +9675,10 @@ msgid "Plugins" msgstr "" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "" + +#: editor/property_editor.cpp msgid "Zero" msgstr "" @@ -9657,10 +9846,6 @@ msgstr "" msgid "Reset" msgstr "" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "" @@ -9716,6 +9901,10 @@ msgid "Instance Scene(s)" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Replace with Branch Scene" +msgstr "" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "" @@ -9756,10 +9945,24 @@ msgid "Make node as Root" msgstr "" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "Slit th' Node" + +#: editor/scene_tree_dock.cpp +msgid "Delete the root node \"%s\"?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" msgstr "" #: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "Slit th' Node" + +#: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." msgstr "" @@ -10153,27 +10356,60 @@ msgid "Bytes:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" +msgid "Warning:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." +#, fuzzy +msgid "Error:" +msgstr "Error loading yer Calligraphy Pen." + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error" +msgstr "Slit th' Node" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error:" +msgstr "Slit th' Node" + +#: editor/script_editor_debugger.cpp +msgid "C++ Source" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Errors" +msgid "Source:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +msgid "C++ Source:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "Errors" msgstr "" #: editor/script_editor_debugger.cpp #, fuzzy +msgid "Child process connected." +msgstr "Slit th' Node" + +#: editor/script_editor_debugger.cpp +#, fuzzy msgid "Copy Error" msgstr "Slit th' Node" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "Yar, Blow th' Selected Down!" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "" @@ -10190,6 +10426,11 @@ msgid "Profiler" msgstr "" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Network Profiler" +msgstr "Slit th' Node" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "" @@ -10202,6 +10443,10 @@ msgid "Monitors" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "" @@ -10399,10 +10644,6 @@ msgid "Library" msgstr "" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "" @@ -10411,6 +10652,10 @@ msgid "GDNative" msgstr "" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp #, fuzzy msgid "Step argument is zero!" msgstr "Blimey! Ye step argument be marooned!" @@ -10571,6 +10816,15 @@ msgstr "" msgid "Pick Distance:" msgstr "" +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "Paste yer Node" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -10718,6 +10972,10 @@ msgid "Create a new variable." msgstr "Yar, Blow th' Selected Down!" #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "Yer signals:" + +#: modules/visual_script/visual_script_editor.cpp #, fuzzy msgid "Create a new signal." msgstr "Yar, Blow th' Selected Down!" @@ -10891,6 +11149,10 @@ msgid "Editing Signal:" msgstr "Ye be fixin' Signal:" #: modules/visual_script/visual_script_editor.cpp +msgid "Make Tool:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "th' Base Type:" @@ -11043,7 +11305,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp @@ -11699,6 +11962,18 @@ msgid "Constants cannot be modified." msgstr "" #, fuzzy +#~ msgid "Theme Properties:" +#~ msgstr "Paste yer Node" + +#, fuzzy +#~ msgid "Enumerations:" +#~ msgstr "Yer functions:" + +#, fuzzy +#~ msgid "Class Description:" +#~ msgstr "Yar, Blow th' Selected Down!" + +#, fuzzy #~ msgid "Select Mode (Q)" #~ msgstr "Slit th' Node" diff --git a/editor/translations/pt_BR.po b/editor/translations/pt_BR.po index 3a42ddaad7..487cb8b4e8 100644 --- a/editor/translations/pt_BR.po +++ b/editor/translations/pt_BR.po @@ -66,12 +66,15 @@ # Gustavo da Silva Santos <gustavo94.rb@gmail.com>, 2019. # Rafael Roque <rafael.roquec@gmail.com>, 2019. # José Victor Dias Rodrigues <zoldyakopersonal@gmail.com>, 2019. +# Fupi Brazil <fupicat@gmail.com>, 2019. +# Julio Pinto Coelho <juliopcrj@gmail.com>, 2019. +# Perrottacooking <perrottacooking@gmail.com>, 2019. msgid "" msgstr "" "Project-Id-Version: Godot Engine editor\n" "POT-Creation-Date: 2016-05-30\n" -"PO-Revision-Date: 2019-08-21 15:56+0000\n" -"Last-Translator: Julio Yagami <juliohenrique31501234@hotmail.com>\n" +"PO-Revision-Date: 2019-09-26 11:50+0000\n" +"Last-Translator: Perrottacooking <perrottacooking@gmail.com>\n" "Language-Team: Portuguese (Brazil) <https://hosted.weblate.org/projects/" "godot-engine/godot/pt_BR/>\n" "Language: pt_BR\n" @@ -120,6 +123,35 @@ msgstr "Argumento inválido do tipo '%s'" msgid "On call to '%s':" msgstr "Na chamada para '%s':" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +#, fuzzy +msgid "MiB" +msgstr "Misturar" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "Livre" @@ -189,9 +221,8 @@ msgid "Anim Change Call" msgstr "Alterar Chamada da Anim" #: editor/animation_track_editor.cpp -#, fuzzy msgid "Anim Multi Change Keyframe Time" -msgstr "Alterar Tempo de Quadro-Chave da Anim" +msgstr "Alterar Tempo de Quadro-Chave da Animação" #: editor/animation_track_editor.cpp #, fuzzy @@ -204,14 +235,12 @@ msgid "Anim Multi Change Transform" msgstr "Alterar Transformação da Anim" #: editor/animation_track_editor.cpp -#, fuzzy msgid "Anim Multi Change Keyframe Value" -msgstr "Alterar Valor de Quadro-Chave da Anim" +msgstr "Alterar Valor de Quadro da Animação" #: editor/animation_track_editor.cpp -#, fuzzy msgid "Anim Multi Change Call" -msgstr "Alterar Chamada da Anim" +msgstr "Alterar Chamada da Animação" #: editor/animation_track_editor.cpp msgid "Change Animation Length" @@ -541,6 +570,12 @@ msgid "Select None" msgstr "Remover Seleção" #: editor/animation_track_editor.cpp +#, fuzzy +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" +"O caminho para um nó do AnimationPlayer contendo animações não está definido." + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "Apenas mostrar trilhas de nós selecionados na árvore." @@ -721,16 +756,16 @@ msgstr "%d ocorrência(s) substituída(s)." #: editor/code_editor.cpp editor/editor_help.cpp #, fuzzy msgid "%d match." -msgstr "%d correspondência(s) encontrada(s)." +msgstr "%d correspondência." #: editor/code_editor.cpp editor/editor_help.cpp #, fuzzy msgid "%d matches." -msgstr "%d correspondência(s) encontrada(s)." +msgstr "%d correspondências." #: editor/code_editor.cpp editor/find_in_files.cpp msgid "Match Case" -msgstr "Corresponder Caixa" +msgstr "Caso de correspondência" #: editor/code_editor.cpp editor/find_in_files.cpp msgid "Whole Words" @@ -863,7 +898,8 @@ msgstr "Não foi possível conectar o sinal" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -964,7 +1000,8 @@ msgstr "Pesquisar:" msgid "Matches:" msgstr "Correspondências:" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1178,22 +1215,20 @@ msgid "License" msgstr "Licença" #: editor/editor_about.cpp -#, fuzzy msgid "Third-party Licenses" -msgstr "Licença de Terceiros" +msgstr "Licenças de Terceiros" #: editor/editor_about.cpp -#, fuzzy msgid "" "Godot Engine relies on a number of third-party free and open source " "libraries, all compatible with the terms of its MIT license. The following " "is an exhaustive list of all such third-party components with their " "respective copyright statements and license terms." msgstr "" -"A Godot Engine conta com várias bibliotecas de código aberto e gratuitas de " -"terceiros, todas compatíveis com os termos de sua licença MIT. O seguinte é " -"uma lista exaustiva de todos esses componentes de terceiros com suas " -"respectivas declarações de direitos autorais e termos de licença." +"Godot Engine depende de várias bibliotecas de código aberto e gratuitas de " +"terceiros, todas compatíveis com os termos de sua licença MIT. A lista " +"seguinte é uma lista completa de todos esses componentes de terceiros com " +"suas respectivas declarações de direitos autorais e termos de licença." #: editor/editor_about.cpp msgid "All Components" @@ -1208,9 +1243,8 @@ msgid "Licenses" msgstr "Licenças" #: editor/editor_asset_installer.cpp editor/project_manager.cpp -#, fuzzy msgid "Error opening package file, not in ZIP format." -msgstr "Erro ao abrir arquivo de pacote, não está em formato zip." +msgstr "Erro ao abrir arquivo compactado, não está no formato ZIP." #: editor/editor_asset_installer.cpp msgid "Uncompressing Assets" @@ -1278,7 +1312,8 @@ msgid "Delete Bus Effect" msgstr "Excluir Efeito de Canal" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +#, fuzzy +msgid "Drag & drop to rearrange." msgstr "Pista de Áudio, arraste e solte para reorganizar." #: editor/editor_audio_buses.cpp @@ -1469,6 +1504,7 @@ msgid "Add AutoLoad" msgstr "Adicionar Autoload" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "Caminho:" @@ -1697,6 +1733,7 @@ msgstr "Definir como atual" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "Novo" @@ -1767,6 +1804,7 @@ msgid "New Folder..." msgstr "Nova Pasta..." #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "Atualizar" @@ -1924,7 +1962,8 @@ msgid "Inherited by:" msgstr "Herdado por:" #: editor/editor_help.cpp -msgid "Brief Description:" +#, fuzzy +msgid "Brief Description" msgstr "Descrição breve:" #: editor/editor_help.cpp @@ -1932,38 +1971,18 @@ msgid "Properties" msgstr "Propriedades" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "Propriedades:" - -#: editor/editor_help.cpp msgid "Methods" msgstr "Métodos" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "Métodos:" - -#: editor/editor_help.cpp msgid "Theme Properties" msgstr "Propriedades do Tema" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "Propriedades do Tema:" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "Sinais:" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "Enumerações" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "Enumerações:" - -#: editor/editor_help.cpp msgid "enum " msgstr "enum " @@ -1972,19 +1991,12 @@ msgid "Constants" msgstr "Constantes" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "Constantes:" - -#: editor/editor_help.cpp msgid "Class Description" msgstr "Descrição da Classe" #: editor/editor_help.cpp -msgid "Class Description:" -msgstr "Descrição da Classe:" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +#, fuzzy +msgid "Online Tutorials" msgstr "Tutoriais Online:" #: editor/editor_help.cpp @@ -2002,10 +2014,6 @@ msgid "Property Descriptions" msgstr "Descrições da Propriedade" #: editor/editor_help.cpp -msgid "Property Descriptions:" -msgstr "Descrições da Propriedade:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -2018,10 +2026,6 @@ msgid "Method Descriptions" msgstr "Descrições do Método" #: editor/editor_help.cpp -msgid "Method Descriptions:" -msgstr "Descrições do Método:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2090,8 +2094,8 @@ msgstr "Saída:" msgid "Copy Selection" msgstr "Copiar Seleção" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2104,10 +2108,51 @@ msgstr "Limpar" msgid "Clear Output" msgstr "Limpar Saída" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "Parar" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "Iniciar" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Down" +msgstr "Abaixo" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "Acima" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "Nó" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp -#, fuzzy msgid "New Window" -msgstr "Janela" +msgstr "Nova Janela" #: editor/editor_node.cpp msgid "Project export failed with error code %d." @@ -2435,9 +2480,8 @@ msgid "Close Scene" msgstr "Fechar Cena" #: editor/editor_node.cpp -#, fuzzy msgid "Reopen Closed Scene" -msgstr "Fechar Cena" +msgstr "Reabrir Cena Fechada" #: editor/editor_node.cpp msgid "Unable to enable addon plugin at: '%s' parsing of config failed." @@ -2554,16 +2598,15 @@ msgstr "Rodar Cena" #: editor/editor_node.cpp msgid "Close Tab" -msgstr "Fechar aba" +msgstr "Fechar Aba" #: editor/editor_node.cpp -#, fuzzy msgid "Undo Close Tab" -msgstr "Fechar aba" +msgstr "Desfazer Fechar Aba" #: editor/editor_node.cpp editor/plugins/script_editor_plugin.cpp msgid "Close Other Tabs" -msgstr "Fechas as outras abas" +msgstr "Fechas as Outras Abas" #: editor/editor_node.cpp msgid "Close Tabs to the Right" @@ -2692,18 +2735,29 @@ msgid "Project" msgstr "Projeto" #: editor/editor_node.cpp -#, fuzzy msgid "Project Settings..." -msgstr "Configurações do Projeto" +msgstr "Configurações do Projeto..." + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Version Control" +msgstr "Versão:" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" #: editor/editor_node.cpp msgid "Export..." msgstr "Exportar..." #: editor/editor_node.cpp -#, fuzzy msgid "Install Android Build Template..." -msgstr "Instalar o Modelo de Compilação do Android" +msgstr "Instalar Modelo de Compilação Android..." #: editor/editor_node.cpp msgid "Open Project Data Folder" @@ -2714,9 +2768,8 @@ msgid "Tools" msgstr "Ferramentas" #: editor/editor_node.cpp -#, fuzzy msgid "Orphan Resource Explorer..." -msgstr "Explorador de Recursos Órfãos" +msgstr "Explorador de Recursos Órfãos..." #: editor/editor_node.cpp msgid "Quit to Project List" @@ -2819,9 +2872,8 @@ msgid "Editor" msgstr "Editor" #: editor/editor_node.cpp -#, fuzzy msgid "Editor Settings..." -msgstr "Configurações do Editor" +msgstr "Configurações do Editor..." #: editor/editor_node.cpp msgid "Editor Layout" @@ -2856,14 +2908,12 @@ msgid "Open Editor Settings Folder" msgstr "Abrir Configurações do Editor" #: editor/editor_node.cpp -#, fuzzy msgid "Manage Editor Features..." -msgstr "Gerenciar Recursos do Editor" +msgstr "Gerenciar Recursos do Editor..." #: editor/editor_node.cpp -#, fuzzy msgid "Manage Export Templates..." -msgstr "Gerenciar Modelos de Exportação" +msgstr "Gerenciar Modelos de Exportação..." #: editor/editor_node.cpp editor/plugins/shader_editor_plugin.cpp msgid "Help" @@ -2919,10 +2969,6 @@ msgstr "Pausa a cena" msgid "Stop the scene." msgstr "Para a cena." -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "Parar" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "Roda a cena editada." @@ -2973,10 +3019,6 @@ msgid "Inspector" msgstr "Inspetor" #: editor/editor_node.cpp -msgid "Node" -msgstr "Nó" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "Expandir Painel Inferior" @@ -3000,18 +3042,22 @@ msgstr "Gerenciar Templates" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" -"Isso instalará o projeto Android para compilações personalizadas.\n" -"Note que, para usá-lo, ele precisa estar habilitado por predefinição de " -"exportação." #: editor/editor_node.cpp +#, fuzzy msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" "O modelo de compilação do Android já está instalado e não será substituído.\n" "Remova a pasta \"build\" manualmente antes de tentar esta operação novamente." @@ -3076,6 +3122,11 @@ msgstr "Abrir o próximo Editor" msgid "Open the previous Editor" msgstr "Abrir o Editor anterior" +#: editor/editor_path.cpp +#, fuzzy +msgid "No sub-resources found." +msgstr "Nenhuma superfície de origem especificada." + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "Criando Previsualizações das Malhas" @@ -3085,6 +3136,11 @@ msgid "Thumbnail..." msgstr "Miniatura..." #: editor/editor_plugin_settings.cpp +#, fuzzy +msgid "Main Script:" +msgstr "Abrir script" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "Editar Plugin" @@ -3113,11 +3169,6 @@ msgstr "Status:" msgid "Edit:" msgstr "Editar:" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "Iniciar" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "Medida:" @@ -3355,6 +3406,8 @@ msgstr "Baixar" #: editor/export_template_manager.cpp msgid "Official export templates aren't available for development builds." msgstr "" +"Modelos de exportação oficiais não estão disponíveis para compilações de " +"desenvolvimento." #: editor/export_template_manager.cpp msgid "(Missing)" @@ -3421,7 +3474,7 @@ msgstr "Sem resposta." #: editor/export_template_manager.cpp msgid "Request Failed." -msgstr "Solicitação Falhou." +msgstr "A Solicitação Falhou." #: editor/export_template_manager.cpp msgid "Redirect Loop." @@ -3437,23 +3490,20 @@ msgid "Download Complete." msgstr "Download completo." #: editor/export_template_manager.cpp -#, fuzzy msgid "Cannot remove temporary file:" -msgstr "Não pôde salvar tema ao arquivo:" +msgstr "Não é possível remover o arquivo temporário:" #: editor/export_template_manager.cpp -#, fuzzy msgid "" "Templates installation failed.\n" "The problematic templates archives can be found at '%s'." msgstr "" -"Instalação de templates falhou. Os arquivos problemáticos podem ser achados " -"em '%s'." +"Falha na instalação de modelos. \n" +"Os arquivos de modelos problemáticos podem ser encontrados em '%s'." #: editor/export_template_manager.cpp -#, fuzzy msgid "Error requesting URL:" -msgstr "Erro ao solicitar url: " +msgstr "Erro ao solicitar URL:" #: editor/export_template_manager.cpp msgid "Connecting to Mirror..." @@ -3640,9 +3690,8 @@ msgid "Move To..." msgstr "Mover Para..." #: editor/filesystem_dock.cpp -#, fuzzy msgid "New Scene..." -msgstr "Nova Cena" +msgstr "Nova Cena..." #: editor/filesystem_dock.cpp editor/plugins/script_editor_plugin.cpp msgid "New Script..." @@ -3710,9 +3759,8 @@ msgid "Overwrite" msgstr "Sobrescrever" #: editor/filesystem_dock.cpp -#, fuzzy msgid "Create Scene" -msgstr "Criar a partir de Cena" +msgstr "Criar Cena" #: editor/filesystem_dock.cpp editor/plugins/script_editor_plugin.cpp msgid "Create Script" @@ -3792,23 +3840,20 @@ msgid "Invalid group name." msgstr "Nome de grupo inválido." #: editor/groups_editor.cpp -#, fuzzy msgid "Rename Group" -msgstr "Gerenciar Grupos" +msgstr "Renomear Grupo" #: editor/groups_editor.cpp -#, fuzzy msgid "Delete Group" -msgstr "Excluir Imagem do Grupo" +msgstr "Remover Grupo" #: editor/groups_editor.cpp editor/node_dock.cpp msgid "Groups" msgstr "Grupos" #: editor/groups_editor.cpp -#, fuzzy msgid "Nodes Not in Group" -msgstr "Nós fora do Grupo" +msgstr "Nodes fora do Grupo" #: editor/groups_editor.cpp editor/scene_tree_dock.cpp #: editor/scene_tree_editor.cpp @@ -3821,7 +3866,7 @@ msgstr "Nós no Grupo" #: editor/groups_editor.cpp msgid "Empty groups will be automatically removed." -msgstr "" +msgstr "Grupos vazios serão removidos automaticamente." #: editor/groups_editor.cpp msgid "Group Editor" @@ -3924,9 +3969,10 @@ msgstr " Arquivos" msgid "Import As:" msgstr "Importar como:" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." -msgstr "Predefinição..." +#: editor/import_dock.cpp +#, fuzzy +msgid "Preset" +msgstr "Predefinições" #: editor/import_dock.cpp msgid "Reimport" @@ -4034,9 +4080,8 @@ msgid "MultiNode Set" msgstr "Múltiplos Nodes definidos" #: editor/node_dock.cpp -#, fuzzy msgid "Select a single node to edit its signals and groups." -msgstr "Selecione um nó para editar Sinais e Grupos." +msgstr "Selecione um nó para editar seus sinais e grupos." #: editor/plugin_config_dialog.cpp msgid "Edit a Plugin" @@ -4369,6 +4414,7 @@ msgid "Change Animation Name:" msgstr "Alterar Nome da Animação:" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "Excluir Animação?" @@ -4816,40 +4862,35 @@ msgstr "Não foi possível resolver o hostname:" #: editor/plugins/asset_library_editor_plugin.cpp msgid "Request failed, return code:" -msgstr "Solicitação falhou, código de retorno:" +msgstr "A solicitação falhou, código de retorno:" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Request failed." -msgstr "Solicitação Falhou." +msgstr "A solicitação falhou." #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Cannot save response to:" -msgstr "Não pôde salvar tema ao arquivo:" +msgstr "Não é possível salvar a resposta para:" #: editor/plugins/asset_library_editor_plugin.cpp msgid "Write error." -msgstr "" +msgstr "Erro ao gravar." #: editor/plugins/asset_library_editor_plugin.cpp msgid "Request failed, too many redirects" -msgstr "Solicitação falhou, redirecionamentos demais" +msgstr "A solicitação falhou, muitos redirecionamentos" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Redirect loop." -msgstr "Loop de Redirecionamento." +msgstr "Loop de redirecionamento." #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Request failed, timeout" -msgstr "Solicitação falhou, código de retorno:" +msgstr "A solicitação falhou, tempo esgotado" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Timeout." -msgstr "Tempo" +msgstr "Tempo esgotado." #: editor/plugins/asset_library_editor_plugin.cpp msgid "Bad download hash, assuming file has been tampered with." @@ -4928,24 +4969,18 @@ msgid "All" msgstr "Todos" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Import..." -msgstr "Re-importar..." +msgstr "Importar..." #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Plugins..." -msgstr "Plugins" +msgstr "Plugins..." #: editor/plugins/asset_library_editor_plugin.cpp editor/project_manager.cpp msgid "Sort:" msgstr "Ordenar:" #: editor/plugins/asset_library_editor_plugin.cpp -msgid "Reverse sorting." -msgstr "Inverter ordenação." - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "Categoria:" @@ -4955,9 +4990,8 @@ msgid "Site:" msgstr "Site:" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Support" -msgstr "Suporte..." +msgstr "Suporte" #: editor/plugins/asset_library_editor_plugin.cpp msgid "Official" @@ -4968,9 +5002,8 @@ msgid "Testing" msgstr "Testando" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Loading..." -msgstr "Carregar..." +msgstr "Carregando..." #: editor/plugins/asset_library_editor_plugin.cpp msgid "Assets ZIP File" @@ -5139,9 +5172,8 @@ msgid "Paste Pose" msgstr "Colar Pose" #: editor/plugins/canvas_item_editor_plugin.cpp -#, fuzzy msgid "Clear Guides" -msgstr "Limpar Esqueletos" +msgstr "Limpar Guias" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Create Custom Bone(s) from Node(s)" @@ -5229,6 +5261,11 @@ msgid "Pan Mode" msgstr "Modo Panorâmico" #: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy +msgid "Ruler Mode" +msgstr "Modo de Início:" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "Alternar o snap." @@ -5706,9 +5743,8 @@ msgid "Create Trimesh Collision Sibling" msgstr "Criar Colisão Trimesh Irmã" #: editor/plugins/mesh_instance_editor_plugin.cpp -#, fuzzy msgid "Create Convex Collision Sibling(s)" -msgstr "Criar Colisão Convexa Irmã" +msgstr "Criar Colisão Convexa Irmã(s)" #: editor/plugins/mesh_instance_editor_plugin.cpp msgid "Create Outline Mesh..." @@ -5879,26 +5915,23 @@ msgstr "Gerando Tempo (seg):" #: editor/plugins/particles_editor_plugin.cpp msgid "The geometry's faces don't contain any area." -msgstr "" +msgstr "As faces da geometria não contêm área." #: editor/plugins/particles_editor_plugin.cpp -#, fuzzy msgid "The geometry doesn't contain any faces." -msgstr "O nó não contém geometria (faces)." +msgstr "A geometria não contém nenhuma face." #: editor/plugins/particles_editor_plugin.cpp msgid "\"%s\" doesn't inherit from Spatial." -msgstr "" +msgstr "\"%s\" não herda de Espacial." #: editor/plugins/particles_editor_plugin.cpp -#, fuzzy msgid "\"%s\" doesn't contain geometry." -msgstr "O nó não contém geometria." +msgstr "\"%s\" não contém geometria." #: editor/plugins/particles_editor_plugin.cpp -#, fuzzy msgid "\"%s\" doesn't contain face geometry." -msgstr "O nó não contém geometria." +msgstr "\"%s\" não contém geometria de face." #: editor/plugins/particles_editor_plugin.cpp msgid "Create Emitter" @@ -6299,7 +6332,7 @@ msgstr "Instância:" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "Tipo:" @@ -6337,9 +6370,8 @@ msgid "Error writing TextFile:" msgstr "Erro ao escrever arquivo:" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "Could not load file at:" -msgstr "Não se pôde achar tile:" +msgstr "Não foi possível carregar o arquivo em:" #: editor/plugins/script_editor_plugin.cpp msgid "Error saving file!" @@ -6362,9 +6394,8 @@ msgid "Error Importing" msgstr "Erro ao importar" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "New Text File..." -msgstr "Novo arquivo de texto ..." +msgstr "Novo arquivo de texto..." #: editor/plugins/script_editor_plugin.cpp msgid "Open File" @@ -6444,9 +6475,8 @@ msgid "Open..." msgstr "Abrir..." #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "Reopen Closed Script" -msgstr "Abrir script" +msgstr "Reabrir Script Fechado" #: editor/plugins/script_editor_plugin.cpp msgid "Save All" @@ -6502,14 +6532,14 @@ msgid "Toggle Scripts Panel" msgstr "Alternar Painel de Scripts" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" -msgstr "Passo por cima" - -#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Step Into" msgstr "Passo para dentro" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp +msgid "Step Over" +msgstr "Passo por cima" + +#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Break" msgstr "Pausar" @@ -6581,15 +6611,14 @@ msgid "Search Results" msgstr "Pesquisar resultados" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "Clear Recent Scripts" -msgstr "Limpar Cenas Recentes" +msgstr "Limpar Scripts Recentes" #: editor/plugins/script_text_editor.cpp msgid "Connections to method:" msgstr "Conexões com o método:" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp msgid "Source" msgstr "Origem" @@ -6661,7 +6690,6 @@ msgid "Bookmarks" msgstr "Marcadores" #: editor/plugins/script_text_editor.cpp -#, fuzzy msgid "Breakpoints" msgstr "Pontos de interrupção(Breakpoints)" @@ -6707,9 +6735,8 @@ msgid "Complete Symbol" msgstr "Completar Símbolo" #: editor/plugins/script_text_editor.cpp -#, fuzzy msgid "Evaluate Selection" -msgstr "Selecionar Escala" +msgstr "Avaliar Seleção" #: editor/plugins/script_text_editor.cpp msgid "Trim Trailing Whitespace" @@ -6781,7 +6808,6 @@ msgid "Go to Previous Breakpoint" msgstr "Ir para ponto de interrupção anterior" #: editor/plugins/shader_editor_plugin.cpp -#, fuzzy msgid "" "This shader has been modified on on disk.\n" "What action should be taken?" @@ -6958,12 +6984,10 @@ msgid "Rear" msgstr "Traseira" #: editor/plugins/spatial_editor_plugin.cpp -#, fuzzy msgid "Align Transform with View" msgstr "Alinhar Transformação com a Vista" #: editor/plugins/spatial_editor_plugin.cpp -#, fuzzy msgid "Align Rotation with View" msgstr "Alinhar Rotação com a Vista" @@ -7020,9 +7044,8 @@ msgid "Audio Listener" msgstr "Ouvinte de Áudio" #: editor/plugins/spatial_editor_plugin.cpp -#, fuzzy msgid "Enable Doppler" -msgstr "Habilitar Filtragem" +msgstr "Ativar Doppler" #: editor/plugins/spatial_editor_plugin.cpp msgid "Cinematic Preview" @@ -7078,7 +7101,7 @@ msgstr "Encaixar Nó(s) no Chão" #: editor/plugins/spatial_editor_plugin.cpp msgid "Couldn't find a solid floor to snap the selection to." -msgstr "" +msgstr "Não foi encontrado chão sólido onde encaixar a seleção." #: editor/plugins/spatial_editor_plugin.cpp msgid "" @@ -7091,9 +7114,8 @@ msgstr "" "Alt + botão direito do mouse: Lista de Profundidade" #: editor/plugins/spatial_editor_plugin.cpp -#, fuzzy msgid "Use Local Space" -msgstr "Modo Espaço Local (%s)" +msgstr "Usar Espaço Local" #: editor/plugins/spatial_editor_plugin.cpp msgid "Bottom View" @@ -7190,9 +7212,8 @@ msgstr "Ver Grade" #: editor/plugins/spatial_editor_plugin.cpp #: modules/gridmap/grid_map_editor_plugin.cpp -#, fuzzy msgid "Settings..." -msgstr "Configurações" +msgstr "Configurações..." #: editor/plugins/spatial_editor_plugin.cpp msgid "Snap Settings" @@ -7372,6 +7393,11 @@ msgid "(empty)" msgstr "(vazio)" #: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy +msgid "Move Frame" +msgstr "Colar Frame" + +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Animations:" msgstr "Animações:" @@ -7432,7 +7458,6 @@ msgid "Select/Clear All Frames" msgstr "Selecionar/Deselecionar Todos os Frames" #: editor/plugins/sprite_frames_editor_plugin.cpp -#, fuzzy msgid "Create Frames from Sprite Sheet" msgstr "Criar Frames a partir da Planilha de Sprites" @@ -7570,14 +7595,12 @@ msgid "Submenu" msgstr "Submenu" #: editor/plugins/theme_editor_plugin.cpp -#, fuzzy msgid "Subitem 1" -msgstr "Item 1" +msgstr "Subitem 1" #: editor/plugins/theme_editor_plugin.cpp -#, fuzzy msgid "Subitem 2" -msgstr "Item 2" +msgstr "Subitem 2" #: editor/plugins/theme_editor_plugin.cpp msgid "Has" @@ -7689,17 +7712,25 @@ msgid "Enable Priority" msgstr "Ativar Prioridade" #: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy +msgid "Filter tiles" +msgstr "Filtrar Arquivos..." + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "Pintar Tile" #: editor/plugins/tile_map_editor_plugin.cpp -#, fuzzy msgid "" "Shift+LMB: Line Draw\n" "Shift+Ctrl+LMB: Rectangle Paint" msgstr "" -"Shift+RMB: Desenhar Linha\n" -"Shift+Ctrl+RMB: Pintar Retângulo" +"Shift+LMB: Desenhar Linha\n" +"Shift+Ctrl+LMB: Pintar Retângulo" #: editor/plugins/tile_map_editor_plugin.cpp msgid "Pick Tile" @@ -7758,21 +7789,20 @@ msgid "Select the previous shape, subtile, or Tile." msgstr "Selecione a forma, subtile ou tile anterior." #: editor/plugins/tile_set_editor_plugin.cpp -#, fuzzy msgid "Region Mode" -msgstr "Modo de Região" +msgstr "Modo Região" #: editor/plugins/tile_set_editor_plugin.cpp msgid "Collision Mode" -msgstr "Modo de Colisão" +msgstr "Modo Colisão" #: editor/plugins/tile_set_editor_plugin.cpp msgid "Occlusion Mode" -msgstr "Modo de Oclusão" +msgstr "Modo Oclusão" #: editor/plugins/tile_set_editor_plugin.cpp msgid "Navigation Mode" -msgstr "Modo de Navegação" +msgstr "Modo Navegação" #: editor/plugins/tile_set_editor_plugin.cpp msgid "Bitmask Mode" @@ -7780,11 +7810,11 @@ msgstr "Modo Bitmask" #: editor/plugins/tile_set_editor_plugin.cpp msgid "Priority Mode" -msgstr "Modo de Prioridade" +msgstr "Modo Prioridade" #: editor/plugins/tile_set_editor_plugin.cpp msgid "Icon Mode" -msgstr "Modo de Ícone" +msgstr "Modo Ícone" #: editor/plugins/tile_set_editor_plugin.cpp msgid "Z Index Mode" @@ -7823,6 +7853,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "Exibir nomes de mosaico (segure a tecla Alt)" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp msgid "Remove selected texture? This will remove all tiles which use it." msgstr "Remover Texture Selecionada e TODAS PEÇAS que a usam." @@ -7871,16 +7906,15 @@ msgid "Delete polygon." msgstr "Excluir polígono." #: editor/plugins/tile_set_editor_plugin.cpp -#, fuzzy msgid "" "LMB: Set bit on.\n" "RMB: Set bit off.\n" "Shift+LMB: Set wildcard bit.\n" "Click on another Tile to edit it." msgstr "" -"BEM: ligar bit.\n" -"BDM: desligar bit.\n" -"Shift+BEM: Escolher wildcard.\n" +"LMB: ligar bit.\n" +"RMB: desligar bit.\n" +"Shift+LMB: Escolher bit wildcard.\n" "Clique em outro Mosaico para editá-lo." #: editor/plugins/tile_set_editor_plugin.cpp @@ -7993,6 +8027,112 @@ msgstr "Esta propriedade não pode ser alterada." msgid "TileSet" msgstr "Conjunto de Telha" +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No VCS addons are available." +msgstr "Nome pai do nó, se disponível" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "Erro" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No commit message was provided" +msgstr "Nenhum nome fornecido" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit" +msgstr "Comunidade" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Initialize" +msgstr "Capitalizar" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "Criar um novo retângulo." + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "Alterar" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "Renomear" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "Excluir" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Typechange" +msgstr "Alterar" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "Excluir Selecionados" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage All" +msgstr "Salvar Tudo" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit Changes" +msgstr "Sincronizar Mudanças de Script" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "Estado" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No file diff is active" +msgstr "Nenhum arquivo selecionado!" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "(Apenas GLES3)" @@ -8099,12 +8239,10 @@ msgid "Light" msgstr "Luz" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Show resulted shader code." -msgstr "Criar Nó Shader" +msgstr "Mostrar código de resultado do shader." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Create Shader Node" msgstr "Criar Nó Shader" @@ -8169,12 +8307,10 @@ msgid "SoftLight operator." msgstr "Operador SoftLight." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Color constant." msgstr "Cor constante." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Color uniform." msgstr "Cor uniforme." @@ -8235,6 +8371,14 @@ msgstr "" "falso." #: editor/plugins/visual_shader_editor_plugin.cpp +#, fuzzy +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" +"Retorna um vetor associado se o valor lógico fornecido for verdadeiro ou " +"falso." + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "Retorna o resultado booleano da comparação entre dois parâmetros." @@ -8265,36 +8409,28 @@ msgstr "Parâmetro de entrada." #: editor/plugins/visual_shader_editor_plugin.cpp #, fuzzy msgid "'%s' input parameter for vertex and fragment shader modes." -msgstr "" -"Parâmetro de entrada '%s' para os modos de sombreamento de vértice e " -"fragmento." +msgstr "Parâmetro de entrada '%s' para os modos de shader vértice e fragmento." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "'%s' input parameter for fragment and light shader modes." -msgstr "" -"Parâmetro de entrada '%s' para os modos de sombreamento de fragmento e luz." +msgstr "Parâmetro de entrada '%s' para os modos de fragmento e sombreamento." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "'%s' input parameter for fragment shader mode." -msgstr "Parâmetro de entrada '%s' para o modo de sombreamento de fragmento." +msgstr "Parâmetro de entrada '%s' para o modo de sombreamento." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "'%s' input parameter for light shader mode." -msgstr "Parâmetro de entrada '%s' para o modo de sombreamento de luz." +msgstr "Parâmetro de entrada '%s' para o modo de sombreamento da luz." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "'%s' input parameter for vertex shader mode." -msgstr "Parâmetro de entrada '%s' para o modo de sombreamento de vértice." +msgstr "Parâmetro de entrada '%s' para o modo de sombra do vértice." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "'%s' input parameter for vertex and fragment shader mode." msgstr "" -"Parâmetro de entrada '%s' para o modo de sombreamento de vértice e fragmento." +"Parâmetro de entrada '%s' para os modos de sombra de vértice e fragmentada." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Scalar function." @@ -8394,16 +8530,14 @@ msgid "Base-e Exponential." msgstr "Exponencial de Base e." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Base-2 Exponential." -msgstr "Exponencial de Base-2." +msgstr "Exponencial na base 2." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Finds the nearest integer less than or equal to the parameter." msgstr "Encontra o inteiro mais próximo que é menor ou igual ao parâmetro." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Computes the fractional part of the argument." msgstr "Calcula a parte decimal do argumento." @@ -8416,9 +8550,8 @@ msgid "Natural logarithm." msgstr "Logaritmo natural." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Base-2 logarithm." -msgstr "Logaritmo de Base-2." +msgstr "Logaritmo de base-2." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the greater of two values." @@ -8592,14 +8725,21 @@ msgid "" "whose number of rows is the number of components in 'c' and whose number of " "columns is the number of components in 'r'." msgstr "" +"Calcular o produto externo de um par de vetores.\n" +"\n" +"OuterProduct trata o primeiro parâmetro \"c\" como um vetor coluna (matriz " +"com uma coluna) e o segundo parâmetro \"r\" como um vetor linha (matriz com " +"uma linha) e faz uma matriz algébrica linear multiplicar \"c * r\", " +"produzindo uma matriz cujo número de linhas é o número de componentes em \"c" +"\" e cujo número de colunas é o número de componentes em \"r\"." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Composes transform from four vectors." -msgstr "" +msgstr "Compõe transformação a partir de quatro vetores." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Decomposes transform to four vectors." -msgstr "" +msgstr "Decompõe transformação em quatro vetores." #: editor/plugins/visual_shader_editor_plugin.cpp #, fuzzy @@ -8807,12 +8947,18 @@ msgid "" "output ports. This is a direct injection of code into the vertex/fragment/" "light function, do not use it to write the function declarations inside." msgstr "" +"Expressão personalizada da Godot Shader Language, com quantidade " +"personalizada de portas de entrada e saída. Esta é uma injeção direta de " +"código na função vértice/fragmento/luz, não a use para escrever as " +"declarações de função internas." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "" "Returns falloff based on the dot product of surface normal and view " "direction of camera (pass associated inputs to it)." msgstr "" +"Retorna falloff baseado no produto escalar do normal da superfície e da " +"direção de visualização da câmera (passe entradas associadas a ela)." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "" @@ -9405,9 +9551,8 @@ msgstr "" "ou '\"'" #: editor/project_settings_editor.cpp -#, fuzzy msgid "An action with the name '%s' already exists." -msgstr "A ação \"%s\" já existe!" +msgstr "Já existe uma ação com o nome '%s'." #: editor/project_settings_editor.cpp msgid "Rename Input Action Event" @@ -9574,6 +9719,11 @@ msgid "Settings saved OK." msgstr "Configurações Salvas." #: editor/project_settings_editor.cpp +#, fuzzy +msgid "Moved Input Action Event" +msgstr "Adicionar Evento de Ação de Entrada" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "Sobrescrever para Funcionalidade" @@ -9713,6 +9863,10 @@ msgid "Plugins" msgstr "Plugins" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "Predefinição..." + +#: editor/property_editor.cpp msgid "Zero" msgstr "Zero" @@ -9881,10 +10035,6 @@ msgstr "Para Maiúscula" msgid "Reset" msgstr "Recompor" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "Erro" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "Reparentar Nó" @@ -9942,6 +10092,11 @@ msgid "Instance Scene(s)" msgstr "Instanciar Cena(s)" #: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Replace with Branch Scene" +msgstr "Salvar Ramo como Cena" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "Instânciar Cena Filha" @@ -9984,8 +10139,23 @@ msgid "Make node as Root" msgstr "Tornar Raiz o Nó" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" -msgstr "Excluir Nó(s)?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "Excluir Nós" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete the root node \"%s\"?" +msgstr "Deletar Nó(s) de Shader Graph(s)" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" +msgstr "" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "Excluir Nós" #: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." @@ -10410,19 +10580,50 @@ msgid "Bytes:" msgstr "Bytes:" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" -msgstr "Rastreamento de pilha" +#, fuzzy +msgid "Warning:" +msgstr "Avisos:" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." -msgstr "Escolhe um ou mais itens da lista para mostrar o gráfico." +msgid "Error:" +msgstr "Erro:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error" +msgstr "Copiar Erro" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error:" +msgstr "Erro:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source" +msgstr "Origem" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" +msgstr "Origem" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source:" +msgstr "Origem" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" +msgstr "Rastreamento de pilha" #: editor/script_editor_debugger.cpp msgid "Errors" msgstr "Erros" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +#, fuzzy +msgid "Child process connected." msgstr "Processo Filho Conectado" #: editor/script_editor_debugger.cpp @@ -10430,6 +10631,11 @@ msgid "Copy Error" msgstr "Copiar Erro" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "Pontos de interrupção(Breakpoints)" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "Inspecionar a Instância Anterior" @@ -10446,6 +10652,11 @@ msgid "Profiler" msgstr "Profilador" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Network Profiler" +msgstr "Exportar Perfil" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "Monitor" @@ -10458,6 +10669,10 @@ msgid "Monitors" msgstr "Monitores" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "Escolhe um ou mais itens da lista para mostrar o gráfico." + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "Lista de Uso Memória de Vídeo por Recurso:" @@ -10656,10 +10871,6 @@ msgid "Library" msgstr "Biblioteca" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "Estado" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "Bibliotecas: " @@ -10668,6 +10879,10 @@ msgid "GDNative" msgstr "GDNative" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "O argumento step é zero!" @@ -10822,6 +11037,15 @@ msgstr "Configurações do GridMap" msgid "Pick Distance:" msgstr "Escolha uma Distância:" +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "Métodos de filtragem" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "Nome da classe não pode ser uma palavra reservada" @@ -10966,6 +11190,10 @@ msgid "Create a new variable." msgstr "Criar um novo retângulo." #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "Sinais:" + +#: modules/visual_script/visual_script_editor.cpp #, fuzzy msgid "Create a new signal." msgstr "Criar um novo polígono." @@ -11127,6 +11355,11 @@ msgid "Editing Signal:" msgstr "Editando Sinal:" #: modules/visual_script/visual_script_editor.cpp +#, fuzzy +msgid "Make Tool:" +msgstr "Tornar Local" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "Tipo de Base:" @@ -11283,9 +11516,13 @@ msgid "Invalid Android SDK path for custom build in Editor Settings." msgstr "" #: platform/android/export/export.cpp +#, fuzzy msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" +"O modelo de compilação do Android não foi encontrado, por favor instale " +"modelos relevantes." #: platform/android/export/export.cpp msgid "Invalid public key for APK expansion." @@ -12077,6 +12314,44 @@ msgstr "Variáveis só podem ser atribuídas na função de vértice." msgid "Constants cannot be modified." msgstr "Constantes não podem serem modificadas." +#~ msgid "Properties:" +#~ msgstr "Propriedades:" + +#~ msgid "Methods:" +#~ msgstr "Métodos:" + +#~ msgid "Theme Properties:" +#~ msgstr "Propriedades do Tema:" + +#~ msgid "Enumerations:" +#~ msgstr "Enumerações:" + +#~ msgid "Constants:" +#~ msgstr "Constantes:" + +#~ msgid "Class Description:" +#~ msgstr "Descrição da Classe:" + +#~ msgid "Property Descriptions:" +#~ msgstr "Descrições da Propriedade:" + +#~ msgid "Method Descriptions:" +#~ msgstr "Descrições do Método:" + +#~ msgid "" +#~ "This will install the Android project for custom builds.\n" +#~ "Note that, in order to use it, it needs to be enabled per export preset." +#~ msgstr "" +#~ "Isso instalará o projeto Android para compilações personalizadas.\n" +#~ "Note que, para usá-lo, ele precisa estar habilitado por predefinição de " +#~ "exportação." + +#~ msgid "Reverse sorting." +#~ msgstr "Inverter ordenação." + +#~ msgid "Delete Node(s)?" +#~ msgstr "Excluir Nó(s)?" + #~ msgid "No Matches" #~ msgstr "Sem Correspondências" @@ -12320,9 +12595,6 @@ msgstr "Constantes não podem serem modificadas." #~ msgid "Instance the selected scene(s) as child of the selected node." #~ msgstr "Instanciar a(s) cena(s) selecionada como filho do nó selecionado." -#~ msgid "Warnings:" -#~ msgstr "Avisos:" - #~ msgid "Font Size:" #~ msgstr "Tamanho da Fonte:" @@ -12364,9 +12636,6 @@ msgstr "Constantes não podem serem modificadas." #~ msgid "Select a split to erase it." #~ msgstr "Selecione um item de configuração primeiro!" -#~ msgid "No name provided" -#~ msgstr "Nenhum nome fornecido" - #~ msgid "Add Node.." #~ msgstr "Adicionar Nó.." @@ -12507,9 +12776,6 @@ msgstr "Constantes não podem serem modificadas." #~ msgid "Warning" #~ msgstr "Aviso" -#~ msgid "Error:" -#~ msgstr "Erro:" - #~ msgid "Function:" #~ msgstr "Função:" @@ -12591,9 +12857,6 @@ msgstr "Constantes não podem serem modificadas." #~ msgid "Duplicate Graph Node(s)" #~ msgstr "Duplicar Nó(s) de Grafo(s)" -#~ msgid "Delete Shader Graph Node(s)" -#~ msgstr "Deletar Nó(s) de Shader Graph(s)" - #~ msgid "Error: Cyclic Connection Link" #~ msgstr "Erro: Vínculo de Conexão Cíclico" @@ -13041,9 +13304,6 @@ msgstr "Constantes não podem serem modificadas." #~ msgid "Pick New Name and Location For:" #~ msgstr "Escolha Novo Nome e Localização Para:" -#~ msgid "No files selected!" -#~ msgstr "Nenhum arquivo selecionado!" - #~ msgid "Info" #~ msgstr "Informação" @@ -13442,12 +13702,6 @@ msgstr "Constantes não podem serem modificadas." #~ msgid "Scaling to %s%%." #~ msgstr "Escalonando para %s%%." -#~ msgid "Up" -#~ msgstr "Acima" - -#~ msgid "Down" -#~ msgstr "Abaixo" - #~ msgid "Bucket" #~ msgstr "Balde" diff --git a/editor/translations/pt_PT.po b/editor/translations/pt_PT.po index 7016f39d39..b92e719358 100644 --- a/editor/translations/pt_PT.po +++ b/editor/translations/pt_PT.po @@ -18,7 +18,7 @@ msgid "" msgstr "" "Project-Id-Version: Godot Engine editor\n" "POT-Creation-Date: \n" -"PO-Revision-Date: 2019-07-29 19:20+0000\n" +"PO-Revision-Date: 2019-09-07 13:52+0000\n" "Last-Translator: João Lopes <linux-man@hotmail.com>\n" "Language-Team: Portuguese (Portugal) <https://hosted.weblate.org/projects/" "godot-engine/godot/pt_PT/>\n" @@ -27,7 +27,7 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=n != 1;\n" -"X-Generator: Weblate 3.8-dev\n" +"X-Generator: Weblate 3.9-dev\n" #: core/math/expression.cpp modules/gdscript/gdscript_functions.cpp #: modules/visual_script/visual_script_builtin_funcs.cpp @@ -69,6 +69,35 @@ msgstr "Argumentos inválidos para construir '%s'" msgid "On call to '%s':" msgstr "Em chamada para '%s':" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +#, fuzzy +msgid "MiB" +msgstr "Combinar" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "Livre" @@ -138,29 +167,24 @@ msgid "Anim Change Call" msgstr "Anim Mudar Chamada" #: editor/animation_track_editor.cpp -#, fuzzy msgid "Anim Multi Change Keyframe Time" -msgstr "Anim Mudar Tempo do Keyframe" +msgstr "Anim Multi Mudar Tempo do Keyframe" #: editor/animation_track_editor.cpp -#, fuzzy msgid "Anim Multi Change Transition" -msgstr "Anim Mudar Transição" +msgstr "Anim Multi Mudar Transição" #: editor/animation_track_editor.cpp -#, fuzzy msgid "Anim Multi Change Transform" -msgstr "Anim Mudar Transformação" +msgstr "Anim Multi Mudar Transformação" #: editor/animation_track_editor.cpp -#, fuzzy msgid "Anim Multi Change Keyframe Value" -msgstr "Anim Mudar Valor do Keyframe" +msgstr "Anim Multi Mudar Valor do Keyframe" #: editor/animation_track_editor.cpp -#, fuzzy msgid "Anim Multi Change Call" -msgstr "Anim Mudar Chamada" +msgstr "Anim Multi Mudar Chamada" #: editor/animation_track_editor.cpp msgid "Change Animation Length" @@ -491,6 +515,12 @@ msgid "Select None" msgstr "Selecionar Nenhum" #: editor/animation_track_editor.cpp +#, fuzzy +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" +"Caminho para um nó AnimationPlayer contendo animações não está definido." + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "Apenas mostrar faixas de nós selecionados na árvore." @@ -669,14 +699,12 @@ msgid "Replaced %d occurrence(s)." msgstr "Substituído %d ocorrência(s)." #: editor/code_editor.cpp editor/editor_help.cpp -#, fuzzy msgid "%d match." -msgstr "Encontrada(s) %d correspondência(s)." +msgstr "%d correspondência." #: editor/code_editor.cpp editor/editor_help.cpp -#, fuzzy msgid "%d matches." -msgstr "Encontrada(s) %d correspondência(s)." +msgstr "%d correspondências." #: editor/code_editor.cpp editor/find_in_files.cpp msgid "Match Case" @@ -814,7 +842,8 @@ msgstr "Impossível conectar sinal" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -915,7 +944,8 @@ msgstr "Procurar:" msgid "Matches:" msgstr "Correspondências:" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1129,12 +1159,10 @@ msgid "License" msgstr "Licença" #: editor/editor_about.cpp -#, fuzzy msgid "Third-party Licenses" -msgstr "Licença de Terceiros" +msgstr "Licenças de Terceiros" #: editor/editor_about.cpp -#, fuzzy msgid "" "Godot Engine relies on a number of third-party free and open source " "libraries, all compatible with the terms of its MIT license. The following " @@ -1159,9 +1187,8 @@ msgid "Licenses" msgstr "Licenças" #: editor/editor_asset_installer.cpp editor/project_manager.cpp -#, fuzzy msgid "Error opening package file, not in ZIP format." -msgstr "Error ao abrir Ficheiro comprimido, não está no formato zip." +msgstr "Erro ao abrir ficheiro comprimido, não está no formato ZIP." #: editor/editor_asset_installer.cpp msgid "Uncompressing Assets" @@ -1229,7 +1256,8 @@ msgid "Delete Bus Effect" msgstr "Apagar Efeito de Barramento" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +#, fuzzy +msgid "Drag & drop to rearrange." msgstr "Barramento de áudio, arrastar e largar para reorganizar." #: editor/editor_audio_buses.cpp @@ -1421,6 +1449,7 @@ msgid "Add AutoLoad" msgstr "Adicionar Carregamento Automático" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "Caminho:" @@ -1650,6 +1679,7 @@ msgstr "Tornar Atual" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "Novo" @@ -1720,6 +1750,7 @@ msgid "New Folder..." msgstr "Nova Diretoria..." #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "Atualizar" @@ -1795,32 +1826,28 @@ msgid "Move Favorite Down" msgstr "Mover Favorito para Baixo" #: editor/editor_file_dialog.cpp -#, fuzzy msgid "Go to previous folder." -msgstr "Ir para a pasta acima." +msgstr "Ir para a pasta anterior." #: editor/editor_file_dialog.cpp -#, fuzzy msgid "Go to next folder." -msgstr "Ir para a pasta acima." +msgstr "Ir para a pasta seguinte." #: editor/editor_file_dialog.cpp scene/gui/file_dialog.cpp msgid "Go to parent folder." msgstr "Ir para a pasta acima." #: editor/editor_file_dialog.cpp scene/gui/file_dialog.cpp -#, fuzzy msgid "Refresh files." -msgstr "Procurar ficheiros" +msgstr "Atualizar ficheiros." #: editor/editor_file_dialog.cpp msgid "(Un)favorite current folder." msgstr "(Não) tornar favorita atual pasta." #: editor/editor_file_dialog.cpp scene/gui/file_dialog.cpp -#, fuzzy msgid "Toggle the visibility of hidden files." -msgstr "Alternar visibilidade de ficheiros escondidos." +msgstr "Alternar a visibilidade de ficheiros escondidos." #: editor/editor_file_dialog.cpp editor/filesystem_dock.cpp msgid "View items as a grid of thumbnails." @@ -1881,7 +1908,8 @@ msgid "Inherited by:" msgstr "Herdado por:" #: editor/editor_help.cpp -msgid "Brief Description:" +#, fuzzy +msgid "Brief Description" msgstr "Breve Descrição:" #: editor/editor_help.cpp @@ -1889,38 +1917,18 @@ msgid "Properties" msgstr "Propriedades" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "Propriedades:" - -#: editor/editor_help.cpp msgid "Methods" msgstr "Métodos" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "Métodos:" - -#: editor/editor_help.cpp msgid "Theme Properties" msgstr "Propriedades do Tema" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "Propriedades do Tema:" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "Sinais:" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "Enumerações" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "Enumerações:" - -#: editor/editor_help.cpp msgid "enum " msgstr "enum " @@ -1929,19 +1937,12 @@ msgid "Constants" msgstr "Constantes" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "Constantes:" - -#: editor/editor_help.cpp msgid "Class Description" msgstr "Descrição da Classe" #: editor/editor_help.cpp -msgid "Class Description:" -msgstr "Descrição da Classe:" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +#, fuzzy +msgid "Online Tutorials" msgstr "Tutoriais Online:" #: editor/editor_help.cpp @@ -1959,10 +1960,6 @@ msgid "Property Descriptions" msgstr "Descrições da Propriedade" #: editor/editor_help.cpp -msgid "Property Descriptions:" -msgstr "Descrições da Propriedade:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -1975,10 +1972,6 @@ msgid "Method Descriptions" msgstr "Descrições do Método" #: editor/editor_help.cpp -msgid "Method Descriptions:" -msgstr "Descrições do Método:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2047,8 +2040,8 @@ msgstr "Saída:" msgid "Copy Selection" msgstr "Copiar Seleção" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2061,9 +2054,52 @@ msgstr "Limpar" msgid "Clear Output" msgstr "Limpar Saída" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "Parar" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "Início" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +#, fuzzy +msgid "Down" +msgstr "Download" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "Nó" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" -msgstr "" +msgstr "Nova Janela" #: editor/editor_node.cpp msgid "Project export failed with error code %d." @@ -2393,9 +2429,8 @@ msgid "Close Scene" msgstr "Fechar Cena" #: editor/editor_node.cpp -#, fuzzy msgid "Reopen Closed Scene" -msgstr "Fechar Cena" +msgstr "Reabrir Cena Fechada" #: editor/editor_node.cpp msgid "Unable to enable addon plugin at: '%s' parsing of config failed." @@ -2512,9 +2547,8 @@ msgid "Close Tab" msgstr "Fechar Separador" #: editor/editor_node.cpp -#, fuzzy msgid "Undo Close Tab" -msgstr "Fechar Separador" +msgstr "Desfazer Fechar Separador" #: editor/editor_node.cpp editor/plugins/script_editor_plugin.cpp msgid "Close Other Tabs" @@ -2647,19 +2681,29 @@ msgid "Project" msgstr "Projeto" #: editor/editor_node.cpp -#, fuzzy msgid "Project Settings..." -msgstr "Configurações de Projeto" +msgstr "Configurações de Projeto..." -#: editor/editor_node.cpp +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp #, fuzzy +msgid "Version Control" +msgstr "Versão:" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + +#: editor/editor_node.cpp msgid "Export..." -msgstr "Exportar" +msgstr "Exportar..." #: editor/editor_node.cpp -#, fuzzy msgid "Install Android Build Template..." -msgstr "Instalar Modelo Android de Compilação" +msgstr "Instalar Modelo Android de Compilação..." #: editor/editor_node.cpp msgid "Open Project Data Folder" @@ -2670,9 +2714,8 @@ msgid "Tools" msgstr "Ferramentas" #: editor/editor_node.cpp -#, fuzzy msgid "Orphan Resource Explorer..." -msgstr "Explorador de Recursos Órfãos" +msgstr "Explorador de Recursos Órfãos..." #: editor/editor_node.cpp msgid "Quit to Project List" @@ -2774,9 +2817,8 @@ msgid "Editor" msgstr "Editor" #: editor/editor_node.cpp -#, fuzzy msgid "Editor Settings..." -msgstr "Configurações do Editor" +msgstr "Configurações do Editor..." #: editor/editor_node.cpp msgid "Editor Layout" @@ -2812,14 +2854,12 @@ msgid "Open Editor Settings Folder" msgstr "Abrir Pasta de Configurações do Editor" #: editor/editor_node.cpp -#, fuzzy msgid "Manage Editor Features..." -msgstr "Gerir Características do Editor" +msgstr "Gerir Características do Editor..." #: editor/editor_node.cpp -#, fuzzy msgid "Manage Export Templates..." -msgstr "Gerir Modelos de Exportação" +msgstr "Gerir Modelos de Exportação..." #: editor/editor_node.cpp editor/plugins/shader_editor_plugin.cpp msgid "Help" @@ -2875,10 +2915,6 @@ msgstr "Pausar a Cena" msgid "Stop the scene." msgstr "Para a Cena." -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "Parar" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "Executa a cena editada." @@ -2929,10 +2965,6 @@ msgid "Inspector" msgstr "Inspetor" #: editor/editor_node.cpp -msgid "Node" -msgstr "Nó" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "Expandir Painel do Fundo" @@ -2954,17 +2986,22 @@ msgstr "Gerir Modelos" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" -"O projeto Android para compilações personalizadas será instalado.\n" -"Para o utilizar, terá de ser ativado nas predefinições de exportação." #: editor/editor_node.cpp +#, fuzzy msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" "O modelo de compilação Android está instalado e não será substituído.\n" "Remova manualmente a diretoria \"build\" antes de repetir esta operação." @@ -3029,6 +3066,11 @@ msgstr "Abrir o Editor seguinte" msgid "Open the previous Editor" msgstr "Abrir o Editor anterior" +#: editor/editor_path.cpp +#, fuzzy +msgid "No sub-resources found." +msgstr "Fonte de superfície não especificada." + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "A criar pré-visualizações de Malha" @@ -3038,6 +3080,11 @@ msgid "Thumbnail..." msgstr "Miniatura..." #: editor/editor_plugin_settings.cpp +#, fuzzy +msgid "Main Script:" +msgstr "Abrir Script:" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "Editar Plugin" @@ -3066,11 +3113,6 @@ msgstr "Estado:" msgid "Edit:" msgstr "Editar:" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "Início" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "Medida:" @@ -3112,9 +3154,8 @@ msgid "Calls" msgstr "Chamadas" #: editor/editor_properties.cpp -#, fuzzy msgid "Edit Text:" -msgstr "Editar Tema" +msgstr "Editar Texto:" #: editor/editor_properties.cpp editor/script_create_dialog.cpp msgid "On" @@ -3287,9 +3328,8 @@ msgid "Import From Node:" msgstr "Importar do Nó:" #: editor/export_template_manager.cpp -#, fuzzy msgid "Redownload" -msgstr "Transferir novamente" +msgstr "Retransferir" #: editor/export_template_manager.cpp msgid "Uninstall" @@ -3307,6 +3347,8 @@ msgstr "Download" #: editor/export_template_manager.cpp msgid "Official export templates aren't available for development builds." msgstr "" +"Modelos de exportação oficiais não estão disponíveis para compilações de " +"desenvolvimento." #: editor/export_template_manager.cpp msgid "(Missing)" @@ -3389,23 +3431,20 @@ msgid "Download Complete." msgstr "Download Completo." #: editor/export_template_manager.cpp -#, fuzzy msgid "Cannot remove temporary file:" -msgstr "Impossível guardar tema para Ficheiro:" +msgstr "Impossível remover ficheiro temporário:" #: editor/export_template_manager.cpp -#, fuzzy msgid "" "Templates installation failed.\n" "The problematic templates archives can be found at '%s'." msgstr "" -"Falhou a instalação de Modelos. Os ficheiros problemáticos podem ser " -"encontrados em '%s'." +"Falhou a instalação de Modelos.\n" +"Os ficheiros problemáticos podem ser encontrados em '%s'." #: editor/export_template_manager.cpp -#, fuzzy msgid "Error requesting URL:" -msgstr "Erro ao solicitar url: " +msgstr "Erro ao solicitar URL:" #: editor/export_template_manager.cpp msgid "Connecting to Mirror..." @@ -3592,9 +3631,8 @@ msgid "Move To..." msgstr "Mover para..." #: editor/filesystem_dock.cpp -#, fuzzy msgid "New Scene..." -msgstr "Nova Cena" +msgstr "Nova Cena..." #: editor/filesystem_dock.cpp editor/plugins/script_editor_plugin.cpp msgid "New Script..." @@ -3662,9 +3700,8 @@ msgid "Overwrite" msgstr "Sobrescrever" #: editor/filesystem_dock.cpp -#, fuzzy msgid "Create Scene" -msgstr "Criar a partir da Cena" +msgstr "Criar Cena" #: editor/filesystem_dock.cpp editor/plugins/script_editor_plugin.cpp msgid "Create Script" @@ -3744,21 +3781,18 @@ msgid "Invalid group name." msgstr "Nome de grupo inválido." #: editor/groups_editor.cpp -#, fuzzy msgid "Rename Group" -msgstr "Gerir Grupos" +msgstr "Renomear Grupo" #: editor/groups_editor.cpp -#, fuzzy msgid "Delete Group" -msgstr "Apagar Modelo" +msgstr "Apagar Grupo" #: editor/groups_editor.cpp editor/node_dock.cpp msgid "Groups" msgstr "Grupos" #: editor/groups_editor.cpp -#, fuzzy msgid "Nodes Not in Group" msgstr "Nós fora do Grupo" @@ -3773,12 +3807,11 @@ msgstr "Nós no Grupo" #: editor/groups_editor.cpp msgid "Empty groups will be automatically removed." -msgstr "" +msgstr "Grupos vazios serão removidos automaticamente." #: editor/groups_editor.cpp -#, fuzzy msgid "Group Editor" -msgstr "Editor de Script" +msgstr "Editor de Grupo" #: editor/groups_editor.cpp msgid "Manage Groups" @@ -3877,9 +3910,10 @@ msgstr " Ficheiros" msgid "Import As:" msgstr "Importar Como:" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." -msgstr "Predefinido..." +#: editor/import_dock.cpp +#, fuzzy +msgid "Preset" +msgstr "Predefinições" #: editor/import_dock.cpp msgid "Reimport" @@ -3986,9 +4020,8 @@ msgid "MultiNode Set" msgstr "Conjunto MultiNode" #: editor/node_dock.cpp -#, fuzzy msgid "Select a single node to edit its signals and groups." -msgstr "Selecionar um Nó para editar sinais e grupos." +msgstr "Selecione um único nó para editar sinais e grupos." #: editor/plugin_config_dialog.cpp msgid "Edit a Plugin" @@ -4319,6 +4352,7 @@ msgid "Change Animation Name:" msgstr "Mudar o Nome da Animação:" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "Apagar Animação?" @@ -4766,37 +4800,32 @@ msgid "Request failed, return code:" msgstr "Falha na solicitação, código de retorno:" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Request failed." msgstr "Pedido falhado." #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Cannot save response to:" -msgstr "Impossível guardar tema para Ficheiro:" +msgstr "Impossível guardar resposta para:" #: editor/plugins/asset_library_editor_plugin.cpp msgid "Write error." -msgstr "" +msgstr "Erro de escrita." #: editor/plugins/asset_library_editor_plugin.cpp msgid "Request failed, too many redirects" msgstr "Falha na solicitação, demasiados redirecionamentos" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Redirect loop." msgstr "Redirecionar ciclo." #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Request failed, timeout" -msgstr "Falha na solicitação, código de retorno:" +msgstr "Falha na solicitação, tempo expirado" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Timeout." -msgstr "Tempo" +msgstr "Tempo expirado." #: editor/plugins/asset_library_editor_plugin.cpp msgid "Bad download hash, assuming file has been tampered with." @@ -4875,24 +4904,18 @@ msgid "All" msgstr "Todos" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Import..." -msgstr "Importar" +msgstr "Importar..." #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Plugins..." -msgstr "Plugins" +msgstr "Plugins..." #: editor/plugins/asset_library_editor_plugin.cpp editor/project_manager.cpp msgid "Sort:" msgstr "Ordenar:" #: editor/plugins/asset_library_editor_plugin.cpp -msgid "Reverse sorting." -msgstr "Inverter ordenação." - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "Categoria:" @@ -4902,9 +4925,8 @@ msgid "Site:" msgstr "Site:" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Support" -msgstr "Suporte..." +msgstr "Suporte" #: editor/plugins/asset_library_editor_plugin.cpp msgid "Official" @@ -4915,9 +4937,8 @@ msgid "Testing" msgstr "Em teste" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Loading..." -msgstr "Carregar..." +msgstr "A Carregar..." #: editor/plugins/asset_library_editor_plugin.cpp msgid "Assets ZIP File" @@ -5083,9 +5104,8 @@ msgid "Paste Pose" msgstr "Colar Pose" #: editor/plugins/canvas_item_editor_plugin.cpp -#, fuzzy msgid "Clear Guides" -msgstr "Apagar Ossos" +msgstr "Limpar Guias" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Create Custom Bone(s) from Node(s)" @@ -5172,6 +5192,11 @@ msgid "Pan Mode" msgstr "Modo deslocamento" #: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy +msgid "Ruler Mode" +msgstr "Modo Execução:" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "Alternar Ajuste." @@ -5272,7 +5297,7 @@ msgstr "Apagar Ossos Personalizados" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/spatial_editor_plugin.cpp msgid "View" -msgstr "Ver" +msgstr "Vista" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/polygon_2d_editor_plugin.cpp @@ -5818,26 +5843,23 @@ msgstr "Tempo de geração (s):" #: editor/plugins/particles_editor_plugin.cpp msgid "The geometry's faces don't contain any area." -msgstr "" +msgstr "As faces da geometria não contêm qualquer área." #: editor/plugins/particles_editor_plugin.cpp -#, fuzzy msgid "The geometry doesn't contain any faces." -msgstr "O Nó não contêm geometria (faces)." +msgstr "A geometria não contêm quaisquer faces." #: editor/plugins/particles_editor_plugin.cpp msgid "\"%s\" doesn't inherit from Spatial." -msgstr "" +msgstr "\"%s\" não descende de Spatial." #: editor/plugins/particles_editor_plugin.cpp -#, fuzzy msgid "\"%s\" doesn't contain geometry." -msgstr "O Nó não contêm geometria." +msgstr "\"%s\" não contem geometria." #: editor/plugins/particles_editor_plugin.cpp -#, fuzzy msgid "\"%s\" doesn't contain face geometry." -msgstr "O Nó não contêm geometria." +msgstr "\"%s\" não contem geometria de faces." #: editor/plugins/particles_editor_plugin.cpp msgid "Create Emitter" @@ -6236,7 +6258,7 @@ msgstr "Instância:" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "Tipo:" @@ -6274,9 +6296,8 @@ msgid "Error writing TextFile:" msgstr "Erro ao escrever TextFile:" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "Could not load file at:" -msgstr "Tile não encontrado:" +msgstr "Impossível carregar ficheiro em:" #: editor/plugins/script_editor_plugin.cpp msgid "Error saving file!" @@ -6299,9 +6320,8 @@ msgid "Error Importing" msgstr "Erro ao importar" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "New Text File..." -msgstr "Novo TextFile..." +msgstr "Novo Ficheiro de Texto..." #: editor/plugins/script_editor_plugin.cpp msgid "Open File" @@ -6381,9 +6401,8 @@ msgid "Open..." msgstr "Abrir..." #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "Reopen Closed Script" -msgstr "Abrir Script" +msgstr "Reabrir Script Fechado" #: editor/plugins/script_editor_plugin.cpp msgid "Save All" @@ -6439,14 +6458,14 @@ msgid "Toggle Scripts Panel" msgstr "Alternar painel de Scripts" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" -msgstr "Passar sobre" - -#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Step Into" msgstr "Passar dentro" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp +msgid "Step Over" +msgstr "Passar sobre" + +#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Break" msgstr "Interrupção" @@ -6518,15 +6537,14 @@ msgid "Search Results" msgstr "Resultados da Pesquisa" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "Clear Recent Scripts" -msgstr "Limpar Cenas Recentes" +msgstr "Limpar Scripts Recentes" #: editor/plugins/script_text_editor.cpp msgid "Connections to method:" msgstr "Conecções ao método:" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp msgid "Source" msgstr "Fonte" @@ -6643,9 +6661,8 @@ msgid "Complete Symbol" msgstr "Completar símbolo" #: editor/plugins/script_text_editor.cpp -#, fuzzy msgid "Evaluate Selection" -msgstr "Escalar Selecção" +msgstr "Avaliar Seleção" #: editor/plugins/script_text_editor.cpp msgid "Trim Trailing Whitespace" @@ -6802,7 +6819,7 @@ msgstr "A escalar: " #: editor/plugins/spatial_editor_plugin.cpp msgid "Translating: " -msgstr "A traduzir: " +msgstr "A transladar: " #: editor/plugins/spatial_editor_plugin.cpp msgid "Rotating %s degrees." @@ -6893,14 +6910,12 @@ msgid "Rear" msgstr "Trás" #: editor/plugins/spatial_editor_plugin.cpp -#, fuzzy msgid "Align Transform with View" -msgstr "Alinhar com a Vista" +msgstr "Alinhar Transformação com Vista" #: editor/plugins/spatial_editor_plugin.cpp -#, fuzzy msgid "Align Rotation with View" -msgstr "Alinhar seleção com vista" +msgstr "Alinhar Rotação com Vista" #: editor/plugins/spatial_editor_plugin.cpp editor/scene_tree_dock.cpp msgid "No parent to instance a child at." @@ -6955,9 +6970,8 @@ msgid "Audio Listener" msgstr "Audição de áudio" #: editor/plugins/spatial_editor_plugin.cpp -#, fuzzy msgid "Enable Doppler" -msgstr "Ativar Filtragem" +msgstr "Ativar Doppler" #: editor/plugins/spatial_editor_plugin.cpp msgid "Cinematic Preview" @@ -7013,7 +7027,7 @@ msgstr "Ajustar Nós ao Fundo" #: editor/plugins/spatial_editor_plugin.cpp msgid "Couldn't find a solid floor to snap the selection to." -msgstr "" +msgstr "Não foi encontrado um chão sólido para encaixar a seleção." #: editor/plugins/spatial_editor_plugin.cpp msgid "" @@ -7026,9 +7040,8 @@ msgstr "" "Alt+RMB: Seleção lista de profundidade" #: editor/plugins/spatial_editor_plugin.cpp -#, fuzzy msgid "Use Local Space" -msgstr "Modo Espaço Local (%s)" +msgstr "Usar Espaço Local" #: editor/plugins/spatial_editor_plugin.cpp msgid "Bottom View" @@ -7125,9 +7138,8 @@ msgstr "Ver grelha" #: editor/plugins/spatial_editor_plugin.cpp #: modules/gridmap/grid_map_editor_plugin.cpp -#, fuzzy msgid "Settings..." -msgstr "Configuração" +msgstr "Configuração..." #: editor/plugins/spatial_editor_plugin.cpp msgid "Snap Settings" @@ -7306,6 +7318,11 @@ msgid "(empty)" msgstr "(vazio)" #: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy +msgid "Move Frame" +msgstr "Colar Frame" + +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Animations:" msgstr "Animações:" @@ -7503,14 +7520,12 @@ msgid "Submenu" msgstr "Sub-menu" #: editor/plugins/theme_editor_plugin.cpp -#, fuzzy msgid "Subitem 1" -msgstr "Item 1" +msgstr "Subitem 1" #: editor/plugins/theme_editor_plugin.cpp -#, fuzzy msgid "Subitem 2" -msgstr "Item 2" +msgstr "Subitem 2" #: editor/plugins/theme_editor_plugin.cpp msgid "Has" @@ -7622,17 +7637,25 @@ msgid "Enable Priority" msgstr "Ativar Prioridade" #: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy +msgid "Filter tiles" +msgstr "Filtrar Ficheiro..." + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "Pintar Tile" #: editor/plugins/tile_map_editor_plugin.cpp -#, fuzzy msgid "" "Shift+LMB: Line Draw\n" "Shift+Ctrl+LMB: Rectangle Paint" msgstr "" -"Shift+RMB: Desenho de Linha\n" -"Shift+Ctrl+RMB: Pintura de Retângulo" +"Shift+LMB: Desenho de Linha\n" +"Shift+Ctrl+LMB: Pintura de Retângulo" #: editor/plugins/tile_map_editor_plugin.cpp msgid "Pick Tile" @@ -7755,6 +7778,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "Exibir nome dos tiles (segure tecla Alt)" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp msgid "Remove selected texture? This will remove all tiles which use it." msgstr "" "Remover textura selecionada? Todos os tiles que a usam serão removidos." @@ -7925,6 +7953,111 @@ msgstr "Esta propriedade não pode ser alterada." msgid "TileSet" msgstr "TileSet" +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No VCS addons are available." +msgstr "Nome do parente do Nó, se disponível" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "Erro" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No commit message was provided" +msgstr "Nenhum nome foi fornecido" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit" +msgstr "Comunidade" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Initialize" +msgstr "Capitalizar" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "Criar novo retângulo." + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "Mudar" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "Renomear" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "Apagar" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Typechange" +msgstr "Mudar" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "Apagar Selecionados" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage All" +msgstr "Guardar tudo" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit Changes" +msgstr "Sincronizar Alterações de Script" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "Status" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "(Apenas GLES3)" @@ -8031,9 +8164,8 @@ msgid "Light" msgstr "Luz" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Show resulted shader code." -msgstr "Criar Nó Shader" +msgstr "Mostrar código-resultado do shader." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Create Shader Node" @@ -8164,6 +8296,14 @@ msgstr "" "falso." #: editor/plugins/visual_shader_editor_plugin.cpp +#, fuzzy +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" +"Devolve um vetor associado se o valor lógico fornecido for verdadeiro ou " +"falso." + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "Devolve o resultado lógico da comparação entre dois parâmetros." @@ -8398,7 +8538,6 @@ msgid "Returns the square root of the parameter." msgstr "Devolve a raiz quadrada do parâmetro." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "SmoothStep function( scalar(edge0), scalar(edge1), scalar(x) ).\n" "\n" @@ -8408,12 +8547,11 @@ msgid "" msgstr "" "Função SmoothStep( escalar(limite0), escalar(limite1), escalar(x) ).\n" "\n" -"Devolve 0.0 se 'x' for menor que 'limite0' e 1.0 se x for maior que " +"Devolve 0.0 se 'x' for menor que 'limite0' e 1.0 se 'x' for maior que " "'limite1'. Caso contrário o valor devolvido é interpolado entre 0.0 and 1.0 " "usando polinomiais Hermite." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "Step function( scalar(edge), scalar(x) ).\n" "\n" @@ -8590,9 +8728,8 @@ msgid "Linear interpolation between two vectors." msgstr "Interpolação linear entre dois vetores." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Linear interpolation between two vectors using scalar." -msgstr "Interpolação linear entre dois vetores." +msgstr "Interpolação linear entre dois vetores usando um escalar." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Calculates the normalize product of vector." @@ -8619,7 +8756,6 @@ msgid "Returns the vector that points in the direction of refraction." msgstr "Devolve um vetor que aponta na direção da refração." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "SmoothStep function( vector(edge0), vector(edge1), vector(x) ).\n" "\n" @@ -8629,12 +8765,11 @@ msgid "" msgstr "" "Função SmoothStep( vetor(limite0), vetor(limite1), vetor(x) ).\n" "\n" -"Devolve 0.0 se 'x' for menor que 'limite0' e 1.0 se x for maior que " +"Devolve 0.0 se 'x' for menor que 'limite0' e 1.0 se 'x' for maior que " "'limite1'. Caso contrário o valor devolvido é interpolado entre 0.0 and 1.0 " "usando polinomiais Hermite." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "SmoothStep function( scalar(edge0), scalar(edge1), vector(x) ).\n" "\n" @@ -8644,12 +8779,11 @@ msgid "" msgstr "" "Função SmoothStep( escalar(limite0), escalar(limite1), vetor(x) ).\n" "\n" -"Devolve 0.0 se 'x' for menor que 'limite0' e 1.0 se x for maior que " +"Devolve 0.0 se 'x' for menor que 'limite0' e 1.0 se 'x' for maior que " "'limite1'. Caso contrário o valor devolvido é interpolado entre 0.0 and 1.0 " "usando polinomiais Hermite." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "Step function( vector(edge), vector(x) ).\n" "\n" @@ -8660,7 +8794,6 @@ msgstr "" "Devolve 0.0 se 'x' for menor que 'limite', senão devolve 1.0." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "Step function( scalar(edge), vector(x) ).\n" "\n" @@ -8723,6 +8856,9 @@ msgid "" "shader. You can place various function definitions inside and call it later " "in the Expressions. You can also declare varyings, uniforms and constants." msgstr "" +"Expressão personalizada em Linguagem Godot Shader, colocada sobre o shader " +"resultante. Pode colocar várias definições de função e chamá-las depois nas " +"Expressões. Pode também declarar variantes, uniformes e constantes." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(Fragment/Light mode only) Scalar derivative function." @@ -9114,13 +9250,12 @@ msgid "Unnamed Project" msgstr "Projeto sem nome" #: editor/project_manager.cpp -#, fuzzy msgid "Missing Project" -msgstr "Importar Projeto existente" +msgstr "Projeto Inexistente" #: editor/project_manager.cpp msgid "Error: Project is missing on the filesystem." -msgstr "" +msgstr "Erro: Projeto inexistente no sistema de ficheiros." #: editor/project_manager.cpp msgid "Can't open project at '%s'." @@ -9219,12 +9354,11 @@ msgstr "" "O conteúdo da pasta não será modificado." #: editor/project_manager.cpp -#, fuzzy msgid "" "Remove all missing projects from the list?\n" "The project folders' contents won't be modified." msgstr "" -"Remover %d projetos da lista?\n" +"Remover todos os projetos inexistentes da lista?\n" "O conteúdo das pastas não será modificado." #: editor/project_manager.cpp @@ -9246,12 +9380,11 @@ msgstr "" #: editor/project_manager.cpp msgid "Project Manager" -msgstr "Gestor de Projeto" +msgstr "Gestor de Projetos" #: editor/project_manager.cpp -#, fuzzy msgid "Projects" -msgstr "Projeto" +msgstr "Projetos" #: editor/project_manager.cpp msgid "Scan" @@ -9482,6 +9615,11 @@ msgid "Settings saved OK." msgstr "Configuração guardada." #: editor/project_settings_editor.cpp +#, fuzzy +msgid "Moved Input Action Event" +msgstr "Adicionar evento ação de entrada" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "Sobrepor por característica" @@ -9618,6 +9756,10 @@ msgid "Plugins" msgstr "Plugins" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "Predefinido..." + +#: editor/property_editor.cpp msgid "Zero" msgstr "Zero" @@ -9785,10 +9927,6 @@ msgstr "Para Maiúsculas" msgid "Reset" msgstr "Restaurar" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "Erro" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "Recolocar Nó" @@ -9846,6 +9984,11 @@ msgid "Instance Scene(s)" msgstr "Cena(s) da Instância" #: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Replace with Branch Scene" +msgstr "Guardar ramo como Cena" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "Instanciar Cena filha" @@ -9886,8 +10029,23 @@ msgid "Make node as Root" msgstr "Tornar Nó Raiz" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" -msgstr "Apagar Nó(s)?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "Apagar Nós" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete the root node \"%s\"?" +msgstr "Apagar Nó(s) Gráfico(s) Shader" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" +msgstr "" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "Apagar Nós" #: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." @@ -9962,9 +10120,8 @@ msgid "Remove Node(s)" msgstr "Remover Nó(s)" #: editor/scene_tree_dock.cpp -#, fuzzy msgid "Change type of node(s)" -msgstr "Mudar nome de porta de saída" +msgstr "Mudar tipo de nó(s)" #: editor/scene_tree_dock.cpp msgid "" @@ -10011,9 +10168,8 @@ msgid "Extend Script" msgstr "Estender Script" #: editor/scene_tree_dock.cpp -#, fuzzy msgid "Reparent to New Node" -msgstr "Recolocar Nó" +msgstr "Recolocar o Novo Nó" #: editor/scene_tree_dock.cpp msgid "Make Scene Root" @@ -10088,31 +10244,28 @@ msgid "Node configuration warning:" msgstr "Aviso de configuração do Nó:" #: editor/scene_tree_editor.cpp -#, fuzzy msgid "" "Node has %s connection(s) and %s group(s).\n" "Click to show signals dock." msgstr "" -"Nó tem conexões e grupos.\n" -"Clique para mostrar doca dos sinais." +"Nó tem %s conexão(ões) e %s grupo(s).\n" +"Clique para mostrar doca de sinais." #: editor/scene_tree_editor.cpp -#, fuzzy msgid "" "Node has %s connection(s).\n" "Click to show signals dock." msgstr "" -"Nó tem conexões.\n" -"Clique para mostrar doca dos sinais." +"Nó tem %s conexão(ões).\n" +"Clique para mostrar doca de sinais." #: editor/scene_tree_editor.cpp -#, fuzzy msgid "" "Node is in %s group(s).\n" "Click to show groups dock." msgstr "" -"Nó está em grupo(s).\n" -"Clique para mostrar doca dos grupos." +"Nó está em %s grupo(s).\n" +"Clique para mostrar doca de grupos." #: editor/scene_tree_editor.cpp msgid "Open Script:" @@ -10207,9 +10360,8 @@ msgid "Error loading script from %s" msgstr "Erro ao carregar Script de '%s'" #: editor/script_create_dialog.cpp -#, fuzzy msgid "Overrides" -msgstr "Sobrescrever" +msgstr "Sobrepõe" #: editor/script_create_dialog.cpp msgid "N/A" @@ -10288,19 +10440,50 @@ msgid "Bytes:" msgstr "Bytes:" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" -msgstr "Rastreamento de Pilha" +#, fuzzy +msgid "Warning:" +msgstr "Avisos:" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." -msgstr "Escolha um ou mais itens da lista para exibir o gráfico." +msgid "Error:" +msgstr "Erro:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error" +msgstr "Copiar Erro" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error:" +msgstr "Erro:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source" +msgstr "Fonte" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" +msgstr "Fonte" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source:" +msgstr "Fonte" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" +msgstr "Rastreamento de Pilha" #: editor/script_editor_debugger.cpp msgid "Errors" msgstr "Erros" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +#, fuzzy +msgid "Child process connected." msgstr "Processo filho conectado" #: editor/script_editor_debugger.cpp @@ -10308,6 +10491,11 @@ msgid "Copy Error" msgstr "Copiar Erro" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "Pontos de paragem" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "Inspecionar instância anterior" @@ -10324,6 +10512,11 @@ msgid "Profiler" msgstr "Profiler" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Network Profiler" +msgstr "Exportar Perfil" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "Monitor" @@ -10336,6 +10529,10 @@ msgid "Monitors" msgstr "Monitores" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "Escolha um ou mais itens da lista para exibir o gráfico." + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "Lista de utilização de Memória Vídeo por recurso:" @@ -10532,10 +10729,6 @@ msgid "Library" msgstr "Biblioteca" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "Status" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "Bibliotecas: " @@ -10544,6 +10737,10 @@ msgid "GDNative" msgstr "GDNative" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "O argumento \"step\" é zero!" @@ -10697,6 +10894,15 @@ msgstr "Configurações do GridMap" msgid "Pick Distance:" msgstr "Distância de escolha:" +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "Métodos de filtro" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "Nome de classe não pode ser uma palavra-chave reservada" @@ -10822,28 +11028,28 @@ msgid "Set Variable Type" msgstr "Definir tipo de variável" #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Override an existing built-in function." -msgstr "Não pode coincidir com um nome de um tipo incorporado já existente." +msgstr "Sobrepõe-se a função incorporada." #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Create a new function." -msgstr "Criar novo retângulo." +msgstr "Criar uma nova função." #: modules/visual_script/visual_script_editor.cpp msgid "Variables:" msgstr "Variáveis:" #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Create a new variable." -msgstr "Criar novo retângulo." +msgstr "Criar uma nova variável." + +#: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "Sinais:" #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Create a new signal." -msgstr "Criar um novo polígono." +msgstr "Criar um novo sinal." #: modules/visual_script/visual_script_editor.cpp msgid "Name is not a valid identifier:" @@ -10899,7 +11105,7 @@ msgstr "" msgid "Hold Ctrl to drop a Getter. Hold Shift to drop a generic signature." msgstr "" "Pressione Ctrl para largar um Getter. Pressione Shift para largar uma " -"Assinatura genérica." +"assinatura genérica." #: modules/visual_script/visual_script_editor.cpp msgid "Hold %s to drop a simple reference to the node." @@ -10919,7 +11125,7 @@ msgstr "Pressione Ctrl para largar um Setter variável." #: modules/visual_script/visual_script_editor.cpp msgid "Add Preload Node" -msgstr "Adicionar Nó de carregamento prévio" +msgstr "Adicionar Nó de Pré-carregamento" #: modules/visual_script/visual_script_editor.cpp msgid "Add Node(s) From Tree" @@ -11002,6 +11208,11 @@ msgid "Editing Signal:" msgstr "A editar Sinal:" #: modules/visual_script/visual_script_editor.cpp +#, fuzzy +msgid "Make Tool:" +msgstr "Tornar Local" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "Tipo de Base:" @@ -11075,22 +11286,22 @@ msgstr ": Argumentos inválidos: " #: modules/visual_script/visual_script_nodes.cpp msgid "VariableGet not found in script: " -msgstr "VariableGet não encontrada no Script: " +msgstr "VariableGet não encontrado no script: " #: modules/visual_script/visual_script_nodes.cpp msgid "VariableSet not found in script: " -msgstr "VariableSet não encontrada no Script: " +msgstr "VariableSet não encontrado no script: " #: modules/visual_script/visual_script_nodes.cpp msgid "Custom node has no _step() method, can't process graph." -msgstr "Impossível processar gráfico, Nó personalizado com Método no_step()." +msgstr "Impossível processar gráfico, Nó personalizado sem método _step()." #: modules/visual_script/visual_script_nodes.cpp msgid "" "Invalid return value from _step(), must be integer (seq out), or string " "(error)." msgstr "" -"Valor de retorno from _step() inválido, tem de ser inteiro (seq out), ou " +"Valor de retorno de _step() inválido, tem de ser inteiro (seq out), ou " "string (error)." #: modules/visual_script/visual_script_property_selector.cpp @@ -11155,8 +11366,10 @@ msgid "Invalid Android SDK path for custom build in Editor Settings." msgstr "Caminho inválido para Android SDK no Editor de Configurações." #: platform/android/export/export.cpp +#, fuzzy msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" "Projeto Android não está instalado para compilação. Instale-o no menu do " "Editor." @@ -11343,7 +11556,7 @@ msgid "" "Only one visible CanvasModulate is allowed per scene (or set of instanced " "scenes). The first created one will work, while the rest will be ignored." msgstr "" -"Só é permitido um CanvasModulate visível por Cena (ou grupo de Cenas " +"Só é permitido um CanvasModulate visível por cena (ou grupo de cenas " "instanciadas). O primeiro a ser criado funcionará, enquanto o resto será " "ignorado." @@ -11943,6 +12156,43 @@ msgstr "Variações só podem ser atribuídas na função vértice." msgid "Constants cannot be modified." msgstr "Constantes não podem ser modificadas." +#~ msgid "Properties:" +#~ msgstr "Propriedades:" + +#~ msgid "Methods:" +#~ msgstr "Métodos:" + +#~ msgid "Theme Properties:" +#~ msgstr "Propriedades do Tema:" + +#~ msgid "Enumerations:" +#~ msgstr "Enumerações:" + +#~ msgid "Constants:" +#~ msgstr "Constantes:" + +#~ msgid "Class Description:" +#~ msgstr "Descrição da Classe:" + +#~ msgid "Property Descriptions:" +#~ msgstr "Descrições da Propriedade:" + +#~ msgid "Method Descriptions:" +#~ msgstr "Descrições do Método:" + +#~ msgid "" +#~ "This will install the Android project for custom builds.\n" +#~ "Note that, in order to use it, it needs to be enabled per export preset." +#~ msgstr "" +#~ "O projeto Android para compilações personalizadas será instalado.\n" +#~ "Para o utilizar, terá de ser ativado nas predefinições de exportação." + +#~ msgid "Reverse sorting." +#~ msgstr "Inverter ordenação." + +#~ msgid "Delete Node(s)?" +#~ msgstr "Apagar Nó(s)?" + #~ msgid "No Matches" #~ msgstr "Sem combinações" @@ -12368,9 +12618,6 @@ msgstr "Constantes não podem ser modificadas." #~ msgstr "" #~ "Instancie a(s) Cena(s) selecionada(s) como filha(s) do Nó selecionado." -#~ msgid "Warnings:" -#~ msgstr "Avisos:" - #~ msgid "Font Size:" #~ msgstr "Tamanho do tipo de letra:" @@ -12412,9 +12659,6 @@ msgstr "Constantes não podem ser modificadas." #~ msgid "Select a split to erase it." #~ msgstr "Selecionar uma separação para a apagar." -#~ msgid "No name provided" -#~ msgstr "Nenhum nome foi fornecido" - #~ msgid "Add Node.." #~ msgstr "Adicionar Nó.." @@ -12547,9 +12791,6 @@ msgstr "Constantes não podem ser modificadas." #~ msgid "Warning" #~ msgstr "Aviso" -#~ msgid "Error:" -#~ msgstr "Erro:" - #~ msgid "Function:" #~ msgstr "Função:" @@ -12631,9 +12872,6 @@ msgstr "Constantes não podem ser modificadas." #~ msgid "Duplicate Graph Node(s)" #~ msgstr "Duplicar Nó(s)" -#~ msgid "Delete Shader Graph Node(s)" -#~ msgstr "Apagar Nó(s) Gráfico(s) Shader" - #~ msgid "Error: Cyclic Connection Link" #~ msgstr "Erro: conexão cíclica" diff --git a/editor/translations/ro.po b/editor/translations/ro.po index 93589e06f6..8204df8633 100644 --- a/editor/translations/ro.po +++ b/editor/translations/ro.po @@ -62,6 +62,35 @@ msgstr "" msgid "On call to '%s':" msgstr "" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +#, fuzzy +msgid "MiB" +msgstr "Amestecare" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "Gratuit" @@ -497,6 +526,11 @@ msgid "Select None" msgstr "Mod Selectare" #: editor/animation_track_editor.cpp +#, fuzzy +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "Selectați un Animator din Copacul Scenă să editați animații." + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "" @@ -833,7 +867,8 @@ msgstr "Conectați Semnal:" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -942,7 +977,8 @@ msgstr "Cautați:" msgid "Matches:" msgstr "Potriviri:" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1262,7 +1298,8 @@ msgid "Delete Bus Effect" msgstr "Ștergeți Pista Efect" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +#, fuzzy +msgid "Drag & drop to rearrange." msgstr "Pista Audio, Trageți și Plasați pentru a rearanja." #: editor/editor_audio_buses.cpp @@ -1463,6 +1500,7 @@ msgid "Add AutoLoad" msgstr "Adaugați AutoLoad" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "Cale:" @@ -1702,6 +1740,7 @@ msgstr "Curent:" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "" @@ -1782,6 +1821,7 @@ msgid "New Folder..." msgstr "Director Nou..." #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "Reîmprospătați" @@ -1945,7 +1985,8 @@ msgid "Inherited by:" msgstr "Moştenit de:" #: editor/editor_help.cpp -msgid "Brief Description:" +#, fuzzy +msgid "Brief Description" msgstr "Descriere Scurtă:" #: editor/editor_help.cpp @@ -1953,41 +1994,19 @@ msgid "Properties" msgstr "Proprietăți" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "" - -#: editor/editor_help.cpp msgid "Methods" msgstr "Metode" #: editor/editor_help.cpp #, fuzzy -msgid "Methods:" -msgstr "Metode" - -#: editor/editor_help.cpp -#, fuzzy msgid "Theme Properties" msgstr "Proprietăți" #: editor/editor_help.cpp -#, fuzzy -msgid "Theme Properties:" -msgstr "Proprietăți" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "Semnale:" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "Enumerări" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "Enumerări:" - -#: editor/editor_help.cpp msgid "enum " msgstr "enum " @@ -1996,21 +2015,13 @@ msgid "Constants" msgstr "Constante" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "Constante:" - -#: editor/editor_help.cpp #, fuzzy msgid "Class Description" msgstr "Descriere" #: editor/editor_help.cpp #, fuzzy -msgid "Class Description:" -msgstr "Descriere:" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +msgid "Online Tutorials" msgstr "Tutoriale Internet:" #: editor/editor_help.cpp @@ -2029,11 +2040,6 @@ msgid "Property Descriptions" msgstr "Descriere Proprietate:" #: editor/editor_help.cpp -#, fuzzy -msgid "Property Descriptions:" -msgstr "Descriere Proprietate:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -2048,11 +2054,6 @@ msgid "Method Descriptions" msgstr "Descrierea metodei:" #: editor/editor_help.cpp -#, fuzzy -msgid "Method Descriptions:" -msgstr "Descrierea metodei:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2131,8 +2132,8 @@ msgstr "Afișare:" msgid "Copy Selection" msgstr "Elminați Selecția" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2145,6 +2146,50 @@ msgstr "Curăță" msgid "Clear Output" msgstr "Curăță Afișarea" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "Oprește" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +#, fuzzy +msgid "Start" +msgstr "Start!" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +#, fuzzy +msgid "Down" +msgstr "Descarcă" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "Nod" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" msgstr "" @@ -2743,6 +2788,19 @@ msgstr "Proiect" msgid "Project Settings..." msgstr "Setări ale Proiectului" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Version Control" +msgstr "Versiune:" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp #, fuzzy msgid "Export..." @@ -2972,10 +3030,6 @@ msgstr "Întrerupere Scenă" msgid "Stop the scene." msgstr "Oprește scena." -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "Oprește" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "Rulează scena editată." @@ -3030,10 +3084,6 @@ msgid "Inspector" msgstr "Inspector" #: editor/editor_node.cpp -msgid "Node" -msgstr "Nod" - -#: editor/editor_node.cpp #, fuzzy msgid "Expand Bottom Panel" msgstr "Extinde toate" @@ -3057,15 +3107,21 @@ msgstr "Administrează Șabloanele de Export" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -3128,6 +3184,11 @@ msgstr "Deschide Editorul următor" msgid "Open the previous Editor" msgstr "Deschide Editorul anterior" +#: editor/editor_path.cpp +#, fuzzy +msgid "No sub-resources found." +msgstr "Nicio sursă de suprafață specificată." + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "Se creează Previzualizările Mesh-ului" @@ -3138,6 +3199,11 @@ msgstr "Miniatură..." #: editor/editor_plugin_settings.cpp #, fuzzy +msgid "Main Script:" +msgstr "Execută Scriptul" + +#: editor/editor_plugin_settings.cpp +#, fuzzy msgid "Edit Plugin" msgstr "Editează Poligon" @@ -3167,12 +3233,6 @@ msgstr "Stare:" msgid "Edit:" msgstr "Modificare" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -#, fuzzy -msgid "Start" -msgstr "Start!" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "Măsura:" @@ -4003,8 +4063,9 @@ msgstr " Fișiere" msgid "Import As:" msgstr "Importă Ca:" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." +#: editor/import_dock.cpp +#, fuzzy +msgid "Preset" msgstr "Presetare..." #: editor/import_dock.cpp @@ -4476,6 +4537,7 @@ msgid "Change Animation Name:" msgstr "Schimbă Numele Animației:" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "Ștergi Animația?" @@ -5065,11 +5127,6 @@ msgid "Sort:" msgstr "Sorare:" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy -msgid "Reverse sorting." -msgstr "Se Solicită..." - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "Categorie:" @@ -5367,6 +5424,11 @@ msgstr "Mod În Jur" #: editor/plugins/canvas_item_editor_plugin.cpp #, fuzzy +msgid "Ruler Mode" +msgstr "Modul de Execuție:" + +#: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy msgid "Toggle snapping." msgstr "Comutare snapping" @@ -6473,7 +6535,7 @@ msgstr "Instanță :" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "" @@ -6690,11 +6752,11 @@ msgid "Toggle Scripts Panel" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" +msgid "Step Into" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Into" +msgid "Step Over" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp @@ -6779,7 +6841,7 @@ msgstr "Curăță Scenele Recente" msgid "Connections to method:" msgstr "Conectați la Nod:" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp #, fuzzy msgid "Source" msgstr "Resursă" @@ -7587,6 +7649,11 @@ msgstr "" #: editor/plugins/sprite_frames_editor_plugin.cpp #, fuzzy +msgid "Move Frame" +msgstr "Mod Mutare" + +#: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy msgid "Animations:" msgstr "Animație" @@ -7918,6 +7985,15 @@ msgid "Enable Priority" msgstr "Editează Filtrele" #: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy +msgid "Filter tiles" +msgstr "Filtrează fișierele..." + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "" @@ -8065,6 +8141,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp #, fuzzy msgid "Remove selected texture? This will remove all tiles which use it." msgstr "Elimină Obiectul Selectat" @@ -8240,6 +8321,109 @@ msgstr "Această operație nu se poate face fără o scenă." msgid "TileSet" msgstr "Set_de_Plăci..." +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No VCS addons are available." +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No commit message was provided" +msgstr "Niciun nume furnizat" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit" +msgstr "Comunitate" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Initialize" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "Creați %s Nou" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "Schimbați" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "Redenumește" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "Ștergeți" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Typechange" +msgstr "Schimbați" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "Scalați Selecția" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage All" +msgstr "Înlocuiți Tot" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit Changes" +msgstr "Sincronizează Modificările Scriptului" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -8495,6 +8679,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9717,6 +9906,11 @@ msgid "Settings saved OK." msgstr "" #: editor/project_settings_editor.cpp +#, fuzzy +msgid "Moved Input Action Event" +msgstr "Deplasare punct pe curbă" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "" @@ -9856,6 +10050,10 @@ msgid "Plugins" msgstr "Plugin-uri" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "Presetare..." + +#: editor/property_editor.cpp msgid "Zero" msgstr "" @@ -10027,10 +10225,6 @@ msgstr "" msgid "Reset" msgstr "Resetați Zoom-area" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "" @@ -10086,6 +10280,10 @@ msgid "Instance Scene(s)" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Replace with Branch Scene" +msgstr "" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "" @@ -10127,10 +10325,24 @@ msgid "Make node as Root" msgstr "Salvează Scena" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "Creează Nod" + +#: editor/scene_tree_dock.cpp +msgid "Delete the root node \"%s\"?" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" +msgstr "" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "Creează Nod" + +#: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." msgstr "" @@ -10535,11 +10747,41 @@ msgid "Bytes:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" +msgid "Warning:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." +#, fuzzy +msgid "Error:" +msgstr "Eroare!" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error" +msgstr "Eroare!" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error:" +msgstr "Eroare!" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source" +msgstr "Resursă" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" +msgstr "Resursă" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source:" +msgstr "Resursă" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" msgstr "" #: editor/script_editor_debugger.cpp @@ -10547,14 +10789,20 @@ msgid "Errors" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" -msgstr "" +#, fuzzy +msgid "Child process connected." +msgstr "Deconectat" #: editor/script_editor_debugger.cpp msgid "Copy Error" msgstr "" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "Șterge puncte" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "" @@ -10571,6 +10819,11 @@ msgid "Profiler" msgstr "" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Network Profiler" +msgstr "Exportă Proiectul" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "" @@ -10583,6 +10836,10 @@ msgid "Monitors" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "" @@ -10785,10 +11042,6 @@ msgid "Library" msgstr "" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "" @@ -10797,6 +11050,10 @@ msgid "GDNative" msgstr "" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "" @@ -10951,6 +11208,15 @@ msgstr "" msgid "Pick Distance:" msgstr "" +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "Proprietățile obiectului." + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -11091,6 +11357,10 @@ msgid "Create a new variable." msgstr "Creați %s Nou" #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "Semnale:" + +#: modules/visual_script/visual_script_editor.cpp #, fuzzy msgid "Create a new signal." msgstr "Creează un nou poligon de la zero." @@ -11251,6 +11521,11 @@ msgid "Editing Signal:" msgstr "" #: modules/visual_script/visual_script_editor.cpp +#, fuzzy +msgid "Make Tool:" +msgstr "Creează Oase" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "" @@ -11400,7 +11675,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp @@ -12058,6 +12334,36 @@ msgstr "" msgid "Constants cannot be modified." msgstr "" +#, fuzzy +#~ msgid "Methods:" +#~ msgstr "Metode" + +#, fuzzy +#~ msgid "Theme Properties:" +#~ msgstr "Proprietăți" + +#~ msgid "Enumerations:" +#~ msgstr "Enumerări:" + +#~ msgid "Constants:" +#~ msgstr "Constante:" + +#, fuzzy +#~ msgid "Class Description:" +#~ msgstr "Descriere:" + +#, fuzzy +#~ msgid "Property Descriptions:" +#~ msgstr "Descriere Proprietate:" + +#, fuzzy +#~ msgid "Method Descriptions:" +#~ msgstr "Descrierea metodei:" + +#, fuzzy +#~ msgid "Reverse sorting." +#~ msgstr "Se Solicită..." + #~ msgid "" #~ "Can't open file_type_cache.cch for writing, not saving file type cache!" #~ msgstr "" @@ -12206,9 +12512,6 @@ msgstr "" #~ msgid "Splits" #~ msgstr "Divizare cale" -#~ msgid "No name provided" -#~ msgstr "Niciun nume furnizat" - #~ msgid "Create Poly" #~ msgstr "Crează Poligon" diff --git a/editor/translations/ru.po b/editor/translations/ru.po index 3e61d4d683..f6620b5aef 100644 --- a/editor/translations/ru.po +++ b/editor/translations/ru.po @@ -55,12 +55,13 @@ # knightpp <kotteam99@gmail.com>, 2019. # Константин Рин <email.to.rean@gmail.com>, 2019. # Maxim Samburskiy <alpacones@outlook.com>, 2019. +# Dima Koshel <form.eater@gmail.com>, 2019. msgid "" msgstr "" "Project-Id-Version: Godot Engine editor\n" "POT-Creation-Date: \n" -"PO-Revision-Date: 2019-08-29 13:35+0000\n" -"Last-Translator: Константин Рин <email.to.rean@gmail.com>\n" +"PO-Revision-Date: 2019-09-19 05:27+0000\n" +"Last-Translator: Александр <ol-vin@mail.ru>\n" "Language-Team: Russian <https://hosted.weblate.org/projects/godot-engine/" "godot/ru/>\n" "Language: ru\n" @@ -111,6 +112,35 @@ msgstr "Недопустимые аргументы для построения msgid "On call to '%s':" msgstr "На вызове '%s':" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +#, fuzzy +msgid "MiB" +msgstr "Сочетание" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "Освободить" @@ -496,6 +526,7 @@ msgstr "" "один трек." #: editor/animation_track_editor.cpp +#, fuzzy msgid "" "This animation belongs to an imported scene, so changes to imported tracks " "will not be saved.\n" @@ -507,6 +538,16 @@ msgid "" "Alternatively, use an import preset that imports animations to separate " "files." msgstr "" +"Эта анимация относится к импортированной сцене, поэтому изменения в " +"импортированных дорожках не сохраняются.\n" +"\n" +"Чтобы включить возможность добавления пользовательских дорожек, перейдите к " +"настройкам импорта сцены и установите следующие параметры\n" +"\"Анимация > Хранение(Animation > Storage)\" в меню \"Файлы(Files)\", " +"выберите \"Анимация > Сохранять пользовательские дорожки(Animation > Keep " +"Custom Tracks)\", а затем импортируйте заново.\n" +"Кроме того, можно использовать предустановку импорта, которая импортирует " +"анимацию для разделения файлов." #: editor/animation_track_editor.cpp msgid "Warning: Editing imported animation" @@ -522,6 +563,11 @@ msgid "Select None" msgstr "Сбросить выделение" #: editor/animation_track_editor.cpp +#, fuzzy +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "Путь к узлу AnimationPlayer, содержащему анимацию, не задан." + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "Показывать треки только выделенных в дереве узлов." @@ -847,7 +893,8 @@ msgstr "Не удается подключить сигнал" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -948,7 +995,8 @@ msgstr "Поиск:" msgid "Matches:" msgstr "Совпадения:" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1261,7 +1309,8 @@ msgid "Delete Bus Effect" msgstr "Удалить эффект шины" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +#, fuzzy +msgid "Drag & drop to rearrange." msgstr "Аудио шина, перетащите для перегруппировки." #: editor/editor_audio_buses.cpp @@ -1452,6 +1501,7 @@ msgid "Add AutoLoad" msgstr "Добавить в автозагрузку" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "Путь:" @@ -1463,7 +1513,7 @@ msgstr "Имя Узла:" #: editor/editor_autoload_settings.cpp editor/editor_help_search.cpp #: editor/editor_profiler.cpp editor/settings_config_dialog.cpp msgid "Name" -msgstr "Имя" +msgstr "Название" #: editor/editor_autoload_settings.cpp msgid "Singleton" @@ -1692,6 +1742,7 @@ msgstr "Выбранный:" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "Новый" @@ -1715,7 +1766,6 @@ msgid "Class Options" msgstr "Описание класса" #: editor/editor_feature_profile.cpp -#, fuzzy msgid "New profile name:" msgstr "Новое имя:" @@ -1725,9 +1775,8 @@ msgid "Erase Profile" msgstr "Стереть область" #: editor/editor_feature_profile.cpp -#, fuzzy msgid "Import Profile(s)" -msgstr "Импортированный проект" +msgstr "Импортировать проект" #: editor/editor_feature_profile.cpp #, fuzzy @@ -1769,6 +1818,7 @@ msgid "New Folder..." msgstr "Новая папка..." #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "Обновить" @@ -1905,6 +1955,8 @@ msgid "" "There are multiple importers for different types pointing to file %s, import " "aborted" msgstr "" +"Множество импортируемых объектов разного типа указывают на файл %s, импорт " +"прерван" #: editor/editor_file_system.cpp msgid "(Re)Importing Assets" @@ -1927,7 +1979,8 @@ msgid "Inherited by:" msgstr "Унаследован:" #: editor/editor_help.cpp -msgid "Brief Description:" +#, fuzzy +msgid "Brief Description" msgstr "Краткое описание:" #: editor/editor_help.cpp @@ -1935,38 +1988,18 @@ msgid "Properties" msgstr "Свойства" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "Свойства:" - -#: editor/editor_help.cpp msgid "Methods" msgstr "Методы" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "Методы:" - -#: editor/editor_help.cpp msgid "Theme Properties" msgstr "Свойства темы" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "Свойства темы:" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "Сигналы:" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "Перечисления" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "Перечисления:" - -#: editor/editor_help.cpp msgid "enum " msgstr "перечисление " @@ -1975,19 +2008,12 @@ msgid "Constants" msgstr "Константы" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "Константы:" - -#: editor/editor_help.cpp msgid "Class Description" msgstr "Описание класса" #: editor/editor_help.cpp -msgid "Class Description:" -msgstr "Описание класса:" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +#, fuzzy +msgid "Online Tutorials" msgstr "Онлайн уроки:" #: editor/editor_help.cpp @@ -2005,10 +2031,6 @@ msgid "Property Descriptions" msgstr "Описание свойств" #: editor/editor_help.cpp -msgid "Property Descriptions:" -msgstr "Описание свойств:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -2021,10 +2043,6 @@ msgid "Method Descriptions" msgstr "Описание методов" #: editor/editor_help.cpp -msgid "Method Descriptions:" -msgstr "Описание методов:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2093,8 +2111,8 @@ msgstr "Вывод:" msgid "Copy Selection" msgstr "Копировать выделенное" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2107,6 +2125,48 @@ msgstr "Очистить" msgid "Clear Output" msgstr "Очистить вывод" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "Остановить" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "Запустить" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Down" +msgstr "Вниз" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "Вверх" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "Узел" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp #, fuzzy msgid "New Window" @@ -2699,6 +2759,19 @@ msgstr "Проект" msgid "Project Settings..." msgstr "Параметры проекта" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Version Control" +msgstr "Версия:" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp msgid "Export..." msgstr "Экспортировать..." @@ -2924,10 +2997,6 @@ msgstr "Приостановить сцену" msgid "Stop the scene." msgstr "Остановить сцену." -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "Остановить" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "Запустить текущую сцену." @@ -2979,10 +3048,6 @@ msgid "Inspector" msgstr "Инспектор" #: editor/editor_node.cpp -msgid "Node" -msgstr "Узел" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "Развернуть нижнюю панель" @@ -3007,16 +3072,25 @@ msgstr "Управление шаблонами экспорта" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp +#, fuzzy msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" +"Шаблон сборки Android уже установлен и не будет перезаписан.\n" +"Перед повторной попыткой удалите каталог \"build\" вручную." #: editor/editor_node.cpp msgid "Import Templates From ZIP File" @@ -3078,6 +3152,11 @@ msgstr "Открыть следующий редактор" msgid "Open the previous Editor" msgstr "Открыть предыдущий редактор" +#: editor/editor_path.cpp +#, fuzzy +msgid "No sub-resources found." +msgstr "Поверхность источника не определена." + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "Создание предпросмотра" @@ -3087,6 +3166,11 @@ msgid "Thumbnail..." msgstr "Миниатюра..." #: editor/editor_plugin_settings.cpp +#, fuzzy +msgid "Main Script:" +msgstr "Открыть скрипт" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "Редактировать дополнение" @@ -3115,11 +3199,6 @@ msgstr "Статус:" msgid "Edit:" msgstr "Редактировать:" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "Запустить" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "Единица измерения:" @@ -3355,7 +3434,7 @@ msgstr "Загрузка" #: editor/export_template_manager.cpp msgid "Official export templates aren't available for development builds." -msgstr "" +msgstr "Официальные шаблоны экспорта недоступны для рабочих сборок." #: editor/export_template_manager.cpp msgid "(Missing)" @@ -3736,10 +3815,13 @@ msgid "Filters:" msgstr "Фильтры:" #: editor/find_in_files.cpp +#, fuzzy msgid "" "Include the files with the following extensions. Add or remove them in " "ProjectSettings." msgstr "" +"Включает в себя файлы с указанными расширениями. Добавьте или удалите их в " +"ProjectSettings." #: editor/find_in_files.cpp editor/plugins/script_editor_plugin.cpp #: editor/plugins/script_text_editor.cpp @@ -3820,7 +3902,7 @@ msgstr "Узлы в Группе" #: editor/groups_editor.cpp msgid "Empty groups will be automatically removed." -msgstr "" +msgstr "Пустые группы будут автоматически удалены." #: editor/groups_editor.cpp msgid "Group Editor" @@ -3923,9 +4005,10 @@ msgstr " Файлы" msgid "Import As:" msgstr "Импортировать как:" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." -msgstr "Предустановка..." +#: editor/import_dock.cpp +#, fuzzy +msgid "Preset" +msgstr "Предустановки" #: editor/import_dock.cpp msgid "Reimport" @@ -4364,6 +4447,7 @@ msgid "Change Animation Name:" msgstr "Изменить имя анимации:" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "Удалить анимацию?" @@ -4826,7 +4910,7 @@ msgstr "Невозможно сохранить тему в файл:" #: editor/plugins/asset_library_editor_plugin.cpp msgid "Write error." -msgstr "" +msgstr "Ошибка записи." #: editor/plugins/asset_library_editor_plugin.cpp msgid "Request failed, too many redirects" @@ -4938,10 +5022,6 @@ msgid "Sort:" msgstr "Сортировать:" #: editor/plugins/asset_library_editor_plugin.cpp -msgid "Reverse sorting." -msgstr "Обратная сортировка." - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "Категория:" @@ -5223,6 +5303,11 @@ msgid "Pan Mode" msgstr "Режим осмотра" #: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy +msgid "Ruler Mode" +msgstr "Режим запуска:" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "Переключить привязки." @@ -5659,7 +5744,7 @@ msgstr "Создать вогнутую форму" #: editor/plugins/mesh_instance_editor_plugin.cpp msgid "Failed creating shapes!" -msgstr "" +msgstr "Не удалось создать форму!" #: editor/plugins/mesh_instance_editor_plugin.cpp msgid "Create Convex Shape(s)" @@ -5901,14 +5986,12 @@ msgid "\"%s\" doesn't inherit from Spatial." msgstr "" #: editor/plugins/particles_editor_plugin.cpp -#, fuzzy msgid "\"%s\" doesn't contain geometry." -msgstr "Узел не содержит геометрии." +msgstr "\"%s\" не содержит геометрии." #: editor/plugins/particles_editor_plugin.cpp -#, fuzzy msgid "\"%s\" doesn't contain face geometry." -msgstr "Узел не содержит геометрии." +msgstr "\"%s\" не содержит геометрии с гранями." #: editor/plugins/particles_editor_plugin.cpp msgid "Create Emitter" @@ -6309,7 +6392,7 @@ msgstr "Экземпляр:" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "Тип:" @@ -6515,14 +6598,14 @@ msgid "Toggle Scripts Panel" msgstr "Переключить панель скриптов" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" -msgstr "Шаг через" - -#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Step Into" msgstr "Шаг в" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp +msgid "Step Over" +msgstr "Шаг через" + +#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Break" msgstr "Пауза" @@ -6605,7 +6688,7 @@ msgstr "Очистить последние сцены" msgid "Connections to method:" msgstr "Присоединить к узлу:" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp msgid "Source" msgstr "Источник" @@ -7401,6 +7484,11 @@ msgid "(empty)" msgstr "(пусто)" #: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy +msgid "Move Frame" +msgstr "Вставить кадр" + +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Animations:" msgstr "Анимации:" @@ -7730,6 +7818,15 @@ msgid "Enable Priority" msgstr "Редактировать приоритет тайла" #: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy +msgid "Filter tiles" +msgstr "Отсортировать файлы..." + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "Рисовать тайл" @@ -7876,6 +7973,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "Отобразить имена плиток (удерживать нажатой клавишу Alt)" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp msgid "Remove selected texture? This will remove all tiles which use it." msgstr "" "Удалить выделенную текстуру? Это удалит все тайлы, которые её используют." @@ -8046,6 +8148,112 @@ msgstr "Это свойство не может быть изменено." msgid "TileSet" msgstr "Набор Тайлов" +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No VCS addons are available." +msgstr "Имя родительского узла, если оно доступно" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "Ошибка" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No commit message was provided" +msgstr "Не указано имя" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit" +msgstr "Сообщество" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Initialize" +msgstr "Прописные" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "Создать новый прямоугольник." + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "Изменить" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "Переименовать" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "Удалить" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Typechange" +msgstr "Изменить" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "Удалить выделенное" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage All" +msgstr "Сохранить всё" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit Changes" +msgstr "Синхронизация изменений в скриптах" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "Статус" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No file diff is active" +msgstr "Файлы не выбраны!" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "(только GLES3)" @@ -8295,6 +8503,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9568,6 +9781,11 @@ msgid "Settings saved OK." msgstr "Настройки сохранены нормально." #: editor/project_settings_editor.cpp +#, fuzzy +msgid "Moved Input Action Event" +msgstr "Добавить действие" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "Переопределение Свойства" @@ -9705,6 +9923,10 @@ msgid "Plugins" msgstr "Плагины" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "Предустановка..." + +#: editor/property_editor.cpp msgid "Zero" msgstr "Ноль" @@ -9875,10 +10097,6 @@ msgstr "В верхний регистр" msgid "Reset" msgstr "Сбросить" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "Ошибка" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "Переподчинить узел" @@ -9936,6 +10154,11 @@ msgid "Instance Scene(s)" msgstr "Дополнить сценой(ами)" #: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Replace with Branch Scene" +msgstr "Сохранить ветку, как сцену" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "Добавить дочернюю сцену" @@ -9978,8 +10201,23 @@ msgid "Make node as Root" msgstr "Сделать узел корневым" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" -msgstr "Удалить узел(узлы)?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "Удалить узлы" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete the root node \"%s\"?" +msgstr "Удалить узел(ы) графа шейдера" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" +msgstr "" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "Удалить узлы" #: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." @@ -10402,20 +10640,50 @@ msgid "Bytes:" msgstr "Байты:" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" -msgstr "Трассировка Стека" +#, fuzzy +msgid "Warning:" +msgstr "Предупреждения:" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." -msgstr "" -"Выбрать один или несколько элементов из списка, чтобы отобразить график." +msgid "Error:" +msgstr "Ошибка:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error" +msgstr "Копировать ошибку" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error:" +msgstr "Ошибка:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source" +msgstr "Источник" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" +msgstr "Источник" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source:" +msgstr "Источник" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" +msgstr "Трассировка Стека" #: editor/script_editor_debugger.cpp msgid "Errors" msgstr "Ошибки" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +#, fuzzy +msgid "Child process connected." msgstr "Дочерний процесс связан" #: editor/script_editor_debugger.cpp @@ -10423,6 +10691,11 @@ msgid "Copy Error" msgstr "Копировать ошибку" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "Точки останова" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "Осмотреть предыдущий экземпляр" @@ -10439,6 +10712,11 @@ msgid "Profiler" msgstr "Профайлер" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Network Profiler" +msgstr "Экспортировать проект" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "Параметр" @@ -10451,6 +10729,11 @@ msgid "Monitors" msgstr "Мониторинг" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" +"Выбрать один или несколько элементов из списка, чтобы отобразить график." + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "Список использования видеопамяти ресурсами:" @@ -10648,10 +10931,6 @@ msgid "Library" msgstr "Библиотека" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "Статус" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "Библиотеки: " @@ -10660,6 +10939,10 @@ msgid "GDNative" msgstr "GDNative" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "Аргумент шага равен нулю!" @@ -10813,6 +11096,15 @@ msgstr "GridMap Параметры" msgid "Pick Distance:" msgstr "Расстояние выбора:" +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "Режим фильтра:" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "Имя класса не может быть зарезервированным ключевым словом" @@ -10957,6 +11249,10 @@ msgid "Create a new variable." msgstr "Создать новый прямоугольник." #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "Сигналы:" + +#: modules/visual_script/visual_script_editor.cpp #, fuzzy msgid "Create a new signal." msgstr "Создать новый полигон." @@ -11118,6 +11414,11 @@ msgid "Editing Signal:" msgstr "Редактирование сигнала:" #: modules/visual_script/visual_script_editor.cpp +#, fuzzy +msgid "Make Tool:" +msgstr "Сделать локальным" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "Базовый тип:" @@ -11270,9 +11571,13 @@ msgid "Invalid Android SDK path for custom build in Editor Settings." msgstr "" #: platform/android/export/export.cpp +#, fuzzy msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" +"Шаблон сборки Android отсутствует, пожалуйста, установите соответствующие " +"шаблоны." #: platform/android/export/export.cpp msgid "Invalid public key for APK expansion." @@ -12060,6 +12365,44 @@ msgstr "Изменения могут быть назначены только msgid "Constants cannot be modified." msgstr "Константы не могут быть изменены." +#~ msgid "Properties:" +#~ msgstr "Свойства:" + +#~ msgid "Methods:" +#~ msgstr "Методы:" + +#~ msgid "Theme Properties:" +#~ msgstr "Свойства темы:" + +#~ msgid "Enumerations:" +#~ msgstr "Перечисления:" + +#~ msgid "Constants:" +#~ msgstr "Константы:" + +#~ msgid "Class Description:" +#~ msgstr "Описание класса:" + +#~ msgid "Property Descriptions:" +#~ msgstr "Описание свойств:" + +#~ msgid "Method Descriptions:" +#~ msgstr "Описание методов:" + +#~ msgid "" +#~ "This will install the Android project for custom builds.\n" +#~ "Note that, in order to use it, it needs to be enabled per export preset." +#~ msgstr "" +#~ "Данный процесс установит Android проект для пользовательских сборок.\n" +#~ "Обратите внимание, что для его работы, необходимо включить его в каждом " +#~ "пресете экспорта." + +#~ msgid "Reverse sorting." +#~ msgstr "Обратная сортировка." + +#~ msgid "Delete Node(s)?" +#~ msgstr "Удалить узел(узлы)?" + #~ msgid "No Matches" #~ msgstr "Нет совпадений" @@ -12308,9 +12651,6 @@ msgstr "Константы не могут быть изменены." #~ msgid "Instance the selected scene(s) as child of the selected node." #~ msgstr "Добавить выбранную сцену(ы), в качестве потомка выбранного узла." -#~ msgid "Warnings:" -#~ msgstr "Предупреждения:" - #~ msgid "Font Size:" #~ msgstr "Размер шрифта:" @@ -12353,9 +12693,6 @@ msgstr "Константы не могут быть изменены." #~ msgid "Select a split to erase it." #~ msgstr "Выберите разделение, чтобы стереть его." -#~ msgid "No name provided" -#~ msgstr "Не указано имя" - #~ msgid "Add Node.." #~ msgstr "Добавить Узел.." @@ -12491,9 +12828,6 @@ msgstr "Константы не могут быть изменены." #~ msgid "Warning" #~ msgstr "Предупреждение" -#~ msgid "Error:" -#~ msgstr "Ошибка:" - #~ msgid "Function:" #~ msgstr "Функция:" @@ -12575,9 +12909,6 @@ msgstr "Константы не могут быть изменены." #~ msgid "Duplicate Graph Node(s)" #~ msgstr "Дублировать узел(ы) графа" -#~ msgid "Delete Shader Graph Node(s)" -#~ msgstr "Удалить узел(ы) графа шейдера" - #~ msgid "Error: Cyclic Connection Link" #~ msgstr "Ошибка: Циклическое подключение" @@ -13018,9 +13349,6 @@ msgstr "Константы не могут быть изменены." #~ msgid "Pick New Name and Location For:" #~ msgstr "Выберете новое имя и расположение для:" -#~ msgid "No files selected!" -#~ msgstr "Файлы не выбраны!" - #~ msgid "Info" #~ msgstr "Информация" @@ -13421,12 +13749,6 @@ msgstr "Константы не могут быть изменены." #~ msgid "Scaling to %s%%." #~ msgstr "Масштабирование до %s%%." -#~ msgid "Up" -#~ msgstr "Вверх" - -#~ msgid "Down" -#~ msgstr "Вниз" - #~ msgid "Bucket" #~ msgstr "Заливка" diff --git a/editor/translations/si.po b/editor/translations/si.po index 2492f11666..fbea8d1c7d 100644 --- a/editor/translations/si.po +++ b/editor/translations/si.po @@ -57,6 +57,34 @@ msgstr "'%s' ගොඩනැගීමට වැරදි තර්ක" msgid "On call to '%s':" msgstr "'%s' ඇමතීම:" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +msgid "MiB" +msgstr "" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "නිදහස්" @@ -475,6 +503,10 @@ msgid "Select None" msgstr "" #: editor/animation_track_editor.cpp +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "" @@ -794,7 +826,8 @@ msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -895,7 +928,8 @@ msgstr "" msgid "Matches:" msgstr "" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1195,7 +1229,7 @@ msgid "Delete Bus Effect" msgstr "" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +msgid "Drag & drop to rearrange." msgstr "" #: editor/editor_audio_buses.cpp @@ -1386,6 +1420,7 @@ msgid "Add AutoLoad" msgstr "" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "" @@ -1605,6 +1640,7 @@ msgstr "" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "" @@ -1675,6 +1711,7 @@ msgid "New Folder..." msgstr "" #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "" @@ -1830,7 +1867,7 @@ msgid "Inherited by:" msgstr "" #: editor/editor_help.cpp -msgid "Brief Description:" +msgid "Brief Description" msgstr "" #: editor/editor_help.cpp @@ -1838,38 +1875,18 @@ msgid "Properties" msgstr "" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "" - -#: editor/editor_help.cpp msgid "Methods" msgstr "" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "" - -#: editor/editor_help.cpp msgid "Theme Properties" msgstr "" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "" - -#: editor/editor_help.cpp msgid "enum " msgstr "" @@ -1878,19 +1895,11 @@ msgid "Constants" msgstr "" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "" - -#: editor/editor_help.cpp msgid "Class Description" msgstr "" #: editor/editor_help.cpp -msgid "Class Description:" -msgstr "" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +msgid "Online Tutorials" msgstr "" #: editor/editor_help.cpp @@ -1905,10 +1914,6 @@ msgid "Property Descriptions" msgstr "" #: editor/editor_help.cpp -msgid "Property Descriptions:" -msgstr "" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -1919,10 +1924,6 @@ msgid "Method Descriptions" msgstr "" #: editor/editor_help.cpp -msgid "Method Descriptions:" -msgstr "" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -1989,8 +1990,8 @@ msgstr "" msgid "Copy Selection" msgstr "" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2003,6 +2004,48 @@ msgstr "" msgid "Clear Output" msgstr "" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Down" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" msgstr "" @@ -2542,6 +2585,18 @@ msgstr "" msgid "Project Settings..." msgstr "" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control" +msgstr "" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp msgid "Export..." msgstr "" @@ -2741,10 +2796,6 @@ msgstr "" msgid "Stop the scene." msgstr "" -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "" @@ -2796,10 +2847,6 @@ msgid "Inspector" msgstr "" #: editor/editor_node.cpp -msgid "Node" -msgstr "" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "" @@ -2821,15 +2868,21 @@ msgstr "" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -2892,6 +2945,10 @@ msgstr "" msgid "Open the previous Editor" msgstr "" +#: editor/editor_path.cpp +msgid "No sub-resources found." +msgstr "" + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "" @@ -2901,6 +2958,10 @@ msgid "Thumbnail..." msgstr "" #: editor/editor_plugin_settings.cpp +msgid "Main Script:" +msgstr "" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "" @@ -2929,11 +2990,6 @@ msgstr "" msgid "Edit:" msgstr "" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "" @@ -3711,8 +3767,8 @@ msgstr "" msgid "Import As:" msgstr "" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." +#: editor/import_dock.cpp +msgid "Preset" msgstr "" #: editor/import_dock.cpp @@ -4143,6 +4199,7 @@ msgid "Change Animation Name:" msgstr "" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "" @@ -4702,10 +4759,6 @@ msgid "Sort:" msgstr "" #: editor/plugins/asset_library_editor_plugin.cpp -msgid "Reverse sorting." -msgstr "" - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "" @@ -4972,6 +5025,11 @@ msgid "Pan Mode" msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy +msgid "Ruler Mode" +msgstr "නිවේශන මාදිලිය" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "" @@ -6025,7 +6083,7 @@ msgstr "" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "" @@ -6225,11 +6283,11 @@ msgid "Toggle Scripts Panel" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" +msgid "Step Into" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Into" +msgid "Step Over" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp @@ -6309,7 +6367,7 @@ msgstr "" msgid "Connections to method:" msgstr "" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp msgid "Source" msgstr "" @@ -7079,6 +7137,10 @@ msgid "(empty)" msgstr "" #: editor/plugins/sprite_frames_editor_plugin.cpp +msgid "Move Frame" +msgstr "" + +#: editor/plugins/sprite_frames_editor_plugin.cpp #, fuzzy msgid "Animations:" msgstr "ශ්රිත:" @@ -7395,6 +7457,14 @@ msgid "Enable Priority" msgstr "" #: editor/plugins/tile_map_editor_plugin.cpp +msgid "Filter tiles" +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "" @@ -7529,6 +7599,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp msgid "Remove selected texture? This will remove all tiles which use it." msgstr "" @@ -7685,6 +7760,101 @@ msgstr "" msgid "TileSet" msgstr "" +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No VCS addons are available." +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No commit message was provided" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Commit" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Initialize" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect new changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Renamed" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "යතුරු මකා දමන්න" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Typechange" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "තෝරාගත් යතුරු මකා දමන්න" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Stage All" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Commit Changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -7923,6 +8093,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9116,6 +9291,10 @@ msgid "Settings saved OK." msgstr "" #: editor/project_settings_editor.cpp +msgid "Moved Input Action Event" +msgstr "" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "" @@ -9252,6 +9431,10 @@ msgid "Plugins" msgstr "" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "" + +#: editor/property_editor.cpp msgid "Zero" msgstr "" @@ -9415,10 +9598,6 @@ msgstr "" msgid "Reset" msgstr "" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "" @@ -9474,6 +9653,10 @@ msgid "Instance Scene(s)" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Replace with Branch Scene" +msgstr "" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "" @@ -9514,10 +9697,24 @@ msgid "Make node as Root" msgstr "" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "යතුරු මකා දමන්න" + +#: editor/scene_tree_dock.cpp +msgid "Delete the root node \"%s\"?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" msgstr "" #: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "යතුරු මකා දමන්න" + +#: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." msgstr "" @@ -9893,11 +10090,36 @@ msgid "Bytes:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" +msgid "Warning:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." +#, fuzzy +msgid "Error:" +msgstr "කැඩපත" + +#: editor/script_editor_debugger.cpp +msgid "C++ Error" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Error:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Source" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "Source:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Source:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" msgstr "" #: editor/script_editor_debugger.cpp @@ -9905,7 +10127,7 @@ msgid "Errors" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +msgid "Child process connected." msgstr "" #: editor/script_editor_debugger.cpp @@ -9913,6 +10135,10 @@ msgid "Copy Error" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Skip Breakpoints" +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "" @@ -9929,6 +10155,10 @@ msgid "Profiler" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Network Profiler" +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "" @@ -9941,6 +10171,10 @@ msgid "Monitors" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "" @@ -10137,10 +10371,6 @@ msgid "Library" msgstr "" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "" @@ -10149,6 +10379,10 @@ msgid "GDNative" msgstr "" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "" @@ -10300,6 +10534,14 @@ msgstr "" msgid "Pick Distance:" msgstr "" +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Filter meshes" +msgstr "" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -10437,6 +10679,10 @@ msgid "Create a new variable." msgstr "සාදන්න" #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Create a new signal." msgstr "" @@ -10593,6 +10839,10 @@ msgid "Editing Signal:" msgstr "" #: modules/visual_script/visual_script_editor.cpp +msgid "Make Tool:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "" @@ -10740,7 +10990,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp diff --git a/editor/translations/sk.po b/editor/translations/sk.po index 98d594e40d..348dd044e6 100644 --- a/editor/translations/sk.po +++ b/editor/translations/sk.po @@ -63,6 +63,34 @@ msgstr "Neplatné argumenty pre vytvorenie '%s'" msgid "On call to '%s':" msgstr "Pri volaní '%s':" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +msgid "MiB" +msgstr "" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "Voľné" @@ -481,6 +509,10 @@ msgid "Select None" msgstr "Všetky vybrané" #: editor/animation_track_editor.cpp +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "" @@ -807,7 +839,8 @@ msgstr "Pripojiť Signál: " #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -911,7 +944,8 @@ msgstr "Hľadať:" msgid "Matches:" msgstr "Zhody:" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1226,7 +1260,7 @@ msgid "Delete Bus Effect" msgstr "" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +msgid "Drag & drop to rearrange." msgstr "" #: editor/editor_audio_buses.cpp @@ -1419,6 +1453,7 @@ msgid "Add AutoLoad" msgstr "" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "Cesta:" @@ -1644,6 +1679,7 @@ msgstr "" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "" @@ -1722,6 +1758,7 @@ msgid "New Folder..." msgstr "Vytvoriť adresár" #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "" @@ -1880,50 +1917,29 @@ msgid "Inherited by:" msgstr "" #: editor/editor_help.cpp -msgid "Brief Description:" -msgstr "" +#, fuzzy +msgid "Brief Description" +msgstr "Popis:" #: editor/editor_help.cpp msgid "Properties" msgstr "" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "" - -#: editor/editor_help.cpp msgid "Methods" msgstr "" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "" - -#: editor/editor_help.cpp #, fuzzy msgid "Theme Properties" msgstr "Filter:" #: editor/editor_help.cpp #, fuzzy -msgid "Theme Properties:" -msgstr "Filter:" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "Signály:" - -#: editor/editor_help.cpp -#, fuzzy msgid "Enumerations" msgstr "Popis:" #: editor/editor_help.cpp -#, fuzzy -msgid "Enumerations:" -msgstr "Popis:" - -#: editor/editor_help.cpp msgid "enum " msgstr "" @@ -1933,21 +1949,12 @@ msgid "Constants" msgstr "Konštanty:" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "Konštanty:" - -#: editor/editor_help.cpp #, fuzzy msgid "Class Description" msgstr "Popis:" #: editor/editor_help.cpp -#, fuzzy -msgid "Class Description:" -msgstr "Popis:" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +msgid "Online Tutorials" msgstr "" #: editor/editor_help.cpp @@ -1963,11 +1970,6 @@ msgid "Property Descriptions" msgstr "Popis:" #: editor/editor_help.cpp -#, fuzzy -msgid "Property Descriptions:" -msgstr "Popis:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -1979,11 +1981,6 @@ msgid "Method Descriptions" msgstr "Popis:" #: editor/editor_help.cpp -#, fuzzy -msgid "Method Descriptions:" -msgstr "Popis:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2054,8 +2051,8 @@ msgstr "" msgid "Copy Selection" msgstr "Odstrániť výber" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2069,6 +2066,48 @@ msgstr "" msgid "Clear Output" msgstr "Popis:" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Down" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" msgstr "" @@ -2615,6 +2654,18 @@ msgstr "" msgid "Project Settings..." msgstr "" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control" +msgstr "" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp #, fuzzy msgid "Export..." @@ -2817,10 +2868,6 @@ msgstr "" msgid "Stop the scene." msgstr "" -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "" @@ -2873,10 +2920,6 @@ msgid "Inspector" msgstr "" #: editor/editor_node.cpp -msgid "Node" -msgstr "" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "" @@ -2899,15 +2942,21 @@ msgstr "Všetky vybrané" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -2973,6 +3022,10 @@ msgstr "" msgid "Open the previous Editor" msgstr "" +#: editor/editor_path.cpp +msgid "No sub-resources found." +msgstr "" + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "" @@ -2983,6 +3036,11 @@ msgstr "" #: editor/editor_plugin_settings.cpp #, fuzzy +msgid "Main Script:" +msgstr "Popis:" + +#: editor/editor_plugin_settings.cpp +#, fuzzy msgid "Edit Plugin" msgstr "Signály:" @@ -3011,11 +3069,6 @@ msgstr "" msgid "Edit:" msgstr "" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "" @@ -3818,9 +3871,10 @@ msgstr "Súbor:" msgid "Import As:" msgstr "" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." -msgstr "" +#: editor/import_dock.cpp +#, fuzzy +msgid "Preset" +msgstr "Načítať predvolené" #: editor/import_dock.cpp msgid "Reimport" @@ -4263,6 +4317,7 @@ msgid "Change Animation Name:" msgstr "" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "" @@ -4836,10 +4891,6 @@ msgid "Sort:" msgstr "" #: editor/plugins/asset_library_editor_plugin.cpp -msgid "Reverse sorting." -msgstr "" - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "" @@ -5116,6 +5167,11 @@ msgid "Pan Mode" msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy +msgid "Ruler Mode" +msgstr "Režim Interpolácie" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "" @@ -6193,7 +6249,7 @@ msgstr "" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "" @@ -6402,11 +6458,11 @@ msgid "Toggle Scripts Panel" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" +msgid "Step Into" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Into" +msgid "Step Over" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp @@ -6490,7 +6546,7 @@ msgstr "Popis:" msgid "Connections to method:" msgstr "Pripojiť k Node:" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp #, fuzzy msgid "Source" msgstr "Prostriedok" @@ -7281,6 +7337,11 @@ msgstr "" #: editor/plugins/sprite_frames_editor_plugin.cpp #, fuzzy +msgid "Move Frame" +msgstr "Vložiť" + +#: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy msgid "Animations:" msgstr "Popis:" @@ -7609,6 +7670,15 @@ msgid "Enable Priority" msgstr "Súbor:" #: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy +msgid "Filter tiles" +msgstr "Filter:" + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "" @@ -7749,6 +7819,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp #, fuzzy msgid "Remove selected texture? This will remove all tiles which use it." msgstr "Všetky vybrané" @@ -7924,6 +7999,107 @@ msgstr "" msgid "TileSet" msgstr "Súbor:" +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No VCS addons are available." +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No commit message was provided" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit" +msgstr "Komunita" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Initialize" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "Vytvoriť adresár" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "Zmeniť" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "Všetky vybrané" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "Vymazať" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Typechange" +msgstr "Zmeniť" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "Zmeniť veľkosť výberu" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Stage All" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit Changes" +msgstr "Zmeniť" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -8172,6 +8348,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9380,6 +9561,11 @@ msgid "Settings saved OK." msgstr "" #: editor/project_settings_editor.cpp +#, fuzzy +msgid "Moved Input Action Event" +msgstr "Všetky vybrané" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "" @@ -9518,6 +9704,10 @@ msgid "Plugins" msgstr "" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "" + +#: editor/property_editor.cpp msgid "Zero" msgstr "" @@ -9682,10 +9872,6 @@ msgstr "" msgid "Reset" msgstr "" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "" @@ -9741,6 +9927,10 @@ msgid "Instance Scene(s)" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Replace with Branch Scene" +msgstr "" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "" @@ -9782,10 +9972,24 @@ msgid "Make node as Root" msgstr "" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "Všetky vybrané" + +#: editor/scene_tree_dock.cpp +msgid "Delete the root node \"%s\"?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" msgstr "" #: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "Všetky vybrané" + +#: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." msgstr "" @@ -10182,11 +10386,39 @@ msgid "Bytes:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" +msgid "Warning:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." +#, fuzzy +msgid "Error:" +msgstr "Zrkadlový" + +#: editor/script_editor_debugger.cpp +msgid "C++ Error" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Error:" +msgstr "" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source" +msgstr "Prostriedok" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" +msgstr "Prostriedok" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source:" +msgstr "Prostriedok" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" msgstr "" #: editor/script_editor_debugger.cpp @@ -10194,7 +10426,7 @@ msgid "Errors" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +msgid "Child process connected." msgstr "" #: editor/script_editor_debugger.cpp @@ -10202,6 +10434,11 @@ msgid "Copy Error" msgstr "" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "Všetky vybrané" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "" @@ -10218,6 +10455,11 @@ msgid "Profiler" msgstr "" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Network Profiler" +msgstr "Vytvoriť adresár" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "" @@ -10230,6 +10472,10 @@ msgid "Monitors" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "" @@ -10428,10 +10674,6 @@ msgid "Library" msgstr "" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "" @@ -10440,6 +10682,10 @@ msgid "GDNative" msgstr "" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp #, fuzzy msgid "Step argument is zero!" msgstr "argument \"step\"/krok je nulový!" @@ -10597,6 +10843,15 @@ msgstr "" msgid "Pick Distance:" msgstr "" +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "Filter:" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -10734,6 +10989,10 @@ msgid "Create a new variable." msgstr "Vytvoriť adresár" #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "Signály:" + +#: modules/visual_script/visual_script_editor.cpp #, fuzzy msgid "Create a new signal." msgstr "Vytvoriť adresár" @@ -10898,6 +11157,10 @@ msgid "Editing Signal:" msgstr "Signály:" #: modules/visual_script/visual_script_editor.cpp +msgid "Make Tool:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "" @@ -11047,7 +11310,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp @@ -11719,6 +11983,29 @@ msgid "Constants cannot be modified." msgstr "" #, fuzzy +#~ msgid "Theme Properties:" +#~ msgstr "Filter:" + +#, fuzzy +#~ msgid "Enumerations:" +#~ msgstr "Popis:" + +#~ msgid "Constants:" +#~ msgstr "Konštanty:" + +#, fuzzy +#~ msgid "Class Description:" +#~ msgstr "Popis:" + +#, fuzzy +#~ msgid "Property Descriptions:" +#~ msgstr "Popis:" + +#, fuzzy +#~ msgid "Method Descriptions:" +#~ msgstr "Popis:" + +#, fuzzy #~ msgid "Tool Select" #~ msgstr "Všetky vybrané" diff --git a/editor/translations/sl.po b/editor/translations/sl.po index e369352868..9d36fee05d 100644 --- a/editor/translations/sl.po +++ b/editor/translations/sl.po @@ -66,6 +66,35 @@ msgstr "Neveljavni argumenti za construct '%s'" msgid "On call to '%s':" msgstr "Na klic '%s':" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +#, fuzzy +msgid "MiB" +msgstr "Mešaj" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "Prosto" @@ -500,6 +529,12 @@ msgid "Select None" msgstr "Izberi Gradnik" #: editor/animation_track_editor.cpp +#, fuzzy +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" +"Če želite urediti animacije, izberite AnimationPlayer iz drevesa scene." + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "" @@ -835,7 +870,8 @@ msgstr "Povezovanje Signala:" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -943,7 +979,8 @@ msgstr "Iskanje:" msgid "Matches:" msgstr "Zadetki:" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1262,7 +1299,8 @@ msgid "Delete Bus Effect" msgstr "Izbriši učinek Vodila" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +#, fuzzy +msgid "Drag & drop to rearrange." msgstr "Zvočno Vodilo, Povelci in Izpusti za preureditev." #: editor/editor_audio_buses.cpp @@ -1460,6 +1498,7 @@ msgid "Add AutoLoad" msgstr "Dodaj SamodejnoNalaganje" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "Pot:" @@ -1698,6 +1737,7 @@ msgstr "Trenutno:" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "" @@ -1778,6 +1818,7 @@ msgid "New Folder..." msgstr "Nova Mapa..." #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "Osveži" @@ -1941,7 +1982,8 @@ msgid "Inherited by:" msgstr "Podedovano od:" #: editor/editor_help.cpp -msgid "Brief Description:" +#, fuzzy +msgid "Brief Description" msgstr "Kratek Opis:" #: editor/editor_help.cpp @@ -1949,41 +1991,19 @@ msgid "Properties" msgstr "Lastnosti" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "" - -#: editor/editor_help.cpp msgid "Methods" msgstr "Metode" #: editor/editor_help.cpp #, fuzzy -msgid "Methods:" -msgstr "Metode" - -#: editor/editor_help.cpp -#, fuzzy msgid "Theme Properties" msgstr "Lastnosti" #: editor/editor_help.cpp -#, fuzzy -msgid "Theme Properties:" -msgstr "Lastnosti" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "Signali:" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "Oštevilčenja" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "Oštevilčenja:" - -#: editor/editor_help.cpp msgid "enum " msgstr "oštevil " @@ -1992,21 +2012,13 @@ msgid "Constants" msgstr "Konstante" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "Konstante:" - -#: editor/editor_help.cpp #, fuzzy msgid "Class Description" msgstr "Opis" #: editor/editor_help.cpp #, fuzzy -msgid "Class Description:" -msgstr "Opis:" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +msgid "Online Tutorials" msgstr "Spletne Vaje:" #: editor/editor_help.cpp @@ -2024,11 +2036,6 @@ msgid "Property Descriptions" msgstr "Opis lastnosti:" #: editor/editor_help.cpp -#, fuzzy -msgid "Property Descriptions:" -msgstr "Opis lastnosti:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -2042,11 +2049,6 @@ msgid "Method Descriptions" msgstr "Opis Metode:" #: editor/editor_help.cpp -#, fuzzy -msgid "Method Descriptions:" -msgstr "Opis Metode:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2125,8 +2127,8 @@ msgstr "Izhod:" msgid "Copy Selection" msgstr "Odstrani izbrano" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2139,6 +2141,50 @@ msgstr "Počisti" msgid "Clear Output" msgstr "Počisti Izhod" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "Ustavi" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +#, fuzzy +msgid "Start" +msgstr "Zaženi!" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +#, fuzzy +msgid "Down" +msgstr "Prenesi" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "Gradnik" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" msgstr "" @@ -2729,6 +2775,19 @@ msgstr "Projekt" msgid "Project Settings..." msgstr "Nastavitve Projekta" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Version Control" +msgstr "Različica:" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp #, fuzzy msgid "Export..." @@ -2956,10 +3015,6 @@ msgstr "Zaustavi prizor" msgid "Stop the scene." msgstr "Ustavi Prizor." -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "Ustavi" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "Zaženi prizor u urejanju." @@ -3015,10 +3070,6 @@ msgid "Inspector" msgstr "Nadzornik" #: editor/editor_node.cpp -msgid "Node" -msgstr "Gradnik" - -#: editor/editor_node.cpp #, fuzzy msgid "Expand Bottom Panel" msgstr "Razširi vse" @@ -3042,15 +3093,21 @@ msgstr "Upravljaj Izvozne Predloge" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -3113,6 +3170,10 @@ msgstr "Odpri naslednji Urejevalnik" msgid "Open the previous Editor" msgstr "Odpri prejšnji Urejevalnik" +#: editor/editor_path.cpp +msgid "No sub-resources found." +msgstr "" + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "Ustvari Predogled Modela" @@ -3123,6 +3184,11 @@ msgstr "Sličica..." #: editor/editor_plugin_settings.cpp #, fuzzy +msgid "Main Script:" +msgstr "Zaženi Skripto" + +#: editor/editor_plugin_settings.cpp +#, fuzzy msgid "Edit Plugin" msgstr "Uredi Poligon" @@ -3152,12 +3218,6 @@ msgstr "Stanje:" msgid "Edit:" msgstr "Uredi" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -#, fuzzy -msgid "Start" -msgstr "Zaženi!" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "Mera:" @@ -3986,8 +4046,9 @@ msgstr " Datoteke" msgid "Import As:" msgstr "Uvozi Kot:" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." +#: editor/import_dock.cpp +#, fuzzy +msgid "Preset" msgstr "Prednastavitev..." #: editor/import_dock.cpp @@ -4461,6 +4522,7 @@ msgid "Change Animation Name:" msgstr "Spremeni Ime Animacije:" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "Izbrišem animacijo?" @@ -5050,11 +5112,6 @@ msgid "Sort:" msgstr "Razvrsti:" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy -msgid "Reverse sorting." -msgstr "Zahtevam..." - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "Kategorija:" @@ -5352,6 +5409,11 @@ msgstr "Način Plošče" #: editor/plugins/canvas_item_editor_plugin.cpp #, fuzzy +msgid "Ruler Mode" +msgstr "Način Obsega (R)" + +#: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy msgid "Toggle snapping." msgstr "Preklopi pripenjanje" @@ -6442,7 +6504,7 @@ msgstr "" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "" @@ -6659,11 +6721,11 @@ msgid "Toggle Scripts Panel" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" +msgid "Step Into" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Into" +msgid "Step Over" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp @@ -6748,7 +6810,7 @@ msgstr "Počisti Nedavne Prizore" msgid "Connections to method:" msgstr "Poveži se z Gradnikom:" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp #, fuzzy msgid "Source" msgstr "Viri" @@ -7556,6 +7618,11 @@ msgstr "" #: editor/plugins/sprite_frames_editor_plugin.cpp #, fuzzy +msgid "Move Frame" +msgstr "Način Premika" + +#: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy msgid "Animations:" msgstr "Animacija" @@ -7884,6 +7951,15 @@ msgid "Enable Priority" msgstr "Uredi Filtre" #: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy +msgid "Filter tiles" +msgstr "Filtriraj datoteke..." + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "" @@ -8032,6 +8108,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp #, fuzzy msgid "Remove selected texture? This will remove all tiles which use it." msgstr "Odstrani trenutni vnos" @@ -8209,6 +8290,109 @@ msgstr "Ta operacija ni mogoča brez scene." msgid "TileSet" msgstr "Izvozi Ploščno Zbirko" +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No VCS addons are available." +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No commit message was provided" +msgstr "Ime ni na voljo" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit" +msgstr "Skupnost" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Initialize" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "Ustvari Nov %s" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "Spremeni" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "Preimenuj" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "Izbriši" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Typechange" +msgstr "Spremeni" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "Izbriši Izbrano" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage All" +msgstr "Zamenjaj Vse" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit Changes" +msgstr "Usklajuj Spremembe Skript" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -8464,6 +8648,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9684,6 +9873,10 @@ msgid "Settings saved OK." msgstr "" #: editor/project_settings_editor.cpp +msgid "Moved Input Action Event" +msgstr "" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "" @@ -9822,6 +10015,10 @@ msgid "Plugins" msgstr "Vtičniki" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "Prednastavitev..." + +#: editor/property_editor.cpp msgid "Zero" msgstr "" @@ -9993,10 +10190,6 @@ msgstr "" msgid "Reset" msgstr "Ponastavi Povečavo/Pomanjšavo" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "" @@ -10052,6 +10245,10 @@ msgid "Instance Scene(s)" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Replace with Branch Scene" +msgstr "" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "" @@ -10093,10 +10290,24 @@ msgid "Make node as Root" msgstr "Shrani Prizor" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "Izberi Gradnik" + +#: editor/scene_tree_dock.cpp +msgid "Delete the root node \"%s\"?" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" +msgstr "" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "Izberi Gradnik" + +#: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." msgstr "" @@ -10501,11 +10712,41 @@ msgid "Bytes:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" +msgid "Warning:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." +#, fuzzy +msgid "Error:" +msgstr "Napaka!" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error" +msgstr "Napaka!" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error:" +msgstr "Napaka!" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source" +msgstr "Viri" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" +msgstr "Viri" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source:" +msgstr "Viri" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" msgstr "" #: editor/script_editor_debugger.cpp @@ -10513,14 +10754,20 @@ msgid "Errors" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" -msgstr "" +#, fuzzy +msgid "Child process connected." +msgstr "Nepovezano" #: editor/script_editor_debugger.cpp msgid "Copy Error" msgstr "" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "Izbriši točke" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "" @@ -10537,6 +10784,11 @@ msgid "Profiler" msgstr "" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Network Profiler" +msgstr "Izvozi Projekt" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "" @@ -10549,6 +10801,10 @@ msgid "Monitors" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "" @@ -10750,10 +11006,6 @@ msgid "Library" msgstr "" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "" @@ -10762,6 +11014,10 @@ msgid "GDNative" msgstr "" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp #, fuzzy msgid "Step argument is zero!" msgstr "stopnja argumenta je nič!" @@ -10918,6 +11174,15 @@ msgstr "" msgid "Pick Distance:" msgstr "" +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "Lastnosti objekta." + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -11064,6 +11329,10 @@ msgid "Create a new variable." msgstr "Ustvari Nov %s" #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "Signali:" + +#: modules/visual_script/visual_script_editor.cpp #, fuzzy msgid "Create a new signal." msgstr "Ustvarite Poligon" @@ -11224,6 +11493,10 @@ msgid "Editing Signal:" msgstr "Urejanje Signala:" #: modules/visual_script/visual_script_editor.cpp +msgid "Make Tool:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "Osnovni Tip:" @@ -11376,7 +11649,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp @@ -12064,6 +12338,36 @@ msgstr "" msgid "Constants cannot be modified." msgstr "" +#, fuzzy +#~ msgid "Methods:" +#~ msgstr "Metode" + +#, fuzzy +#~ msgid "Theme Properties:" +#~ msgstr "Lastnosti" + +#~ msgid "Enumerations:" +#~ msgstr "Oštevilčenja:" + +#~ msgid "Constants:" +#~ msgstr "Konstante:" + +#, fuzzy +#~ msgid "Class Description:" +#~ msgstr "Opis:" + +#, fuzzy +#~ msgid "Property Descriptions:" +#~ msgstr "Opis lastnosti:" + +#, fuzzy +#~ msgid "Method Descriptions:" +#~ msgstr "Opis Metode:" + +#, fuzzy +#~ msgid "Reverse sorting." +#~ msgstr "Zahtevam..." + #~ msgid "" #~ "Can't open file_type_cache.cch for writing, not saving file type cache!" #~ msgstr "" @@ -12214,9 +12518,6 @@ msgstr "" #~ msgid "Select a split to erase it." #~ msgstr "Izberite Mapo za Skeniranje" -#~ msgid "No name provided" -#~ msgstr "Ime ni na voljo" - #, fuzzy #~ msgid "Add Node.." #~ msgstr "Dodaj vozlišče" diff --git a/editor/translations/sq.po b/editor/translations/sq.po index 61e380e91c..2de6fb6772 100644 --- a/editor/translations/sq.po +++ b/editor/translations/sq.po @@ -59,6 +59,34 @@ msgstr "Argumente të gabuar për të ndërtuar '%s'" msgid "On call to '%s':" msgstr "Në thërritje të '%s':" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +msgid "MiB" +msgstr "" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "Liro" @@ -462,6 +490,10 @@ msgid "Select None" msgstr "Zgjidh" #: editor/animation_track_editor.cpp +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "" @@ -785,7 +817,8 @@ msgstr "Lidh Sinjalin: " #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -889,7 +922,8 @@ msgstr "Kërko:" msgid "Matches:" msgstr "Përputhjet:" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1207,7 +1241,7 @@ msgid "Delete Bus Effect" msgstr "" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +msgid "Drag & drop to rearrange." msgstr "" #: editor/editor_audio_buses.cpp @@ -1405,6 +1439,7 @@ msgid "Add AutoLoad" msgstr "Shto Autoload" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "Rruga:" @@ -1648,6 +1683,7 @@ msgstr "(Aktual)" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "" @@ -1724,6 +1760,7 @@ msgid "New Folder..." msgstr "Folder i Ri..." #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "Rifresko" @@ -1883,7 +1920,8 @@ msgid "Inherited by:" msgstr "E trashëguar nga:" #: editor/editor_help.cpp -msgid "Brief Description:" +#, fuzzy +msgid "Brief Description" msgstr "Përshkrim i Shkurtër:" #: editor/editor_help.cpp @@ -1891,38 +1929,18 @@ msgid "Properties" msgstr "Vetitë" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "Vetitë:" - -#: editor/editor_help.cpp msgid "Methods" msgstr "Metodat" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "Metodat:" - -#: editor/editor_help.cpp msgid "Theme Properties" msgstr "Vetitë e Temës" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "Vetitë e Temës:" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "Sinjalet:" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "Enumeracionet" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "Enumeracionet:" - -#: editor/editor_help.cpp msgid "enum " msgstr "" @@ -1931,19 +1949,12 @@ msgid "Constants" msgstr "Konstantet" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "Konstantet:" - -#: editor/editor_help.cpp msgid "Class Description" msgstr "Përshkrimi i Klasës" #: editor/editor_help.cpp -msgid "Class Description:" -msgstr "Përshkrimi i Klasës:" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +#, fuzzy +msgid "Online Tutorials" msgstr "Tutorialet Online:" #: editor/editor_help.cpp @@ -1961,10 +1972,6 @@ msgid "Property Descriptions" msgstr "Përshkrimi i Vetive" #: editor/editor_help.cpp -msgid "Property Descriptions:" -msgstr "Përshkrimi i Vetive:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -1977,10 +1984,6 @@ msgid "Method Descriptions" msgstr "Përshkrimi i Metodës" #: editor/editor_help.cpp -msgid "Method Descriptions:" -msgstr "Përshkrimi i Metodes:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2049,8 +2052,8 @@ msgstr "Përfundimi:" msgid "Copy Selection" msgstr "" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2063,6 +2066,49 @@ msgstr "Pastro" msgid "Clear Output" msgstr "Pastro Përfundimin" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "Ndalo" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "Fillo" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +#, fuzzy +msgid "Down" +msgstr "Shkarko" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "Nyje" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" msgstr "" @@ -2660,6 +2706,19 @@ msgstr "Projekti" msgid "Project Settings..." msgstr "Opsionet e Projektit" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Version Control" +msgstr "Versioni:" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp #, fuzzy msgid "Export..." @@ -2884,10 +2943,6 @@ msgstr "Pusho Skenën" msgid "Stop the scene." msgstr "Ndalo skenën." -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "Ndalo" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "Luaj skenën e modifikuar." @@ -2942,10 +2997,6 @@ msgid "Inspector" msgstr "Inspektori" #: editor/editor_node.cpp -msgid "Node" -msgstr "Nyje" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "Zgjero Panelin Fundor" @@ -2968,15 +3019,21 @@ msgstr "Menaxho Shabllonet e Eksportit" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -3039,6 +3096,10 @@ msgstr "Hap Editorin tjetër" msgid "Open the previous Editor" msgstr "Hap Editorin e mëparshëm" +#: editor/editor_path.cpp +msgid "No sub-resources found." +msgstr "" + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "Duke Krijuar Shikimin Paraprak të Mesh-ave" @@ -3048,6 +3109,11 @@ msgid "Thumbnail..." msgstr "Korniza..." #: editor/editor_plugin_settings.cpp +#, fuzzy +msgid "Main Script:" +msgstr "Hap Editorin e Shkrimit" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "Modifiko Shtojcën" @@ -3076,11 +3142,6 @@ msgstr "Statusi:" msgid "Edit:" msgstr "Modifiko:" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "Fillo" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "Përmasa:" @@ -3899,9 +3960,10 @@ msgstr " Skedarët" msgid "Import As:" msgstr "Importo Si:" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." -msgstr "" +#: editor/import_dock.cpp +#, fuzzy +msgid "Preset" +msgstr "Ngarko Gabimet" #: editor/import_dock.cpp msgid "Reimport" @@ -4332,6 +4394,7 @@ msgid "Change Animation Name:" msgstr "" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "" @@ -4897,11 +4960,6 @@ msgid "Sort:" msgstr "" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy -msgid "Reverse sorting." -msgstr "Duke bër kërkesën..." - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "" @@ -5174,6 +5232,11 @@ msgid "Pan Mode" msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy +msgid "Ruler Mode" +msgstr "Ndrysho Mënyrën" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "" @@ -6231,7 +6294,7 @@ msgstr "" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "" @@ -6436,11 +6499,11 @@ msgid "Toggle Scripts Panel" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" +msgid "Step Into" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Into" +msgid "Step Over" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp @@ -6522,7 +6585,7 @@ msgstr "Pastro Skenat e Fundit" msgid "Connections to method:" msgstr "Lidhë me Nyjen:" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp #, fuzzy msgid "Source" msgstr "Resursi" @@ -7305,6 +7368,11 @@ msgid "(empty)" msgstr "" #: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy +msgid "Move Frame" +msgstr "Lëviz të Preferuarën Lartë" + +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Animations:" msgstr "Animacionet:" @@ -7622,6 +7690,15 @@ msgid "Enable Priority" msgstr "" #: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy +msgid "Filter tiles" +msgstr "Filtro Skedarët..." + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "" @@ -7755,6 +7832,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp msgid "Remove selected texture? This will remove all tiles which use it." msgstr "" @@ -7909,6 +7991,107 @@ msgstr "" msgid "TileSet" msgstr "" +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No VCS addons are available." +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No commit message was provided" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit" +msgstr "Komuniteti" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Initialize" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "Sinkronizo Nryshimet e Skenës" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "Ndrysho" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "Riemërto" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "Fshi" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Typechange" +msgstr "Ndrysho" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "Zgjidh" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Stage All" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit Changes" +msgstr "Sinkronizo Ndryshimet e Shkrimit" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -8153,6 +8336,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9352,6 +9540,10 @@ msgid "Settings saved OK." msgstr "" #: editor/project_settings_editor.cpp +msgid "Moved Input Action Event" +msgstr "" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "" @@ -9488,6 +9680,10 @@ msgid "Plugins" msgstr "" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "" + +#: editor/property_editor.cpp msgid "Zero" msgstr "" @@ -9651,10 +9847,6 @@ msgstr "" msgid "Reset" msgstr "" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "" @@ -9710,6 +9902,10 @@ msgid "Instance Scene(s)" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Replace with Branch Scene" +msgstr "" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "" @@ -9750,10 +9946,24 @@ msgid "Make node as Root" msgstr "" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "Fshi Nyjen" + +#: editor/scene_tree_dock.cpp +msgid "Delete the root node \"%s\"?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" msgstr "" #: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "Fshi Nyjen" + +#: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." msgstr "" @@ -10144,26 +10354,61 @@ msgid "Bytes:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" +msgid "Warning:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." +#, fuzzy +msgid "Error:" +msgstr "Pasqyrë" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error" +msgstr "Ngarko Gabimet" + +#: editor/script_editor_debugger.cpp +msgid "C++ Error:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Errors" +#, fuzzy +msgid "C++ Source" +msgstr "Resursi" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" +msgstr "Resursi" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source:" +msgstr "Resursi" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +msgid "Errors" msgstr "" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Child process connected." +msgstr "U Shkëput" + +#: editor/script_editor_debugger.cpp msgid "Copy Error" msgstr "" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "Krijo pika." + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "" @@ -10180,6 +10425,11 @@ msgid "Profiler" msgstr "" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Network Profiler" +msgstr "Eksporto Projektin" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "" @@ -10192,6 +10442,10 @@ msgid "Monitors" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "" @@ -10389,10 +10643,6 @@ msgid "Library" msgstr "" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "" @@ -10401,6 +10651,10 @@ msgid "GDNative" msgstr "" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "" @@ -10553,6 +10807,15 @@ msgstr "" msgid "Pick Distance:" msgstr "" +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "Nyjet filtruese" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -10691,6 +10954,10 @@ msgid "Create a new variable." msgstr "Krijo një Folder" #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "Sinjalet:" + +#: modules/visual_script/visual_script_editor.cpp #, fuzzy msgid "Create a new signal." msgstr "Krijo %s të ri" @@ -10848,6 +11115,10 @@ msgid "Editing Signal:" msgstr "" #: modules/visual_script/visual_script_editor.cpp +msgid "Make Tool:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "" @@ -10995,7 +11266,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp @@ -11641,6 +11913,34 @@ msgstr "" msgid "Constants cannot be modified." msgstr "" +#~ msgid "Properties:" +#~ msgstr "Vetitë:" + +#~ msgid "Methods:" +#~ msgstr "Metodat:" + +#~ msgid "Theme Properties:" +#~ msgstr "Vetitë e Temës:" + +#~ msgid "Enumerations:" +#~ msgstr "Enumeracionet:" + +#~ msgid "Constants:" +#~ msgstr "Konstantet:" + +#~ msgid "Class Description:" +#~ msgstr "Përshkrimi i Klasës:" + +#~ msgid "Property Descriptions:" +#~ msgstr "Përshkrimi i Vetive:" + +#~ msgid "Method Descriptions:" +#~ msgstr "Përshkrimi i Metodes:" + +#, fuzzy +#~ msgid "Reverse sorting." +#~ msgstr "Duke bër kërkesën..." + #~ msgid "" #~ "Can't open file_type_cache.cch for writing, not saving file type cache!" #~ msgstr "" diff --git a/editor/translations/sr_Cyrl.po b/editor/translations/sr_Cyrl.po index e6d1538c83..748f8a860b 100644 --- a/editor/translations/sr_Cyrl.po +++ b/editor/translations/sr_Cyrl.po @@ -58,6 +58,35 @@ msgstr "" msgid "On call to '%s':" msgstr "" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +#, fuzzy +msgid "MiB" +msgstr "Микс" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "Слободно" @@ -500,6 +529,11 @@ msgid "Select None" msgstr "Одабери режим" #: editor/animation_track_editor.cpp +#, fuzzy +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "Одабери AnimationPlayer из дрвета сцене за уређивање анимација." + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "" @@ -836,7 +870,8 @@ msgstr "Везујући сигнал:" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -947,7 +982,8 @@ msgstr "Тражи:" msgid "Matches:" msgstr "Подударање:" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1269,7 +1305,8 @@ msgid "Delete Bus Effect" msgstr "Обриши звучни ефекат" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +#, fuzzy +msgid "Drag & drop to rearrange." msgstr "Звучни бас, превуците и испустите за преуређивање." #: editor/editor_audio_buses.cpp @@ -1465,6 +1502,7 @@ msgid "Add AutoLoad" msgstr "Додај аутоматско учитавање" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "Пут:" @@ -1706,6 +1744,7 @@ msgstr "Тренутно:" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "Нова" @@ -1786,6 +1825,7 @@ msgid "New Folder..." msgstr "Нови директоријум..." #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "Освежи" @@ -1949,7 +1989,8 @@ msgid "Inherited by:" msgstr "Наслеђено од:" #: editor/editor_help.cpp -msgid "Brief Description:" +#, fuzzy +msgid "Brief Description" msgstr "Кратак опис:" #: editor/editor_help.cpp @@ -1957,41 +1998,19 @@ msgid "Properties" msgstr "Особине" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "" - -#: editor/editor_help.cpp msgid "Methods" msgstr "Методе" #: editor/editor_help.cpp #, fuzzy -msgid "Methods:" -msgstr "Методе" - -#: editor/editor_help.cpp -#, fuzzy msgid "Theme Properties" msgstr "Особине" #: editor/editor_help.cpp -#, fuzzy -msgid "Theme Properties:" -msgstr "Особине" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "Сигнали:" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "Енумерације" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "Енумерације:" - -#: editor/editor_help.cpp msgid "enum " msgstr "enum " @@ -2000,22 +2019,13 @@ msgid "Constants" msgstr "Константе" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "Константе:" - -#: editor/editor_help.cpp #, fuzzy msgid "Class Description" msgstr "Опис" #: editor/editor_help.cpp #, fuzzy -msgid "Class Description:" -msgstr "Опис:" - -#: editor/editor_help.cpp -#, fuzzy -msgid "Online Tutorials:" +msgid "Online Tutorials" msgstr "Онлајн документација" #: editor/editor_help.cpp @@ -2034,11 +2044,6 @@ msgid "Property Descriptions" msgstr "Опис особине:" #: editor/editor_help.cpp -#, fuzzy -msgid "Property Descriptions:" -msgstr "Опис особине:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -2052,11 +2057,6 @@ msgid "Method Descriptions" msgstr "Опис методе:" #: editor/editor_help.cpp -#, fuzzy -msgid "Method Descriptions:" -msgstr "Опис методе:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2135,8 +2135,8 @@ msgstr "Излаз:" msgid "Copy Selection" msgstr "Обриши одабрано" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2150,6 +2150,50 @@ msgstr "Обриши" msgid "Clear Output" msgstr "Излаз" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "Заустави" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +#, fuzzy +msgid "Start" +msgstr "Започни!" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +#, fuzzy +msgid "Down" +msgstr "Преучми" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "Чвор" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" msgstr "" @@ -2741,6 +2785,19 @@ msgstr "Пројекат" msgid "Project Settings..." msgstr "Поставке пројекта" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Version Control" +msgstr "Верзија:" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp #, fuzzy msgid "Export..." @@ -2970,10 +3027,6 @@ msgstr "Паузирај сцену" msgid "Stop the scene." msgstr "Заусави сцену." -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "Заустави" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "Покрени промењену сцену." @@ -3029,10 +3082,6 @@ msgid "Inspector" msgstr "Инспектор" #: editor/editor_node.cpp -msgid "Node" -msgstr "Чвор" - -#: editor/editor_node.cpp #, fuzzy msgid "Expand Bottom Panel" msgstr "Прошири све" @@ -3056,15 +3105,21 @@ msgstr "Управљај извозним шаблонима" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -3127,6 +3182,11 @@ msgstr "Отвори следећи уредник" msgid "Open the previous Editor" msgstr "Отвори претходни уредник" +#: editor/editor_path.cpp +#, fuzzy +msgid "No sub-resources found." +msgstr "Извор површине није наведен." + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "Направи приказ мрежа" @@ -3137,6 +3197,11 @@ msgstr "Сличица..." #: editor/editor_plugin_settings.cpp #, fuzzy +msgid "Main Script:" +msgstr "Покрени скриптицу" + +#: editor/editor_plugin_settings.cpp +#, fuzzy msgid "Edit Plugin" msgstr "Измени полигон" @@ -3166,12 +3231,6 @@ msgstr "Статус:" msgid "Edit:" msgstr "Уреди" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -#, fuzzy -msgid "Start" -msgstr "Започни!" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "Мера:" @@ -4018,9 +4077,10 @@ msgstr " Датотеке" msgid "Import As:" msgstr "Увези као:" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." -msgstr "Поставке..." +#: editor/import_dock.cpp +#, fuzzy +msgid "Preset" +msgstr "Поставке" #: editor/import_dock.cpp msgid "Reimport" @@ -4490,6 +4550,7 @@ msgid "Change Animation Name:" msgstr "Измени име анимације:" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "Обриши анимацију?" @@ -5079,11 +5140,6 @@ msgid "Sort:" msgstr "Сортирање:" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy -msgid "Reverse sorting." -msgstr "Захтевање..." - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "Категорија:" @@ -5374,6 +5430,11 @@ msgstr "Режим инспекције" #: editor/plugins/canvas_item_editor_plugin.cpp #, fuzzy +msgid "Ruler Mode" +msgstr "Режим скалирања (R)" + +#: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy msgid "Toggle snapping." msgstr "Укљ./Искљ. лепљења" @@ -6483,7 +6544,7 @@ msgstr "" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "Тип:" @@ -6707,14 +6768,14 @@ msgid "Toggle Scripts Panel" msgstr "Прикажи панел скриптица" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" -msgstr "Корак преко" - -#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Step Into" msgstr "Корак у" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp +msgid "Step Over" +msgstr "Корак преко" + +#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Break" msgstr "Прекини" @@ -6798,7 +6859,7 @@ msgstr "Очисти недавне сцене" msgid "Connections to method:" msgstr "Повежи са чвором:" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp #, fuzzy msgid "Source" msgstr "" @@ -7626,6 +7687,11 @@ msgstr "(празно)" #: editor/plugins/sprite_frames_editor_plugin.cpp #, fuzzy +msgid "Move Frame" +msgstr "Налепи оквир" + +#: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy msgid "Animations:" msgstr "Анимације" @@ -7971,6 +8037,15 @@ msgid "Enable Priority" msgstr "Уреди филтере" #: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy +msgid "Filter tiles" +msgstr "Филтрирај датотеке..." + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "Цртај полчице" @@ -8120,6 +8195,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp #, fuzzy msgid "Remove selected texture? This will remove all tiles which use it." msgstr "Обриши тачку криве" @@ -8300,6 +8380,109 @@ msgstr "Ова операција се не може обавити без сц msgid "TileSet" msgstr "TileSet..." +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No VCS addons are available." +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "Грешка" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No commit message was provided" +msgstr "Име није дато" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit" +msgstr "Заједница" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Initialize" +msgstr "Велика слова" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "Направи нов" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "Промене шејдера" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "Преименуј" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "Обриши" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Typechange" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "Увећај одабрано" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage All" +msgstr "Сачувај све" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit Changes" +msgstr "Синхронизуј промене скриптица" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -8560,6 +8743,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9799,6 +9987,11 @@ msgid "Settings saved OK." msgstr "" #: editor/project_settings_editor.cpp +#, fuzzy +msgid "Moved Input Action Event" +msgstr "Обриши одабрано" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "" @@ -9938,6 +10131,10 @@ msgid "Plugins" msgstr "Прикључци" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "Поставке..." + +#: editor/property_editor.cpp msgid "Zero" msgstr "" @@ -10111,10 +10308,6 @@ msgstr "Велика слова" msgid "Reset" msgstr "Ресетуј увеличање" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "Грешка" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "" @@ -10170,6 +10363,10 @@ msgid "Instance Scene(s)" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Replace with Branch Scene" +msgstr "" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "" @@ -10211,10 +10408,25 @@ msgid "Make node as Root" msgstr "Сачувај сцену" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "Направи чвор" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete the root node \"%s\"?" +msgstr "Обриши чвор/ове графа шејдера" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" msgstr "" #: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "Направи чвор" + +#: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." msgstr "" @@ -10621,27 +10833,69 @@ msgid "Bytes:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" +msgid "Warning:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." +#, fuzzy +msgid "Error:" +msgstr "Грешка" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error" +msgstr "Учитај грешке" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error:" +msgstr "Учитај грешке" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source" +msgstr "" +"\n" +"Извор: " + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" msgstr "" +"\n" +"Извор: " #: editor/script_editor_debugger.cpp -msgid "Errors" +#, fuzzy +msgid "C++ Source:" +msgstr "" +"\n" +"Извор: " + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +msgid "Errors" msgstr "" #: editor/script_editor_debugger.cpp #, fuzzy +msgid "Child process connected." +msgstr "Веза прекинута" + +#: editor/script_editor_debugger.cpp +#, fuzzy msgid "Copy Error" msgstr "Учитај грешке" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "Обриши тачке" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "" @@ -10658,6 +10912,11 @@ msgid "Profiler" msgstr "" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Network Profiler" +msgstr "Извези пројекат" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "" @@ -10670,6 +10929,10 @@ msgid "Monitors" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "" @@ -10873,10 +11136,6 @@ msgid "Library" msgstr "" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "" @@ -10885,6 +11144,10 @@ msgid "GDNative" msgstr "" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "" @@ -11042,6 +11305,15 @@ msgstr "" msgid "Pick Distance:" msgstr "" +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "Поставке објекта." + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -11180,6 +11452,10 @@ msgid "Create a new variable." msgstr "Направи нов" #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "Сигнали:" + +#: modules/visual_script/visual_script_editor.cpp #, fuzzy msgid "Create a new signal." msgstr "Направи нови полигон од почетка." @@ -11340,6 +11616,11 @@ msgid "Editing Signal:" msgstr "" #: modules/visual_script/visual_script_editor.cpp +#, fuzzy +msgid "Make Tool:" +msgstr "Направи кости" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "" @@ -11489,7 +11770,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp @@ -12156,6 +12438,36 @@ msgstr "" msgid "Constants cannot be modified." msgstr "" +#, fuzzy +#~ msgid "Methods:" +#~ msgstr "Методе" + +#, fuzzy +#~ msgid "Theme Properties:" +#~ msgstr "Особине" + +#~ msgid "Enumerations:" +#~ msgstr "Енумерације:" + +#~ msgid "Constants:" +#~ msgstr "Константе:" + +#, fuzzy +#~ msgid "Class Description:" +#~ msgstr "Опис:" + +#, fuzzy +#~ msgid "Property Descriptions:" +#~ msgstr "Опис особине:" + +#, fuzzy +#~ msgid "Method Descriptions:" +#~ msgstr "Опис методе:" + +#, fuzzy +#~ msgid "Reverse sorting." +#~ msgstr "Захтевање..." + #~ msgid "" #~ "Can't open file_type_cache.cch for writing, not saving file type cache!" #~ msgstr "" @@ -12368,9 +12680,6 @@ msgstr "" #~ msgid "Splits" #~ msgstr "Раздели пут" -#~ msgid "No name provided" -#~ msgstr "Име није дато" - #~ msgid "Create from scene?" #~ msgstr "Направи од сцене?" @@ -12549,9 +12858,6 @@ msgstr "" #~ msgid "Move Shader Graph Node" #~ msgstr "Помери чвор графа шејдера" -#~ msgid "Delete Shader Graph Node(s)" -#~ msgstr "Обриши чвор/ове графа шејдера" - #~ msgid "Error: Cyclic Connection Link" #~ msgstr "Грешка: пронађена циклична веза" diff --git a/editor/translations/sr_Latn.po b/editor/translations/sr_Latn.po index 49789c467a..6ba0aef967 100644 --- a/editor/translations/sr_Latn.po +++ b/editor/translations/sr_Latn.po @@ -61,6 +61,34 @@ msgstr "" msgid "On call to '%s':" msgstr "" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +msgid "MiB" +msgstr "" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "Slobodno" @@ -480,6 +508,10 @@ msgid "Select None" msgstr "Uduplaj Selekciju" #: editor/animation_track_editor.cpp +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "" @@ -801,7 +833,8 @@ msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -903,7 +936,8 @@ msgstr "" msgid "Matches:" msgstr "" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1203,7 +1237,7 @@ msgid "Delete Bus Effect" msgstr "" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +msgid "Drag & drop to rearrange." msgstr "" #: editor/editor_audio_buses.cpp @@ -1394,6 +1428,7 @@ msgid "Add AutoLoad" msgstr "" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "" @@ -1614,6 +1649,7 @@ msgstr "" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "" @@ -1684,6 +1720,7 @@ msgid "New Folder..." msgstr "" #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "" @@ -1841,7 +1878,7 @@ msgid "Inherited by:" msgstr "" #: editor/editor_help.cpp -msgid "Brief Description:" +msgid "Brief Description" msgstr "" #: editor/editor_help.cpp @@ -1849,38 +1886,18 @@ msgid "Properties" msgstr "" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "" - -#: editor/editor_help.cpp msgid "Methods" msgstr "" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "" - -#: editor/editor_help.cpp msgid "Theme Properties" msgstr "" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "" - -#: editor/editor_help.cpp msgid "enum " msgstr "" @@ -1889,19 +1906,11 @@ msgid "Constants" msgstr "" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "" - -#: editor/editor_help.cpp msgid "Class Description" msgstr "" #: editor/editor_help.cpp -msgid "Class Description:" -msgstr "" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +msgid "Online Tutorials" msgstr "" #: editor/editor_help.cpp @@ -1916,10 +1925,6 @@ msgid "Property Descriptions" msgstr "" #: editor/editor_help.cpp -msgid "Property Descriptions:" -msgstr "" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -1930,10 +1935,6 @@ msgid "Method Descriptions" msgstr "" #: editor/editor_help.cpp -msgid "Method Descriptions:" -msgstr "" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2002,8 +2003,8 @@ msgstr "" msgid "Copy Selection" msgstr "Obriši Selekciju" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2016,6 +2017,48 @@ msgstr "" msgid "Clear Output" msgstr "" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Down" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" msgstr "" @@ -2556,6 +2599,18 @@ msgstr "" msgid "Project Settings..." msgstr "" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control" +msgstr "" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp msgid "Export..." msgstr "" @@ -2756,10 +2811,6 @@ msgstr "" msgid "Stop the scene." msgstr "" -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "" @@ -2811,10 +2862,6 @@ msgid "Inspector" msgstr "" #: editor/editor_node.cpp -msgid "Node" -msgstr "" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "" @@ -2836,15 +2883,21 @@ msgstr "" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -2907,6 +2960,10 @@ msgstr "" msgid "Open the previous Editor" msgstr "" +#: editor/editor_path.cpp +msgid "No sub-resources found." +msgstr "" + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "" @@ -2916,6 +2973,10 @@ msgid "Thumbnail..." msgstr "" #: editor/editor_plugin_settings.cpp +msgid "Main Script:" +msgstr "" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "" @@ -2944,11 +3005,6 @@ msgstr "" msgid "Edit:" msgstr "" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "" @@ -3727,8 +3783,8 @@ msgstr "" msgid "Import As:" msgstr "" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." +#: editor/import_dock.cpp +msgid "Preset" msgstr "" #: editor/import_dock.cpp @@ -4162,6 +4218,7 @@ msgid "Change Animation Name:" msgstr "" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "" @@ -4726,10 +4783,6 @@ msgid "Sort:" msgstr "" #: editor/plugins/asset_library_editor_plugin.cpp -msgid "Reverse sorting." -msgstr "" - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "" @@ -4999,6 +5052,10 @@ msgid "Pan Mode" msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp +msgid "Ruler Mode" +msgstr "" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "" @@ -6060,7 +6117,7 @@ msgstr "" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "" @@ -6260,11 +6317,11 @@ msgid "Toggle Scripts Panel" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" +msgid "Step Into" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Into" +msgid "Step Over" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp @@ -6344,7 +6401,7 @@ msgstr "" msgid "Connections to method:" msgstr "" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp msgid "Source" msgstr "" @@ -7124,6 +7181,10 @@ msgid "(empty)" msgstr "" #: editor/plugins/sprite_frames_editor_plugin.cpp +msgid "Move Frame" +msgstr "" + +#: editor/plugins/sprite_frames_editor_plugin.cpp #, fuzzy msgid "Animations:" msgstr "Optimizuj Animaciju" @@ -7446,6 +7507,14 @@ msgid "Enable Priority" msgstr "" #: editor/plugins/tile_map_editor_plugin.cpp +msgid "Filter tiles" +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "" @@ -7583,6 +7652,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp #, fuzzy msgid "Remove selected texture? This will remove all tiles which use it." msgstr "Obriši Selekciju" @@ -7749,6 +7823,104 @@ msgstr "" msgid "TileSet" msgstr "" +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No VCS addons are available." +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No commit message was provided" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit" +msgstr "Zajednica" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Initialize" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "Napravi" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "Animacija Preimenuj Kanal" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "Animacija Obriši Ključeve" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Typechange" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "Skaliraj Selekciju" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Stage All" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Commit Changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -7989,6 +8161,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9186,6 +9363,10 @@ msgid "Settings saved OK." msgstr "" #: editor/project_settings_editor.cpp +msgid "Moved Input Action Event" +msgstr "" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "" @@ -9323,6 +9504,10 @@ msgid "Plugins" msgstr "" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "" + +#: editor/property_editor.cpp msgid "Zero" msgstr "" @@ -9487,10 +9672,6 @@ msgstr "" msgid "Reset" msgstr "" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "" @@ -9546,6 +9727,10 @@ msgid "Instance Scene(s)" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Replace with Branch Scene" +msgstr "" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "" @@ -9586,10 +9771,24 @@ msgid "Make node as Root" msgstr "" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "Animacija Obriši Ključeve" + +#: editor/scene_tree_dock.cpp +msgid "Delete the root node \"%s\"?" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" +msgstr "" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "Animacija Obriši Ključeve" + +#: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." msgstr "" @@ -9968,11 +10167,36 @@ msgid "Bytes:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" +msgid "Warning:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." +#, fuzzy +msgid "Error:" +msgstr "Ogledalo" + +#: editor/script_editor_debugger.cpp +msgid "C++ Error" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Error:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Source" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "Source:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Source:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" msgstr "" #: editor/script_editor_debugger.cpp @@ -9980,7 +10204,7 @@ msgid "Errors" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +msgid "Child process connected." msgstr "" #: editor/script_editor_debugger.cpp @@ -9988,6 +10212,11 @@ msgid "Copy Error" msgstr "" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "Napravi" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "" @@ -10004,6 +10233,10 @@ msgid "Profiler" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Network Profiler" +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "" @@ -10016,6 +10249,10 @@ msgid "Monitors" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "" @@ -10212,10 +10449,6 @@ msgid "Library" msgstr "" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "" @@ -10224,6 +10457,10 @@ msgid "GDNative" msgstr "" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "" @@ -10378,6 +10615,14 @@ msgstr "" msgid "Pick Distance:" msgstr "" +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Filter meshes" +msgstr "" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -10515,6 +10760,10 @@ msgid "Create a new variable." msgstr "Napravi" #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp #, fuzzy msgid "Create a new signal." msgstr "Napravi" @@ -10672,6 +10921,10 @@ msgid "Editing Signal:" msgstr "" #: modules/visual_script/visual_script_editor.cpp +msgid "Make Tool:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "" @@ -10819,7 +11072,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp diff --git a/editor/translations/sv.po b/editor/translations/sv.po index ed6ea9abe6..e59576d365 100644 --- a/editor/translations/sv.po +++ b/editor/translations/sv.po @@ -10,12 +10,13 @@ # Magnus Helander <helander@fastmail.net>, 2018. # Daniel K <danielkimblad@hotmail.com>, 2018. # Toiya <elviraa98@gmail.com>, 2019. +# Fredrik Welin <figgemail@gmail.com>, 2019. msgid "" msgstr "" "Project-Id-Version: Godot Engine editor\n" "POT-Creation-Date: \n" -"PO-Revision-Date: 2019-03-19 15:04+0000\n" -"Last-Translator: Toiya <elviraa98@gmail.com>\n" +"PO-Revision-Date: 2019-09-07 13:51+0000\n" +"Last-Translator: Fredrik Welin <figgemail@gmail.com>\n" "Language-Team: Swedish <https://hosted.weblate.org/projects/godot-engine/" "godot/sv/>\n" "Language: sv\n" @@ -23,7 +24,7 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=n != 1;\n" -"X-Generator: Weblate 3.6-dev\n" +"X-Generator: Weblate 3.9-dev\n" #: core/math/expression.cpp modules/gdscript/gdscript_functions.cpp #: modules/visual_script/visual_script_builtin_funcs.cpp @@ -35,14 +36,15 @@ msgstr "Ogiltligt typargument till convert(), använd TYPE_* konstanter." #: modules/visual_script/visual_script_builtin_funcs.cpp msgid "Not enough bytes for decoding bytes, or invalid format." msgstr "" +"Inte tillräckligt antal bytes eller ogiltigt format för avkodning av bytes." #: core/math/expression.cpp msgid "Invalid input %i (not passed) in expression" -msgstr "" +msgstr "Ogiltig indata %i (ej överförd) i uttrycket" #: core/math/expression.cpp msgid "self can't be used because instance is null (not passed)" -msgstr "" +msgstr "\"self\" kan inte användas eftersom instansen är null (ej överförd)" #: core/math/expression.cpp msgid "Invalid operands to operator %s, %s and %s." @@ -64,6 +66,34 @@ msgstr "" msgid "On call to '%s':" msgstr "" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +msgid "MiB" +msgstr "" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "Gratis" @@ -81,9 +111,8 @@ msgid "Time:" msgstr "Tid:" #: editor/animation_bezier_editor.cpp -#, fuzzy msgid "Value:" -msgstr "Värde" +msgstr "Värde:" #: editor/animation_bezier_editor.cpp msgid "Insert Key Here" @@ -491,6 +520,11 @@ msgid "Select None" msgstr "Välj Node" #: editor/animation_track_editor.cpp +#, fuzzy +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "Välj en AnimationPlayer från Scenträdet för att redigera animationer." + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "" @@ -845,7 +879,8 @@ msgstr "Ansluter Signal:" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -960,7 +995,8 @@ msgstr "Sök:" msgid "Matches:" msgstr "Matchar:" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1326,7 +1362,7 @@ msgstr "Ta bort Buss-Effekt" #: editor/editor_audio_buses.cpp #, fuzzy -msgid "Audio Bus, Drag and Drop to rearrange." +msgid "Drag & drop to rearrange." msgstr "Ljud-Buss, dra och släpp för att ändra ordning." #: editor/editor_audio_buses.cpp @@ -1556,6 +1592,7 @@ msgid "Add AutoLoad" msgstr "Lägg till AutoLoad" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp #, fuzzy msgid "Path:" @@ -1802,6 +1839,7 @@ msgstr "Nuvarande:" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "Ny" @@ -1884,6 +1922,7 @@ msgid "New Folder..." msgstr "Ny Mapp..." #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "Uppdatera" @@ -2057,7 +2096,8 @@ msgid "Inherited by:" msgstr "Ärvd av:" #: editor/editor_help.cpp -msgid "Brief Description:" +#, fuzzy +msgid "Brief Description" msgstr "Kort Beskrivning:" #: editor/editor_help.cpp @@ -2066,43 +2106,20 @@ msgid "Properties" msgstr "Egenskaper" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "" - -#: editor/editor_help.cpp #, fuzzy msgid "Methods" msgstr "Metoder" #: editor/editor_help.cpp #, fuzzy -msgid "Methods:" -msgstr "Metoder" - -#: editor/editor_help.cpp -#, fuzzy msgid "Theme Properties" msgstr "Egenskaper" #: editor/editor_help.cpp -#, fuzzy -msgid "Theme Properties:" -msgstr "Egenskaper" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -#, fuzzy -msgid "Signals:" -msgstr "Signaler:" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "Enumerations" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "Enumerations:" - -#: editor/editor_help.cpp #, fuzzy msgid "enum " msgstr "enum " @@ -2113,22 +2130,13 @@ msgid "Constants" msgstr "Konstanter" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "Konstanter:" - -#: editor/editor_help.cpp #, fuzzy msgid "Class Description" msgstr "Beskrivning" #: editor/editor_help.cpp #, fuzzy -msgid "Class Description:" -msgstr "Beskrivning:" - -#: editor/editor_help.cpp -#, fuzzy -msgid "Online Tutorials:" +msgid "Online Tutorials" msgstr "Dokumentation Online" #: editor/editor_help.cpp @@ -2148,11 +2156,6 @@ msgstr "Egenskapsbeskrivning:" #: editor/editor_help.cpp #, fuzzy -msgid "Property Descriptions:" -msgstr "Egenskapsbeskrivning:" - -#: editor/editor_help.cpp -#, fuzzy msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -2167,11 +2170,6 @@ msgstr "Metodbeskrivning:" #: editor/editor_help.cpp #, fuzzy -msgid "Method Descriptions:" -msgstr "Metodbeskrivning:" - -#: editor/editor_help.cpp -#, fuzzy msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2251,8 +2249,8 @@ msgstr "Output:" msgid "Copy Selection" msgstr "Ta bort Urval" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2267,6 +2265,50 @@ msgstr "Rensa" msgid "Clear Output" msgstr "Output:" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +#, fuzzy +msgid "Stop" +msgstr "Stanna" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +#, fuzzy +msgid "Down" +msgstr "Ladda ner" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "Node" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" msgstr "" @@ -2924,6 +2966,19 @@ msgstr "Projekt" msgid "Project Settings..." msgstr "Projektinställningar" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Version Control" +msgstr "Version:" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp #, fuzzy msgid "Export..." @@ -3136,11 +3191,6 @@ msgstr "Pausa Scen" msgid "Stop the scene." msgstr "Stanna scenen." -#: editor/editor_node.cpp editor/editor_profiler.cpp -#, fuzzy -msgid "Stop" -msgstr "Stanna" - #: editor/editor_node.cpp #, fuzzy msgid "Play the edited scene." @@ -3196,10 +3246,6 @@ msgid "Inspector" msgstr "Inspektör" #: editor/editor_node.cpp -msgid "Node" -msgstr "Node" - -#: editor/editor_node.cpp #, fuzzy msgid "Expand Bottom Panel" msgstr "Expandera alla" @@ -3223,15 +3269,21 @@ msgstr "Mallar" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -3297,6 +3349,11 @@ msgstr "" msgid "Open the previous Editor" msgstr "" +#: editor/editor_path.cpp +#, fuzzy +msgid "No sub-resources found." +msgstr "Resurser" + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "" @@ -3308,6 +3365,11 @@ msgstr "Miniatyr..." #: editor/editor_plugin_settings.cpp #, fuzzy +msgid "Main Script:" +msgstr "Öppna Skript" + +#: editor/editor_plugin_settings.cpp +#, fuzzy msgid "Edit Plugin" msgstr "Redigera Polygon" @@ -3337,11 +3399,6 @@ msgstr "Status:" msgid "Edit:" msgstr "Redigera" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "" @@ -4208,9 +4265,10 @@ msgstr "" msgid "Import As:" msgstr "Importera Som:" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." -msgstr "" +#: editor/import_dock.cpp +#, fuzzy +msgid "Preset" +msgstr "Återställ Zoom" #: editor/import_dock.cpp msgid "Reimport" @@ -4682,6 +4740,7 @@ msgid "Change Animation Name:" msgstr "Ändra Animationsnamn:" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "Ta bort Animation?" @@ -5284,10 +5343,6 @@ msgid "Sort:" msgstr "Sortera:" #: editor/plugins/asset_library_editor_plugin.cpp -msgid "Reverse sorting." -msgstr "" - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "Kategori:" @@ -5568,6 +5623,11 @@ msgid "Pan Mode" msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy +msgid "Ruler Mode" +msgstr "Växla Läge" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "" @@ -6663,7 +6723,7 @@ msgstr "Instans:" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp #, fuzzy msgid "Type:" msgstr "Typ:" @@ -6897,11 +6957,11 @@ msgid "Toggle Scripts Panel" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" +msgid "Step Into" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Into" +msgid "Step Over" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp @@ -6988,7 +7048,7 @@ msgstr "Rensa Senaste Scener" msgid "Connections to method:" msgstr "Anslut Till Node:" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp #, fuzzy msgid "Source" msgstr "Källa:" @@ -7833,6 +7893,11 @@ msgstr "(tom)" #: editor/plugins/sprite_frames_editor_plugin.cpp #, fuzzy +msgid "Move Frame" +msgstr "Flytta Nod(er)" + +#: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy msgid "Animations:" msgstr "Animationer" @@ -8173,6 +8238,15 @@ msgid "Enable Priority" msgstr "Redigera Filter" #: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy +msgid "Filter tiles" +msgstr "Filtrera Filer..." + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "" @@ -8318,6 +8392,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp #, fuzzy msgid "Remove selected texture? This will remove all tiles which use it." msgstr "Flytta nuvarande spår upp." @@ -8494,6 +8573,109 @@ msgstr "Åtgärden kan inte göras utan en scen." msgid "TileSet" msgstr "TileSet..." +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No VCS addons are available." +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +#, fuzzy +msgid "Error" +msgstr "Fel" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No commit message was provided" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit" +msgstr "Community" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Initialize" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "Skapa Ny" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "Ändra" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "Byt namn" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "Ta bort" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Typechange" +msgstr "Ändra" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "Skala urval" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage All" +msgstr "Spara Alla" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit Changes" +msgstr "Synkronisera Skript-ändringar" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "Status" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -8747,6 +8929,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9995,6 +10182,10 @@ msgid "Settings saved OK." msgstr "" #: editor/project_settings_editor.cpp +msgid "Moved Input Action Event" +msgstr "" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "" @@ -10139,6 +10330,10 @@ msgid "Plugins" msgstr "" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "" + +#: editor/property_editor.cpp #, fuzzy msgid "Zero" msgstr "Noll" @@ -10316,11 +10511,6 @@ msgstr "Versaler" msgid "Reset" msgstr "Återställ Zoom" -#: editor/rename_dialog.cpp -#, fuzzy -msgid "Error" -msgstr "Fel" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp #, fuzzy msgid "Reparent Node" @@ -10379,6 +10569,10 @@ msgid "Instance Scene(s)" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Replace with Branch Scene" +msgstr "" + +#: editor/scene_tree_dock.cpp #, fuzzy msgid "Instance Child Scene" msgstr "Instansiera Barn-Scen" @@ -10426,8 +10620,21 @@ msgstr "Vettigt!" #: editor/scene_tree_dock.cpp #, fuzzy -msgid "Delete Node(s)?" -msgstr "Ta bort Nod(er)?" +msgid "Delete %d nodes?" +msgstr "Ta bort Nod(er)" + +#: editor/scene_tree_dock.cpp +msgid "Delete the root node \"%s\"?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" +msgstr "" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "Ta bort Nod(er)" #: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." @@ -10856,11 +11063,41 @@ msgid "Bytes:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" -msgstr "" +#, fuzzy +msgid "Warning:" +msgstr "Varning" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." +msgid "Error:" +msgstr "Fel:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error" +msgstr "Fel" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error:" +msgstr "Fel:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source" +msgstr "Källa:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" +msgstr "Källa:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source:" +msgstr "Källa:" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" msgstr "" #: editor/script_editor_debugger.cpp @@ -10870,7 +11107,7 @@ msgstr "Fel" #: editor/script_editor_debugger.cpp #, fuzzy -msgid "Child Process Connected" +msgid "Child process connected." msgstr "Barnprocess Ansluten" #: editor/script_editor_debugger.cpp @@ -10879,6 +11116,11 @@ msgid "Copy Error" msgstr "Fel" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "Radera punkter" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "" @@ -10895,6 +11137,11 @@ msgid "Profiler" msgstr "" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Network Profiler" +msgstr "Exportera Projekt" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "" @@ -10908,6 +11155,10 @@ msgid "Monitors" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "" @@ -11115,10 +11366,6 @@ msgid "Library" msgstr "Bibliotek" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "Status" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp #, fuzzy msgid "Libraries: " msgstr "Bibliotek: " @@ -11128,6 +11375,10 @@ msgid "GDNative" msgstr "GDNative" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "" @@ -11291,6 +11542,15 @@ msgstr "" msgid "Pick Distance:" msgstr "" +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "Filtrera noder" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -11432,6 +11692,11 @@ msgstr "Skapa Ny" #: modules/visual_script/visual_script_editor.cpp #, fuzzy +msgid "Signals:" +msgstr "Signaler:" + +#: modules/visual_script/visual_script_editor.cpp +#, fuzzy msgid "Create a new signal." msgstr "Skapa Prenumeration" @@ -11603,6 +11868,11 @@ msgid "Editing Signal:" msgstr "" #: modules/visual_script/visual_script_editor.cpp +#, fuzzy +msgid "Make Tool:" +msgstr "Gör Patch" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "" @@ -11757,7 +12027,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp @@ -12461,6 +12732,36 @@ msgid "Constants cannot be modified." msgstr "" #, fuzzy +#~ msgid "Methods:" +#~ msgstr "Metoder" + +#, fuzzy +#~ msgid "Theme Properties:" +#~ msgstr "Egenskaper" + +#~ msgid "Enumerations:" +#~ msgstr "Enumerations:" + +#~ msgid "Constants:" +#~ msgstr "Konstanter:" + +#, fuzzy +#~ msgid "Class Description:" +#~ msgstr "Beskrivning:" + +#, fuzzy +#~ msgid "Property Descriptions:" +#~ msgstr "Egenskapsbeskrivning:" + +#, fuzzy +#~ msgid "Method Descriptions:" +#~ msgstr "Metodbeskrivning:" + +#, fuzzy +#~ msgid "Delete Node(s)?" +#~ msgstr "Ta bort Nod(er)?" + +#, fuzzy #~ msgid "Error: could not load file." #~ msgstr "Fel - Kunde inte skapa Skript i filsystemet." @@ -12594,10 +12895,6 @@ msgstr "" #~ msgstr "Instansiera valda scen(er) som barn till vald Node." #, fuzzy -#~ msgid "Warnings:" -#~ msgstr "Varning" - -#, fuzzy #~ msgid "Font Size:" #~ msgstr "Vy framifrån" @@ -12731,9 +13028,6 @@ msgstr "" #~ msgid "Warning" #~ msgstr "Varning" -#~ msgid "Error:" -#~ msgstr "Fel:" - #, fuzzy #~ msgid "Variable" #~ msgstr "Variabel" diff --git a/editor/translations/ta.po b/editor/translations/ta.po index 521b42b338..227ba424b2 100644 --- a/editor/translations/ta.po +++ b/editor/translations/ta.po @@ -59,6 +59,34 @@ msgstr "" msgid "On call to '%s':" msgstr "" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +msgid "MiB" +msgstr "" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "" @@ -475,6 +503,10 @@ msgid "Select None" msgstr "அனைத்து தேர்வுகள்" #: editor/animation_track_editor.cpp +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "" @@ -794,7 +826,8 @@ msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -896,7 +929,8 @@ msgstr "" msgid "Matches:" msgstr "" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1196,7 +1230,7 @@ msgid "Delete Bus Effect" msgstr "" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +msgid "Drag & drop to rearrange." msgstr "" #: editor/editor_audio_buses.cpp @@ -1387,6 +1421,7 @@ msgid "Add AutoLoad" msgstr "" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "" @@ -1607,6 +1642,7 @@ msgstr "" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "" @@ -1677,6 +1713,7 @@ msgid "New Folder..." msgstr "" #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "" @@ -1832,7 +1869,7 @@ msgid "Inherited by:" msgstr "" #: editor/editor_help.cpp -msgid "Brief Description:" +msgid "Brief Description" msgstr "" #: editor/editor_help.cpp @@ -1840,38 +1877,18 @@ msgid "Properties" msgstr "" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "" - -#: editor/editor_help.cpp msgid "Methods" msgstr "" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "" - -#: editor/editor_help.cpp msgid "Theme Properties" msgstr "" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "" - -#: editor/editor_help.cpp msgid "enum " msgstr "" @@ -1880,19 +1897,11 @@ msgid "Constants" msgstr "" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "" - -#: editor/editor_help.cpp msgid "Class Description" msgstr "" #: editor/editor_help.cpp -msgid "Class Description:" -msgstr "" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +msgid "Online Tutorials" msgstr "" #: editor/editor_help.cpp @@ -1907,10 +1916,6 @@ msgid "Property Descriptions" msgstr "" #: editor/editor_help.cpp -msgid "Property Descriptions:" -msgstr "" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -1921,10 +1926,6 @@ msgid "Method Descriptions" msgstr "" #: editor/editor_help.cpp -msgid "Method Descriptions:" -msgstr "" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -1992,8 +1993,8 @@ msgstr "" msgid "Copy Selection" msgstr "அனைத்து தேர்வுகள்" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2006,6 +2007,48 @@ msgstr "" msgid "Clear Output" msgstr "" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Down" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" msgstr "" @@ -2546,6 +2589,18 @@ msgstr "" msgid "Project Settings..." msgstr "" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control" +msgstr "" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp msgid "Export..." msgstr "" @@ -2746,10 +2801,6 @@ msgstr "" msgid "Stop the scene." msgstr "" -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "" @@ -2800,10 +2851,6 @@ msgid "Inspector" msgstr "" #: editor/editor_node.cpp -msgid "Node" -msgstr "" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "" @@ -2825,15 +2872,21 @@ msgstr "" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -2896,6 +2949,10 @@ msgstr "" msgid "Open the previous Editor" msgstr "" +#: editor/editor_path.cpp +msgid "No sub-resources found." +msgstr "" + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "" @@ -2905,6 +2962,10 @@ msgid "Thumbnail..." msgstr "" #: editor/editor_plugin_settings.cpp +msgid "Main Script:" +msgstr "" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "" @@ -2933,11 +2994,6 @@ msgstr "" msgid "Edit:" msgstr "" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "" @@ -3716,8 +3772,8 @@ msgstr "" msgid "Import As:" msgstr "" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." +#: editor/import_dock.cpp +msgid "Preset" msgstr "" #: editor/import_dock.cpp @@ -4147,6 +4203,7 @@ msgid "Change Animation Name:" msgstr "" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "" @@ -4710,10 +4767,6 @@ msgid "Sort:" msgstr "" #: editor/plugins/asset_library_editor_plugin.cpp -msgid "Reverse sorting." -msgstr "" - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "" @@ -4981,6 +5034,10 @@ msgid "Pan Mode" msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp +msgid "Ruler Mode" +msgstr "" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "" @@ -6033,7 +6090,7 @@ msgstr "" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "" @@ -6233,11 +6290,11 @@ msgid "Toggle Scripts Panel" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" +msgid "Step Into" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Into" +msgid "Step Over" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp @@ -6317,7 +6374,7 @@ msgstr "" msgid "Connections to method:" msgstr "" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp msgid "Source" msgstr "" @@ -7087,6 +7144,11 @@ msgstr "" #: editor/plugins/sprite_frames_editor_plugin.cpp #, fuzzy +msgid "Move Frame" +msgstr "சேர் முக்கியப்புள்ளியை நகர்த்து" + +#: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy msgid "Animations:" msgstr "மாற்றங்களை இதற்கு அமை:" @@ -7405,6 +7467,14 @@ msgid "Enable Priority" msgstr "" #: editor/plugins/tile_map_editor_plugin.cpp +msgid "Filter tiles" +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "" @@ -7536,6 +7606,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp msgid "Remove selected texture? This will remove all tiles which use it." msgstr "" @@ -7692,6 +7767,102 @@ msgstr "" msgid "TileSet" msgstr "" +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No VCS addons are available." +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No commit message was provided" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Commit" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Initialize" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect new changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "அசைவூட்டு பாதைக்கு மறுபெயர் இடு" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "அனைத்து தேர்வுகள்" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Typechange" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "அனைத்து தேர்வுகள்" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Stage All" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Commit Changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -7929,6 +8100,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9120,6 +9296,10 @@ msgid "Settings saved OK." msgstr "" #: editor/project_settings_editor.cpp +msgid "Moved Input Action Event" +msgstr "" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "" @@ -9257,6 +9437,10 @@ msgid "Plugins" msgstr "" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "" + +#: editor/property_editor.cpp msgid "Zero" msgstr "" @@ -9421,10 +9605,6 @@ msgstr "" msgid "Reset" msgstr "" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "" @@ -9480,6 +9660,10 @@ msgid "Instance Scene(s)" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Replace with Branch Scene" +msgstr "" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "" @@ -9520,10 +9704,24 @@ msgid "Make node as Root" msgstr "" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "அனைத்து தேர்வுகள்" + +#: editor/scene_tree_dock.cpp +msgid "Delete the root node \"%s\"?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" msgstr "" #: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "அனைத்து தேர்வுகள்" + +#: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." msgstr "" @@ -9900,11 +10098,35 @@ msgid "Bytes:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" +msgid "Warning:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." +msgid "Error:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Error" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Error:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Source" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "Source:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Source:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" msgstr "" #: editor/script_editor_debugger.cpp @@ -9912,7 +10134,7 @@ msgid "Errors" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +msgid "Child process connected." msgstr "" #: editor/script_editor_debugger.cpp @@ -9920,6 +10142,10 @@ msgid "Copy Error" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Skip Breakpoints" +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "" @@ -9936,6 +10162,10 @@ msgid "Profiler" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Network Profiler" +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "" @@ -9948,6 +10178,10 @@ msgid "Monitors" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "" @@ -10144,10 +10378,6 @@ msgid "Library" msgstr "" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "" @@ -10156,6 +10386,10 @@ msgid "GDNative" msgstr "" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "" @@ -10310,6 +10544,14 @@ msgstr "" msgid "Pick Distance:" msgstr "" +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Filter meshes" +msgstr "" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -10445,6 +10687,10 @@ msgid "Create a new variable." msgstr "" #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Create a new signal." msgstr "" @@ -10601,6 +10847,10 @@ msgid "Editing Signal:" msgstr "" #: modules/visual_script/visual_script_editor.cpp +msgid "Make Tool:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "" @@ -10748,7 +10998,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp diff --git a/editor/translations/te.po b/editor/translations/te.po index 24f581a5e6..d56e46777d 100644 --- a/editor/translations/te.po +++ b/editor/translations/te.po @@ -57,6 +57,34 @@ msgstr "" msgid "On call to '%s':" msgstr "" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +msgid "MiB" +msgstr "" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "" @@ -456,6 +484,10 @@ msgid "Select None" msgstr "" #: editor/animation_track_editor.cpp +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "" @@ -773,7 +805,8 @@ msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -874,7 +907,8 @@ msgstr "" msgid "Matches:" msgstr "" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1174,7 +1208,7 @@ msgid "Delete Bus Effect" msgstr "" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +msgid "Drag & drop to rearrange." msgstr "" #: editor/editor_audio_buses.cpp @@ -1365,6 +1399,7 @@ msgid "Add AutoLoad" msgstr "" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "" @@ -1584,6 +1619,7 @@ msgstr "" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "" @@ -1654,6 +1690,7 @@ msgid "New Folder..." msgstr "" #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "" @@ -1809,7 +1846,7 @@ msgid "Inherited by:" msgstr "" #: editor/editor_help.cpp -msgid "Brief Description:" +msgid "Brief Description" msgstr "" #: editor/editor_help.cpp @@ -1817,38 +1854,18 @@ msgid "Properties" msgstr "" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "" - -#: editor/editor_help.cpp msgid "Methods" msgstr "" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "" - -#: editor/editor_help.cpp msgid "Theme Properties" msgstr "" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "" - -#: editor/editor_help.cpp msgid "enum " msgstr "" @@ -1857,19 +1874,11 @@ msgid "Constants" msgstr "" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "" - -#: editor/editor_help.cpp msgid "Class Description" msgstr "" #: editor/editor_help.cpp -msgid "Class Description:" -msgstr "" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +msgid "Online Tutorials" msgstr "" #: editor/editor_help.cpp @@ -1884,10 +1893,6 @@ msgid "Property Descriptions" msgstr "" #: editor/editor_help.cpp -msgid "Property Descriptions:" -msgstr "" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -1898,10 +1903,6 @@ msgid "Method Descriptions" msgstr "" #: editor/editor_help.cpp -msgid "Method Descriptions:" -msgstr "" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -1968,8 +1969,8 @@ msgstr "" msgid "Copy Selection" msgstr "" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -1982,6 +1983,48 @@ msgstr "" msgid "Clear Output" msgstr "" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Down" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" msgstr "" @@ -2521,6 +2564,18 @@ msgstr "" msgid "Project Settings..." msgstr "" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control" +msgstr "" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp msgid "Export..." msgstr "" @@ -2720,10 +2775,6 @@ msgstr "" msgid "Stop the scene." msgstr "" -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "" @@ -2774,10 +2825,6 @@ msgid "Inspector" msgstr "" #: editor/editor_node.cpp -msgid "Node" -msgstr "" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "" @@ -2799,15 +2846,21 @@ msgstr "" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -2870,6 +2923,10 @@ msgstr "" msgid "Open the previous Editor" msgstr "" +#: editor/editor_path.cpp +msgid "No sub-resources found." +msgstr "" + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "" @@ -2879,6 +2936,10 @@ msgid "Thumbnail..." msgstr "" #: editor/editor_plugin_settings.cpp +msgid "Main Script:" +msgstr "" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "" @@ -2907,11 +2968,6 @@ msgstr "" msgid "Edit:" msgstr "" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "" @@ -3687,8 +3743,8 @@ msgstr "" msgid "Import As:" msgstr "" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." +#: editor/import_dock.cpp +msgid "Preset" msgstr "" #: editor/import_dock.cpp @@ -4114,6 +4170,7 @@ msgid "Change Animation Name:" msgstr "" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "" @@ -4672,10 +4729,6 @@ msgid "Sort:" msgstr "" #: editor/plugins/asset_library_editor_plugin.cpp -msgid "Reverse sorting." -msgstr "" - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "" @@ -4938,6 +4991,10 @@ msgid "Pan Mode" msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp +msgid "Ruler Mode" +msgstr "" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "" @@ -5986,7 +6043,7 @@ msgstr "" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "" @@ -6186,11 +6243,11 @@ msgid "Toggle Scripts Panel" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" +msgid "Step Into" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Into" +msgid "Step Over" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp @@ -6270,7 +6327,7 @@ msgstr "" msgid "Connections to method:" msgstr "" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp msgid "Source" msgstr "" @@ -7037,6 +7094,10 @@ msgid "(empty)" msgstr "" #: editor/plugins/sprite_frames_editor_plugin.cpp +msgid "Move Frame" +msgstr "" + +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Animations:" msgstr "" @@ -7351,6 +7412,14 @@ msgid "Enable Priority" msgstr "" #: editor/plugins/tile_map_editor_plugin.cpp +msgid "Filter tiles" +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "" @@ -7481,6 +7550,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp msgid "Remove selected texture? This will remove all tiles which use it." msgstr "" @@ -7635,6 +7709,100 @@ msgstr "" msgid "TileSet" msgstr "" +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No VCS addons are available." +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No commit message was provided" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit" +msgstr "సంఘం" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Initialize" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect new changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Renamed" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Deleted" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Typechange" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Stage Selected" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Stage All" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Commit Changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -7868,6 +8036,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9058,6 +9231,10 @@ msgid "Settings saved OK." msgstr "" #: editor/project_settings_editor.cpp +msgid "Moved Input Action Event" +msgstr "" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "" @@ -9194,6 +9371,10 @@ msgid "Plugins" msgstr "" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "" + +#: editor/property_editor.cpp msgid "Zero" msgstr "" @@ -9357,10 +9538,6 @@ msgstr "" msgid "Reset" msgstr "" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "" @@ -9416,6 +9593,10 @@ msgid "Instance Scene(s)" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Replace with Branch Scene" +msgstr "" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "" @@ -9456,7 +9637,19 @@ msgid "Make node as Root" msgstr "" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" +msgid "Delete %d nodes?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete the root node \"%s\"?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\"?" msgstr "" #: editor/scene_tree_dock.cpp @@ -9834,11 +10027,35 @@ msgid "Bytes:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" +msgid "Warning:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." +msgid "Error:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Error" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Error:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Source" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "Source:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Source:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" msgstr "" #: editor/script_editor_debugger.cpp @@ -9846,7 +10063,7 @@ msgid "Errors" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +msgid "Child process connected." msgstr "" #: editor/script_editor_debugger.cpp @@ -9854,6 +10071,10 @@ msgid "Copy Error" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Skip Breakpoints" +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "" @@ -9870,6 +10091,10 @@ msgid "Profiler" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Network Profiler" +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "" @@ -9882,6 +10107,10 @@ msgid "Monitors" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "" @@ -10078,10 +10307,6 @@ msgid "Library" msgstr "" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "" @@ -10090,6 +10315,10 @@ msgid "GDNative" msgstr "" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "" @@ -10241,6 +10470,14 @@ msgstr "" msgid "Pick Distance:" msgstr "" +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Filter meshes" +msgstr "" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -10376,6 +10613,10 @@ msgid "Create a new variable." msgstr "" #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Create a new signal." msgstr "" @@ -10532,6 +10773,10 @@ msgid "Editing Signal:" msgstr "" #: modules/visual_script/visual_script_editor.cpp +msgid "Make Tool:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "" @@ -10679,7 +10924,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp diff --git a/editor/translations/th.po b/editor/translations/th.po index 1b847414c4..b61dca3f4a 100644 --- a/editor/translations/th.po +++ b/editor/translations/th.po @@ -63,6 +63,35 @@ msgstr ": ประเภทตัวแปรไม่ถูกต้อง: " msgid "On call to '%s':" msgstr "" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +#, fuzzy +msgid "MiB" +msgstr "ร่วม" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "ฟรี" @@ -505,6 +534,11 @@ msgid "Select None" msgstr "ไม่เลือก" #: editor/animation_track_editor.cpp +#, fuzzy +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "เลือก AnimationPlayer จากผังฉากเพื่อแก้ไขแอนิเมชัน" + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "" @@ -839,7 +873,8 @@ msgstr "เชื่อมโยงสัญญาณ:" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -948,7 +983,8 @@ msgstr "ค้นหา:" msgid "Matches:" msgstr "พบ:" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1266,7 +1302,8 @@ msgid "Delete Bus Effect" msgstr "ลบเอฟเฟกต์เสียง" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +#, fuzzy +msgid "Drag & drop to rearrange." msgstr "Audio Bus ลากและวางเพื่อย้ายตำแหน่ง" #: editor/editor_audio_buses.cpp @@ -1462,6 +1499,7 @@ msgid "Add AutoLoad" msgstr "เพิ่มออโต้โหลด" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "ตำแหน่ง:" @@ -1706,6 +1744,7 @@ msgstr "ปัจจุบัน:" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "ไฟล์ใหม่" @@ -1786,6 +1825,7 @@ msgid "New Folder..." msgstr "สร้างโฟลเดอร์..." #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "รีเฟรช" @@ -1949,7 +1989,8 @@ msgid "Inherited by:" msgstr "สืบทอดโดย:" #: editor/editor_help.cpp -msgid "Brief Description:" +#, fuzzy +msgid "Brief Description" msgstr "รายละเอียด:" #: editor/editor_help.cpp @@ -1957,41 +1998,19 @@ msgid "Properties" msgstr "คุณสมบัติ" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "คุณสมบัติ:" - -#: editor/editor_help.cpp msgid "Methods" msgstr "รายชื่อเมท็อด" #: editor/editor_help.cpp #, fuzzy -msgid "Methods:" -msgstr "รายชื่อเมท็อด" - -#: editor/editor_help.cpp -#, fuzzy msgid "Theme Properties" msgstr "คุณสมบัติ" #: editor/editor_help.cpp -#, fuzzy -msgid "Theme Properties:" -msgstr "คุณสมบัติ:" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "สัญญาณ:" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "ค่าคงที่" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "ค่าคงที่:" - -#: editor/editor_help.cpp msgid "enum " msgstr "กลุ่มค่าคงที่ " @@ -2000,21 +2019,13 @@ msgid "Constants" msgstr "ค่าคงที่" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "ค่าคงที่:" - -#: editor/editor_help.cpp #, fuzzy msgid "Class Description" msgstr "รายละเอียด" #: editor/editor_help.cpp #, fuzzy -msgid "Class Description:" -msgstr "รายละเอียด:" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +msgid "Online Tutorials" msgstr "สอนใช้งานออนไลน์:" #: editor/editor_help.cpp @@ -2032,11 +2043,6 @@ msgid "Property Descriptions" msgstr "รายละเอียดตัวแปร:" #: editor/editor_help.cpp -#, fuzzy -msgid "Property Descriptions:" -msgstr "รายละเอียดตัวแปร:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -2048,11 +2054,6 @@ msgid "Method Descriptions" msgstr "รายละเอียดเมท็อด:" #: editor/editor_help.cpp -#, fuzzy -msgid "Method Descriptions:" -msgstr "รายละเอียดเมท็อด:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2129,8 +2130,8 @@ msgstr "ข้อความ:" msgid "Copy Selection" msgstr "ลบที่เลือก" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2143,6 +2144,49 @@ msgstr "ลบ" msgid "Clear Output" msgstr "ลบข้อความ" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "หยุด" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +#, fuzzy +msgid "Start" +msgstr "เริ่ม!" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Down" +msgstr "ลง" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "ขึ้น" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "โหนด" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp #, fuzzy msgid "New Window" @@ -2719,6 +2763,19 @@ msgstr "โปรเจกต์" msgid "Project Settings..." msgstr "ตัวเลือกโปรเจกต์" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Version Control" +msgstr "รุ่น:" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp msgid "Export..." msgstr "ส่งออก..." @@ -2935,10 +2992,6 @@ msgstr "หยุดชั่วคราว" msgid "Stop the scene." msgstr "หยุด" -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "หยุด" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "เล่นฉากปัจจุบัน" @@ -2994,10 +3047,6 @@ msgid "Inspector" msgstr "คุณสมบัติ" #: editor/editor_node.cpp -msgid "Node" -msgstr "โหนด" - -#: editor/editor_node.cpp #, fuzzy msgid "Expand Bottom Panel" msgstr "ขยายโฟลเดอร์" @@ -3021,15 +3070,21 @@ msgstr "จัดการแม่แบบส่งออก" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -3092,6 +3147,11 @@ msgstr "เปิดตัวแก้ไขถัดไป" msgid "Open the previous Editor" msgstr "เปิดตัวแก้ไขก่อนหน้า" +#: editor/editor_path.cpp +#, fuzzy +msgid "No sub-resources found." +msgstr "ไม่ได้ระบุพื้นผิวต้นฉบับ" + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "กำลังสร้างภาพตัวอย่าง Mesh" @@ -3102,6 +3162,11 @@ msgstr "รูปตัวอย่าง..." #: editor/editor_plugin_settings.cpp #, fuzzy +msgid "Main Script:" +msgstr "เปิดสคริปต์" + +#: editor/editor_plugin_settings.cpp +#, fuzzy msgid "Edit Plugin" msgstr "แก้ไขรูปหลายเหลี่ยม" @@ -3131,12 +3196,6 @@ msgstr "สถานะ:" msgid "Edit:" msgstr "แก้ไข" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -#, fuzzy -msgid "Start" -msgstr "เริ่ม!" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "วัด:" @@ -3965,9 +4024,10 @@ msgstr " ไฟล์" msgid "Import As:" msgstr "นำเข้าเป็น:" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." -msgstr "แบบ..." +#: editor/import_dock.cpp +#, fuzzy +msgid "Preset" +msgstr "การส่งออก" #: editor/import_dock.cpp msgid "Reimport" @@ -4443,6 +4503,7 @@ msgid "Change Animation Name:" msgstr "เปลี่ยนชื่อแอนิเมชัน:" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "ลบแอนิเมชัน?" @@ -5032,11 +5093,6 @@ msgid "Sort:" msgstr "เรียงตาม:" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy -msgid "Reverse sorting." -msgstr "กำลังร้องขอ..." - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "หมวดหมู่:" @@ -5329,6 +5385,11 @@ msgstr "โหมดมุมมอง" #: editor/plugins/canvas_item_editor_plugin.cpp #, fuzzy +msgid "Ruler Mode" +msgstr "โหมดการทำงาน:" + +#: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy msgid "Toggle snapping." msgstr "เปิด/ปิด การจำกัด" @@ -6437,7 +6498,7 @@ msgstr "อินสแตนซ์:" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "ประเภท:" @@ -6655,14 +6716,14 @@ msgid "Toggle Scripts Panel" msgstr "เปิด/ปิดแผงสคริปต์" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" -msgstr "บรรทัดต่อไป" - -#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Step Into" msgstr "คำสั่งต่อไป" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp +msgid "Step Over" +msgstr "บรรทัดต่อไป" + +#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Break" msgstr "หยุดพัก" @@ -6746,7 +6807,7 @@ msgstr "ล้างรายการฉากล่าสุด" msgid "Connections to method:" msgstr "เชื่อมไปยังโหนด:" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp #, fuzzy msgid "Source" msgstr "ต้นฉบับ:" @@ -7573,6 +7634,11 @@ msgstr "(ว่างเปล่า)" #: editor/plugins/sprite_frames_editor_plugin.cpp #, fuzzy +msgid "Move Frame" +msgstr "วางเฟรม" + +#: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy msgid "Animations:" msgstr "แอนิเมชัน" @@ -7913,6 +7979,15 @@ msgid "Enable Priority" msgstr "แก้ไขตัวกรอง" #: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy +msgid "Filter tiles" +msgstr "คัดกรองไฟล์..." + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "วาด Tile" @@ -8062,6 +8137,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp #, fuzzy msgid "Remove selected texture? This will remove all tiles which use it." msgstr "ลบรายการ" @@ -8245,6 +8325,111 @@ msgstr "ทำไม่ได้ถ้าไม่มีฉาก" msgid "TileSet" msgstr "Tile Set" +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No VCS addons are available." +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "ผิดพลาด" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No commit message was provided" +msgstr "ไม่ได้ระบุชื่อ" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit" +msgstr "ชุมชน" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Initialize" +msgstr "อักษรแรกพิมพ์ใหญ่" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "สร้าง %s ใหม่" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "เปลี่ยน" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "เปลี่ยนชื่อ" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "ลบ" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Typechange" +msgstr "เปลี่ยน" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "ลบสิ่งที่เลือก" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage All" +msgstr "บันทึกทั้งหมด" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit Changes" +msgstr "ซิงค์การแก้ไขสคริปต์" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "สถานะ" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No file diff is active" +msgstr "ไม่ได้เลือกไฟล์ไว้!" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -8506,6 +8691,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9754,6 +9944,11 @@ msgid "Settings saved OK." msgstr "บันทึกแล้ว" #: editor/project_settings_editor.cpp +#, fuzzy +msgid "Moved Input Action Event" +msgstr "เพิ่มปุ่มกดของการกระทำ" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "กำหนดค่าเฉพาะของฟีเจอร์" @@ -9893,6 +10088,10 @@ msgid "Plugins" msgstr "ปลั๊กอิน" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "แบบ..." + +#: editor/property_editor.cpp msgid "Zero" msgstr "ศูนย์" @@ -10068,10 +10267,6 @@ msgstr "ตัวพิมพ์ใหญ่" msgid "Reset" msgstr "รีเซ็ตซูม" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "ผิดพลาด" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "หาโหนดแม่ใหม่" @@ -10127,6 +10322,11 @@ msgid "Instance Scene(s)" msgstr "อินสแตนซ์ฉาก" #: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Replace with Branch Scene" +msgstr "บันทึกกิ่งเป็นฉาก" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "อินสแตนซ์ฉากลูก" @@ -10168,8 +10368,23 @@ msgid "Make node as Root" msgstr "เข้าใจ!" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" -msgstr "ลบโหนด?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "ลบโหนด" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete the root node \"%s\"?" +msgstr "ลบโหนด" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" +msgstr "" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "ลบโหนด" #: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." @@ -10599,19 +10814,50 @@ msgstr "ไบต์:" #: editor/script_editor_debugger.cpp #, fuzzy -msgid "Stack Trace" -msgstr "สแตค" +msgid "Warning:" +msgstr "คำเตือน" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." -msgstr "เลือกข้อมูลจากรายชื่อเพื่อแสดงกราฟ" +msgid "Error:" +msgstr "ผิดพลาด:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error" +msgstr "คัดลอกผิดพลาด" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error:" +msgstr "ผิดพลาด:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source" +msgstr "ต้นฉบับ:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" +msgstr "ต้นฉบับ:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source:" +msgstr "ต้นฉบับ:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Stack Trace" +msgstr "สแตค" #: editor/script_editor_debugger.cpp msgid "Errors" msgstr "ข้อผิดพลาด" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +#, fuzzy +msgid "Child process connected." msgstr "เชื่อมกระบวนการแล้ว" #: editor/script_editor_debugger.cpp @@ -10619,6 +10865,11 @@ msgid "Copy Error" msgstr "คัดลอกผิดพลาด" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "ลบจุด" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "ตรวจสอบอินสแตนซ์ก่อนหน้า" @@ -10635,6 +10886,11 @@ msgid "Profiler" msgstr "ประสิทธิภาพ" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Network Profiler" +msgstr "ส่งออกโปรเจกต์" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "ข้อมูล" @@ -10647,6 +10903,10 @@ msgid "Monitors" msgstr "การสังเกตการณ์" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "เลือกข้อมูลจากรายชื่อเพื่อแสดงกราฟ" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "รายชื่อรีซอร์สที่ใช้หน่วยความจำวีดีโอ:" @@ -10854,10 +11114,6 @@ msgid "Library" msgstr "ไลบรารี" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "สถานะ" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "ไลบรารี: " @@ -10866,6 +11122,10 @@ msgid "GDNative" msgstr "GDNative" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp #, fuzzy msgid "Step argument is zero!" msgstr "ตัวแปร step เป็นศูนย์!" @@ -11021,6 +11281,15 @@ msgstr "การตั้งค่า GridMap" msgid "Pick Distance:" msgstr "ระยะการเลือก:" +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "โหมดการกรอง:" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -11160,6 +11429,10 @@ msgid "Create a new variable." msgstr "สร้าง %s ใหม่" #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "สัญญาณ:" + +#: modules/visual_script/visual_script_editor.cpp #, fuzzy msgid "Create a new signal." msgstr "สร้างรูปหลายเหลี่ยมจากความว่างเปล่า" @@ -11320,6 +11593,11 @@ msgid "Editing Signal:" msgstr "แก้ไขสัญญาณ:" #: modules/visual_script/visual_script_editor.cpp +#, fuzzy +msgid "Make Tool:" +msgstr "ระยะใกล้" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "ชนิด:" @@ -11470,7 +11748,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp @@ -12191,6 +12470,42 @@ msgstr "" msgid "Constants cannot be modified." msgstr "" +#~ msgid "Properties:" +#~ msgstr "คุณสมบัติ:" + +#, fuzzy +#~ msgid "Methods:" +#~ msgstr "รายชื่อเมท็อด" + +#, fuzzy +#~ msgid "Theme Properties:" +#~ msgstr "คุณสมบัติ:" + +#~ msgid "Enumerations:" +#~ msgstr "ค่าคงที่:" + +#~ msgid "Constants:" +#~ msgstr "ค่าคงที่:" + +#, fuzzy +#~ msgid "Class Description:" +#~ msgstr "รายละเอียด:" + +#, fuzzy +#~ msgid "Property Descriptions:" +#~ msgstr "รายละเอียดตัวแปร:" + +#, fuzzy +#~ msgid "Method Descriptions:" +#~ msgstr "รายละเอียดเมท็อด:" + +#, fuzzy +#~ msgid "Reverse sorting." +#~ msgstr "กำลังร้องขอ..." + +#~ msgid "Delete Node(s)?" +#~ msgstr "ลบโหนด?" + #~ msgid "" #~ "Can't open file_type_cache.cch for writing, not saving file type cache!" #~ msgstr "เปิดไฟล์ file_type_cache.cch เพื่อเขียนไม่ได้ จะไม่บันทึกแคชของชนิดไฟล์!" @@ -12434,10 +12749,6 @@ msgstr "" #~ msgstr "อินสแตนซ์ฉากที่เลือกให้เป็นโหนดลูกของโหนดที่เลือก" #, fuzzy -#~ msgid "Warnings:" -#~ msgstr "คำเตือน" - -#, fuzzy #~ msgid "Font Size:" #~ msgstr "ขนาดฟอนต์ต้นฉบับ:" @@ -12479,9 +12790,6 @@ msgstr "" #~ msgid "Select a split to erase it." #~ msgstr "กรุณาเลือกตัวเลือกก่อน!" -#~ msgid "No name provided" -#~ msgstr "ไม่ได้ระบุชื่อ" - #, fuzzy #~ msgid "Add Node.." #~ msgstr "เพิ่มโหนด" @@ -12619,9 +12927,6 @@ msgstr "" #~ msgid "Warning" #~ msgstr "คำเตือน" -#~ msgid "Error:" -#~ msgstr "ผิดพลาด:" - #~ msgid "Function:" #~ msgstr "ฟังก์ชัน:" @@ -12700,9 +13005,6 @@ msgstr "" #~ msgid "Duplicate Graph Node(s)" #~ msgstr "ทำซ้ำโหนด" -#~ msgid "Delete Shader Graph Node(s)" -#~ msgstr "ลบโหนด" - #~ msgid "Error: Cyclic Connection Link" #~ msgstr "ผิดพลาด: เชื่อมต่อเป็นวง" @@ -13130,9 +13432,6 @@ msgstr "" #~ msgid "Pick New Name and Location For:" #~ msgstr "เลือกชื่อและตำแหน่งที่อยู่ใหม่ให้กับ:" -#~ msgid "No files selected!" -#~ msgstr "ไม่ได้เลือกไฟล์ไว้!" - #~ msgid "Info" #~ msgstr "ข้อมูล" @@ -13514,12 +13813,6 @@ msgstr "" #~ msgid "Scaling to %s%%." #~ msgstr "ปรับขนาดเป็น %s%%" -#~ msgid "Up" -#~ msgstr "ขึ้น" - -#~ msgid "Down" -#~ msgstr "ลง" - #~ msgid "Bucket" #~ msgstr "ถัง" diff --git a/editor/translations/tr.po b/editor/translations/tr.po index afbea77509..5f87d558a8 100644 --- a/editor/translations/tr.po +++ b/editor/translations/tr.po @@ -29,12 +29,17 @@ # Enes Can Yerlikaya <enescanyerlikaya@gmail.com>, 2019. # Ömer Akgöz <omerakgoz34@gmail.com>, 2019. # Mehmet Dursun <mehmet.dursun@gmail.com>, 2019. +# Ali Can Çekmez <alcamez@icloud.com>, 2019. +# Erdem Gez <erdemgezzz@gmail.com>, 2019. +# rayray61 <laladodo000@gmail.com>, 2019. +# enesygt <enesyigittt@gmail.com>, 2019. +# Mustafa Turhan <odunluzikkim@gmail.com>, 2019. msgid "" msgstr "" "Project-Id-Version: Godot Engine editor\n" "POT-Creation-Date: \n" -"PO-Revision-Date: 2019-08-29 13:34+0000\n" -"Last-Translator: Mehmet Dursun <mehmet.dursun@gmail.com>\n" +"PO-Revision-Date: 2019-09-26 11:50+0000\n" +"Last-Translator: Mustafa Turhan <odunluzikkim@gmail.com>\n" "Language-Team: Turkish <https://hosted.weblate.org/projects/godot-engine/" "godot/tr/>\n" "Language: tr\n" @@ -85,6 +90,35 @@ msgstr "'%s' oluşturulurken geçersiz argümanlar atandı" msgid "On call to '%s':" msgstr "'%s' çağrıldığında:" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +#, fuzzy +msgid "MiB" +msgstr "Çırp" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "Ücretsiz" @@ -501,6 +535,13 @@ msgid "Select None" msgstr "Hiçbir Şey Seçilmedi" #: editor/animation_track_editor.cpp +#, fuzzy +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" +"Sahne Ağacı'ndan animasyonları düzenleyebilmek için bir AnimationPlayer " +"seçin." + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "sadece ağaç'ta seçili düğümlerdeki izleri göster." @@ -680,12 +721,11 @@ msgstr "Değiştirildi %d oluş(sn)." #: editor/code_editor.cpp editor/editor_help.cpp msgid "%d match." -msgstr "" +msgstr "% d eşleşme." #: editor/code_editor.cpp editor/editor_help.cpp -#, fuzzy msgid "%d matches." -msgstr "Eşleşme Yok" +msgstr "%d eşleşme." #: editor/code_editor.cpp editor/find_in_files.cpp msgid "Match Case" @@ -800,7 +840,7 @@ msgstr "Ertelenmiş" #: editor/connections_dialog.cpp msgid "" "Defers the signal, storing it in a queue and only firing it at idle time." -msgstr "" +msgstr "Sinyali savunur, sıraya kaydeder ve sadece rölantide iken ateşler." #: editor/connections_dialog.cpp msgid "Oneshot" @@ -808,12 +848,11 @@ msgstr "Tek sefer" #: editor/connections_dialog.cpp msgid "Disconnects the signal after its first emission." -msgstr "" +msgstr "İlk yayılmasından sonra sinyal bağlantısını keser." #: editor/connections_dialog.cpp -#, fuzzy msgid "Cannot connect signal" -msgstr "Bağlantı Sinyali: " +msgstr "Sinyale bağlanamıyor" #: editor/connections_dialog.cpp editor/dependency_editor.cpp #: editor/export_template_manager.cpp editor/groups_editor.cpp @@ -822,7 +861,8 @@ msgstr "Bağlantı Sinyali: " #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -834,9 +874,8 @@ msgid "Connect" msgstr "Bağla" #: editor/connections_dialog.cpp -#, fuzzy msgid "Signal:" -msgstr "Sinyaller:" +msgstr "Sinyal:" #: editor/connections_dialog.cpp msgid "Connect '%s' to '%s'" @@ -860,14 +899,12 @@ msgid "Disconnect" msgstr "Bağlantıyı kes" #: editor/connections_dialog.cpp -#, fuzzy msgid "Connect a Signal to a Method" -msgstr "Bağlantı Sinyali: " +msgstr "Bir Yönteme Bir Sinyal Bağlayın" #: editor/connections_dialog.cpp -#, fuzzy msgid "Edit Connection:" -msgstr "Bağlantıları Düzenle " +msgstr "Bağlantıyı Düzenle:" #: editor/connections_dialog.cpp msgid "Are you sure you want to remove all connections from the \"%s\" signal?" @@ -927,7 +964,8 @@ msgstr "Ara:" msgid "Matches:" msgstr "Eşleşmeler:" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -943,22 +981,20 @@ msgid "Dependencies For:" msgstr "Şunun İçin Bağımlılıklar:" #: editor/dependency_editor.cpp -#, fuzzy msgid "" "Scene '%s' is currently being edited.\n" "Changes will only take effect when reloaded." msgstr "" "'%s' Sahnesi şu anda düzenleniyor.\n" -"Yeniden yüklenene kadar değişiklikler etki etmeyecek." +"Değişiklikler sadece yeniden yüklendikten sonra etki edecektir." #: editor/dependency_editor.cpp -#, fuzzy msgid "" "Resource '%s' is in use.\n" "Changes will only take effect when reloaded." msgstr "" -"Kaynak '%s' kullanımda.\n" -"Değişiklikler yeniden yükleme yapılınca etkin olacak." +"'%s' kaynağı kullanılıyor.\n" +"Değişiklikler yeniden yükleme yapıldığında etkin olacak." #: editor/dependency_editor.cpp #: modules/gdnative/gdnative_library_editor_plugin.cpp @@ -1005,9 +1041,8 @@ msgid "Owners Of:" msgstr "Şunların sahipleri:" #: editor/dependency_editor.cpp -#, fuzzy msgid "Remove selected files from the project? (Can't be restored)" -msgstr "Seçili dosyaları projeden kaldır? (geri alınamaz)" +msgstr "Seçili dosyaları projeden kaldır? (Geri alınamaz)" #: editor/dependency_editor.cpp msgid "" @@ -1051,9 +1086,8 @@ msgid "Permanently delete %d item(s)? (No undo!)" msgstr "%d Öğeleri kalıcı olarak silsin mi? (Geri alınamaz!)" #: editor/dependency_editor.cpp -#, fuzzy msgid "Show Dependencies" -msgstr "Bağımlılıklar" +msgstr "Bağımlılıkları göster" #: editor/dependency_editor.cpp msgid "Orphan Resource Explorer" @@ -1144,12 +1178,10 @@ msgid "License" msgstr "Lisans" #: editor/editor_about.cpp -#, fuzzy msgid "Third-party Licenses" -msgstr "Üçüncü Parti Lisans" +msgstr "Üçüncü Parti Lisanslar" #: editor/editor_about.cpp -#, fuzzy msgid "" "Godot Engine relies on a number of third-party free and open source " "libraries, all compatible with the terms of its MIT license. The following " @@ -1158,8 +1190,9 @@ msgid "" msgstr "" "Godot Oyun Motoru, bazı ücretsiz ve açık kaynaklı üçüncü parti " "kütüphanelerden faydalanır, bunların hepsinin kullanım koşulları MIT " -"lisansına uygundur. Aşağıda, bu üçüncü parti bileşenlerin ayrıntılı telif " -"hakkı bildirimleri ve lisans koşulları belirtilmiştir." +"lisansına uygundur. Aşağıda, bu tür üçüncü parti bileşenlerinin telif hakkı " +"beyanları ve lisans koşulları ile birlikte ayrıntılı bir listesi " +"bulunmaktadır." #: editor/editor_about.cpp msgid "All Components" @@ -1174,9 +1207,8 @@ msgid "Licenses" msgstr "Lisanslar" #: editor/editor_asset_installer.cpp editor/project_manager.cpp -#, fuzzy msgid "Error opening package file, not in ZIP format." -msgstr "Paket dosyası açılamıyor, zip formatında değil." +msgstr "Paket dosyası açılırken hata oluştu, zip formatında değil." #: editor/editor_asset_installer.cpp msgid "Uncompressing Assets" @@ -1244,7 +1276,8 @@ msgid "Delete Bus Effect" msgstr "Bus Efekti Sil" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +#, fuzzy +msgid "Drag & drop to rearrange." msgstr "Audio Bus, düzenlemek için Sürükle-Bırak." #: editor/editor_audio_buses.cpp @@ -1318,7 +1351,7 @@ msgstr "Audio Bus Yerleşim Düzenini Aç" #: editor/editor_audio_buses.cpp msgid "There is no '%s' file." -msgstr "" +msgstr "'%s' dosyası bulunamadı" #: editor/editor_audio_buses.cpp editor/plugins/canvas_item_editor_plugin.cpp msgid "Layout" @@ -1375,23 +1408,20 @@ msgid "Valid characters:" msgstr "Geçerli damgalar:" #: editor/editor_autoload_settings.cpp -#, fuzzy msgid "Must not collide with an existing engine class name." -msgstr "Geçersiz isim. Varolan bir motor sınıf ismi ile çakışmamalı." +msgstr "Varolan bir motor sınıf ismi ile çakışmamalı." #: editor/editor_autoload_settings.cpp -#, fuzzy msgid "Must not collide with an existing built-in type name." -msgstr "Geçersiz ad. Var olan gömülü türdeki ad ile çakışmamalı." +msgstr "Var olan gömülü türdeki ad ile çakışmamalı." #: editor/editor_autoload_settings.cpp -#, fuzzy msgid "Must not collide with an existing global constant name." -msgstr "Geçersiz ad. Var olan genel değişmeyen bir adla çakışmamalıdır." +msgstr "Var olan genel değişmeyen bir adla çakışmamalıdır." #: editor/editor_autoload_settings.cpp msgid "Keyword cannot be used as an autoload name." -msgstr "" +msgstr "Anahtar kelime otomatik-yükleme ismi olarak kullanılamaz." #: editor/editor_autoload_settings.cpp msgid "Autoload '%s' already exists!" @@ -1422,9 +1452,8 @@ msgid "Rearrange Autoloads" msgstr "KendindenYüklenme'leri Yeniden Sırala" #: editor/editor_autoload_settings.cpp editor/script_create_dialog.cpp -#, fuzzy msgid "Invalid path." -msgstr "Gecersiz Yol." +msgstr "Geçersiz yol." #: editor/editor_autoload_settings.cpp editor/script_create_dialog.cpp msgid "File does not exist." @@ -1439,6 +1468,7 @@ msgid "Add AutoLoad" msgstr "KendindenYüklenme Ekle" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "Dosya yolu:" @@ -1477,9 +1507,8 @@ msgid "[unsaved]" msgstr "[kaydedilmemiş]" #: editor/editor_dir_dialog.cpp -#, fuzzy msgid "Please select a base directory first." -msgstr "Lütfen öncelikle bir taban dizini seçin" +msgstr "Lütfen önce bir taban dizini seçin." #: editor/editor_dir_dialog.cpp msgid "Choose a Directory" @@ -1565,22 +1594,19 @@ msgstr "Şablon dosyası bulunamadı:" #: editor/editor_export.cpp msgid "On 32-bit exports the embedded PCK cannot be bigger than 4 GiB." -msgstr "" +msgstr "32-bit dışa aktarımlarda gömülü PCK 4GiB'tan büyük olamaz." #: editor/editor_feature_profile.cpp -#, fuzzy msgid "3D Editor" -msgstr "Düzenleyici" +msgstr "3D Düzenleyici" #: editor/editor_feature_profile.cpp -#, fuzzy msgid "Script Editor" -msgstr "Betik Düzenleyiciyi Aç" +msgstr "Kod Düzenleyici" #: editor/editor_feature_profile.cpp -#, fuzzy msgid "Asset Library" -msgstr "Malvarlığı Kütüphanesini Aç" +msgstr "Varlık Kütüphanesi" #: editor/editor_feature_profile.cpp #, fuzzy @@ -1598,18 +1624,16 @@ msgid "Node Dock" msgstr "Biçimi Taşı" #: editor/editor_feature_profile.cpp -#, fuzzy msgid "FileSystem and Import Docks" -msgstr "DosyaSistemi" +msgstr "DosyaSistemi ve İçe Aktarım" #: editor/editor_feature_profile.cpp -#, fuzzy msgid "Erase profile '%s'? (no undo)" -msgstr "Tümünü Değiştir (geri alma yok)" +msgstr "'%s' profilini sil? (geri alınamaz)" #: editor/editor_feature_profile.cpp msgid "Profile must be a valid filename and must not contain '.'" -msgstr "" +msgstr "Profil geçerli bir dosya adı olmalı ve '.' içermemelidir" #: editor/editor_feature_profile.cpp #, fuzzy @@ -1617,13 +1641,13 @@ msgid "Profile with this name already exists." msgstr "Bu isimde zaten bir dosya ve ya klasör mevcut." #: editor/editor_feature_profile.cpp +#, fuzzy msgid "(Editor Disabled, Properties Disabled)" -msgstr "" +msgstr "(Editör Devre Dışı, Özellikler Devre Dışı)" #: editor/editor_feature_profile.cpp -#, fuzzy msgid "(Properties Disabled)" -msgstr "Sadece Özellikler" +msgstr "(Özellikler Devre Dışı)" #: editor/editor_feature_profile.cpp #, fuzzy @@ -1631,14 +1655,12 @@ msgid "(Editor Disabled)" msgstr "Klip Devre dışı" #: editor/editor_feature_profile.cpp -#, fuzzy msgid "Class Options:" -msgstr "Sınıf Açıklaması:" +msgstr "Sınıf Seçenekleri:" #: editor/editor_feature_profile.cpp -#, fuzzy msgid "Enable Contextual Editor" -msgstr "Sonraki Düzenleyiciyi aç" +msgstr "İçeriksel Düzenleyiciyi Etkinleştir" #: editor/editor_feature_profile.cpp #, fuzzy @@ -1657,13 +1679,15 @@ msgstr "Sınıfları Ara" #: editor/editor_feature_profile.cpp msgid "File '%s' format is invalid, import aborted." -msgstr "" +msgstr "'%s' dosyası geçersiz, içe aktarma iptal edildi." #: editor/editor_feature_profile.cpp +#, fuzzy msgid "" "Profile '%s' already exists. Remove it first before importing, import " "aborted." msgstr "" +"'%s' profili zaten var. İçe aktarmadan önce silin, içe aktarma iptal edildi." #: editor/editor_feature_profile.cpp #, fuzzy @@ -1671,8 +1695,9 @@ msgid "Error saving profile to path: '%s'." msgstr "Şablon '%s' yüklenirken hata" #: editor/editor_feature_profile.cpp +#, fuzzy msgid "Unset" -msgstr "" +msgstr "Ayarını kaldır" #: editor/editor_feature_profile.cpp #, fuzzy @@ -1686,6 +1711,7 @@ msgstr "Geçerli:" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "Yeni" @@ -1711,7 +1737,7 @@ msgstr "Sınıf Açıklaması" #: editor/editor_feature_profile.cpp #, fuzzy msgid "New profile name:" -msgstr "Yeni ad:" +msgstr "Yeni alan adı:" #: editor/editor_feature_profile.cpp #, fuzzy @@ -1721,7 +1747,7 @@ msgstr "Alanı Sil" #: editor/editor_feature_profile.cpp #, fuzzy msgid "Import Profile(s)" -msgstr "İçe Aktarılan Proje" +msgstr "İçe Aktarılan Proje(ler)" #: editor/editor_feature_profile.cpp #, fuzzy @@ -1755,7 +1781,6 @@ msgstr "Dosya Yöneticisinde Aç" #: editor/editor_file_dialog.cpp editor/editor_node.cpp #: editor/filesystem_dock.cpp editor/project_manager.cpp -#, fuzzy msgid "Show in File Manager" msgstr "Dosya Yöneticisinde Göster" @@ -1764,6 +1789,7 @@ msgid "New Folder..." msgstr "Yeni Klasör..." #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "Yenile" @@ -1841,22 +1867,21 @@ msgstr "Beğenileni Aşağı Taşı" #: editor/editor_file_dialog.cpp #, fuzzy msgid "Go to previous folder." -msgstr "Üst klasöre git" +msgstr "Önceki klasöre git" #: editor/editor_file_dialog.cpp #, fuzzy msgid "Go to next folder." -msgstr "Üst klasöre git" +msgstr "Sonraki klasöre git" #: editor/editor_file_dialog.cpp scene/gui/file_dialog.cpp #, fuzzy msgid "Go to parent folder." -msgstr "Üst klasöre git" +msgstr "Asıl klasöre git" #: editor/editor_file_dialog.cpp scene/gui/file_dialog.cpp -#, fuzzy msgid "Refresh files." -msgstr "Dosyaları ara" +msgstr "Dosyaları yenile." #: editor/editor_file_dialog.cpp msgid "(Un)favorite current folder." @@ -1899,10 +1924,13 @@ msgid "ScanSources" msgstr "KaynaklarıTara" #: editor/editor_file_system.cpp +#, fuzzy msgid "" "There are multiple importers for different types pointing to file %s, import " "aborted" msgstr "" +"%s dosyasına işaret eden farklı tipler için birden fazla içe aktarım var, " +"içe aktarma iptal edildi" #: editor/editor_file_system.cpp msgid "(Re)Importing Assets" @@ -1925,7 +1953,8 @@ msgid "Inherited by:" msgstr "Şundan miras alındı:" #: editor/editor_help.cpp -msgid "Brief Description:" +#, fuzzy +msgid "Brief Description" msgstr "Kısa Açıklama:" #: editor/editor_help.cpp @@ -1933,38 +1962,18 @@ msgid "Properties" msgstr "Özellikler" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "Özellikler:" - -#: editor/editor_help.cpp msgid "Methods" msgstr "Metotlar" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "Metotlar:" - -#: editor/editor_help.cpp msgid "Theme Properties" msgstr "Tema Özellikleri" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "Tema Özellikleri:" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "Sinyaller:" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "Numaralandırmalar" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "Numaralandırmalar:" - -#: editor/editor_help.cpp msgid "enum " msgstr "enum… " @@ -1973,19 +1982,12 @@ msgid "Constants" msgstr "Sabitler" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "Sabitler:" - -#: editor/editor_help.cpp msgid "Class Description" msgstr "Sınıf Açıklaması" #: editor/editor_help.cpp -msgid "Class Description:" -msgstr "Sınıf Açıklaması:" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +#, fuzzy +msgid "Online Tutorials" msgstr "Çevrimiçi Rehberler:" #: editor/editor_help.cpp @@ -2003,10 +2005,6 @@ msgid "Property Descriptions" msgstr "Özellik Açıklamaları" #: editor/editor_help.cpp -msgid "Property Descriptions:" -msgstr "Özellik Açıklamaları:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -2019,10 +2017,6 @@ msgid "Method Descriptions" msgstr "Metot Açıklamaları" #: editor/editor_help.cpp -msgid "Method Descriptions:" -msgstr "Metot Açıklamaları:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2088,12 +2082,11 @@ msgid "Output:" msgstr "Çıktı:" #: editor/editor_log.cpp editor/plugins/tile_map_editor_plugin.cpp -#, fuzzy msgid "Copy Selection" -msgstr "Seçimi Kaldır" +msgstr "Seçimi Kopyala" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2106,10 +2099,51 @@ msgstr "Temizle" msgid "Clear Output" msgstr "Çıktıyı Temizle" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "Durdur" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "Başlat" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Down" +msgstr "Aşağı" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "Yukarı" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "Düğüm" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp -#, fuzzy msgid "New Window" -msgstr "Pencere" +msgstr "Yeni Pencere" #: editor/editor_node.cpp msgid "Project export failed with error code %d." @@ -2253,7 +2287,6 @@ msgstr "" "aktarma kısmını okuyunuz." #: editor/editor_node.cpp -#, fuzzy msgid "" "This resource belongs to a scene that was instanced or inherited.\n" "Changes to it won't be kept when saving the current scene." @@ -2284,14 +2317,13 @@ msgstr "" "aktarma kısmını okuyunuz." #: editor/editor_node.cpp -#, fuzzy msgid "" "This is a remote object, so changes to it won't be kept.\n" "Please read the documentation relevant to debugging to better understand " "this workflow." msgstr "" "Bu bir uzak nesne, yani yaptığınız değişiklikler saklanmayacaktır.\n" -"Lütfen, bu iş akışını daha iyi anlamak için dökümantasyondaki sahneleri içe " +"Lütfen, bu iş akışını daha iyi anlamak için belgelemedeki sahneleri içe " "aktarma kısmını okuyunuz." #: editor/editor_node.cpp @@ -2315,9 +2347,8 @@ msgid "Open Base Scene" msgstr "Ana Sahneyi Aç" #: editor/editor_node.cpp -#, fuzzy msgid "Quick Open..." -msgstr "Sahneyi Hızlı Aç..." +msgstr "Hızlı Aç..." #: editor/editor_node.cpp msgid "Quick Open Scene..." @@ -2442,9 +2473,8 @@ msgid "Close Scene" msgstr "Sahneyi Kapat" #: editor/editor_node.cpp -#, fuzzy msgid "Reopen Closed Scene" -msgstr "Sahneyi Kapat" +msgstr "Kapalı Sahneyi Yeniden Aç" #: editor/editor_node.cpp msgid "Unable to enable addon plugin at: '%s' parsing of config failed." @@ -2547,7 +2577,6 @@ msgstr "Varsayılan" #: editor/editor_node.cpp editor/editor_properties.cpp #: editor/plugins/script_editor_plugin.cpp editor/property_editor.cpp -#, fuzzy msgid "Show in FileSystem" msgstr "Dosya Sisteminde Göster" @@ -2560,9 +2589,8 @@ msgid "Close Tab" msgstr "Sekmeyi Kapat" #: editor/editor_node.cpp -#, fuzzy msgid "Undo Close Tab" -msgstr "Sekmeyi Kapat" +msgstr "Sekmeyi Kapat'ı geri al" #: editor/editor_node.cpp editor/plugins/script_editor_plugin.cpp msgid "Close Other Tabs" @@ -2570,12 +2598,11 @@ msgstr "Diğer Sekmeleri Kapat" #: editor/editor_node.cpp msgid "Close Tabs to the Right" -msgstr "" +msgstr "Sekmeleri Sağa Doğru Kapat" #: editor/editor_node.cpp -#, fuzzy msgid "Close All Tabs" -msgstr "Tümünü Kapat" +msgstr "Tüm Sekmeleri Kapat" #: editor/editor_node.cpp msgid "Switch Scene Tab" @@ -2618,9 +2645,8 @@ msgid "Go to previously opened scene." msgstr "Daha önce açılan sahneye git." #: editor/editor_node.cpp -#, fuzzy msgid "Copy Text" -msgstr "Dosya Yolunu Tıpkıla" +msgstr "Metni Kopyala" #: editor/editor_node.cpp msgid "Next tab" @@ -2697,17 +2723,30 @@ msgid "Project" msgstr "Proje" #: editor/editor_node.cpp -#, fuzzy msgid "Project Settings..." -msgstr "Proje Ayarları" +msgstr "Proje Ayarları..." + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Version Control" +msgstr "Sürüm:" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" #: editor/editor_node.cpp msgid "Export..." msgstr "Dışa Aktar..." #: editor/editor_node.cpp +#, fuzzy msgid "Install Android Build Template..." -msgstr "" +msgstr "Android Yapı Şablonunu Yükle ..." #: editor/editor_node.cpp msgid "Open Project Data Folder" @@ -2832,14 +2871,12 @@ msgid "Editor Layout" msgstr "Düzenleyici Yerleşim Düzeni" #: editor/editor_node.cpp -#, fuzzy msgid "Take Screenshot" -msgstr "Anlamlı!" +msgstr "Ekran Görüntüsü Al" #: editor/editor_node.cpp -#, fuzzy msgid "Screenshots are stored in the Editor Data/Settings Folder." -msgstr "Düzenleyici Verileri/Ayarları Klasörünü Aç" +msgstr "Ekran Görüntüleri Düzenleyici Verileri/Ayarları Klasöründe saklanır." #: editor/editor_node.cpp msgid "Toggle Fullscreen" @@ -2865,7 +2902,7 @@ msgstr "Düzenleyici Ayarları Klasörünü Aç" #: editor/editor_node.cpp #, fuzzy msgid "Manage Editor Features..." -msgstr "Dışa Aktarım Şablonlarını Yönet" +msgstr "Düzenleyici Şablonlarını Yönet..." #: editor/editor_node.cpp #, fuzzy @@ -2891,8 +2928,9 @@ msgid "Online Docs" msgstr "Çevrimiçi Belgeler" #: editor/editor_node.cpp +#, fuzzy msgid "Q&A" -msgstr "SSS" +msgstr "S&C" #: editor/editor_node.cpp msgid "Issue Tracker" @@ -2926,10 +2964,6 @@ msgstr "Sahneyi Duraklat" msgid "Stop the scene." msgstr "Sahneyi durdur." -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "Durdur" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "Düzenlenmiş sahneyi oynat." @@ -2963,12 +2997,12 @@ msgstr "Düzenleyici penceresi yeniden boyandığında döner." #: editor/editor_node.cpp #, fuzzy msgid "Update Continuously" -msgstr "Kesintisiz" +msgstr "Kesintisiz Güncelle" #: editor/editor_node.cpp #, fuzzy msgid "Update When Changed" -msgstr "Değişiklikleri güncelle" +msgstr "Değiştirildiğinde güncelle" #: editor/editor_node.cpp #, fuzzy @@ -2984,10 +3018,6 @@ msgid "Inspector" msgstr "Denetçi" #: editor/editor_node.cpp -msgid "Node" -msgstr "Düğüm" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "Alt Panoyu Genişlet" @@ -3000,8 +3030,9 @@ msgid "Don't Save" msgstr "Kaydetme" #: editor/editor_node.cpp +#, fuzzy msgid "Android build template is missing, please install relevant templates." -msgstr "" +msgstr "Android yapı şablonu eksik, lütfen ilgili şablonları yükleyin." #: editor/editor_node.cpp #, fuzzy @@ -3010,16 +3041,25 @@ msgstr "Dışa Aktarım Şablonlarını Yönet" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp +#, fuzzy msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" +"Android yapı şablonu zaten yüklü ve üzerine yazılmayacak.\n" +"Bu işlemi tekrar denemeden önce \"build\" dizinini el ile kaldırın." #: editor/editor_node.cpp msgid "Import Templates From ZIP File" @@ -3081,6 +3121,11 @@ msgstr "Sonraki Düzenleyiciyi aç" msgid "Open the previous Editor" msgstr "Önceki Düzenleyiciyi Aç" +#: editor/editor_path.cpp +#, fuzzy +msgid "No sub-resources found." +msgstr "Yüzey kaynağı belirtilmedi." + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "Mesh Önizlemeleri Oluşturuluyor" @@ -3090,6 +3135,11 @@ msgid "Thumbnail..." msgstr "Küçük Resim..." #: editor/editor_plugin_settings.cpp +#, fuzzy +msgid "Main Script:" +msgstr "Betik Aç" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "Eklentiyi Düzenle" @@ -3118,11 +3168,6 @@ msgstr "Durum:" msgid "Edit:" msgstr "Düzenle:" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "Başlat" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "Ölçüm:" @@ -3363,6 +3408,8 @@ msgstr "İndir" #: editor/export_template_manager.cpp msgid "Official export templates aren't available for development builds." msgstr "" +"Resmi dışa aktarım şablonları, geliştirici sürümleri için kullanılabilir " +"değildir." #: editor/export_template_manager.cpp msgid "(Missing)" @@ -3753,10 +3800,13 @@ msgid "Filters:" msgstr "Süzgeçler:" #: editor/find_in_files.cpp +#, fuzzy msgid "" "Include the files with the following extensions. Add or remove them in " "ProjectSettings." msgstr "" +"Bu uzantıdaki dosyaları dahil et. Uzantıları ProjeAyarlarından ekle ya da " +"sil." #: editor/find_in_files.cpp editor/plugins/script_editor_plugin.cpp #: editor/plugins/script_text_editor.cpp @@ -3837,7 +3887,7 @@ msgstr "Gruptaki Düğümler" #: editor/groups_editor.cpp msgid "Empty groups will be automatically removed." -msgstr "" +msgstr "Boş gruplar otomatik olarak silinecektir." #: editor/groups_editor.cpp #, fuzzy @@ -3943,9 +3993,10 @@ msgstr " Dosyalar" msgid "Import As:" msgstr "Şu Şekilde İçe Aktar:" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." -msgstr "Ön ayar..." +#: editor/import_dock.cpp +#, fuzzy +msgid "Preset" +msgstr "Önayarlar" #: editor/import_dock.cpp msgid "Reimport" @@ -4267,7 +4318,7 @@ msgstr "Otomatik Üçgenleri Aç / Kapat" #: editor/plugins/animation_blend_space_2d_editor.cpp msgid "Create triangles by connecting points." -msgstr "" +msgstr "Bağlantı noktalarından üçgen yarat." #: editor/plugins/animation_blend_space_2d_editor.cpp #, fuzzy @@ -4405,6 +4456,7 @@ msgid "Change Animation Name:" msgstr "Animasyonun Adını Değiştir:" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "Animasyon Silinsin mi?" @@ -4994,11 +5046,6 @@ msgid "Sort:" msgstr "Sırala:" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy -msgid "Reverse sorting." -msgstr "İsteniyor..." - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "Kategori:" @@ -5297,6 +5344,11 @@ msgstr "Kaydırma Biçimi" #: editor/plugins/canvas_item_editor_plugin.cpp #, fuzzy +msgid "Ruler Mode" +msgstr "Çalışma Kipi:" + +#: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy msgid "Toggle snapping." msgstr "Yapılmayı aç/kapat" @@ -6403,7 +6455,7 @@ msgstr "Örnek:" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "Tür:" @@ -6621,14 +6673,14 @@ msgid "Toggle Scripts Panel" msgstr "Betikler Panelini Aç/Kapa" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" -msgstr "Adımla" - -#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Step Into" msgstr "İçeri Adımla" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp +msgid "Step Over" +msgstr "Adımla" + +#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Break" msgstr "Ara Ver" @@ -6712,7 +6764,7 @@ msgstr "En Son Sahneleri Temizle" msgid "Connections to method:" msgstr "Düğüme Bağla:" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp #, fuzzy msgid "Source" msgstr "Kaynak:" @@ -7538,6 +7590,11 @@ msgstr "(boş)" #: editor/plugins/sprite_frames_editor_plugin.cpp #, fuzzy +msgid "Move Frame" +msgstr "Çerçeveyi Yapıştır" + +#: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy msgid "Animations:" msgstr "Animasyonlar" @@ -7875,6 +7932,15 @@ msgid "Enable Priority" msgstr "Süzgeçleri Düzenle" #: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy +msgid "Filter tiles" +msgstr "Dosyaları Süz..." + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "Karo Boya" @@ -8024,6 +8090,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp #, fuzzy msgid "Remove selected texture? This will remove all tiles which use it." msgstr "Mevcut giriyi kaldır" @@ -8209,6 +8280,111 @@ msgstr "Bu işlem bir sahne olmadan yapılamaz." msgid "TileSet" msgstr "Karo Takımı" +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No VCS addons are available." +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "Hata" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No commit message was provided" +msgstr "İsim sağlanmadı" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit" +msgstr "Topluluk" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Initialize" +msgstr "Büyük harfe çevirme" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "Yeni %s oluştur" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "Değiştir" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "Yeniden Adlandır" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "Sil" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Typechange" +msgstr "Değiştir" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "Seçilenleri Sil" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage All" +msgstr "Tümünü kaydet" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit Changes" +msgstr "Betik Değişikliklerini Eş Zamanla" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "Durum" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No file diff is active" +msgstr "Hiçbir Dizeç Seçilmedi!" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -8469,6 +8645,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9727,6 +9908,11 @@ msgid "Settings saved OK." msgstr "Ayarlar kaydedildi TAMAM." #: editor/project_settings_editor.cpp +#, fuzzy +msgid "Moved Input Action Event" +msgstr "Giriş İşlem Olayı Ekle" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "Özelliğin Üzerine Yaz" @@ -9865,6 +10051,10 @@ msgid "Plugins" msgstr "Eklentiler" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "Ön ayar..." + +#: editor/property_editor.cpp msgid "Zero" msgstr "Sıfır" @@ -10040,10 +10230,6 @@ msgstr "Büyük harf" msgid "Reset" msgstr "Yaklaşmayı Sıfırla" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "Hata" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "Düğümün Ebeveynliğini Değiştir" @@ -10101,6 +10287,11 @@ msgid "Instance Scene(s)" msgstr "Sahne(leri) Örnekle" #: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Replace with Branch Scene" +msgstr "Dalı Sahne olarak Kaydet" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "Çocuk Sahnesini Örnekle" @@ -10142,8 +10333,23 @@ msgid "Make node as Root" msgstr "Anlamlı!" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" -msgstr "Düğüm(ler) Silinsin mi?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "Düğümleri Sil" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete the root node \"%s\"?" +msgstr "Gölgelendirici Çizge Düğümünü Sil" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" +msgstr "" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "Düğümleri Sil" #: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." @@ -10575,19 +10781,50 @@ msgstr "Baytlar:" #: editor/script_editor_debugger.cpp #, fuzzy -msgid "Stack Trace" -msgstr "Çerçeveleri Yığ" +msgid "Warning:" +msgstr "Uyarılar" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." -msgstr "Grafiği görüntülemek için listeden bir veya daha fazla öğe seçin." +msgid "Error:" +msgstr "Hata:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error" +msgstr "Hatayı Kopyala" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error:" +msgstr "Hata:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source" +msgstr "Kaynak:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" +msgstr "Kaynak:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source:" +msgstr "Kaynak:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Stack Trace" +msgstr "Çerçeveleri Yığ" #: editor/script_editor_debugger.cpp msgid "Errors" msgstr "Hatalar" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +#, fuzzy +msgid "Child process connected." msgstr "Çocuk Süreç Bağlandı" #: editor/script_editor_debugger.cpp @@ -10595,6 +10832,11 @@ msgid "Copy Error" msgstr "Hatayı Kopyala" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "Noktalar oluştur." + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "Önceki Örneği İncele" @@ -10611,6 +10853,11 @@ msgid "Profiler" msgstr "Kesitçi" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Network Profiler" +msgstr "Projeyi Dışa Aktar" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "Görüntülük" @@ -10623,6 +10870,10 @@ msgid "Monitors" msgstr "Monitörler" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "Grafiği görüntülemek için listeden bir veya daha fazla öğe seçin." + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "Kaynağa Göre İzleti Belleği Kullanımının Dizelgesi:" @@ -10830,10 +11081,6 @@ msgid "Library" msgstr "Kütüphane" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "Durum" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "Kütüphaneler: " @@ -10842,6 +11089,10 @@ msgid "GDNative" msgstr "GDYerel" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp #, fuzzy msgid "Step argument is zero!" msgstr "adım değiştirgeni sıfır!" @@ -10998,6 +11249,15 @@ msgstr "IzgaraHaritası Ayarları" msgid "Pick Distance:" msgstr "Uzaklık Seç:" +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "Süzgeç kipi:" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "Sınıf ismi ayrılmış anahtar kelime olamaz" @@ -11142,6 +11402,10 @@ msgid "Create a new variable." msgstr "Yeni %s oluştur" #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "Sinyaller:" + +#: modules/visual_script/visual_script_editor.cpp #, fuzzy msgid "Create a new signal." msgstr "Sıfırdan yeni bir çokgen oluşturun." @@ -11306,6 +11570,11 @@ msgid "Editing Signal:" msgstr "Sinyal Düzenleniyor:" #: modules/visual_script/visual_script_editor.cpp +#, fuzzy +msgid "Make Tool:" +msgstr "Yerelleştir" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "Taban Türü:" @@ -11457,9 +11726,11 @@ msgid "Invalid Android SDK path for custom build in Editor Settings." msgstr "" #: platform/android/export/export.cpp +#, fuzzy msgid "" -"Android project is not installed for compiling. Install from Editor menu." -msgstr "" +"Android build template not installed in the project. Install it from the " +"Project menu." +msgstr "Android yapı şablonu eksik, lütfen ilgili şablonları yükleyin." #: platform/android/export/export.cpp msgid "Invalid public key for APK expansion." @@ -12200,36 +12471,76 @@ msgid "Input" msgstr "Giriş Ekle" #: scene/resources/visual_shader_nodes.cpp -#, fuzzy msgid "Invalid source for preview." -msgstr "Geçersiz kaynak!" +msgstr "Önizleme için geçersiz kaynak." #: scene/resources/visual_shader_nodes.cpp #, fuzzy msgid "Invalid source for shader." -msgstr "Geçersiz kaynak!" +msgstr "Gölgelendirici için geçersiz kaynak." #: scene/resources/visual_shader_nodes.cpp -#, fuzzy msgid "Invalid comparison function for that type." -msgstr "Geçersiz kaynak!" +msgstr "Bu tür için geçersiz karşılaştırma işlevi." #: servers/visual/shader_language.cpp msgid "Assignment to function." -msgstr "" +msgstr "İşleve atama." #: servers/visual/shader_language.cpp +#, fuzzy msgid "Assignment to uniform." -msgstr "" +msgstr "Değişmeze atama." #: servers/visual/shader_language.cpp +#, fuzzy msgid "Varyings can only be assigned in vertex function." -msgstr "" +msgstr "Değişkenler yalnızca tepe işlevinde atanabilir." #: servers/visual/shader_language.cpp msgid "Constants cannot be modified." msgstr "Sabit değerler değiştirilemez." +#~ msgid "Properties:" +#~ msgstr "Özellikler:" + +#~ msgid "Methods:" +#~ msgstr "Metotlar:" + +#~ msgid "Theme Properties:" +#~ msgstr "Tema Özellikleri:" + +#~ msgid "Enumerations:" +#~ msgstr "Numaralandırmalar:" + +#~ msgid "Constants:" +#~ msgstr "Sabitler:" + +#~ msgid "Class Description:" +#~ msgstr "Sınıf Açıklaması:" + +#~ msgid "Property Descriptions:" +#~ msgstr "Özellik Açıklamaları:" + +#~ msgid "Method Descriptions:" +#~ msgstr "Metot Açıklamaları:" + +#, fuzzy +#~ msgid "" +#~ "This will install the Android project for custom builds.\n" +#~ "Note that, in order to use it, it needs to be enabled per export preset." +#~ msgstr "" +#~ "Bu, özel yapımlar için Android projesini yükleyecektir.\n" +#~ "Bunu kullanmak için, içe aktarım ön ayarı başına etkinleştirilmesi " +#~ "gerektiğine dikkat edin." + +#, fuzzy +#~ msgid "Reverse sorting." +#~ msgstr "İsteniyor..." + +#~ msgid "Delete Node(s)?" +#~ msgstr "Düğüm(ler) Silinsin mi?" + #~ msgid "" #~ "Can't open file_type_cache.cch for writing, not saving file type cache!" #~ msgstr "" @@ -12477,10 +12788,6 @@ msgstr "Sabit değerler değiştirilemez." #~ msgstr "Seçilen sahneyi/sahneleri seçilen düğüme çocuk olarak örneklendir." #, fuzzy -#~ msgid "Warnings:" -#~ msgstr "Uyarılar" - -#, fuzzy #~ msgid "Font Size:" #~ msgstr "Kaynak Yazı Türü Boyutu:" @@ -12523,9 +12830,6 @@ msgstr "Sabit değerler değiştirilemez." #~ msgid "Select a split to erase it." #~ msgstr "Önce bir ayar öğesi seçin!" -#~ msgid "No name provided" -#~ msgstr "İsim sağlanmadı" - #, fuzzy #~ msgid "Add Node.." #~ msgstr "Düğüm Ekle" @@ -12667,9 +12971,6 @@ msgstr "Sabit değerler değiştirilemez." #~ msgid "Warning" #~ msgstr "Uyarı" -#~ msgid "Error:" -#~ msgstr "Hata:" - #~ msgid "Function:" #~ msgstr "Fonksiyon:" @@ -12748,9 +13049,6 @@ msgstr "Sabit değerler değiştirilemez." #~ msgid "Duplicate Graph Node(s)" #~ msgstr "Grafik Düğüm(lerini) Çoğalt" -#~ msgid "Delete Shader Graph Node(s)" -#~ msgstr "Gölgelendirici Çizge Düğümünü Sil" - #~ msgid "Error: Cyclic Connection Link" #~ msgstr "Hata: Döngüsel Bağlantı Bağlantısı" @@ -13173,9 +13471,6 @@ msgstr "Sabit değerler değiştirilemez." #~ msgid "Pick New Name and Location For:" #~ msgstr "Şunun için yeni ad ile konum seçin:" -#~ msgid "No files selected!" -#~ msgstr "Hiçbir Dizeç Seçilmedi!" - #~ msgid "Info" #~ msgstr "Bilgi" @@ -13576,12 +13871,6 @@ msgstr "Sabit değerler değiştirilemez." #~ msgid "Scaling to %s%%." #~ msgstr "Şuna %s%% Ölçeklendiriliyor." -#~ msgid "Up" -#~ msgstr "Yukarı" - -#~ msgid "Down" -#~ msgstr "Aşağı" - #~ msgid "Bucket" #~ msgstr "Kova" diff --git a/editor/translations/uk.po b/editor/translations/uk.po index bee04e31b7..bee2015a88 100644 --- a/editor/translations/uk.po +++ b/editor/translations/uk.po @@ -15,7 +15,7 @@ msgid "" msgstr "" "Project-Id-Version: Ukrainian (Godot Engine)\n" "POT-Creation-Date: \n" -"PO-Revision-Date: 2019-08-04 14:22+0000\n" +"PO-Revision-Date: 2019-09-07 13:51+0000\n" "Last-Translator: Yuri Chornoivan <yurchor@ukr.net>\n" "Language-Team: Ukrainian <https://hosted.weblate.org/projects/godot-engine/" "godot/uk/>\n" @@ -25,7 +25,7 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=3; plural=n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" "%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2;\n" -"X-Generator: Weblate 3.8-dev\n" +"X-Generator: Weblate 3.9-dev\n" #: core/math/expression.cpp modules/gdscript/gdscript_functions.cpp #: modules/visual_script/visual_script_builtin_funcs.cpp @@ -68,6 +68,35 @@ msgstr "Некоректні аргументи для побудови «%s»" msgid "On call to '%s':" msgstr "При виклику «%s»:" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +#, fuzzy +msgid "MiB" +msgstr "Поєднання" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "Вивільнити" @@ -485,6 +514,11 @@ msgid "Select None" msgstr "Скасувати позначення" #: editor/animation_track_editor.cpp +#, fuzzy +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "Шлях до вузла AnimationPlayer, де містяться анімації, не встановлено." + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "Показувати доріжки лише для вузлів, які позначено у ієрархії." @@ -664,14 +698,12 @@ msgid "Replaced %d occurrence(s)." msgstr "Замінено %d випадок(-ів)." #: editor/code_editor.cpp editor/editor_help.cpp -#, fuzzy msgid "%d match." -msgstr "Виявлено %d відповідників." +msgstr "%d відповідник." #: editor/code_editor.cpp editor/editor_help.cpp -#, fuzzy msgid "%d matches." -msgstr "Виявлено %d відповідників." +msgstr "%d відповідників." #: editor/code_editor.cpp editor/find_in_files.cpp msgid "Match Case" @@ -809,7 +841,8 @@ msgstr "Не вдалося з'єднати сигнал" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -910,7 +943,8 @@ msgstr "Пошук:" msgid "Matches:" msgstr "Збіги:" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1125,12 +1159,10 @@ msgid "License" msgstr "Ліцензія" #: editor/editor_about.cpp -#, fuzzy msgid "Third-party Licenses" -msgstr "Ліцензія третьої сторони" +msgstr "Ліцензування сторонніх компонентів" #: editor/editor_about.cpp -#, fuzzy msgid "" "Godot Engine relies on a number of third-party free and open source " "libraries, all compatible with the terms of its MIT license. The following " @@ -1138,7 +1170,7 @@ msgid "" "respective copyright statements and license terms." msgstr "" "Рушій Godot спирається на ряд сторонніх безкоштовних і відкритих бібліотек, " -"сумісних з умовами ліцензії MIT. Нижче наводиться вичерпний список всіх " +"сумісних з умовами ліцензування MIT. Нижче наведено вичерпний список всіх " "таких сторонніх компонентів з відповідними заявами авторських прав і умов " "ліцензійної угоди." @@ -1155,9 +1187,8 @@ msgid "Licenses" msgstr "Ліцензії" #: editor/editor_asset_installer.cpp editor/project_manager.cpp -#, fuzzy msgid "Error opening package file, not in ZIP format." -msgstr "Помилка відкриття файла пакунка, не у форматі zip." +msgstr "Помилка під час спроби відкрити файл пакунка — дані не у форматі zip." #: editor/editor_asset_installer.cpp msgid "Uncompressing Assets" @@ -1225,7 +1256,8 @@ msgid "Delete Bus Effect" msgstr "Вилучити ефект шини" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +#, fuzzy +msgid "Drag & drop to rearrange." msgstr "Аудіо шина, перетягнути, щоб змінити." #: editor/editor_audio_buses.cpp @@ -1416,6 +1448,7 @@ msgid "Add AutoLoad" msgstr "Додати автозавантаження" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "Шлях:" @@ -1646,6 +1679,7 @@ msgstr "Зробити поточним" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "Новий" @@ -1716,6 +1750,7 @@ msgid "New Folder..." msgstr "Створити теку..." #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "Оновити" @@ -1873,7 +1908,8 @@ msgid "Inherited by:" msgstr "Успадковано:" #: editor/editor_help.cpp -msgid "Brief Description:" +#, fuzzy +msgid "Brief Description" msgstr "Стислий опис:" #: editor/editor_help.cpp @@ -1881,38 +1917,18 @@ msgid "Properties" msgstr "Властивості" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "Властивості:" - -#: editor/editor_help.cpp msgid "Methods" msgstr "Методи" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "Методи:" - -#: editor/editor_help.cpp msgid "Theme Properties" msgstr "Властивості теми" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "Властивості теми:" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "Сигнали:" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "Перелічуваний" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "Перелічуваний:" - -#: editor/editor_help.cpp msgid "enum " msgstr "перелічуваний " @@ -1921,19 +1937,12 @@ msgid "Constants" msgstr "Константи" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "Константи:" - -#: editor/editor_help.cpp msgid "Class Description" msgstr "Опис класу" #: editor/editor_help.cpp -msgid "Class Description:" -msgstr "Опис класу:" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +#, fuzzy +msgid "Online Tutorials" msgstr "Підручники в інтернеті:" #: editor/editor_help.cpp @@ -1951,10 +1960,6 @@ msgid "Property Descriptions" msgstr "Описи властивостей" #: editor/editor_help.cpp -msgid "Property Descriptions:" -msgstr "Описи властивостей:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -1967,10 +1972,6 @@ msgid "Method Descriptions" msgstr "Описи методів" #: editor/editor_help.cpp -msgid "Method Descriptions:" -msgstr "Описи методів:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2039,8 +2040,8 @@ msgstr "Вивід:" msgid "Copy Selection" msgstr "Копіювати позначене" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2053,9 +2054,52 @@ msgstr "Очистити" msgid "Clear Output" msgstr "Очистити вивід" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "Зупинити" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "Початок" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +#, fuzzy +msgid "Down" +msgstr "Завантажити" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "Вузол" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" -msgstr "" +msgstr "Нове вікно" #: editor/editor_node.cpp msgid "Project export failed with error code %d." @@ -2382,9 +2426,8 @@ msgid "Close Scene" msgstr "Закрити сцену" #: editor/editor_node.cpp -#, fuzzy msgid "Reopen Closed Scene" -msgstr "Закрити сцену" +msgstr "Повторно відкрити закриту сцену" #: editor/editor_node.cpp msgid "Unable to enable addon plugin at: '%s' parsing of config failed." @@ -2504,9 +2547,8 @@ msgid "Close Tab" msgstr "Закрити вкладку" #: editor/editor_node.cpp -#, fuzzy msgid "Undo Close Tab" -msgstr "Закрити вкладку" +msgstr "Скасувати закриття вкладки" #: editor/editor_node.cpp editor/plugins/script_editor_plugin.cpp msgid "Close Other Tabs" @@ -2639,19 +2681,29 @@ msgid "Project" msgstr "Проєкт" #: editor/editor_node.cpp -#, fuzzy msgid "Project Settings..." -msgstr "Параметри проєкту" +msgstr "Параметри проєкту…" -#: editor/editor_node.cpp +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp #, fuzzy +msgid "Version Control" +msgstr "Версія:" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + +#: editor/editor_node.cpp msgid "Export..." -msgstr "Експортування" +msgstr "Експортувати…" #: editor/editor_node.cpp -#, fuzzy msgid "Install Android Build Template..." -msgstr "Встановити шаблон збирання Android" +msgstr "Встановити шаблон збирання для Android…" #: editor/editor_node.cpp msgid "Open Project Data Folder" @@ -2662,9 +2714,8 @@ msgid "Tools" msgstr "Інструменти" #: editor/editor_node.cpp -#, fuzzy msgid "Orphan Resource Explorer..." -msgstr "Огляд підключених ресурсів" +msgstr "Керування осиротілими ресурсами…" #: editor/editor_node.cpp msgid "Quit to Project List" @@ -2767,9 +2818,8 @@ msgid "Editor" msgstr "Редактор" #: editor/editor_node.cpp -#, fuzzy msgid "Editor Settings..." -msgstr "Параметри редактора" +msgstr "Параметри редактора…" #: editor/editor_node.cpp msgid "Editor Layout" @@ -2804,14 +2854,12 @@ msgid "Open Editor Settings Folder" msgstr "Відкрити теку параметрів редактора" #: editor/editor_node.cpp -#, fuzzy msgid "Manage Editor Features..." -msgstr "Керування можливостями редактора" +msgstr "Керування можливостями редактора…" #: editor/editor_node.cpp -#, fuzzy msgid "Manage Export Templates..." -msgstr "Управління шаблонами експорту" +msgstr "Керування шаблонами експортування…" #: editor/editor_node.cpp editor/plugins/shader_editor_plugin.cpp msgid "Help" @@ -2867,10 +2915,6 @@ msgstr "Пауза сцени" msgid "Stop the scene." msgstr "Зупинити сцену." -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "Зупинити" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "Відтворити поточну відредаговану сцену." @@ -2921,10 +2965,6 @@ msgid "Inspector" msgstr "Інспектор" #: editor/editor_node.cpp -msgid "Node" -msgstr "Вузол" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "Розгорнути нижню панель" @@ -2948,19 +2988,22 @@ msgstr "Керування шаблонами" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" -"У результаті виконання цієї дії буде встановлено проєкт Android для " -"нетипового збирання.\n" -"Зауважте, що для того, щоб ним можна було скористатися, його слід увімкнути " -"експортуванням набору правил." #: editor/editor_node.cpp +#, fuzzy msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" "Шаблон збирання для Android вже встановлено. Його не буде перезаписано.\n" "Вилучіть каталог «build» вручну, перш ніж намагатися повторити цю дію." @@ -3025,6 +3068,11 @@ msgstr "Відкрити наступний редактор" msgid "Open the previous Editor" msgstr "Відкрити попередній редактор" +#: editor/editor_path.cpp +#, fuzzy +msgid "No sub-resources found." +msgstr "Не задано джерело поверхні." + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "Створення попереднього перегляду сітки" @@ -3034,6 +3082,11 @@ msgid "Thumbnail..." msgstr "Мініатюра..." #: editor/editor_plugin_settings.cpp +#, fuzzy +msgid "Main Script:" +msgstr "Відкрити скрипт:" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "Редагування додатка" @@ -3062,11 +3115,6 @@ msgstr "Статус:" msgid "Edit:" msgstr "Редагувати:" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "Початок" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "Вимірювати:" @@ -3283,9 +3331,8 @@ msgid "Import From Node:" msgstr "Імпортувати з вузла:" #: editor/export_template_manager.cpp -#, fuzzy msgid "Redownload" -msgstr "Перезавантажити" +msgstr "Отримати повторно" #: editor/export_template_manager.cpp msgid "Uninstall" @@ -3302,7 +3349,7 @@ msgstr "Завантажити" #: editor/export_template_manager.cpp msgid "Official export templates aren't available for development builds." -msgstr "" +msgstr "Для тестових збірок не передбачено офіційних шаблонів експортування." #: editor/export_template_manager.cpp msgid "(Missing)" @@ -3385,23 +3432,20 @@ msgid "Download Complete." msgstr "Завантаження закінчено." #: editor/export_template_manager.cpp -#, fuzzy msgid "Cannot remove temporary file:" -msgstr "Не вдалося зберегти тему до файла:" +msgstr "Не вдалося вилучити тимчасовий файл:" #: editor/export_template_manager.cpp -#, fuzzy msgid "" "Templates installation failed.\n" "The problematic templates archives can be found at '%s'." msgstr "" -"Не вдалося встановити шаблони. Проблемні архіви із шаблонами можна знайти " -"тут: «%s»." +"Не вдалося встановити шаблони.\n" +"Проблемні архіви із шаблонами можна знайти тут: «%s»." #: editor/export_template_manager.cpp -#, fuzzy msgid "Error requesting URL:" -msgstr "Помилка запиту url: " +msgstr "Помилка під час запиту за такою адресою:" #: editor/export_template_manager.cpp msgid "Connecting to Mirror..." @@ -3588,9 +3632,8 @@ msgid "Move To..." msgstr "Перемістити до..." #: editor/filesystem_dock.cpp -#, fuzzy msgid "New Scene..." -msgstr "Нова сцена" +msgstr "Створити сцену…" #: editor/filesystem_dock.cpp editor/plugins/script_editor_plugin.cpp msgid "New Script..." @@ -3658,9 +3701,8 @@ msgid "Overwrite" msgstr "Перезаписати" #: editor/filesystem_dock.cpp -#, fuzzy msgid "Create Scene" -msgstr "Створити зі сцени" +msgstr "Створити сцену" #: editor/filesystem_dock.cpp editor/plugins/script_editor_plugin.cpp msgid "Create Script" @@ -3740,21 +3782,18 @@ msgid "Invalid group name." msgstr "Неприпустима назва групи." #: editor/groups_editor.cpp -#, fuzzy msgid "Rename Group" -msgstr "Керування групами" +msgstr "Перейменування групи" #: editor/groups_editor.cpp -#, fuzzy msgid "Delete Group" -msgstr "Видалити компонування" +msgstr "Вилучення групи" #: editor/groups_editor.cpp editor/node_dock.cpp msgid "Groups" msgstr "Групи" #: editor/groups_editor.cpp -#, fuzzy msgid "Nodes Not in Group" msgstr "Вузли поза групою" @@ -3769,12 +3808,11 @@ msgstr "Вузли у групі" #: editor/groups_editor.cpp msgid "Empty groups will be automatically removed." -msgstr "" +msgstr "Порожні групи буде автоматично вилучено." #: editor/groups_editor.cpp -#, fuzzy msgid "Group Editor" -msgstr "Редактор скриптів" +msgstr "Редактор груп" #: editor/groups_editor.cpp msgid "Manage Groups" @@ -3873,9 +3911,10 @@ msgstr " Файли" msgid "Import As:" msgstr "Імпортувати як:" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." -msgstr "Заздалегідь установлений..." +#: editor/import_dock.cpp +#, fuzzy +msgid "Preset" +msgstr "Набори" #: editor/import_dock.cpp msgid "Reimport" @@ -3982,9 +4021,8 @@ msgid "MultiNode Set" msgstr "Мультивузловий набір" #: editor/node_dock.cpp -#, fuzzy msgid "Select a single node to edit its signals and groups." -msgstr "Виберіть вузол для редагування сигналів та груп." +msgstr "Виберіть окремий вузол для редагування його сигналів та груп." #: editor/plugin_config_dialog.cpp msgid "Edit a Plugin" @@ -4320,6 +4358,7 @@ msgid "Change Animation Name:" msgstr "Змінити ім'я анімації:" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "Видалити анімацію?" @@ -4768,37 +4807,32 @@ msgid "Request failed, return code:" msgstr "Помилка запиту, код повернення:" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Request failed." -msgstr "Запит не вдався." +msgstr "Не вдалося виконати запит." #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Cannot save response to:" -msgstr "Не вдалося зберегти тему до файла:" +msgstr "Не вдалося зберегти відповідь сюди:" #: editor/plugins/asset_library_editor_plugin.cpp msgid "Write error." -msgstr "" +msgstr "Помилка під час записування." #: editor/plugins/asset_library_editor_plugin.cpp msgid "Request failed, too many redirects" msgstr "Запит не вдався, забагато перенаправлень" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Redirect loop." msgstr "Циклічне переспрямування." #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Request failed, timeout" -msgstr "Помилка запиту, код повернення:" +msgstr "Помилка запиту, перевищено час очікування на відповідь" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Timeout." -msgstr "Час" +msgstr "Перевищено час очікування на відповідь." #: editor/plugins/asset_library_editor_plugin.cpp msgid "Bad download hash, assuming file has been tampered with." @@ -4877,24 +4911,18 @@ msgid "All" msgstr "Все" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Import..." -msgstr "Імпортувати" +msgstr "Імпортувати…" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Plugins..." -msgstr "Плаґіни (додатки)" +msgstr "Додатки…" #: editor/plugins/asset_library_editor_plugin.cpp editor/project_manager.cpp msgid "Sort:" msgstr "Сортувати:" #: editor/plugins/asset_library_editor_plugin.cpp -msgid "Reverse sorting." -msgstr "Обернений порядок." - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "Категорія:" @@ -4904,9 +4932,8 @@ msgid "Site:" msgstr "Сайт:" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Support" -msgstr "Підтримка..." +msgstr "Підтримка" #: editor/plugins/asset_library_editor_plugin.cpp msgid "Official" @@ -4917,9 +4944,8 @@ msgid "Testing" msgstr "Тестування" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Loading..." -msgstr "Завантажити…" +msgstr "Завантаження…" #: editor/plugins/asset_library_editor_plugin.cpp msgid "Assets ZIP File" @@ -5087,9 +5113,8 @@ msgid "Paste Pose" msgstr "Вставити позу" #: editor/plugins/canvas_item_editor_plugin.cpp -#, fuzzy msgid "Clear Guides" -msgstr "Очистити кістки" +msgstr "Вилучити напрямні" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Create Custom Bone(s) from Node(s)" @@ -5177,6 +5202,11 @@ msgid "Pan Mode" msgstr "Режим панорамування" #: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy +msgid "Ruler Mode" +msgstr "Режим виконання:" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "Увімкнути або вимкнути прив'язування." @@ -5825,26 +5855,23 @@ msgstr "Час генерації (сек):" #: editor/plugins/particles_editor_plugin.cpp msgid "The geometry's faces don't contain any area." -msgstr "" +msgstr "Сторони геометричної фігури не обмежують жодної площі." #: editor/plugins/particles_editor_plugin.cpp -#, fuzzy msgid "The geometry doesn't contain any faces." -msgstr "Вузол не містить геометрії (граней)." +msgstr "Геометрія не містить жодної грані." #: editor/plugins/particles_editor_plugin.cpp msgid "\"%s\" doesn't inherit from Spatial." -msgstr "" +msgstr "«%s» не успадковує властивості від Spatial." #: editor/plugins/particles_editor_plugin.cpp -#, fuzzy msgid "\"%s\" doesn't contain geometry." -msgstr "Вузол не містить геометрії." +msgstr "«%s» не містить геометричної конструкції." #: editor/plugins/particles_editor_plugin.cpp -#, fuzzy msgid "\"%s\" doesn't contain face geometry." -msgstr "Вузол не містить геометрії." +msgstr "«%s» не містить геометрії граней." #: editor/plugins/particles_editor_plugin.cpp msgid "Create Emitter" @@ -6244,7 +6271,7 @@ msgstr "Екземпляр:" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "Тип:" @@ -6282,9 +6309,8 @@ msgid "Error writing TextFile:" msgstr "Помилка під час спроби записати TextFile:" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "Could not load file at:" -msgstr "Неможливо знайти плитку:" +msgstr "Не вдалося завантажити цей файл:" #: editor/plugins/script_editor_plugin.cpp msgid "Error saving file!" @@ -6307,7 +6333,6 @@ msgid "Error Importing" msgstr "Помилка імпортування" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "New Text File..." msgstr "Створити текстовий файл…" @@ -6389,9 +6414,8 @@ msgid "Open..." msgstr "Відкрити..." #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "Reopen Closed Script" -msgstr "Відкрити скрипт" +msgstr "Повторно відкрити закритий скрипт" #: editor/plugins/script_editor_plugin.cpp msgid "Save All" @@ -6447,14 +6471,14 @@ msgid "Toggle Scripts Panel" msgstr "Перемкнути панель скриптів" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" -msgstr "Крок через" - -#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Step Into" msgstr "Крок в" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp +msgid "Step Over" +msgstr "Крок через" + +#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Break" msgstr "Пауза" @@ -6526,15 +6550,14 @@ msgid "Search Results" msgstr "Результати пошуку" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "Clear Recent Scripts" -msgstr "Очистити недавні сцени" +msgstr "Спорожнити список нещодавніх скриптів" #: editor/plugins/script_text_editor.cpp msgid "Connections to method:" msgstr "З'єднання з методом:" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp msgid "Source" msgstr "Джерело" @@ -6653,9 +6676,8 @@ msgid "Complete Symbol" msgstr "Завершити символ" #: editor/plugins/script_text_editor.cpp -#, fuzzy msgid "Evaluate Selection" -msgstr "Вибір масштабу" +msgstr "Оцінка позначеного" #: editor/plugins/script_text_editor.cpp msgid "Trim Trailing Whitespace" @@ -6963,9 +6985,8 @@ msgid "Audio Listener" msgstr "Прослуховування звуку" #: editor/plugins/spatial_editor_plugin.cpp -#, fuzzy msgid "Enable Doppler" -msgstr "Увімкнути фільтрування" +msgstr "Увімкнути ефект Доплера" #: editor/plugins/spatial_editor_plugin.cpp msgid "Cinematic Preview" @@ -7022,7 +7043,7 @@ msgstr "Приліпити вузли до підлоги" #: editor/plugins/spatial_editor_plugin.cpp msgid "Couldn't find a solid floor to snap the selection to." -msgstr "" +msgstr "Не вдалося знайти твердої основи для прилипання позначеного фрагмента." #: editor/plugins/spatial_editor_plugin.cpp msgid "" @@ -7035,9 +7056,8 @@ msgstr "" "Alt+Права кнопка: Вибір у списку за глибиною" #: editor/plugins/spatial_editor_plugin.cpp -#, fuzzy msgid "Use Local Space" -msgstr "Режим локального простору (%s)" +msgstr "Використати локальний простір" #: editor/plugins/spatial_editor_plugin.cpp msgid "Bottom View" @@ -7134,9 +7154,8 @@ msgstr "Перегляд ґратки" #: editor/plugins/spatial_editor_plugin.cpp #: modules/gridmap/grid_map_editor_plugin.cpp -#, fuzzy msgid "Settings..." -msgstr "Параметри" +msgstr "Параметри…" #: editor/plugins/spatial_editor_plugin.cpp msgid "Snap Settings" @@ -7317,6 +7336,11 @@ msgid "(empty)" msgstr "(порожньо)" #: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy +msgid "Move Frame" +msgstr "Вставити кадр" + +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Animations:" msgstr "Анімації:" @@ -7514,14 +7538,12 @@ msgid "Submenu" msgstr "Підменю" #: editor/plugins/theme_editor_plugin.cpp -#, fuzzy msgid "Subitem 1" -msgstr "Елемент 1" +msgstr "Піделемент 1" #: editor/plugins/theme_editor_plugin.cpp -#, fuzzy msgid "Subitem 2" -msgstr "Елемент 2" +msgstr "Піделемент 2" #: editor/plugins/theme_editor_plugin.cpp msgid "Has" @@ -7633,17 +7655,25 @@ msgid "Enable Priority" msgstr "Увімкнути пріоритетність" #: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy +msgid "Filter tiles" +msgstr "Фільтрувати файли..." + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "Намалювати плитку" #: editor/plugins/tile_map_editor_plugin.cpp -#, fuzzy msgid "" "Shift+LMB: Line Draw\n" "Shift+Ctrl+LMB: Rectangle Paint" msgstr "" -"Shift+права кнопка: малювати лінію\n" -"Shift+Ctrl+права кнопка: малювати прямокутник" +"Shift+ліва кнопка: малювати лінію\n" +"Shift+Ctrl+ліва кнопка: малювати прямокутник" #: editor/plugins/tile_map_editor_plugin.cpp msgid "Pick Tile" @@ -7768,6 +7798,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "Показати назви плиток (якщо затиснути клавішу Alt)" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp msgid "Remove selected texture? This will remove all tiles which use it." msgstr "" "Вилучити позначену текстуру? Наслідком буде вилучення усіх плиток, у яких її " @@ -7940,6 +7975,111 @@ msgstr "Значення цієї властивості не можна змі msgid "TileSet" msgstr "Набір плиток" +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No VCS addons are available." +msgstr "Назва батьківського запису вузла, якщо такий є" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "Помилка" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No commit message was provided" +msgstr "Ім'я не вказано" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit" +msgstr "Спільнота" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Initialize" +msgstr "З Великої" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "Створити прямокутник." + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "Змінити" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "Перейменувати" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "Вилучити" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Typechange" +msgstr "Змінити" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "Вилучити вибране" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage All" +msgstr "Зберегти все" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit Changes" +msgstr "Синхронізувати зміни в скрипті" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "Статус" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "(лише GLES3)" @@ -8046,9 +8186,8 @@ msgid "Light" msgstr "Світло" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Show resulted shader code." -msgstr "Створити вузол шейдера" +msgstr "Показати отриманий код шейдера." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Create Shader Node" @@ -8177,6 +8316,13 @@ msgstr "" "Повертає пов'язаний вектор за заданим булевим значенням «true» або «false»." #: editor/plugins/visual_shader_editor_plugin.cpp +#, fuzzy +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" +"Повертає пов'язаний вектор за заданим булевим значенням «true» або «false»." + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "Повертає булевий результат порівняння між двома параметрами." @@ -8417,7 +8563,6 @@ msgid "Returns the square root of the parameter." msgstr "Повертає квадратний корінь з параметра." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "SmoothStep function( scalar(edge0), scalar(edge1), scalar(x) ).\n" "\n" @@ -8432,7 +8577,6 @@ msgstr "" "у проміжку від 0.0 до 1.0, яку визначено на основі поліномів Ерміта." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "Step function( scalar(edge), scalar(x) ).\n" "\n" @@ -8609,9 +8753,9 @@ msgid "Linear interpolation between two vectors." msgstr "Лінійна інтерполяція від двох векторних значень." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Linear interpolation between two vectors using scalar." -msgstr "Лінійна інтерполяція від двох векторних значень." +msgstr "" +"Лінійна інтерполяція від двох векторних значень з використанням скаляра." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Calculates the normalize product of vector." @@ -8638,7 +8782,6 @@ msgid "Returns the vector that points in the direction of refraction." msgstr "Повертає вектор, який вказує напрямок рефракції." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "SmoothStep function( vector(edge0), vector(edge1), vector(x) ).\n" "\n" @@ -8653,7 +8796,6 @@ msgstr "" "у проміжку від 0.0 до 1.0, яку визначено на основі поліномів Ерміта." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "SmoothStep function( scalar(edge0), scalar(edge1), vector(x) ).\n" "\n" @@ -8668,7 +8810,6 @@ msgstr "" "у проміжку від 0.0 до 1.0, яку визначено на основі поліномів Ерміта." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "Step function( vector(edge), vector(x) ).\n" "\n" @@ -8679,7 +8820,6 @@ msgstr "" "Повертає 0.0, якщо «x» є меншим за «межа». Якщо це не так, повертає 1.0." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "Step function( scalar(edge), vector(x) ).\n" "\n" @@ -8742,6 +8882,10 @@ msgid "" "shader. You can place various function definitions inside and call it later " "in the Expressions. You can also declare varyings, uniforms and constants." msgstr "" +"Нетиповий вираз мовою шейдерів Godot, який буде додано над отриманим " +"шейдером. Ви можете розташовувати різні визначення функцій всередині коду і " +"викликати його пізніше у виразах. Ви також можете оголошувати змінні, " +"уніформи та сталі." #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(Fragment/Light mode only) Scalar derivative function." @@ -9134,13 +9278,12 @@ msgid "Unnamed Project" msgstr "Проєкт без назви" #: editor/project_manager.cpp -#, fuzzy msgid "Missing Project" -msgstr "Імпортувати наявний проєкт" +msgstr "Не вистачає проєкту" #: editor/project_manager.cpp msgid "Error: Project is missing on the filesystem." -msgstr "" +msgstr "Помилка: у файловій системі немає проєкту." #: editor/project_manager.cpp msgid "Can't open project at '%s'." @@ -9239,12 +9382,11 @@ msgstr "" "Вміст теки не буде змінено." #: editor/project_manager.cpp -#, fuzzy msgid "" "Remove all missing projects from the list?\n" "The project folders' contents won't be modified." msgstr "" -"Вилучити %d проєктів зі списку?\n" +"Вилучити усі проєкти, яких не знайдено, зі списку?\n" "Вміст тек проєктів змінено не буде." #: editor/project_manager.cpp @@ -9269,9 +9411,8 @@ msgid "Project Manager" msgstr "Керівник проекту" #: editor/project_manager.cpp -#, fuzzy msgid "Projects" -msgstr "Проєкт" +msgstr "Проєкти" #: editor/project_manager.cpp msgid "Scan" @@ -9502,6 +9643,11 @@ msgid "Settings saved OK." msgstr "Параметри успішно збережено." #: editor/project_settings_editor.cpp +#, fuzzy +msgid "Moved Input Action Event" +msgstr "Додати подію за вхідною дією" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "Перевизначено для можливості" @@ -9638,6 +9784,10 @@ msgid "Plugins" msgstr "Плаґіни (додатки)" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "Заздалегідь установлений..." + +#: editor/property_editor.cpp msgid "Zero" msgstr "Нуль" @@ -9807,10 +9957,6 @@ msgstr "ВЕРХНІЙ РЕГІСТР" msgid "Reset" msgstr "Скинути" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "Помилка" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "Змінити батьківський вузол" @@ -9868,6 +10014,11 @@ msgid "Instance Scene(s)" msgstr "Сцени екземпляра" #: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Replace with Branch Scene" +msgstr "Зберегти гілку як сцену" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "Створити екземпляр дочірньої сцени" @@ -9910,8 +10061,23 @@ msgid "Make node as Root" msgstr "Зробити вузол кореневим" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" -msgstr "Вилучити вузли?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "Вилучити вузли" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete the root node \"%s\"?" +msgstr "Вилучити взули графу шейдера" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" +msgstr "" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "Вилучити вузли" #: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." @@ -9986,9 +10152,8 @@ msgid "Remove Node(s)" msgstr "Вилучити вузли" #: editor/scene_tree_dock.cpp -#, fuzzy msgid "Change type of node(s)" -msgstr "Змінити назву вихідного порту" +msgstr "Змінити тип вузлів" #: editor/scene_tree_dock.cpp msgid "" @@ -10111,30 +10276,27 @@ msgid "Node configuration warning:" msgstr "Попередження щодо налаштовування вузла:" #: editor/scene_tree_editor.cpp -#, fuzzy msgid "" "Node has %s connection(s) and %s group(s).\n" "Click to show signals dock." msgstr "" -"Вузол містить з'єднання і групи.\n" +"Вузол містить %s з'єднання і %s групи.\n" "Клацніть, щоб переглянути панель сигналів." #: editor/scene_tree_editor.cpp -#, fuzzy msgid "" "Node has %s connection(s).\n" "Click to show signals dock." msgstr "" -"Вузол містить з'єднання\n" +"Вузол містить %s з'єднань.\n" "Клацніть, щоб переглянути панель сигналів." #: editor/scene_tree_editor.cpp -#, fuzzy msgid "" "Node is in %s group(s).\n" "Click to show groups dock." msgstr "" -"Вузол належить групам.\n" +"Вузол належить %s групам.\n" "Клацніть, щоб переглянути панель груп." #: editor/scene_tree_editor.cpp @@ -10230,9 +10392,8 @@ msgid "Error loading script from %s" msgstr "Помилка під час спроби завантажити скрипт з %s" #: editor/script_create_dialog.cpp -#, fuzzy msgid "Overrides" -msgstr "Перезаписати" +msgstr "Перевизначення" #: editor/script_create_dialog.cpp msgid "N/A" @@ -10311,19 +10472,50 @@ msgid "Bytes:" msgstr "Байтів:" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" -msgstr "Трасування стека" +#, fuzzy +msgid "Warning:" +msgstr "Попередження:" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." -msgstr "Виберіть один або декілька пунктів зі списку для перегляду графу." +msgid "Error:" +msgstr "Помилка:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error" +msgstr "Помилка копіювання" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error:" +msgstr "Помилка:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source" +msgstr "Джерело" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" +msgstr "Джерело" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source:" +msgstr "Джерело" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" +msgstr "Трасування стека" #: editor/script_editor_debugger.cpp msgid "Errors" msgstr "Помилки" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +#, fuzzy +msgid "Child process connected." msgstr "З'єднано дочірній процес" #: editor/script_editor_debugger.cpp @@ -10331,6 +10523,11 @@ msgid "Copy Error" msgstr "Помилка копіювання" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "Точки зупину" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "Інспектувати попередній екземпляр" @@ -10347,6 +10544,11 @@ msgid "Profiler" msgstr "Засіб профілювання" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Network Profiler" +msgstr "Експорт профілю" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "Монітор" @@ -10359,6 +10561,10 @@ msgid "Monitors" msgstr "Монітори" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "Виберіть один або декілька пунктів зі списку для перегляду графу." + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "Список використання відеопам'яті за ресурсами:" @@ -10555,10 +10761,6 @@ msgid "Library" msgstr "Бібліотека" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "Статус" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "Бібліотеки: " @@ -10567,6 +10769,10 @@ msgid "GDNative" msgstr "GDNative" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "Аргумент кроку дорівнює нулеві!" @@ -10720,6 +10926,15 @@ msgstr "Параметри GridMap" msgid "Pick Distance:" msgstr "Відстань вибору:" +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "Фільтрувати методи" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "Назвою класу не може бути зарезервоване ключове слово" @@ -10845,28 +11060,28 @@ msgid "Set Variable Type" msgstr "Встановити тип змінної" #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Override an existing built-in function." -msgstr "Назва не повинна збігатися із наявною назвою вбудованого типу." +msgstr "Перевизначення наявної вбудованої функції." #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Create a new function." -msgstr "Створити прямокутник." +msgstr "Створити функцію." #: modules/visual_script/visual_script_editor.cpp msgid "Variables:" msgstr "Змінні:" #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Create a new variable." -msgstr "Створити прямокутник." +msgstr "Створити змінну." + +#: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "Сигнали:" #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Create a new signal." -msgstr "Створити новий полігон." +msgstr "Створити сигнал." #: modules/visual_script/visual_script_editor.cpp msgid "Name is not a valid identifier:" @@ -11025,6 +11240,11 @@ msgid "Editing Signal:" msgstr "Редагування сигналу:" #: modules/visual_script/visual_script_editor.cpp +#, fuzzy +msgid "Make Tool:" +msgstr "Зробити локальним" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "Базовий тип:" @@ -11181,8 +11401,10 @@ msgstr "" "редактора." #: platform/android/export/export.cpp +#, fuzzy msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" "Для збирання не встановлено проєкт Android. Встановіть його за допомогою " "меню редактора." @@ -11981,6 +12203,45 @@ msgstr "Змінні величини можна пов'язувати лише msgid "Constants cannot be modified." msgstr "Сталі не можна змінювати." +#~ msgid "Properties:" +#~ msgstr "Властивості:" + +#~ msgid "Methods:" +#~ msgstr "Методи:" + +#~ msgid "Theme Properties:" +#~ msgstr "Властивості теми:" + +#~ msgid "Enumerations:" +#~ msgstr "Перелічуваний:" + +#~ msgid "Constants:" +#~ msgstr "Константи:" + +#~ msgid "Class Description:" +#~ msgstr "Опис класу:" + +#~ msgid "Property Descriptions:" +#~ msgstr "Описи властивостей:" + +#~ msgid "Method Descriptions:" +#~ msgstr "Описи методів:" + +#~ msgid "" +#~ "This will install the Android project for custom builds.\n" +#~ "Note that, in order to use it, it needs to be enabled per export preset." +#~ msgstr "" +#~ "У результаті виконання цієї дії буде встановлено проєкт Android для " +#~ "нетипового збирання.\n" +#~ "Зауважте, що для того, щоб ним можна було скористатися, його слід " +#~ "увімкнути експортуванням набору правил." + +#~ msgid "Reverse sorting." +#~ msgstr "Обернений порядок." + +#~ msgid "Delete Node(s)?" +#~ msgstr "Вилучити вузли?" + #~ msgid "No Matches" #~ msgstr "Немає збігів" @@ -12400,9 +12661,6 @@ msgstr "Сталі не можна змінювати." #~ msgid "Instance the selected scene(s) as child of the selected node." #~ msgstr "Додати вибрану сцену(и), як нащадка вибраного вузла." -#~ msgid "Warnings:" -#~ msgstr "Попередження:" - #~ msgid "Font Size:" #~ msgstr "Розмір шрифту:" @@ -12442,9 +12700,6 @@ msgstr "Сталі не можна змінювати." #~ msgid "Select a split to erase it." #~ msgstr "Виберіть поділ для його витирання." -#~ msgid "No name provided" -#~ msgstr "Ім'я не вказано" - #~ msgid "Add Node.." #~ msgstr "Додати вузол…" @@ -12577,9 +12832,6 @@ msgstr "Сталі не можна змінювати." #~ msgid "Warning" #~ msgstr "Попередження" -#~ msgid "Error:" -#~ msgstr "Помилка:" - #~ msgid "Function:" #~ msgstr "Функція:" @@ -12661,9 +12913,6 @@ msgstr "Сталі не можна змінювати." #~ msgid "Duplicate Graph Node(s)" #~ msgstr "Дублювати вузли графу" -#~ msgid "Delete Shader Graph Node(s)" -#~ msgstr "Вилучити взули графу шейдера" - #~ msgid "Error: Cyclic Connection Link" #~ msgstr "Помилка: циклічне посилання" diff --git a/editor/translations/ur_PK.po b/editor/translations/ur_PK.po index d02d8f8c2c..5102a4b463 100644 --- a/editor/translations/ur_PK.po +++ b/editor/translations/ur_PK.po @@ -62,6 +62,34 @@ msgstr "" msgid "On call to '%s':" msgstr "" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +msgid "MiB" +msgstr "" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "" @@ -465,6 +493,10 @@ msgid "Select None" msgstr ".تمام کا انتخاب" #: editor/animation_track_editor.cpp +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "" + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "" @@ -787,7 +819,8 @@ msgstr ".تمام کا انتخاب" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -892,7 +925,8 @@ msgstr "" msgid "Matches:" msgstr "" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1194,7 +1228,7 @@ msgid "Delete Bus Effect" msgstr "" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +msgid "Drag & drop to rearrange." msgstr "" #: editor/editor_audio_buses.cpp @@ -1388,6 +1422,7 @@ msgid "Add AutoLoad" msgstr "" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "" @@ -1613,6 +1648,7 @@ msgstr "" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "" @@ -1687,6 +1723,7 @@ msgid "New Folder..." msgstr "" #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "" @@ -1847,47 +1884,28 @@ msgid "Inherited by:" msgstr "" #: editor/editor_help.cpp -msgid "Brief Description:" -msgstr "" +#, fuzzy +msgid "Brief Description" +msgstr "سب سکریپشن بنائیں" #: editor/editor_help.cpp msgid "Properties" msgstr "" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "" - -#: editor/editor_help.cpp msgid "Methods" msgstr "" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "" - -#: editor/editor_help.cpp #, fuzzy msgid "Theme Properties" msgstr ".تمام کا انتخاب" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "" - -#: editor/editor_help.cpp msgid "enum " msgstr "" @@ -1896,21 +1914,12 @@ msgid "Constants" msgstr "" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "" - -#: editor/editor_help.cpp #, fuzzy msgid "Class Description" msgstr "سب سکریپشن بنائیں" #: editor/editor_help.cpp -#, fuzzy -msgid "Class Description:" -msgstr "سب سکریپشن بنائیں" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +msgid "Online Tutorials" msgstr "" #: editor/editor_help.cpp @@ -1926,11 +1935,6 @@ msgid "Property Descriptions" msgstr "سب سکریپشن بنائیں" #: editor/editor_help.cpp -#, fuzzy -msgid "Property Descriptions:" -msgstr "سب سکریپشن بنائیں" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -1942,11 +1946,6 @@ msgid "Method Descriptions" msgstr "سب سکریپشن بنائیں" #: editor/editor_help.cpp -#, fuzzy -msgid "Method Descriptions:" -msgstr "سب سکریپشن بنائیں" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2014,8 +2013,8 @@ msgstr "" msgid "Copy Selection" msgstr ".تمام کا انتخاب" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2029,6 +2028,48 @@ msgstr "" msgid "Clear Output" msgstr "سب سکریپشن بنائیں" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Down" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" msgstr "" @@ -2572,6 +2613,18 @@ msgstr "" msgid "Project Settings..." msgstr "" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control" +msgstr "" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp #, fuzzy msgid "Export..." @@ -2773,10 +2826,6 @@ msgstr "" msgid "Stop the scene." msgstr "" -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "" @@ -2827,10 +2876,6 @@ msgid "Inspector" msgstr "" #: editor/editor_node.cpp -msgid "Node" -msgstr "" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "" @@ -2853,15 +2898,21 @@ msgstr ".تمام کا انتخاب" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -2925,6 +2976,10 @@ msgstr "" msgid "Open the previous Editor" msgstr "" +#: editor/editor_path.cpp +msgid "No sub-resources found." +msgstr "" + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "" @@ -2934,6 +2989,11 @@ msgid "Thumbnail..." msgstr "" #: editor/editor_plugin_settings.cpp +#, fuzzy +msgid "Main Script:" +msgstr "سب سکریپشن بنائیں" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "" @@ -2962,11 +3022,6 @@ msgstr "" msgid "Edit:" msgstr "" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "" @@ -3759,8 +3814,8 @@ msgstr "" msgid "Import As:" msgstr "" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." +#: editor/import_dock.cpp +msgid "Preset" msgstr "" #: editor/import_dock.cpp @@ -4200,6 +4255,7 @@ msgid "Change Animation Name:" msgstr "" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "" @@ -4765,10 +4821,6 @@ msgid "Sort:" msgstr "" #: editor/plugins/asset_library_editor_plugin.cpp -msgid "Reverse sorting." -msgstr "" - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "" @@ -5049,6 +5101,11 @@ msgid "Pan Mode" msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy +msgid "Ruler Mode" +msgstr "ایکشن منتقل کریں" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "" @@ -6117,7 +6174,7 @@ msgstr "" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "" @@ -6322,11 +6379,11 @@ msgid "Toggle Scripts Panel" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" +msgid "Step Into" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Into" +msgid "Step Over" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp @@ -6408,7 +6465,7 @@ msgstr "سب سکریپشن بنائیں" msgid "Connections to method:" msgstr "" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp msgid "Source" msgstr "" @@ -7193,6 +7250,11 @@ msgid "(empty)" msgstr "" #: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy +msgid "Move Frame" +msgstr "ایکشن منتقل کریں" + +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Animations:" msgstr "" @@ -7514,6 +7576,15 @@ msgid "Enable Priority" msgstr "" #: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy +msgid "Filter tiles" +msgstr "سب سکریپشن بنائیں" + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "" @@ -7654,6 +7725,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp #, fuzzy msgid "Remove selected texture? This will remove all tiles which use it." msgstr ".تمام کا انتخاب" @@ -7823,6 +7899,105 @@ msgstr "" msgid "TileSet" msgstr "" +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No VCS addons are available." +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No commit message was provided" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit" +msgstr "کمیونٹی" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Initialize" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "سب سکریپشن بنائیں" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr ".نوٹفئر کے اکسٹنٹ کو تبدیل کیجیۓ" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr ".تمام کا انتخاب" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr ".اینیمیشن کی کیز کو ڈیلیٹ کرو" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Typechange" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr ".تمام کا انتخاب" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Stage All" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Commit Changes" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -8063,6 +8238,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9266,6 +9446,11 @@ msgid "Settings saved OK." msgstr "" #: editor/project_settings_editor.cpp +#, fuzzy +msgid "Moved Input Action Event" +msgstr ".تمام کا انتخاب" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "" @@ -9403,6 +9588,10 @@ msgid "Plugins" msgstr "" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "" + +#: editor/property_editor.cpp msgid "Zero" msgstr "" @@ -9566,10 +9755,6 @@ msgstr "" msgid "Reset" msgstr "" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "" @@ -9625,6 +9810,10 @@ msgid "Instance Scene(s)" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Replace with Branch Scene" +msgstr "" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "" @@ -9666,10 +9855,24 @@ msgid "Make node as Root" msgstr "" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr ".اینیمیشن کی کیز کو ڈیلیٹ کرو" + +#: editor/scene_tree_dock.cpp +msgid "Delete the root node \"%s\"?" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" +msgstr "" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr ".اینیمیشن کی کیز کو ڈیلیٹ کرو" + +#: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." msgstr "" @@ -10060,11 +10263,35 @@ msgid "Bytes:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" +msgid "Warning:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." +msgid "Error:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Error" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Error:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Source" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "Source:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "C++ Source:" +msgstr "" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" msgstr "" #: editor/script_editor_debugger.cpp @@ -10072,7 +10299,7 @@ msgid "Errors" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +msgid "Child process connected." msgstr "" #: editor/script_editor_debugger.cpp @@ -10080,6 +10307,11 @@ msgid "Copy Error" msgstr "" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr ".تمام کا انتخاب" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "" @@ -10096,6 +10328,11 @@ msgid "Profiler" msgstr "" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Network Profiler" +msgstr ".تمام کا انتخاب" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "" @@ -10108,6 +10345,10 @@ msgid "Monitors" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "" @@ -10308,10 +10549,6 @@ msgid "Library" msgstr "" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "" @@ -10320,6 +10557,10 @@ msgid "GDNative" msgstr "" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp #, fuzzy msgid "Step argument is zero!" msgstr "سٹیپ کے ارگمنٹس سفر ہیں!" @@ -10477,6 +10718,15 @@ msgstr "" msgid "Pick Distance:" msgstr "" +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "سب سکریپشن بنائیں" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -10614,6 +10864,10 @@ msgid "Create a new variable." msgstr "سب سکریپشن بنائیں" #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp #, fuzzy msgid "Create a new signal." msgstr "سب سکریپشن بنائیں" @@ -10775,6 +11029,10 @@ msgid "Editing Signal:" msgstr "" #: modules/visual_script/visual_script_editor.cpp +msgid "Make Tool:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "" @@ -10923,7 +11181,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp @@ -11571,6 +11830,18 @@ msgid "Constants cannot be modified." msgstr "" #, fuzzy +#~ msgid "Class Description:" +#~ msgstr "سب سکریپشن بنائیں" + +#, fuzzy +#~ msgid "Property Descriptions:" +#~ msgstr "سب سکریپشن بنائیں" + +#, fuzzy +#~ msgid "Method Descriptions:" +#~ msgstr "سب سکریپشن بنائیں" + +#, fuzzy #~ msgid "Tool Select" #~ msgstr ".تمام کا انتخاب" diff --git a/editor/translations/vi.po b/editor/translations/vi.po index 2cad1f6396..060209311d 100644 --- a/editor/translations/vi.po +++ b/editor/translations/vi.po @@ -10,12 +10,13 @@ # 38569459 <xxx38569459@gmail.com>, 2018. # TyTYct Hihi <tytyct@gmail.com>, 2019. # Steve Dang <itsnguu@outlook.com>, 2019. +# Peter Anh <peteranh3105@gmail.com>, 2019. msgid "" msgstr "" "Project-Id-Version: Godot Engine editor\n" "POT-Creation-Date: \n" -"PO-Revision-Date: 2019-07-29 19:20+0000\n" -"Last-Translator: Steve Dang <itsnguu@outlook.com>\n" +"PO-Revision-Date: 2019-09-07 13:51+0000\n" +"Last-Translator: Peter Anh <peteranh3105@gmail.com>\n" "Language-Team: Vietnamese <https://hosted.weblate.org/projects/godot-engine/" "godot/vi/>\n" "Language: vi\n" @@ -23,7 +24,7 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: Weblate 3.8-dev\n" +"X-Generator: Weblate 3.9-dev\n" #: core/math/expression.cpp modules/gdscript/gdscript_functions.cpp #: modules/visual_script/visual_script_builtin_funcs.cpp @@ -34,7 +35,7 @@ msgstr "Hàm convert() có đối số không hợp lệ, sử dụng các hằn #: modules/mono/glue/gd_glue.cpp #: modules/visual_script/visual_script_builtin_funcs.cpp msgid "Not enough bytes for decoding bytes, or invalid format." -msgstr "" +msgstr "Số byte không đủ để giải mã, hoặc cấu trúc không chính xác." #: core/math/expression.cpp msgid "Invalid input %i (not passed) in expression" @@ -46,7 +47,7 @@ msgstr "" #: core/math/expression.cpp msgid "Invalid operands to operator %s, %s and %s." -msgstr "" +msgstr "Toán hạng không hợp lệ cho toán tử %s, %s và %s." #: core/math/expression.cpp msgid "Invalid index of type %s for base type %s" @@ -58,12 +59,40 @@ msgstr "" #: core/math/expression.cpp msgid "Invalid arguments to construct '%s'" -msgstr "" +msgstr "Đối số không hợp lệ để dựng '%s'" #: core/math/expression.cpp msgid "On call to '%s':" msgstr "" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +msgid "MiB" +msgstr "" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "Miễn phí" @@ -478,6 +507,11 @@ msgid "Select None" msgstr "Chọn Không có" #: editor/animation_track_editor.cpp +#, fuzzy +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "Chọn một AnimationPlayer từ Scene Tree để chỉnh sửa animation." + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "" @@ -800,7 +834,8 @@ msgstr "Không thể kết nối tín hiệu" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -901,7 +936,8 @@ msgstr "Tìm kiếm:" msgid "Matches:" msgstr "Phù hợp:" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1214,7 +1250,7 @@ msgid "Delete Bus Effect" msgstr "" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +msgid "Drag & drop to rearrange." msgstr "" #: editor/editor_audio_buses.cpp @@ -1406,6 +1442,7 @@ msgid "Add AutoLoad" msgstr "Thêm AutoLoad" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "Đường dẫn:" @@ -1628,6 +1665,7 @@ msgstr "Đặt làm hiện tại" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "Mới" @@ -1699,6 +1737,7 @@ msgid "New Folder..." msgstr "Thư mục mới ..." #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "Làm mới" @@ -1858,7 +1897,8 @@ msgid "Inherited by:" msgstr "Được thừa kế bởi:" #: editor/editor_help.cpp -msgid "Brief Description:" +#, fuzzy +msgid "Brief Description" msgstr "Mô tả ngắn gọn:" #: editor/editor_help.cpp @@ -1866,38 +1906,18 @@ msgid "Properties" msgstr "Thuộc tính" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "Thuộc tính:" - -#: editor/editor_help.cpp msgid "Methods" msgstr "Hàm" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "Hàm:" - -#: editor/editor_help.cpp msgid "Theme Properties" msgstr "" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "Tín hiệu:" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "" - -#: editor/editor_help.cpp msgid "enum " msgstr "" @@ -1906,20 +1926,12 @@ msgid "Constants" msgstr "" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "" - -#: editor/editor_help.cpp msgid "Class Description" -msgstr "Mô tả lớp:" +msgstr "Mô tả lớp" #: editor/editor_help.cpp #, fuzzy -msgid "Class Description:" -msgstr "Mô tả:" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +msgid "Online Tutorials" msgstr "Hướng dẫn trực tuyến:" #: editor/editor_help.cpp @@ -1935,11 +1947,6 @@ msgid "Property Descriptions" msgstr "Mô tả ngắn gọn:" #: editor/editor_help.cpp -#, fuzzy -msgid "Property Descriptions:" -msgstr "Mô tả ngắn gọn:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -1950,10 +1957,6 @@ msgid "Method Descriptions" msgstr "Mô tả hàm" #: editor/editor_help.cpp -msgid "Method Descriptions:" -msgstr "Mô tả hàm:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2020,8 +2023,8 @@ msgstr "Đầu ra:" msgid "Copy Selection" msgstr "Sao chép lựa chọn" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2034,6 +2037,49 @@ msgstr "Xoá" msgid "Clear Output" msgstr "Xoá đầu ra" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "Dừng" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "Bắt đầu" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +#, fuzzy +msgid "Down" +msgstr "Tải" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "Nút" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" msgstr "" @@ -2608,6 +2654,19 @@ msgstr "Dự án" msgid "Project Settings..." msgstr "List Project" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Version Control" +msgstr "Phiên bản:" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp #, fuzzy msgid "Export..." @@ -2817,10 +2876,6 @@ msgstr "Tạm dừng Cảnh" msgid "Stop the scene." msgstr "Dừng cảnh." -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "Dừng" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "Chạy cảnh đã chỉnh sửa." @@ -2873,10 +2928,6 @@ msgid "Inspector" msgstr "Quản lý đối tượng" #: editor/editor_node.cpp -msgid "Node" -msgstr "Nút" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "Mở rộng bảng điều khiển phía dưới" @@ -2898,15 +2949,21 @@ msgstr "Quản lý Mẫu" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -2969,6 +3026,10 @@ msgstr "" msgid "Open the previous Editor" msgstr "" +#: editor/editor_path.cpp +msgid "No sub-resources found." +msgstr "" + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "" @@ -2978,6 +3039,11 @@ msgid "Thumbnail..." msgstr "" #: editor/editor_plugin_settings.cpp +#, fuzzy +msgid "Main Script:" +msgstr "Tạo Script" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "" @@ -3006,11 +3072,6 @@ msgstr "Trạng thái:" msgid "Edit:" msgstr "Sửa:" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "Bắt đầu" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "Đo đạc:" @@ -3803,8 +3864,9 @@ msgstr " Tệp tin" msgid "Import As:" msgstr "Nhập vào với:" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." +#: editor/import_dock.cpp +#, fuzzy +msgid "Preset" msgstr "Cài sẵn ..." #: editor/import_dock.cpp @@ -4242,6 +4304,7 @@ msgid "Change Animation Name:" msgstr "Đổi tên Hoạt ảnh:" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "Xoá Hoạt ảnh?" @@ -4814,11 +4877,6 @@ msgid "Sort:" msgstr "Sắp xếp:" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy -msgid "Reverse sorting." -msgstr "Đang yêu cầu..." - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "Danh mục:" @@ -5094,6 +5152,11 @@ msgid "Pan Mode" msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy +msgid "Ruler Mode" +msgstr "Chế độ Tỉ lệ" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "" @@ -6158,7 +6221,7 @@ msgstr "" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "" @@ -6372,11 +6435,11 @@ msgid "Toggle Scripts Panel" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" +msgid "Step Into" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Into" +msgid "Step Over" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp @@ -6459,7 +6522,7 @@ msgstr "Dọn các cảnh gần đây" msgid "Connections to method:" msgstr "Kết nối đến Node:" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp msgid "Source" msgstr "" @@ -7252,6 +7315,11 @@ msgstr "" #: editor/plugins/sprite_frames_editor_plugin.cpp #, fuzzy +msgid "Move Frame" +msgstr "Di chuyển Nút" + +#: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy msgid "Animations:" msgstr "Các Công cụ Animation" @@ -7579,6 +7647,15 @@ msgid "Enable Priority" msgstr "" #: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy +msgid "Filter tiles" +msgstr "Lọc tệp tin ..." + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "" @@ -7721,6 +7798,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp #, fuzzy msgid "Remove selected texture? This will remove all tiles which use it." msgstr "Xóa Texture hiện tại từ TileSet" @@ -7891,6 +7973,108 @@ msgstr "" msgid "TileSet" msgstr "Xuất Tile Set" +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No VCS addons are available." +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No commit message was provided" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit" +msgstr "Cộng đồng" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Initialize" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "Tạo nodes mới." + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "Đổi" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "Đổi tên" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "Xóa" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Typechange" +msgstr "Đổi" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "Xoá lựa chọn" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage All" +msgstr "Chọn Toàn Bộ" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit Changes" +msgstr "Đổi" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -8143,6 +8327,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9354,6 +9543,10 @@ msgid "Settings saved OK." msgstr "" #: editor/project_settings_editor.cpp +msgid "Moved Input Action Event" +msgstr "" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "" @@ -9492,6 +9685,10 @@ msgid "Plugins" msgstr "" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "Cài sẵn ..." + +#: editor/property_editor.cpp msgid "Zero" msgstr "" @@ -9660,10 +9857,6 @@ msgstr "" msgid "Reset" msgstr "Đặt lại phóng" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "" @@ -9719,6 +9912,10 @@ msgid "Instance Scene(s)" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Replace with Branch Scene" +msgstr "" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "" @@ -9759,8 +9956,22 @@ msgid "Make node as Root" msgstr "" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" -msgstr "Xóa Node(s)?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "Xóa Node(s)" + +#: editor/scene_tree_dock.cpp +msgid "Delete the root node \"%s\"?" +msgstr "" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" +msgstr "" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "Xóa Node(s)" #: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." @@ -10156,11 +10367,41 @@ msgid "Bytes:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" +#, fuzzy +msgid "Warning:" +msgstr "Cảnh báo" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Error:" +msgstr "Lỗi!" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error" +msgstr "Lỗi!" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error:" +msgstr "Lỗi!" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source" +msgstr "Sao chép Tài nguyên" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" +msgstr "Quét nguồn" + +#: editor/script_editor_debugger.cpp +msgid "C++ Source:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." +msgid "Stack Trace" msgstr "" #: editor/script_editor_debugger.cpp @@ -10168,14 +10409,20 @@ msgid "Errors" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" -msgstr "" +#, fuzzy +msgid "Child process connected." +msgstr "Các Nút đã ngắt Kết nối" #: editor/script_editor_debugger.cpp msgid "Copy Error" msgstr "" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "Tạo các điểm." + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "" @@ -10192,6 +10439,11 @@ msgid "Profiler" msgstr "" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Network Profiler" +msgstr "Xuất hồ sơ" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "" @@ -10204,6 +10456,10 @@ msgid "Monitors" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "" @@ -10402,10 +10658,6 @@ msgid "Library" msgstr "" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "" @@ -10414,6 +10666,10 @@ msgid "GDNative" msgstr "" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "" @@ -10569,6 +10825,15 @@ msgstr "" msgid "Pick Distance:" msgstr "" +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "Lọc các nút" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -10706,6 +10971,10 @@ msgid "Create a new variable." msgstr "Tạo nodes mới." #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "Tín hiệu:" + +#: modules/visual_script/visual_script_editor.cpp #, fuzzy msgid "Create a new signal." msgstr "Tạo" @@ -10865,6 +11134,10 @@ msgid "Editing Signal:" msgstr "Chỉnh sửa Signal:" #: modules/visual_script/visual_script_editor.cpp +msgid "Make Tool:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "" @@ -11012,7 +11285,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp @@ -11670,7 +11944,31 @@ msgstr "" #: servers/visual/shader_language.cpp msgid "Constants cannot be modified." -msgstr "" +msgstr "Không thể chỉnh sửa hằng số." + +#~ msgid "Properties:" +#~ msgstr "Thuộc tính:" + +#~ msgid "Methods:" +#~ msgstr "Hàm:" + +#, fuzzy +#~ msgid "Class Description:" +#~ msgstr "Mô tả:" + +#, fuzzy +#~ msgid "Property Descriptions:" +#~ msgstr "Mô tả ngắn gọn:" + +#~ msgid "Method Descriptions:" +#~ msgstr "Mô tả hàm:" + +#, fuzzy +#~ msgid "Reverse sorting." +#~ msgstr "Đang yêu cầu..." + +#~ msgid "Delete Node(s)?" +#~ msgstr "Xóa Node(s)?" #~ msgid "No Matches" #~ msgstr "Không khớp" diff --git a/editor/translations/zh_CN.po b/editor/translations/zh_CN.po index b79ebd625f..5c8029a727 100644 --- a/editor/translations/zh_CN.po +++ b/editor/translations/zh_CN.po @@ -54,12 +54,15 @@ # liu lizhi <kz-xy@163.com>, 2019. # 王徐 <jackey20000331@gmail.com>, 2019. # 巴哈姆特 <ttwings@126.com>, 2019. +# Morge Tolbert <pygyme@gmail.com>, 2019. +# idleman <1524328475@qq.com>, 2019. +# king <wangding1992@126.com>, 2019. msgid "" msgstr "" "Project-Id-Version: Chinese (Simplified) (Godot Engine)\n" "POT-Creation-Date: 2018-01-20 12:15+0200\n" -"PO-Revision-Date: 2019-08-29 13:35+0000\n" -"Last-Translator: yzt <834950797@qq.com>\n" +"PO-Revision-Date: 2019-09-26 11:51+0000\n" +"Last-Translator: idleman <1524328475@qq.com>\n" "Language-Team: Chinese (Simplified) <https://hosted.weblate.org/projects/" "godot-engine/godot/zh_Hans/>\n" "Language: zh_CN\n" @@ -72,45 +75,74 @@ msgstr "" #: core/math/expression.cpp modules/gdscript/gdscript_functions.cpp #: modules/visual_script/visual_script_builtin_funcs.cpp msgid "Invalid type argument to convert(), use TYPE_* constants." -msgstr "convert函数参数类型非法,请传入以“TYPE_”打头的常量。" +msgstr "convert()的参数类型无效,请使用TYPE_*常量。" #: core/math/expression.cpp modules/gdscript/gdscript_functions.cpp #: modules/mono/glue/gd_glue.cpp #: modules/visual_script/visual_script_builtin_funcs.cpp msgid "Not enough bytes for decoding bytes, or invalid format." -msgstr "没有足够的字节来解码或无效的格式。" +msgstr "解码的字节不足,或无效的格式。" #: core/math/expression.cpp msgid "Invalid input %i (not passed) in expression" -msgstr "表达式中有非法的输入 %i (未通过)" +msgstr "表达式中有无效输入 %i (未通过)" #: core/math/expression.cpp msgid "self can't be used because instance is null (not passed)" -msgstr "self无法使用因为实例为空(不通过)" +msgstr "self无法使用因为实例为空(未通过)" #: core/math/expression.cpp msgid "Invalid operands to operator %s, %s and %s." -msgstr "操作符的操作数无效%s, %s and %s." +msgstr "操作符 %s 的操作数 %s 和 %s 无效。" #: core/math/expression.cpp msgid "Invalid index of type %s for base type %s" -msgstr "无效类型索引 %s,从基类 %s" +msgstr "类型 %s (基类 %s) 的索引无效" #: core/math/expression.cpp msgid "Invalid named index '%s' for base type %s" -msgstr "从基类 %s 无效的名称索引 '%s'" +msgstr "命名的索引 '%s' 对基类 %s 无效" #: core/math/expression.cpp msgid "Invalid arguments to construct '%s'" -msgstr "构造的参数无效: '%s'" +msgstr "构造 '%s' 的参数无效" #: core/math/expression.cpp msgid "On call to '%s':" -msgstr "对'%s'调用 :" +msgstr "对'%s'的调用 :" + +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +#, fuzzy +msgid "MiB" +msgstr "混合" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" #: editor/animation_bezier_editor.cpp msgid "Free" -msgstr "释放" +msgstr "自由" #: editor/animation_bezier_editor.cpp msgid "Balanced" @@ -154,7 +186,7 @@ msgstr "动画复制关键帧" #: editor/animation_bezier_editor.cpp editor/animation_track_editor.cpp msgid "Anim Delete Keys" -msgstr "删除关键帧" +msgstr "动画删除关键帧" #: editor/animation_track_editor.cpp msgid "Anim Change Keyframe Time" @@ -276,7 +308,7 @@ msgstr "插值模式" #: editor/animation_track_editor.cpp msgid "Loop Wrap Mode (Interpolate end with beginning on loop)" -msgstr "循环包裹模式(插入开始循环结束)" +msgstr "无缝循环模式(使用循环开始插值循环结束)" #: editor/animation_track_editor.cpp msgid "Remove this track." @@ -405,7 +437,7 @@ msgstr "重新排列轨道" #: editor/animation_track_editor.cpp msgid "Transform tracks only apply to Spatial-based nodes." -msgstr "变换轨迹仅适用于基于空间的节点。" +msgstr "变换轨迹仅应用基于Spatial节点的节点。" #: editor/animation_track_editor.cpp msgid "" @@ -425,7 +457,7 @@ msgstr "动画轨迹只能指向AnimationPlayer节点。" #: editor/animation_track_editor.cpp msgid "An animation player can't animate itself, only other players." -msgstr "动画播放器不能播放本身,只能播放其他播放器。" +msgstr "动画播放器不能动画化自己,只能动画化其他播放器。" #: editor/animation_track_editor.cpp msgid "Not possible to add a new track without a root" @@ -441,7 +473,7 @@ msgstr "轨道路径无效,因此无法添加键。" #: editor/animation_track_editor.cpp msgid "Track is not of type Spatial, can't insert key" -msgstr "Track不是Spatial类型,不能作为键值插入" +msgstr "轨道不是Spatial类型,不能插入键" #: editor/animation_track_editor.cpp msgid "Add Transform Track Key" @@ -453,7 +485,7 @@ msgstr "添加轨道键" #: editor/animation_track_editor.cpp msgid "Track path is invalid, so can't add a method key." -msgstr "跟踪路径无效,所以不能添加方法帧。" +msgstr "轨道路径无效,所以不能添加方法帧。" #: editor/animation_track_editor.cpp msgid "Add Method Track Key" @@ -516,6 +548,11 @@ msgid "Select None" msgstr "取消选择" #: editor/animation_track_editor.cpp +#, fuzzy +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "包含动画的 AnimationPlayer 节点没有设置路径。" + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "仅显示在树中选择的节点的轨道。" @@ -694,14 +731,12 @@ msgid "Replaced %d occurrence(s)." msgstr "替换了%d项。" #: editor/code_editor.cpp editor/editor_help.cpp -#, fuzzy msgid "%d match." -msgstr "找到%d个匹配项。" +msgstr "%d 匹配。" #: editor/code_editor.cpp editor/editor_help.cpp -#, fuzzy msgid "%d matches." -msgstr "找到%d个匹配项。" +msgstr "%d匹配项。" #: editor/code_editor.cpp editor/find_in_files.cpp msgid "Match Case" @@ -835,7 +870,8 @@ msgstr "无法连接信号" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -936,7 +972,8 @@ msgstr "搜索:" msgid "Matches:" msgstr "匹配项:" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1145,20 +1182,18 @@ msgid "License" msgstr "许可证" #: editor/editor_about.cpp -#, fuzzy msgid "Third-party Licenses" -msgstr "第三方许可证" +msgstr "第三方许可" #: editor/editor_about.cpp -#, fuzzy msgid "" "Godot Engine relies on a number of third-party free and open source " "libraries, all compatible with the terms of its MIT license. The following " "is an exhaustive list of all such third-party components with their " "respective copyright statements and license terms." msgstr "" -"Godot引擎依赖第三方开源代码库,全部符合MIT 许可证的条款。下面列出所有第三方组" -"件相关的版权声明和许可协议条款。" +"Godot引擎依赖多个第三方免费开源代码库,这些库全部兼容MIT许可证的条款。以下是" +"所有此类第三方组件及其各自版权声明和许可条款的详尽列表。" #: editor/editor_about.cpp msgid "All Components" @@ -1173,9 +1208,8 @@ msgid "Licenses" msgstr "许可证" #: editor/editor_asset_installer.cpp editor/project_manager.cpp -#, fuzzy msgid "Error opening package file, not in ZIP format." -msgstr "打开压缩包出错,非zip格式。" +msgstr "打开压缩文件时出错,非zip格式。" #: editor/editor_asset_installer.cpp msgid "Uncompressing Assets" @@ -1243,7 +1277,8 @@ msgid "Delete Bus Effect" msgstr "删除音频总线效果" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +#, fuzzy +msgid "Drag & drop to rearrange." msgstr "音频总线,拖放重新排列。" #: editor/editor_audio_buses.cpp @@ -1434,6 +1469,7 @@ msgid "Add AutoLoad" msgstr "添加自动加载" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "路径:" @@ -1655,6 +1691,7 @@ msgstr "设为当前" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "新建" @@ -1725,6 +1762,7 @@ msgid "New Folder..." msgstr "新建文件夹 ..." #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "刷新" @@ -1880,7 +1918,8 @@ msgid "Inherited by:" msgstr "派生类:" #: editor/editor_help.cpp -msgid "Brief Description:" +#, fuzzy +msgid "Brief Description" msgstr "简介:" #: editor/editor_help.cpp @@ -1888,38 +1927,18 @@ msgid "Properties" msgstr "属性" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "属性:" - -#: editor/editor_help.cpp msgid "Methods" msgstr "方法" #: editor/editor_help.cpp -msgid "Methods:" -msgstr "方法:" - -#: editor/editor_help.cpp msgid "Theme Properties" msgstr "主题属性" #: editor/editor_help.cpp -msgid "Theme Properties:" -msgstr "Theme Properties:" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "信号:" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "枚举" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "枚举:" - -#: editor/editor_help.cpp msgid "enum " msgstr "枚举 " @@ -1928,19 +1947,12 @@ msgid "Constants" msgstr "常量" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "常量:" - -#: editor/editor_help.cpp msgid "Class Description" msgstr "类说明" #: editor/editor_help.cpp -msgid "Class Description:" -msgstr "类说明:" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +#, fuzzy +msgid "Online Tutorials" msgstr "在线教程:" #: editor/editor_help.cpp @@ -1957,10 +1969,6 @@ msgid "Property Descriptions" msgstr "属性说明" #: editor/editor_help.cpp -msgid "Property Descriptions:" -msgstr "属性说明:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -1973,10 +1981,6 @@ msgid "Method Descriptions" msgstr "方法说明" #: editor/editor_help.cpp -msgid "Method Descriptions:" -msgstr "方法说明:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2045,8 +2049,8 @@ msgstr "日志:" msgid "Copy Selection" msgstr "复制选择" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2059,10 +2063,51 @@ msgstr "清除" msgid "Clear Output" msgstr "清空输出" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "停止" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "开始" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Down" +msgstr "向下" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "向上" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "节点" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp -#, fuzzy msgid "New Window" -msgstr "窗口" +msgstr "新窗口" #: editor/editor_node.cpp msgid "Project export failed with error code %d." @@ -2214,7 +2259,6 @@ msgstr "" "此资源已导入, 因此无法编辑。在 \"导入\" 面板中更改其设置, 然后重新导入。" #: editor/editor_node.cpp -#, fuzzy msgid "" "This scene was imported, so changes to it won't be kept.\n" "Instancing it or inheriting will allow making changes to it.\n" @@ -2222,18 +2266,17 @@ msgid "" "understand this workflow." msgstr "" "场景已被导入, 对它的更改将不会保留。\n" -"允许对它的实例或继承进行更改。\n" +"对其进行实例化或继承将允许对其进行更改。\n" "请阅读与导入场景相关的文档, 以便更好地理解此工作流。" #: editor/editor_node.cpp -#, fuzzy msgid "" "This is a remote object, so changes to it won't be kept.\n" "Please read the documentation relevant to debugging to better understand " "this workflow." msgstr "" -"这是一个远程对象,因此对它的更改将不会被保留。\n" -"请阅读与调试相关的文档,以便更好地理解这个工作流。" +"这是一个远程对象,因此不会保留对其的更改。 请阅读与调试相关的文档,以更好地了" +"解此工作流程。" #: editor/editor_node.cpp msgid "There is no defined scene to run." @@ -2378,9 +2421,8 @@ msgid "Close Scene" msgstr "关闭场景" #: editor/editor_node.cpp -#, fuzzy msgid "Reopen Closed Scene" -msgstr "关闭场景" +msgstr "重新打开关闭的场景" #: editor/editor_node.cpp msgid "Unable to enable addon plugin at: '%s' parsing of config failed." @@ -2486,9 +2528,8 @@ msgid "Close Tab" msgstr "关闭标签页" #: editor/editor_node.cpp -#, fuzzy msgid "Undo Close Tab" -msgstr "关闭标签页" +msgstr "撤销关闭标签页" #: editor/editor_node.cpp editor/plugins/script_editor_plugin.cpp msgid "Close Other Tabs" @@ -2621,18 +2662,29 @@ msgid "Project" msgstr "项目" #: editor/editor_node.cpp -#, fuzzy msgid "Project Settings..." -msgstr "项目设置" +msgstr "项目设置..." + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Version Control" +msgstr "版本:" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" #: editor/editor_node.cpp msgid "Export..." msgstr "导出..." #: editor/editor_node.cpp -#, fuzzy msgid "Install Android Build Template..." -msgstr "安装 Android 构建模板" +msgstr "安装 Android 构建模板..." #: editor/editor_node.cpp msgid "Open Project Data Folder" @@ -2643,9 +2695,8 @@ msgid "Tools" msgstr "工具" #: editor/editor_node.cpp -#, fuzzy msgid "Orphan Resource Explorer..." -msgstr "查看孤立资源" +msgstr "单一资源浏览器..." #: editor/editor_node.cpp msgid "Quit to Project List" @@ -2738,9 +2789,8 @@ msgid "Editor" msgstr "编辑器" #: editor/editor_node.cpp -#, fuzzy msgid "Editor Settings..." -msgstr "编辑器设置" +msgstr "编辑器设置..." #: editor/editor_node.cpp msgid "Editor Layout" @@ -2775,14 +2825,12 @@ msgid "Open Editor Settings Folder" msgstr "打开“编辑器设置”文件夹" #: editor/editor_node.cpp -#, fuzzy msgid "Manage Editor Features..." -msgstr "管理编辑器功能" +msgstr "管理编辑器功能..." #: editor/editor_node.cpp -#, fuzzy msgid "Manage Export Templates..." -msgstr "管理导出模板" +msgstr "管理导出模板..." #: editor/editor_node.cpp editor/plugins/shader_editor_plugin.cpp msgid "Help" @@ -2804,7 +2852,7 @@ msgstr "在线文档" #: editor/editor_node.cpp msgid "Q&A" -msgstr "常见问题与答案" +msgstr "问答" #: editor/editor_node.cpp msgid "Issue Tracker" @@ -2838,10 +2886,6 @@ msgstr "暂停运行场景" msgid "Stop the scene." msgstr "停止运行场景。" -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "停止" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "打开并运行场景。" @@ -2880,9 +2924,8 @@ msgid "Update When Changed" msgstr "当有更改时更新" #: editor/editor_node.cpp -#, fuzzy msgid "Hide Update Spinner" -msgstr "禁用自动更新" +msgstr "隐藏更新微调" #: editor/editor_node.cpp msgid "FileSystem" @@ -2893,10 +2936,6 @@ msgid "Inspector" msgstr "属性面板" #: editor/editor_node.cpp -msgid "Node" -msgstr "节点" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "展开底部面板" @@ -2918,17 +2957,22 @@ msgstr "管理模板" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" -"将安装Android项目以进行自定义构建。\n" -"注意,为了可用,需要为每个导出预设启用。" #: editor/editor_node.cpp +#, fuzzy msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" "Android 构建模板已经安装且不会被覆盖。\n" "请先移除“build”目录再重新尝试此操作。" @@ -2993,6 +3037,11 @@ msgstr "打开下一个编辑器" msgid "Open the previous Editor" msgstr "打开上一个编辑器" +#: editor/editor_path.cpp +#, fuzzy +msgid "No sub-resources found." +msgstr "没有指定的表面源。" + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "创建网格预览" @@ -3002,6 +3051,11 @@ msgid "Thumbnail..." msgstr "缩略图..." #: editor/editor_plugin_settings.cpp +#, fuzzy +msgid "Main Script:" +msgstr "打开脚本:" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "编辑插件" @@ -3030,11 +3084,6 @@ msgstr "状态:" msgid "Edit:" msgstr "编辑:" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "开始" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "测量:" @@ -3246,7 +3295,6 @@ msgid "Import From Node:" msgstr "从节点中导入:" #: editor/export_template_manager.cpp -#, fuzzy msgid "Redownload" msgstr "重新下载" @@ -3265,7 +3313,7 @@ msgstr "下载" #: editor/export_template_manager.cpp msgid "Official export templates aren't available for development builds." -msgstr "" +msgstr "开发构建下官方导出模板不可用。" #: editor/export_template_manager.cpp msgid "(Missing)" @@ -3346,21 +3394,18 @@ msgid "Download Complete." msgstr "下载完成。" #: editor/export_template_manager.cpp -#, fuzzy msgid "Cannot remove temporary file:" -msgstr "无法保存主题到文件:" +msgstr "无法移除临时文件:" #: editor/export_template_manager.cpp -#, fuzzy msgid "" "Templates installation failed.\n" "The problematic templates archives can be found at '%s'." -msgstr "模板安装失败。可以在 '%s' 中找到这些问题模板文档。" +msgstr "模板安装失败。有问题的模板文档在 '%s' 。" #: editor/export_template_manager.cpp -#, fuzzy msgid "Error requesting URL:" -msgstr "请求链接错误: " +msgstr "错误的请求链接:" #: editor/export_template_manager.cpp msgid "Connecting to Mirror..." @@ -3477,9 +3522,8 @@ msgid "No name provided." msgstr "没有提供任何名称。" #: editor/filesystem_dock.cpp -#, fuzzy msgid "Provided name contains invalid characters." -msgstr "提供的名称包含无效字符" +msgstr "存在无效字符。" #: editor/filesystem_dock.cpp msgid "A file or folder with this name already exists." @@ -3510,7 +3554,6 @@ msgid "New Inherited Scene" msgstr "新继承的场景" #: editor/filesystem_dock.cpp -#, fuzzy msgid "Open Scenes" msgstr "打开场景" @@ -3519,12 +3562,10 @@ msgid "Instance" msgstr "创建实例节点" #: editor/filesystem_dock.cpp -#, fuzzy msgid "Add to Favorites" msgstr "添加到收藏夹" #: editor/filesystem_dock.cpp -#, fuzzy msgid "Remove from Favorites" msgstr "从收藏夹中删除" @@ -3549,9 +3590,8 @@ msgid "Move To..." msgstr "移动..." #: editor/filesystem_dock.cpp -#, fuzzy msgid "New Scene..." -msgstr "新建场景" +msgstr "新建场景..." #: editor/filesystem_dock.cpp editor/plugins/script_editor_plugin.cpp msgid "New Script..." @@ -3579,21 +3619,18 @@ msgid "Rename" msgstr "重命名" #: editor/filesystem_dock.cpp -#, fuzzy msgid "Previous Folder/File" -msgstr "上一个文件夹" +msgstr "上一个文件夹/文件" #: editor/filesystem_dock.cpp -#, fuzzy msgid "Next Folder/File" -msgstr "下一个文件夹" +msgstr "下一个文件夹/文件" #: editor/filesystem_dock.cpp msgid "Re-Scan Filesystem" msgstr "重新扫描文件系统" #: editor/filesystem_dock.cpp -#, fuzzy msgid "Toggle Split Mode" msgstr "切换拆分模式" @@ -3622,9 +3659,8 @@ msgid "Overwrite" msgstr "覆盖" #: editor/filesystem_dock.cpp -#, fuzzy msgid "Create Scene" -msgstr "从场景中创建" +msgstr "创建场景" #: editor/filesystem_dock.cpp editor/plugins/script_editor_plugin.cpp msgid "Create Script" @@ -3702,23 +3738,20 @@ msgid "Invalid group name." msgstr "组名无效。" #: editor/groups_editor.cpp -#, fuzzy msgid "Rename Group" -msgstr "管理分组" +msgstr "重命名组" #: editor/groups_editor.cpp -#, fuzzy msgid "Delete Group" -msgstr "删除图片分组" +msgstr "删除分组" #: editor/groups_editor.cpp editor/node_dock.cpp msgid "Groups" msgstr "分组" #: editor/groups_editor.cpp -#, fuzzy msgid "Nodes Not in Group" -msgstr "不在分组中的节点" +msgstr "节点不在分组中" #: editor/groups_editor.cpp editor/scene_tree_dock.cpp #: editor/scene_tree_editor.cpp @@ -3731,7 +3764,7 @@ msgstr "分组中的节点" #: editor/groups_editor.cpp msgid "Empty groups will be automatically removed." -msgstr "" +msgstr "空的分组会自动移除。" #: editor/groups_editor.cpp msgid "Group Editor" @@ -3834,9 +3867,10 @@ msgstr " 文件" msgid "Import As:" msgstr "导入为:" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." -msgstr "预设..." +#: editor/import_dock.cpp +#, fuzzy +msgid "Preset" +msgstr "预设" #: editor/import_dock.cpp msgid "Reimport" @@ -3941,9 +3975,8 @@ msgid "MultiNode Set" msgstr "多节点组" #: editor/node_dock.cpp -#, fuzzy msgid "Select a single node to edit its signals and groups." -msgstr "请选择一个节点来设置信号或分组。" +msgstr "选择一个节点以编辑其信号和组。" #: editor/plugin_config_dialog.cpp msgid "Edit a Plugin" @@ -4106,9 +4139,8 @@ msgid "Open Animation Node" msgstr "打开动画节点" #: editor/plugins/animation_blend_space_2d_editor.cpp -#, fuzzy msgid "Triangle already exists." -msgstr "三角形已经存在" +msgstr "三角形已经存在。" #: editor/plugins/animation_blend_space_2d_editor.cpp msgid "Add Triangle" @@ -4248,9 +4280,8 @@ msgid "Edit Filtered Tracks:" msgstr "编辑轨道过滤器:" #: editor/plugins/animation_blend_tree_editor_plugin.cpp -#, fuzzy msgid "Enable Filtering" -msgstr "允许过滤" +msgstr "启用过滤" #: editor/plugins/animation_player_editor_plugin.cpp msgid "Toggle Autoplay" @@ -4269,6 +4300,7 @@ msgid "Change Animation Name:" msgstr "重命名动画:" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "是否删除动画?" @@ -4384,9 +4416,8 @@ msgid "Enable Onion Skinning" msgstr "启用洋葱皮(Onion Skinning)" #: editor/plugins/animation_player_editor_plugin.cpp -#, fuzzy msgid "Onion Skinning Options" -msgstr "洋葱皮(Onion Skining)" +msgstr "洋葱皮选项" #: editor/plugins/animation_player_editor_plugin.cpp msgid "Directions" @@ -4715,37 +4746,32 @@ msgid "Request failed, return code:" msgstr "请求失败,错误代码:" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Request failed." msgstr "请求失败。" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Cannot save response to:" -msgstr "无法保存主题到文件:" +msgstr "无法将响应保存到:" #: editor/plugins/asset_library_editor_plugin.cpp msgid "Write error." -msgstr "" +msgstr "写错误。" #: editor/plugins/asset_library_editor_plugin.cpp msgid "Request failed, too many redirects" msgstr "请求失败,重定向次数过多" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Redirect loop." -msgstr "循环重定向。" +msgstr "重定向循环。" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Request failed, timeout" -msgstr "请求失败,错误代码:" +msgstr "请求失败,超时" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Timeout." -msgstr "时间" +msgstr "超时。" #: editor/plugins/asset_library_editor_plugin.cpp msgid "Bad download hash, assuming file has been tampered with." @@ -4788,9 +4814,8 @@ msgid "Idle" msgstr "空闲" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Install..." -msgstr "安装" +msgstr "安装..." #: editor/plugins/asset_library_editor_plugin.cpp msgid "Retry" @@ -4825,25 +4850,18 @@ msgid "All" msgstr "全部" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Import..." -msgstr "重新导入..." +msgstr "导入…" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Plugins..." -msgstr "插件" +msgstr "插件..." #: editor/plugins/asset_library_editor_plugin.cpp editor/project_manager.cpp msgid "Sort:" msgstr "排序:" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy -msgid "Reverse sorting." -msgstr "正在请求。。" - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "分类:" @@ -4853,9 +4871,8 @@ msgid "Site:" msgstr "站点:" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Support" -msgstr "支持..." +msgstr "支持" #: editor/plugins/asset_library_editor_plugin.cpp msgid "Official" @@ -4866,9 +4883,8 @@ msgid "Testing" msgstr "测试" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy msgid "Loading..." -msgstr "加载..." +msgstr "载入中..." #: editor/plugins/asset_library_editor_plugin.cpp msgid "Assets ZIP File" @@ -4924,39 +4940,32 @@ msgid "Rotation Step:" msgstr "旋转步长:" #: editor/plugins/canvas_item_editor_plugin.cpp -#, fuzzy msgid "Move Vertical Guide" -msgstr "移动垂直标尺" +msgstr "移动垂直参考线" #: editor/plugins/canvas_item_editor_plugin.cpp -#, fuzzy msgid "Create Vertical Guide" -msgstr "创建新的垂直标尺" +msgstr "创建垂直参考线" #: editor/plugins/canvas_item_editor_plugin.cpp -#, fuzzy msgid "Remove Vertical Guide" -msgstr "删除垂直标尺" +msgstr "删除垂直参考线" #: editor/plugins/canvas_item_editor_plugin.cpp -#, fuzzy msgid "Move Horizontal Guide" -msgstr "移动水平标尺" +msgstr "移动水平参考线" #: editor/plugins/canvas_item_editor_plugin.cpp -#, fuzzy msgid "Create Horizontal Guide" -msgstr "创建水平标尺" +msgstr "创建水平参考线" #: editor/plugins/canvas_item_editor_plugin.cpp -#, fuzzy msgid "Remove Horizontal Guide" -msgstr "移除水平标尺" +msgstr "移除水平参考线" #: editor/plugins/canvas_item_editor_plugin.cpp -#, fuzzy msgid "Create Horizontal and Vertical Guides" -msgstr "创建垂直水平标尺" +msgstr "创建垂直水平参考线" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Move pivot" @@ -5012,46 +5021,39 @@ msgstr "编辑锚点" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/spatial_editor_plugin.cpp -#, fuzzy msgid "Lock Selected" -msgstr "选择工具" +msgstr "锁定选定" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/spatial_editor_plugin.cpp -#, fuzzy msgid "Unlock Selected" -msgstr "删除已选中" +msgstr "解锁所选" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/spatial_editor_plugin.cpp -#, fuzzy msgid "Group Selected" -msgstr "复制选择" +msgstr "分组选择" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/spatial_editor_plugin.cpp -#, fuzzy msgid "Ungroup Selected" -msgstr "复制选择" +msgstr "取消选定分组" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Paste Pose" msgstr "粘贴姿势" #: editor/plugins/canvas_item_editor_plugin.cpp -#, fuzzy msgid "Clear Guides" -msgstr "清除姿势" +msgstr "清除参考线" #: editor/plugins/canvas_item_editor_plugin.cpp -#, fuzzy msgid "Create Custom Bone(s) from Node(s)" -msgstr "从节点制作自定义骨骼" +msgstr "从节点创建自定义骨骼" #: editor/plugins/canvas_item_editor_plugin.cpp -#, fuzzy msgid "Clear Bones" -msgstr "清除姿势" +msgstr "清除骨骼" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Make IK Chain" @@ -5122,7 +5124,12 @@ msgstr "点击设置对象的旋转中心。" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Pan Mode" -msgstr "移动画布" +msgstr "平移模式" + +#: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy +msgid "Ruler Mode" +msgstr "运行模式:" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." @@ -5131,88 +5138,80 @@ msgstr "开关吸附。" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/spatial_editor_plugin.cpp msgid "Use Snap" -msgstr "使用吸附" +msgstr "使用对齐" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Snapping Options" -msgstr "吸附选项" +msgstr "对齐选项" #: editor/plugins/canvas_item_editor_plugin.cpp -#, fuzzy msgid "Snap to Grid" -msgstr "吸附到网格" +msgstr "对齐网格" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Use Rotation Snap" -msgstr "使用旋转吸附" +msgstr "使用旋转对齐" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Snap Relative" -msgstr "相对吸附" +msgstr "相对对齐" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Use Pixel Snap" -msgstr "使用像素吸附" +msgstr "使用像素对齐" #: editor/plugins/canvas_item_editor_plugin.cpp -#, fuzzy msgid "Smart Snapping" -msgstr "智能吸附" +msgstr "智能对齐" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/spatial_editor_plugin.cpp msgid "Configure Snap..." -msgstr "设置吸附..." +msgstr "设置对齐..." #: editor/plugins/canvas_item_editor_plugin.cpp -#, fuzzy msgid "Snap to Parent" -msgstr "吸附到父节点" +msgstr "对齐到父级" #: editor/plugins/canvas_item_editor_plugin.cpp -#, fuzzy msgid "Snap to Node Anchor" -msgstr "吸附到node锚点" +msgstr "对齐到节点锚点" #: editor/plugins/canvas_item_editor_plugin.cpp -#, fuzzy msgid "Snap to Node Sides" -msgstr "吸附到node边" +msgstr "对齐到节点侧" #: editor/plugins/canvas_item_editor_plugin.cpp -#, fuzzy msgid "Snap to Node Center" -msgstr "吸附到节点中心位置" +msgstr "对齐到节点中心位置" #: editor/plugins/canvas_item_editor_plugin.cpp -#, fuzzy msgid "Snap to Other Nodes" -msgstr "吸附到其他node节点" +msgstr "对齐到其他node节点" #: editor/plugins/canvas_item_editor_plugin.cpp -#, fuzzy msgid "Snap to Guides" -msgstr "吸附到标尺" +msgstr "对齐到参考线" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/spatial_editor_plugin.cpp msgid "Lock the selected object in place (can't be moved)." -msgstr "锁定选中对象的位置。" +msgstr "将所选对象锁定到该位置(无法移动)。" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/spatial_editor_plugin.cpp msgid "Unlock the selected object (can be moved)." -msgstr "解锁选中对象的位置。" +msgstr "解锁所选对象(可以移动)。" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/spatial_editor_plugin.cpp msgid "Makes sure the object's children are not selectable." -msgstr "确保节点的子孙无法被选中。" +msgstr "确保对象的子项不可选择。" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/spatial_editor_plugin.cpp msgid "Restores the object's children's ability to be selected." -msgstr "恢复节点的子孙能够被选中。" +msgstr "恢复选择对象的子级的功能。" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Skeleton Options" @@ -5273,9 +5272,8 @@ msgid "Frame Selection" msgstr "最大化显示选中节点" #: editor/plugins/canvas_item_editor_plugin.cpp -#, fuzzy msgid "Preview Canvas Scale" -msgstr "精灵集预览" +msgstr "预览画布比例" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Translation mask for inserting keys." @@ -5329,26 +5327,25 @@ msgid "Divide grid step by 2" msgstr "网格步进除以2" #: editor/plugins/canvas_item_editor_plugin.cpp -#, fuzzy msgid "Pan View" -msgstr "Rear视图" +msgstr "平移视图" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Add %s" -msgstr "添加(Add) %s" +msgstr "添加%s" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Adding %s..." -msgstr "添加(Adding) %s..." +msgstr "正在添加%s ..." #: editor/plugins/canvas_item_editor_plugin.cpp msgid "Cannot instantiate multiple nodes without root." -msgstr "无法实例化没有根的多个节点。" +msgstr "没有根节点无法实例化多个节点。" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/spatial_editor_plugin.cpp editor/scene_tree_dock.cpp msgid "Create Node" -msgstr "新节点" +msgstr "创建节点" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/spatial_editor_plugin.cpp editor/scene_tree_dock.cpp @@ -5356,9 +5353,8 @@ msgid "Error instancing scene from %s" msgstr "从%s实例化场景出错" #: editor/plugins/canvas_item_editor_plugin.cpp -#, fuzzy msgid "Change Default Type" -msgstr "修改默认值" +msgstr "更改默认类型" #: editor/plugins/canvas_item_editor_plugin.cpp msgid "" @@ -5370,7 +5366,7 @@ msgstr "" #: editor/plugins/collision_polygon_editor_plugin.cpp msgid "Create Polygon3D" -msgstr "创建3D多边形" +msgstr "创建Polygon3D" #: editor/plugins/collision_polygon_editor_plugin.cpp msgid "Edit Poly" @@ -5393,14 +5389,13 @@ msgstr "加载Emission Mask(发射屏蔽)" #: editor/plugins/cpu_particles_editor_plugin.cpp #: editor/plugins/particles_2d_editor_plugin.cpp #: editor/plugins/particles_editor_plugin.cpp -#, fuzzy msgid "Restart" -msgstr "立即重新启动" +msgstr "重新启动" #: editor/plugins/cpu_particles_2d_editor_plugin.cpp #: editor/plugins/particles_2d_editor_plugin.cpp msgid "Clear Emission Mask" -msgstr "清除Emission Mask(发射屏蔽)" +msgstr "清除发射屏蔽" #: editor/plugins/cpu_particles_2d_editor_plugin.cpp #: editor/plugins/particles_2d_editor_plugin.cpp @@ -5416,12 +5411,12 @@ msgstr "生成顶点计数:" #: editor/plugins/cpu_particles_2d_editor_plugin.cpp #: editor/plugins/particles_2d_editor_plugin.cpp msgid "Emission Mask" -msgstr "发光遮罩(mask)" +msgstr "发射遮罩" #: editor/plugins/cpu_particles_2d_editor_plugin.cpp #: editor/plugins/particles_2d_editor_plugin.cpp msgid "Capture from Pixel" -msgstr "从像素捕捉" +msgstr "从像素捕获" #: editor/plugins/cpu_particles_2d_editor_plugin.cpp #: editor/plugins/particles_2d_editor_plugin.cpp @@ -5443,14 +5438,12 @@ msgid "Create Emission Points From Node" msgstr "从节点创建发射器(Emission)" #: editor/plugins/curve_editor_plugin.cpp -#, fuzzy msgid "Flat 0" msgstr "平面0" #: editor/plugins/curve_editor_plugin.cpp -#, fuzzy msgid "Flat 1" -msgstr "平面1" +msgstr "平面 1" #: editor/plugins/curve_editor_plugin.cpp editor/property_editor.cpp msgid "Ease In" @@ -5477,33 +5470,28 @@ msgid "Load Curve Preset" msgstr "加载曲线预设" #: editor/plugins/curve_editor_plugin.cpp -#, fuzzy msgid "Add Point" -msgstr "添加顶点" +msgstr "添加点" #: editor/plugins/curve_editor_plugin.cpp -#, fuzzy msgid "Remove Point" -msgstr "移除顶点" +msgstr "移除点" #: editor/plugins/curve_editor_plugin.cpp -#, fuzzy msgid "Left Linear" msgstr "左线性" #: editor/plugins/curve_editor_plugin.cpp -#, fuzzy msgid "Right Linear" msgstr "右线性" #: editor/plugins/curve_editor_plugin.cpp -#, fuzzy msgid "Load Preset" -msgstr "加载预设" +msgstr "载入预置" #: editor/plugins/curve_editor_plugin.cpp msgid "Remove Curve Point" -msgstr "移除路径顶点" +msgstr "移除曲线点" #: editor/plugins/curve_editor_plugin.cpp msgid "Toggle Curve Linear Tangent" @@ -5554,22 +5542,20 @@ msgid "This doesn't work on scene root!" msgstr "此操作无法引用在根节点上!" #: editor/plugins/mesh_instance_editor_plugin.cpp -#, fuzzy msgid "Create Trimesh Static Shape" -msgstr "创建Trimesh(三维网格)形状" +msgstr "创建三维网格静态形状" #: editor/plugins/mesh_instance_editor_plugin.cpp msgid "Failed creating shapes!" msgstr "创建形状失败!" #: editor/plugins/mesh_instance_editor_plugin.cpp -#, fuzzy msgid "Create Convex Shape(s)" -msgstr "创建 凸(Convex) 形状" +msgstr "创建凸形" #: editor/plugins/mesh_instance_editor_plugin.cpp msgid "Create Navigation Mesh" -msgstr "创建导航Mesh(网格)" +msgstr "创建导航网格" #: editor/plugins/mesh_instance_editor_plugin.cpp msgid "Contained Mesh is not of type ArrayMesh." @@ -5581,7 +5567,7 @@ msgstr "UV展开失败,可能该网格并非流形?" #: editor/plugins/mesh_instance_editor_plugin.cpp msgid "No mesh to debug." -msgstr "没有要调试的mesh。" +msgstr "没有要调试的网格。" #: editor/plugins/mesh_instance_editor_plugin.cpp #: editor/plugins/sprite_editor_plugin.cpp @@ -5610,20 +5596,19 @@ msgstr "创建轮廓(outlines)" #: editor/plugins/mesh_instance_editor_plugin.cpp msgid "Mesh" -msgstr "网络" +msgstr "网 格" #: editor/plugins/mesh_instance_editor_plugin.cpp msgid "Create Trimesh Static Body" -msgstr "创建三维静态身体(Body)" +msgstr "创建三维静态实体(Body)" #: editor/plugins/mesh_instance_editor_plugin.cpp msgid "Create Trimesh Collision Sibling" msgstr "创建三维碰撞同级" #: editor/plugins/mesh_instance_editor_plugin.cpp -#, fuzzy msgid "Create Convex Collision Sibling(s)" -msgstr "创建凸(Convex)碰撞同级" +msgstr "创建凸型碰撞同级" #: editor/plugins/mesh_instance_editor_plugin.cpp msgid "Create Outline Mesh..." @@ -5631,7 +5616,7 @@ msgstr "创建轮廓网格(Outline Mesh)..." #: editor/plugins/mesh_instance_editor_plugin.cpp msgid "View UV1" -msgstr "查看UV1" +msgstr "视图UV1" #: editor/plugins/mesh_instance_editor_plugin.cpp msgid "View UV2" @@ -5791,26 +5776,23 @@ msgstr "生成时间(秒):" #: editor/plugins/particles_editor_plugin.cpp msgid "The geometry's faces don't contain any area." -msgstr "" +msgstr "几何(面)不包含任何区域。" #: editor/plugins/particles_editor_plugin.cpp -#, fuzzy msgid "The geometry doesn't contain any faces." -msgstr "节点不包含几何(面)。" +msgstr "几何体不包含任何面。" #: editor/plugins/particles_editor_plugin.cpp msgid "\"%s\" doesn't inherit from Spatial." -msgstr "" +msgstr "\"%s\"不从空间(Spatial)继承。" #: editor/plugins/particles_editor_plugin.cpp -#, fuzzy msgid "\"%s\" doesn't contain geometry." -msgstr "节点不包含几何。" +msgstr "\"%s\"不包含几何体。" #: editor/plugins/particles_editor_plugin.cpp -#, fuzzy msgid "\"%s\" doesn't contain face geometry." -msgstr "节点不包含几何。" +msgstr "\"%s\"不包含面几何体。" #: editor/plugins/particles_editor_plugin.cpp msgid "Create Emitter" @@ -5981,7 +5963,6 @@ msgid "Split Segment (in curve)" msgstr "拆分(曲线)" #: editor/plugins/physical_bone_plugin.cpp -#, fuzzy msgid "Move Joint" msgstr "移动关节" @@ -6204,7 +6185,7 @@ msgstr "实例:" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "类型:" @@ -6242,9 +6223,8 @@ msgid "Error writing TextFile:" msgstr "写入文本文件时出错:" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "Could not load file at:" -msgstr "找不到砖块:" +msgstr "无法在以下位置加载文件:" #: editor/plugins/script_editor_plugin.cpp msgid "Error saving file!" @@ -6267,9 +6247,8 @@ msgid "Error Importing" msgstr "导入出错" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "New Text File..." -msgstr "新建文本文档..." +msgstr "新文本文件..." #: editor/plugins/script_editor_plugin.cpp msgid "Open File" @@ -6305,18 +6284,16 @@ msgid "Find Next" msgstr "查找下一项" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "Filter scripts" -msgstr "属性筛选" +msgstr "过滤脚本" #: editor/plugins/script_editor_plugin.cpp msgid "Toggle alphabetical sorting of the method list." msgstr "切换按字母表排序方式排列方法。" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "Filter methods" -msgstr "筛选模式:" +msgstr "过滤方式" #: editor/plugins/script_editor_plugin.cpp msgid "Sort" @@ -6351,9 +6328,8 @@ msgid "Open..." msgstr "打开…" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "Reopen Closed Script" -msgstr "打开脚本" +msgstr "重新打开关闭的脚本" #: editor/plugins/script_editor_plugin.cpp msgid "Save All" @@ -6409,14 +6385,14 @@ msgid "Toggle Scripts Panel" msgstr "切换脚本面板" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" -msgstr "单步跳过" - -#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Step Into" msgstr "单步进入" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp +msgid "Step Over" +msgstr "单步跳过" + +#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Break" msgstr "跳过" @@ -6434,18 +6410,16 @@ msgid "Debug with External Editor" msgstr "使用外部编辑器进行调试" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "Open Godot online documentation." -msgstr "打开Godot在线文档" +msgstr "打开Godot在线文档。" #: editor/plugins/script_editor_plugin.cpp msgid "Request Docs" msgstr "请求文档" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "Help improve the Godot documentation by giving feedback." -msgstr "通过提供反馈协助改进Godot文档" +msgstr "通过提供反馈帮助改进godot文档。" #: editor/plugins/script_editor_plugin.cpp msgid "Search the reference documentation." @@ -6490,22 +6464,18 @@ msgid "Search Results" msgstr "搜索结果" #: editor/plugins/script_editor_plugin.cpp -#, fuzzy msgid "Clear Recent Scripts" -msgstr "清除近期的场景" +msgstr "清除最近的脚本" #: editor/plugins/script_text_editor.cpp -#, fuzzy msgid "Connections to method:" -msgstr "连接到节点:" +msgstr "与方法的连接:" -#: editor/plugins/script_text_editor.cpp -#, fuzzy +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp msgid "Source" -msgstr "源:" +msgstr "源" #: editor/plugins/script_text_editor.cpp -#, fuzzy msgid "Signal" msgstr "信号" @@ -6514,10 +6484,9 @@ msgid "Target" msgstr "构建目标" #: editor/plugins/script_text_editor.cpp -#, fuzzy msgid "" "Missing connected method '%s' for signal '%s' from node '%s' to node '%s'." -msgstr "没有任何物体连接到节点 '%s' 的输入 '%s' 。" +msgstr "从节点'%s'到节点'%s'的信号'%s'缺少连接方法'%s'。" #: editor/plugins/script_text_editor.cpp msgid "Line" @@ -6574,9 +6543,8 @@ msgid "Bookmarks" msgstr "书签" #: editor/plugins/script_text_editor.cpp -#, fuzzy msgid "Breakpoints" -msgstr "创建点。" +msgstr "断点" #: editor/plugins/script_text_editor.cpp scene/gui/line_edit.cpp #: scene/gui/text_edit.cpp @@ -6620,9 +6588,8 @@ msgid "Complete Symbol" msgstr "代码补全" #: editor/plugins/script_text_editor.cpp -#, fuzzy msgid "Evaluate Selection" -msgstr "缩放选中项" +msgstr "评估选择" #: editor/plugins/script_text_editor.cpp msgid "Trim Trailing Whitespace" @@ -6653,24 +6620,20 @@ msgid "Contextual Help" msgstr "搜索光标位置" #: editor/plugins/script_text_editor.cpp -#, fuzzy msgid "Toggle Bookmark" -msgstr "切换自由观察模式" +msgstr "切换书签" #: editor/plugins/script_text_editor.cpp -#, fuzzy msgid "Go to Next Bookmark" -msgstr "前往下一个断点" +msgstr "转到下一个书签" #: editor/plugins/script_text_editor.cpp -#, fuzzy msgid "Go to Previous Bookmark" -msgstr "前往上一个断点" +msgstr "转到上一个书签" #: editor/plugins/script_text_editor.cpp -#, fuzzy msgid "Remove All Bookmarks" -msgstr "移除类项目" +msgstr "删除所有书签" #: editor/plugins/script_text_editor.cpp msgid "Go to Function..." @@ -6698,13 +6661,12 @@ msgid "Go to Previous Breakpoint" msgstr "前往上一个断点" #: editor/plugins/shader_editor_plugin.cpp -#, fuzzy msgid "" "This shader has been modified on on disk.\n" "What action should be taken?" msgstr "" -"磁盘中的下列文件已更新。\n" -"请选择执行那项操作?:" +"此着色器已在磁盘上修改.\n" +"应该采取什么行动?" #: editor/plugins/shader_editor_plugin.cpp msgid "Shader" @@ -6875,14 +6837,12 @@ msgid "Rear" msgstr "后方" #: editor/plugins/spatial_editor_plugin.cpp -#, fuzzy msgid "Align Transform with View" -msgstr "对齐视图" +msgstr "将变换与视图对齐" #: editor/plugins/spatial_editor_plugin.cpp -#, fuzzy msgid "Align Rotation with View" -msgstr "选中项与视图对齐" +msgstr "将旋转与视图对齐" #: editor/plugins/spatial_editor_plugin.cpp editor/scene_tree_dock.cpp msgid "No parent to instance a child at." @@ -6937,9 +6897,8 @@ msgid "Audio Listener" msgstr "音频监听器" #: editor/plugins/spatial_editor_plugin.cpp -#, fuzzy msgid "Enable Doppler" -msgstr "允许过滤" +msgstr "启用多普勒效应" #: editor/plugins/spatial_editor_plugin.cpp msgid "Cinematic Preview" @@ -6995,7 +6954,7 @@ msgstr "将节点吸附至地面" #: editor/plugins/spatial_editor_plugin.cpp msgid "Couldn't find a solid floor to snap the selection to." -msgstr "" +msgstr "找不到一个坚实的地板来快速选择。" #: editor/plugins/spatial_editor_plugin.cpp msgid "" @@ -7008,9 +6967,8 @@ msgstr "" "Alt+鼠标右键:显示列表" #: editor/plugins/spatial_editor_plugin.cpp -#, fuzzy msgid "Use Local Space" -msgstr "本地空间模式 (%s)" +msgstr "使用本地空间" #: editor/plugins/spatial_editor_plugin.cpp msgid "Bottom View" @@ -7037,9 +6995,8 @@ msgid "Right View" msgstr "右视图" #: editor/plugins/spatial_editor_plugin.cpp -#, fuzzy msgid "Switch Perspective/Orthogonal View" -msgstr "切换投影(正交)视图" +msgstr "切换投影/正交视图" #: editor/plugins/spatial_editor_plugin.cpp msgid "Insert Animation Key" @@ -7063,9 +7020,8 @@ msgid "Transform" msgstr "变换" #: editor/plugins/spatial_editor_plugin.cpp -#, fuzzy msgid "Snap Object to Floor" -msgstr "吸附物体到地面" +msgstr "将对象对齐到地板" #: editor/plugins/spatial_editor_plugin.cpp msgid "Transform Dialog..." @@ -7109,9 +7065,8 @@ msgstr "显示网格" #: editor/plugins/spatial_editor_plugin.cpp #: modules/gridmap/grid_map_editor_plugin.cpp -#, fuzzy msgid "Settings..." -msgstr "设置" +msgstr "设置..." #: editor/plugins/spatial_editor_plugin.cpp msgid "Snap Settings" @@ -7254,14 +7209,12 @@ msgid "Settings:" msgstr "设置:" #: editor/plugins/sprite_frames_editor_plugin.cpp -#, fuzzy msgid "No Frames Selected" -msgstr "最大化显示选中节点" +msgstr "未选择帧" #: editor/plugins/sprite_frames_editor_plugin.cpp -#, fuzzy msgid "Add %d Frame(s)" -msgstr "添加帧" +msgstr "添加%d帧" #: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Add Frame" @@ -7292,6 +7245,11 @@ msgid "(empty)" msgstr "(空)" #: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy +msgid "Move Frame" +msgstr "粘贴帧" + +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Animations:" msgstr "动画:" @@ -7340,24 +7298,20 @@ msgid "Select Frames" msgstr "选择帧" #: editor/plugins/sprite_frames_editor_plugin.cpp -#, fuzzy msgid "Horizontal:" -msgstr "水平翻转" +msgstr "水平:" #: editor/plugins/sprite_frames_editor_plugin.cpp -#, fuzzy msgid "Vertical:" -msgstr "顶点" +msgstr "垂直:" #: editor/plugins/sprite_frames_editor_plugin.cpp -#, fuzzy msgid "Select/Clear All Frames" -msgstr "全选" +msgstr "选择/清除所有帧" #: editor/plugins/sprite_frames_editor_plugin.cpp -#, fuzzy msgid "Create Frames from Sprite Sheet" -msgstr "从场景中创建" +msgstr "从 Sprite Sheet 中创建帧" #: editor/plugins/sprite_frames_editor_plugin.cpp msgid "SpriteFrames" @@ -7425,9 +7379,8 @@ msgid "Remove All" msgstr "移除全部" #: editor/plugins/theme_editor_plugin.cpp -#, fuzzy msgid "Edit Theme" -msgstr "编辑主题..." +msgstr "编辑主题" #: editor/plugins/theme_editor_plugin.cpp msgid "Theme editing menu." @@ -7454,23 +7407,20 @@ msgid "Create From Current Editor Theme" msgstr "从当前编辑器主题模板创建" #: editor/plugins/theme_editor_plugin.cpp -#, fuzzy msgid "Toggle Button" -msgstr "鼠标按键" +msgstr "切换按钮" #: editor/plugins/theme_editor_plugin.cpp -#, fuzzy msgid "Disabled Button" -msgstr "中键" +msgstr "不可用的按钮" #: editor/plugins/theme_editor_plugin.cpp msgid "Item" msgstr "项目(Item)" #: editor/plugins/theme_editor_plugin.cpp -#, fuzzy msgid "Disabled Item" -msgstr "已禁用" +msgstr "不可用的项目" #: editor/plugins/theme_editor_plugin.cpp msgid "Check Item" @@ -7489,23 +7439,20 @@ msgid "Checked Radio Item" msgstr "已选单选项目" #: editor/plugins/theme_editor_plugin.cpp -#, fuzzy msgid "Named Sep." -msgstr "称为 Sep。" +msgstr "命名为 Sep。" #: editor/plugins/theme_editor_plugin.cpp msgid "Submenu" msgstr "子菜单(Submenu)" #: editor/plugins/theme_editor_plugin.cpp -#, fuzzy msgid "Subitem 1" -msgstr "项目(Item)" +msgstr "子项目1" #: editor/plugins/theme_editor_plugin.cpp -#, fuzzy msgid "Subitem 2" -msgstr "项目(Item)" +msgstr "子项目2" #: editor/plugins/theme_editor_plugin.cpp msgid "Has" @@ -7516,9 +7463,8 @@ msgid "Many" msgstr "许多(Many)" #: editor/plugins/theme_editor_plugin.cpp -#, fuzzy msgid "Disabled LineEdit" -msgstr "已禁用" +msgstr "行编辑不可用" #: editor/plugins/theme_editor_plugin.cpp msgid "Tab 1" @@ -7533,9 +7479,8 @@ msgid "Tab 3" msgstr "分页3" #: editor/plugins/theme_editor_plugin.cpp -#, fuzzy msgid "Editable Item" -msgstr "允许编辑子孙节点" +msgstr "可编辑节点" #: editor/plugins/theme_editor_plugin.cpp msgid "Subtree" @@ -7615,49 +7560,51 @@ msgid "Disable Autotile" msgstr "禁用智能磁贴(Autotile)" #: editor/plugins/tile_map_editor_plugin.cpp -#, fuzzy msgid "Enable Priority" -msgstr "编辑磁贴优先级" +msgstr "启用优先级" + +#: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy +msgid "Filter tiles" +msgstr "筛选文件..." + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" #: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "绘制磁贴" #: editor/plugins/tile_map_editor_plugin.cpp -#, fuzzy msgid "" "Shift+LMB: Line Draw\n" "Shift+Ctrl+LMB: Rectangle Paint" msgstr "" -"Shift+鼠标右键:绘制直线\n" -"Shift+Ctrl+鼠标右键:绘制矩形" +"Shift+鼠标左键:绘制直线\n" +"Shift+Ctrl+鼠标左键:绘制矩形" #: editor/plugins/tile_map_editor_plugin.cpp msgid "Pick Tile" msgstr "选择磁贴" #: editor/plugins/tile_map_editor_plugin.cpp -#, fuzzy msgid "Rotate Left" msgstr "向左旋转" #: editor/plugins/tile_map_editor_plugin.cpp -#, fuzzy msgid "Rotate Right" msgstr "向右旋转" #: editor/plugins/tile_map_editor_plugin.cpp -#, fuzzy msgid "Flip Horizontally" msgstr "水平翻转" #: editor/plugins/tile_map_editor_plugin.cpp -#, fuzzy msgid "Flip Vertically" msgstr "垂直翻转" #: editor/plugins/tile_map_editor_plugin.cpp -#, fuzzy msgid "Clear Transform" msgstr "清除变换" @@ -7694,44 +7641,36 @@ msgid "Select the previous shape, subtile, or Tile." msgstr "选择上一个形状,子砖块,或砖块。" #: editor/plugins/tile_set_editor_plugin.cpp -#, fuzzy msgid "Region Mode" -msgstr "运行模式:" +msgstr "区域模式" #: editor/plugins/tile_set_editor_plugin.cpp -#, fuzzy msgid "Collision Mode" -msgstr "插值模式" +msgstr "碰撞模式" #: editor/plugins/tile_set_editor_plugin.cpp -#, fuzzy msgid "Occlusion Mode" -msgstr "编辑遮挡多边形" +msgstr "遮挡模式" #: editor/plugins/tile_set_editor_plugin.cpp -#, fuzzy msgid "Navigation Mode" -msgstr "创建导航Mesh(网格)" +msgstr "导航模式" #: editor/plugins/tile_set_editor_plugin.cpp -#, fuzzy msgid "Bitmask Mode" -msgstr "旋转模式" +msgstr "位掩码模式" #: editor/plugins/tile_set_editor_plugin.cpp -#, fuzzy msgid "Priority Mode" -msgstr "导出模式:" +msgstr "优先模式" #: editor/plugins/tile_set_editor_plugin.cpp -#, fuzzy msgid "Icon Mode" -msgstr "移动画布" +msgstr "图标模式" #: editor/plugins/tile_set_editor_plugin.cpp -#, fuzzy msgid "Z Index Mode" -msgstr "移动画布" +msgstr "Z索引模式" #: editor/plugins/tile_set_editor_plugin.cpp msgid "Copy bitmask." @@ -7768,6 +7707,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "显示磁贴的名字(按住 Alt 键)" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp msgid "Remove selected texture? This will remove all tiles which use it." msgstr "删除选定的纹理?这将删除使用它的所有磁贴。" @@ -7816,7 +7760,6 @@ msgid "Delete polygon." msgstr "删除多边形。" #: editor/plugins/tile_set_editor_plugin.cpp -#, fuzzy msgid "" "LMB: Set bit on.\n" "RMB: Set bit off.\n" @@ -7825,7 +7768,8 @@ msgid "" msgstr "" "鼠标左键: 启用比特。\n" "鼠标右键: 关闭比特。\n" -"点击另一个磁贴进行编辑。" +"Shift+鼠标左键: 设置通配符位.\n" +"点击另一个瓦片进行编辑。" #: editor/plugins/tile_set_editor_plugin.cpp msgid "" @@ -7936,24 +7880,127 @@ msgstr "不能修改该属性。" msgid "TileSet" msgstr "砖块集" +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No VCS addons are available." +msgstr "父节点的名称,如果有的话" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "错误" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No commit message was provided" +msgstr "未提供名称" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit" +msgstr "社区" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Initialize" +msgstr "首字母大写" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "新建一个四边形。" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "更改" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "重命名" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "删除" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Typechange" +msgstr "更改" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "删除已选中" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage All" +msgstr "全部保存" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit Changes" +msgstr "同步脚本变更" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "状态" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "No file diff is active" +msgstr "没有选中任何文件!" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "只使用GLES3" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Add input +" -msgstr "添加输入事件" +msgstr "添加输入+" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Add output +" -msgstr "添加输入事件" +msgstr "添加输出+" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Scalar" -msgstr "缩放:" +msgstr "标量" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Vector" @@ -7964,53 +8011,44 @@ msgid "Boolean" msgstr "布尔值" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Add input port" -msgstr "添加输入事件" +msgstr "添加输入端口" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Add output port" msgstr "增加输出端口" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Change input port type" -msgstr "修改默认值" +msgstr "更改输入端口类型" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Change output port type" -msgstr "修改默认值" +msgstr "更改输出端口类型" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Change input port name" -msgstr "更改输入名称" +msgstr "更改输入端口名称" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Change output port name" -msgstr "更改输入名称" +msgstr "更改输出端口名称" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Remove input port" -msgstr "移除顶点" +msgstr "移除输入端口" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Remove output port" -msgstr "移除顶点" +msgstr "移除输出端口" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Set expression" -msgstr "更改表达式" +msgstr "设置表达式" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Resize VisualShader node" -msgstr "可视着色器" +msgstr "调整可视着色器节点" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Set Uniform Name" @@ -8054,28 +8092,24 @@ msgid "Light" msgstr "灯光" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Show resulted shader code." -msgstr "新节点" +msgstr "显示生成的着色器代码。" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Create Shader Node" -msgstr "新节点" +msgstr "创建着色器节点" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Color function." -msgstr "转到函数" +msgstr "颜色函数。" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Color operator." msgstr "颜色运算符。" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Grayscale function." -msgstr "创建方法" +msgstr "灰度功能。" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Converts HSV vector to RGB equivalent." @@ -8086,27 +8120,22 @@ msgid "Converts RGB vector to HSV equivalent." msgstr "将RGB向量转换为等效的HSV向量。" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Sepia function." -msgstr "重命名函数" +msgstr "棕褐色功能。" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Burn operator." -msgstr "Burn 操作。" +msgstr "烧录运算符。" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Darken operator." -msgstr "Darken 运算符。" +msgstr "变暗运算符。" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Difference operator." -msgstr "仅不同" +msgstr "差异运算符。" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Dodge operator." msgstr "Dodge 运算符。" @@ -8135,26 +8164,24 @@ msgid "Color constant." msgstr "颜色常量." #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Color uniform." -msgstr "颜色均匀。" +msgstr "颜色统一。" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Returns the boolean result of the %s comparison between two parameters." msgstr "返回两个参数之间%s比较的布尔结果。" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Equal (==)" -msgstr "等于 (==)" +msgstr "等于(==)" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Greater Than (>)" -msgstr "大于 (>)" +msgstr "大于(>)" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Greater Than or Equal (>=)" -msgstr "大于等于 (>=)" +msgstr "大于或等于(> =)" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "" @@ -8163,18 +8190,16 @@ msgid "" msgstr "如果提供的标量相等,更大或更小,则返回关联的向量。" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "Returns the boolean result of the comparison between INF and a scalar " "parameter." -msgstr "返回 INF 和标量参数之间比较的布尔结果。" +msgstr "返回INF和标量参数之间比较的布尔结果。" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "Returns the boolean result of the comparison between NaN and a scalar " "parameter." -msgstr "返回 NaN 和标量参数之间比较的布尔结果。" +msgstr "返回NaN和标量参数之间比较的布尔结果。" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Less Than (<)" @@ -8182,17 +8207,22 @@ msgstr "小于 (*)" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Less Than or Equal (<=)" -msgstr "小于或等于 (+)" +msgstr "小于或等于(<=)" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Not Equal (!=)" -msgstr "不等于(!=)" +msgstr "不等于(!=)" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "" "Returns an associated vector if the provided boolean value is true or false." -msgstr "如果提供的布尔值为true或false,则返回关联的向量。" +msgstr "如果提供的布尔值是true或false,则返回关联的向量。" + +#: editor/plugins/visual_shader_editor_plugin.cpp +#, fuzzy +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "如果提供的布尔值是true或false,则返回关联的向量。" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." @@ -8229,23 +8259,20 @@ msgid "'%s' input parameter for fragment and light shader modes." msgstr "'%s'为片段和灯光着色器模板的输入参数。" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "'%s' input parameter for fragment shader mode." -msgstr "'%s' 为片段着色器模式的输入参数。" +msgstr "片段着色器模式的'%s'输入参数。" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "'%s' input parameter for light shader mode." -msgstr "'%s' 为灯光着色器模板的输入参数。" +msgstr "灯光着色器模式的'%s'输入参数。" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "'%s' input parameter for vertex shader mode." -msgstr "'%s' 为顶点着色器模板的输入参数。" +msgstr "顶点着色器模式的'%s'输入参数。" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "'%s' input parameter for vertex and fragment shader mode." -msgstr "'%s'为顶点和片段着色器模板的输入参数。" +msgstr "用于顶点和片段着色器模式的'%s'输入参数。" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Scalar function." @@ -8430,7 +8457,6 @@ msgid "Returns the square root of the parameter." msgstr "返回参数的平方根。" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "SmoothStep function( scalar(edge0), scalar(edge1), scalar(x) ).\n" "\n" @@ -8444,7 +8470,6 @@ msgstr "" "回Hermite多项式插值的值。" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "Step function( scalar(edge), scalar(x) ).\n" "\n" @@ -8463,14 +8488,12 @@ msgid "Returns the hyperbolic tangent of the parameter." msgstr "返回参数的双曲正切值。" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Finds the truncated value of the parameter." msgstr "查找参数的截断值。" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Adds scalar to scalar." -msgstr "向标量添加标量。" +msgstr "将标量添加到标量。" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Divides scalar by scalar." @@ -8481,23 +8504,20 @@ msgid "Multiplies scalar by scalar." msgstr "将标量乘以标量。" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Returns the remainder of the two scalars." -msgstr "返回两个标量的剩余部分。" +msgstr "返回两个标量的余数。" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Subtracts scalar from scalar." msgstr "从标量中减去标量。" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Scalar constant." -msgstr "修改Scalar常量系数" +msgstr "标量常数。" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Scalar uniform." -msgstr "修改Uniform Scalar" +msgstr "标量一致。" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Perform the cubic texture lookup." @@ -8508,24 +8528,20 @@ msgid "Perform the texture lookup." msgstr "执行立方体纹理查找。" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Cubic texture uniform lookup." -msgstr "修改Uniform纹理" +msgstr "立方纹理均匀查找。" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "2D texture uniform lookup." -msgstr "修改Uniform纹理" +msgstr "2D 纹理均匀查找。" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "2D texture uniform lookup with triplanar." -msgstr "修改Uniform纹理" +msgstr "2D 纹理均匀查找与三平面。" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Transform function." -msgstr "变换对话框..." +msgstr "转换函数。" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "" @@ -8537,6 +8553,9 @@ msgid "" "whose number of rows is the number of components in 'c' and whose number of " "columns is the number of components in 'r'." msgstr "" +"计算一对矢量的外部乘积。 OuterProduct 将第一个参数\"c\"视为列矢量(包含一列的" +"矩阵),将第二个参数\"r\"视为行矢量(具有一行的矩阵),并执行线性代数矩阵乘以" +"\"c = r\",生成行数为\"c\"中的组件,其列数是\"r\"中的组件数。" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Composes transform from four vectors." @@ -8567,24 +8586,20 @@ msgid "Multiplies vector by transform." msgstr "用变换乘以向量。" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Transform constant." -msgstr "已忽略变换。" +msgstr "变换常数。" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Transform uniform." -msgstr "已忽略变换。" +msgstr "变换统一。" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Vector function." -msgstr "对函数的赋值。" +msgstr "向量功能。" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Vector operator." -msgstr "更改 Vec 运算符(Vec Operator)" +msgstr "向量运算符。" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Composes vector from three scalars." @@ -8625,9 +8640,8 @@ msgid "Linear interpolation between two vectors." msgstr "两个向量之间的线性插值。" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Linear interpolation between two vectors using scalar." -msgstr "两个向量之间的线性插值。" +msgstr "使用标量的两个矢量之间的线性插值。" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "Calculates the normalize product of vector." @@ -8652,7 +8666,6 @@ msgid "Returns the vector that points in the direction of refraction." msgstr "返回指向折射方向的矢量。" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "SmoothStep function( vector(edge0), vector(edge1), vector(x) ).\n" "\n" @@ -8660,13 +8673,11 @@ msgid "" "'edge1'. Otherwise the return value is interpolated between 0.0 and 1.0 " "using Hermite polynomials." msgstr "" -"SmoothStep function( scalar(edge0), scalar(edge1), scalar(x) ).\n" -"\n" -"如果'x'小于'edge0'则返回0.0,如果x大于'edge1'则返回1.0。否则在0.0和1.0之间返" -"回Hermite多项式插值的值。" +"平滑步函数(矢量(边缘0)、矢量(边缘1)、矢量(x))。 如果\"x\"小于" +"\"edge0\",则返回 0.0;如果\"x\"大于\"edge1\",则返回 0.0。否则,返回值将使用" +"赫密特多项式在 0.0 和 1.0 之间插值。" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "SmoothStep function( scalar(edge0), scalar(edge1), vector(x) ).\n" "\n" @@ -8674,13 +8685,12 @@ msgid "" "'edge1'. Otherwise the return value is interpolated between 0.0 and 1.0 " "using Hermite polynomials." msgstr "" -"SmoothStep function( scalar(edge0), scalar(edge1), scalar(x) ).\n" +"smoothstep函数(标量(edge0)、标量(edge1)、向量(x))。\n" "\n" "如果'x'小于'edge0'则返回0.0,如果x大于'edge1'则返回1.0。否则在0.0和1.0之间返" "回Hermite多项式插值的值。" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "Step function( vector(edge), vector(x) ).\n" "\n" @@ -8691,7 +8701,6 @@ msgstr "" "如果'x'小于'edge'则返回0.0,否则返回1.0。" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "" "Step function( scalar(edge), vector(x) ).\n" "\n" @@ -8722,14 +8731,12 @@ msgid "Subtracts vector from vector." msgstr "从向量中减去向量。" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Vector constant." -msgstr "修改Vec常量系数" +msgstr "向量常数。" #: editor/plugins/visual_shader_editor_plugin.cpp -#, fuzzy msgid "Vector uniform." -msgstr "对uniform的赋值。" +msgstr "向量一致" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "" @@ -8744,7 +8751,7 @@ msgstr "" msgid "" "Returns falloff based on the dot product of surface normal and view " "direction of camera (pass associated inputs to it)." -msgstr "" +msgstr "根据表面法线和相机视图方向的点积返回衰减(将相关输入传递给它)。" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "" @@ -8752,50 +8759,52 @@ msgid "" "shader. You can place various function definitions inside and call it later " "in the Expressions. You can also declare varyings, uniforms and constants." msgstr "" +"自定义的Godot着色器语言表达式,位于生成的着色器顶部。您可以在其中放置各种函数" +"定义,然后在表达式中调用它。您还可以声明变化,统一和常量。" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(Fragment/Light mode only) Scalar derivative function." -msgstr "" +msgstr "(仅限片段/光照模式)标量导数函数。" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(Fragment/Light mode only) Vector derivative function." -msgstr "" +msgstr "(仅限片段/灯光模式)矢量导数功能。" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "" "(Fragment/Light mode only) (Vector) Derivative in 'x' using local " "differencing." -msgstr "" +msgstr "(仅限片段/光照模式)(矢量)使用局部差分的“ x”中的导数。" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "" "(Fragment/Light mode only) (Scalar) Derivative in 'x' using local " "differencing." -msgstr "" +msgstr "(仅限片段/光照模式)(标量)使用本地差分的“ x”中的导数。" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "" "(Fragment/Light mode only) (Vector) Derivative in 'y' using local " "differencing." -msgstr "" +msgstr "(仅适用于片段/光照模式)(矢量)使用局部差分的'y'导数。" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "" "(Fragment/Light mode only) (Scalar) Derivative in 'y' using local " "differencing." -msgstr "" +msgstr "(仅限片段/光照模式)(标量)使用局部差分的'y'导数。" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "" "(Fragment/Light mode only) (Vector) Sum of absolute derivative in 'x' and " "'y'." -msgstr "" +msgstr "(仅限片段/光照模式)(向量)“ x”和“ y”中的绝对导数之和。" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "" "(Fragment/Light mode only) (Scalar) Sum of absolute derivative in 'x' and " "'y'." -msgstr "" +msgstr "(仅限片段/光照模式)(标量)“ x”和“ y”中的绝对导数之和。" #: editor/plugins/visual_shader_editor_plugin.cpp msgid "VisualShader" @@ -8819,7 +8828,7 @@ msgstr "从列表中删除补丁''%s'?" #: editor/project_export.cpp msgid "Delete preset '%s'?" -msgstr "删除当前的 '%s' ?" +msgstr "删除预设的“%s”?" #: editor/project_export.cpp msgid "" @@ -8840,7 +8849,7 @@ msgstr "" #: editor/project_export.cpp msgid "Release" -msgstr "发行" +msgstr "发布" #: editor/project_export.cpp msgid "Exporting All" @@ -8852,7 +8861,7 @@ msgstr "指定导出路径不存在:" #: editor/project_export.cpp msgid "Export templates for this platform are missing/corrupted:" -msgstr "没有此平台的导出模板:" +msgstr "该平台的导出模板丢失/损坏:" #: editor/project_export.cpp msgid "Presets" @@ -8893,20 +8902,20 @@ msgstr "导出的资源:" #: editor/project_export.cpp msgid "" "Filters to export non-resource files (comma separated, e.g: *.json, *.txt)" -msgstr "导出非资源文件筛选(使用英文逗号分隔,如:*.json,*.txt)" +msgstr "筛选导出非资源文件(使用英文逗号分隔,如:*.json,*.txt)" #: editor/project_export.cpp msgid "" "Filters to exclude files from project (comma separated, e.g: *.json, *.txt)" -msgstr "排除导出的非资源文件筛选(使用英文逗号分隔,如:*.json,*.txt)" +msgstr "过滤从项目中排除文件(以逗号分隔,例如:*。json,*。txt)" #: editor/project_export.cpp msgid "Patches" -msgstr "Patch" +msgstr "补丁" #: editor/project_export.cpp msgid "Make Patch" -msgstr "制作Patch" +msgstr "制作补丁" #: editor/project_export.cpp msgid "Features" @@ -8926,7 +8935,7 @@ msgstr "脚本" #: editor/project_export.cpp msgid "Script Export Mode:" -msgstr "脚本导出方式:" +msgstr "脚本导出模式:" #: editor/project_export.cpp msgid "Text" @@ -8938,7 +8947,7 @@ msgstr "编译" #: editor/project_export.cpp msgid "Encrypted (Provide Key Below)" -msgstr "使用下列密码加密" +msgstr "加密(在下面提供密钥)" #: editor/project_export.cpp msgid "Invalid Encryption Key (must be 64 characters long)" @@ -8946,7 +8955,7 @@ msgstr "无效的加密密钥(长度必须为64个字符)" #: editor/project_export.cpp msgid "Script Encryption Key (256-bits as hex):" -msgstr "脚本密匙(256位16进制码):" +msgstr "脚本加密密钥(256位16进制码):" #: editor/project_export.cpp msgid "Export PCK/Zip" @@ -8962,7 +8971,7 @@ msgstr "全部导出" #: editor/project_export.cpp msgid "Export templates for this platform are missing:" -msgstr "没有下列平台的导出模板:" +msgstr "该平台的导出模板丢失:" #: editor/project_export.cpp msgid "Manage Export Templates" @@ -8970,11 +8979,11 @@ msgstr "管理导出模板" #: editor/project_export.cpp msgid "Export With Debug" -msgstr "导出为调试" +msgstr "使用调试导出" #: editor/project_manager.cpp msgid "The path does not exist." -msgstr "路径不存在。" +msgstr "该路径不存在。" #: editor/project_manager.cpp msgid "Invalid '.zip' project file, does not contain a 'project.godot' file." @@ -9010,7 +9019,7 @@ msgstr "无法创建文件夹。" #: editor/project_manager.cpp msgid "There is already a folder in this path with the specified name." -msgstr "已存在与给定名称相同的目录。" +msgstr "此路径中已经有一个具有指定名称的文件夹。" #: editor/project_manager.cpp msgid "It would be a good idea to name your project." @@ -9037,7 +9046,7 @@ msgstr "无法在项目目录下创建project.godot文件。" #: editor/project_manager.cpp msgid "The following files failed extraction from package:" -msgstr "提取以下文件失败:" +msgstr "以下文件无法从包中提取:" #: editor/project_manager.cpp msgid "Rename Project" @@ -9124,13 +9133,12 @@ msgid "Unnamed Project" msgstr "未命名项目" #: editor/project_manager.cpp -#, fuzzy msgid "Missing Project" -msgstr "导入现有项目" +msgstr "缺少项目" #: editor/project_manager.cpp msgid "Error: Project is missing on the filesystem." -msgstr "" +msgstr "错误:文件系统上丢失项目。" #: editor/project_manager.cpp msgid "Can't open project at '%s'." @@ -9141,7 +9149,6 @@ msgid "Are you sure to open more than one project?" msgstr "您确定要打开多个项目吗?" #: editor/project_manager.cpp -#, fuzzy msgid "" "The following project settings file does not specify the version of Godot " "through which it was created.\n" @@ -9153,15 +9160,14 @@ msgid "" "Warning: You won't be able to open the project with previous versions of the " "engine anymore." msgstr "" -"以下项目设置文件没有指定创建它的Godot版本:\n" +"以下项目设置文件未指定创建它的 Godot 版本。\n" "\n" "%s\n" "\n" -"如果你继续打开它,它将被转换为Godot的当前配置文件格式。\n" -"警告:您将无法再使用以前版本的引擎打开项目。" +"如果继续打开它,它将转换为戈多的当前配置文件格式。 警告: 您将无法再使用以前" +"版本的引擎打开项目。" #: editor/project_manager.cpp -#, fuzzy msgid "" "The following project settings file was generated by an older engine " "version, and needs to be converted for this version:\n" @@ -9172,10 +9178,9 @@ msgid "" "Warning: You won't be able to open the project with previous versions of the " "engine anymore." msgstr "" -"以下项目设置文件是由旧的引擎版本生成的,需要为此版本转换:\n" +"以下项目设置文件由较旧的引擎版本生成,需要为此版本进行转换:\n" "%s\n" -"是否要转换它?\n" -"警告:您将无法再使用以前版本的引擎打开项目。" +" 是否要转换它? 警告: 您将无法再使用以前版本的引擎打开项目。" #: editor/project_manager.cpp msgid "" @@ -9184,14 +9189,13 @@ msgid "" msgstr "项目设置是由更新的引擎版本创建的,其设置与此版本不兼容。" #: editor/project_manager.cpp -#, fuzzy msgid "" "Can't run project: no main scene defined.\n" "Please edit the project and set the main scene in the Project Settings under " "the \"Application\" category." msgstr "" -"尚未定义主场景, 现在选择一个吗?\n" -"你也可以稍后在项目设置的Application分类下修改。" +"无法运行项目:未定义主场景。 \n" +"请编辑项目并在“应用程序”类别下的“项目设置”中设置主场景。" #: editor/project_manager.cpp msgid "" @@ -9202,55 +9206,46 @@ msgstr "" "请编辑项目导入初始化资源。" #: editor/project_manager.cpp -#, fuzzy msgid "Are you sure to run %d projects at once?" -msgstr "您确定要执行多个项目吗?" +msgstr "您确定要立即运行%d个项目吗?" #: editor/project_manager.cpp -#, fuzzy msgid "" "Remove %d projects from the list?\n" "The project folders' contents won't be modified." -msgstr "移除此项目(项目的文件不受影响)" +msgstr "从列表中删除%d个项目? 项目文件夹的内容不会被修改。" #: editor/project_manager.cpp -#, fuzzy msgid "" "Remove this project from the list?\n" "The project folder's contents won't be modified." -msgstr "移除此项目(项目的文件不受影响)" +msgstr "从列表中删除该项目? 项目文件夹的内容不会被修改。" #: editor/project_manager.cpp -#, fuzzy msgid "" "Remove all missing projects from the list?\n" "The project folders' contents won't be modified." -msgstr "移除此项目(项目的文件不受影响)" +msgstr "从列表中删除所有丢失的项目? 项目文件夹的内容不会被修改。" #: editor/project_manager.cpp -#, fuzzy msgid "" "Language changed.\n" "The interface will update after restarting the editor or project manager." -msgstr "" -"语言已更改。\n" -"用户界面将在下次编辑器或项目管理器启动时更新。" +msgstr "语言已更改。 重新启动编辑器或项目管理器后,界面将更新。" #: editor/project_manager.cpp -#, fuzzy msgid "" "Are you sure to scan %s folders for existing Godot projects?\n" "This could take a while." -msgstr "您确认要扫描%s目录下现有的Godot项目吗?" +msgstr "您确定要扫描%s文件夹中的现有Godot项目吗? 这可能需要一段时间。" #: editor/project_manager.cpp msgid "Project Manager" msgstr "项目管理器" #: editor/project_manager.cpp -#, fuzzy msgid "Projects" -msgstr "项目" +msgstr "工程" #: editor/project_manager.cpp msgid "Scan" @@ -9265,9 +9260,8 @@ msgid "New Project" msgstr "新建" #: editor/project_manager.cpp -#, fuzzy msgid "Remove Missing" -msgstr "移除顶点" +msgstr "删除缺失" #: editor/project_manager.cpp msgid "Templates" @@ -9282,13 +9276,12 @@ msgid "Can't run project" msgstr "无法运行项目" #: editor/project_manager.cpp -#, fuzzy msgid "" "You currently don't have any projects.\n" "Would you like to explore official example projects in the Asset Library?" msgstr "" -"您目前没有任何项目。\n" -"是否要打开资源商店浏览官方样例项目?" +"您目前没有任何项目。 \n" +"您想在素材资源库中浏览正式的示例项目吗?" #: editor/project_settings_editor.cpp msgid "Key " @@ -9314,9 +9307,8 @@ msgstr "" "无效的操作名称。操作名不能为空,也不能包含 '/', ':', '=', '\\' 或者空字符串" #: editor/project_settings_editor.cpp -#, fuzzy msgid "An action with the name '%s' already exists." -msgstr "动作%s已存在!" +msgstr "名为'%s'的操作已存在。" #: editor/project_settings_editor.cpp msgid "Rename Input Action Event" @@ -9481,6 +9473,11 @@ msgid "Settings saved OK." msgstr "保存设置成功。" #: editor/project_settings_editor.cpp +#, fuzzy +msgid "Moved Input Action Event" +msgstr "添加输入事件" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "重写功能" @@ -9533,9 +9530,8 @@ msgid "Override For..." msgstr "重写的......" #: editor/project_settings_editor.cpp editor/settings_config_dialog.cpp -#, fuzzy msgid "The editor must be restarted for changes to take effect." -msgstr "编辑器需要重启以让修改生效" +msgstr "必须重新启动编辑器才能使更改生效。" #: editor/project_settings_editor.cpp msgid "Input Map" @@ -9594,14 +9590,12 @@ msgid "Locales Filter" msgstr "区域筛选器" #: editor/project_settings_editor.cpp -#, fuzzy msgid "Show All Locales" -msgstr "显示所有区域设置" +msgstr "显示所有语言设置" #: editor/project_settings_editor.cpp -#, fuzzy msgid "Show Selected Locales Only" -msgstr "仅显示选定的区域设置" +msgstr "仅显示选定的语言环境" #: editor/project_settings_editor.cpp msgid "Filter mode:" @@ -9620,6 +9614,10 @@ msgid "Plugins" msgstr "插件" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "预设..." + +#: editor/property_editor.cpp msgid "Zero" msgstr "置零" @@ -9684,7 +9682,6 @@ msgid "Suffix" msgstr "后缀" #: editor/rename_dialog.cpp -#, fuzzy msgid "Advanced Options" msgstr "高级选项" @@ -9788,10 +9785,6 @@ msgstr "转为大写" msgid "Reset" msgstr "重置" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "错误" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "重设父节点" @@ -9847,6 +9840,11 @@ msgid "Instance Scene(s)" msgstr "实例化场景" #: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Replace with Branch Scene" +msgstr "将分支保存为场景" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "实例化子场景" @@ -9887,8 +9885,23 @@ msgid "Make node as Root" msgstr "将节点设置为根节点" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" -msgstr "确定要删除节点吗?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "删除节点" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete the root node \"%s\"?" +msgstr "删除Graph Node节点" + +#: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" +msgstr "" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "删除节点" #: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." @@ -9941,9 +9954,8 @@ msgid "User Interface" msgstr "用户界面" #: editor/scene_tree_dock.cpp -#, fuzzy msgid "Other Node" -msgstr "删除节点" +msgstr "其他节点" #: editor/scene_tree_dock.cpp msgid "Can't operate on nodes from a foreign scene!" @@ -9962,9 +9974,8 @@ msgid "Remove Node(s)" msgstr "移除节点" #: editor/scene_tree_dock.cpp -#, fuzzy msgid "Change type of node(s)" -msgstr "更改输入名称" +msgstr "更改节点的类型" #: editor/scene_tree_dock.cpp msgid "" @@ -9989,18 +10000,16 @@ msgid "Clear Inheritance" msgstr "清除继承" #: editor/scene_tree_dock.cpp -#, fuzzy msgid "Open Documentation" -msgstr "打开Godot文档" +msgstr "打开文档" #: editor/scene_tree_dock.cpp msgid "Add Child Node" msgstr "添加子节点" #: editor/scene_tree_dock.cpp -#, fuzzy msgid "Expand/Collapse All" -msgstr "全部折叠" +msgstr "展开/折叠全部" #: editor/scene_tree_dock.cpp msgid "Change Type" @@ -10011,9 +10020,8 @@ msgid "Extend Script" msgstr "打开脚本" #: editor/scene_tree_dock.cpp -#, fuzzy msgid "Reparent to New Node" -msgstr "重设父节点" +msgstr "重新分配到新节点" #: editor/scene_tree_dock.cpp msgid "Make Scene Root" @@ -10036,9 +10044,8 @@ msgid "Delete (No Confirm)" msgstr "确认删除" #: editor/scene_tree_dock.cpp -#, fuzzy msgid "Add/Create a New Node." -msgstr "添加/创建节点" +msgstr "添加/创建新节点。" #: editor/scene_tree_dock.cpp msgid "" @@ -10071,55 +10078,42 @@ msgid "Toggle Visible" msgstr "切换可见性" #: editor/scene_tree_editor.cpp -#, fuzzy msgid "Unlock Node" -msgstr "选择节点" +msgstr "解锁节点" #: editor/scene_tree_editor.cpp -#, fuzzy msgid "Button Group" -msgstr "按键 7" +msgstr "按钮组" #: editor/scene_tree_editor.cpp -#, fuzzy msgid "(Connecting From)" -msgstr "连接错误" +msgstr "(连接从)" #: editor/scene_tree_editor.cpp msgid "Node configuration warning:" msgstr "节点配置警告:" #: editor/scene_tree_editor.cpp -#, fuzzy msgid "" "Node has %s connection(s) and %s group(s).\n" "Click to show signals dock." -msgstr "" -"节点具有信号连接和分组。\n" -"单击以显示信号接口。" +msgstr "节点具有%s个连接和%s个组。 单击以显示信号底座。" #: editor/scene_tree_editor.cpp -#, fuzzy msgid "" "Node has %s connection(s).\n" "Click to show signals dock." -msgstr "" -"节点有信号连接。\n" -"单击查看信号栏。" +msgstr "节点具有%s个连接。 单击以显示信号底座。" #: editor/scene_tree_editor.cpp -#, fuzzy msgid "" "Node is in %s group(s).\n" "Click to show groups dock." -msgstr "" -"分组中的节点。\n" -"单击显示分组栏。" +msgstr "节点位于 %s 组中。 单击以显示分组栏。" #: editor/scene_tree_editor.cpp -#, fuzzy msgid "Open Script:" -msgstr "打开脚本" +msgstr "打开脚本:" #: editor/scene_tree_editor.cpp msgid "" @@ -10170,39 +10164,32 @@ msgid "Select a Node" msgstr "选择一个节点" #: editor/script_create_dialog.cpp -#, fuzzy msgid "Path is empty." -msgstr "文件路径为空" +msgstr "路径为空。" #: editor/script_create_dialog.cpp -#, fuzzy msgid "Filename is empty." -msgstr "文件名为空" +msgstr "文件名为空。" #: editor/script_create_dialog.cpp -#, fuzzy msgid "Path is not local." -msgstr "必须是项目内的路径" +msgstr "路径不是本地的。" #: editor/script_create_dialog.cpp -#, fuzzy msgid "Invalid base path." -msgstr "父路径非法" +msgstr "无效的基本路径。" #: editor/script_create_dialog.cpp -#, fuzzy msgid "A directory with the same name exists." -msgstr "存在同名目录" +msgstr "存在具有相同名称的目录。" #: editor/script_create_dialog.cpp -#, fuzzy msgid "Invalid extension." -msgstr "扩展名非法" +msgstr "扩展名无效。" #: editor/script_create_dialog.cpp -#, fuzzy msgid "Wrong extension chosen." -msgstr "选择了错误的扩展名" +msgstr "选择了错误的扩展名。" #: editor/script_create_dialog.cpp msgid "Error loading template '%s'" @@ -10217,16 +10204,14 @@ msgid "Error loading script from %s" msgstr "从%s加载脚本出错" #: editor/script_create_dialog.cpp -#, fuzzy msgid "Overrides" -msgstr "覆盖" +msgstr "重写" #: editor/script_create_dialog.cpp msgid "N/A" msgstr "N/A" #: editor/script_create_dialog.cpp -#, fuzzy msgid "Open Script / Choose Location" msgstr "打开脚本/选择位置" @@ -10235,44 +10220,36 @@ msgid "Open Script" msgstr "打开脚本" #: editor/script_create_dialog.cpp -#, fuzzy msgid "File exists, it will be reused." -msgstr "文件已存在, 将被重用" +msgstr "文件存在,将被重用。" #: editor/script_create_dialog.cpp -#, fuzzy msgid "Invalid class name." -msgstr "类名非法" +msgstr "无效的类别名称。" #: editor/script_create_dialog.cpp -#, fuzzy msgid "Invalid inherited parent name or path." -msgstr "非法的基类名称或脚本路径" +msgstr "无效的继承父名称或路径。" #: editor/script_create_dialog.cpp -#, fuzzy msgid "Script is valid." -msgstr "脚本可用" +msgstr "脚本有效。" #: editor/script_create_dialog.cpp -#, fuzzy msgid "Allowed: a-z, A-Z, 0-9, _ and ." -msgstr "仅允许使用: a-z, A-Z, 0-9 或 _" +msgstr "允许:a-z,a-z,0-9,u和。" #: editor/script_create_dialog.cpp -#, fuzzy msgid "Built-in script (into scene file)." -msgstr "内置脚本(保存在场景文件中)" +msgstr "内置脚本(到场景文件中)。" #: editor/script_create_dialog.cpp -#, fuzzy msgid "Will create a new script file." -msgstr "创建新脚本" +msgstr "将创建一个新的脚本文件。" #: editor/script_create_dialog.cpp -#, fuzzy msgid "Will load an existing script file." -msgstr "加载现有脚本" +msgstr "将加载现有的脚本文件。" #: editor/script_create_dialog.cpp msgid "Language" @@ -10307,19 +10284,50 @@ msgid "Bytes:" msgstr "字节:" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" -msgstr "栈追踪" +#, fuzzy +msgid "Warning:" +msgstr "警告:" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." -msgstr "从列表中选取一个或多个项目以显示图形。" +msgid "Error:" +msgstr "错误:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error" +msgstr "复制错误信息" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error:" +msgstr "错误:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source" +msgstr "源" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" +msgstr "源" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source:" +msgstr "源" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" +msgstr "栈追踪" #: editor/script_editor_debugger.cpp msgid "Errors" msgstr "错误" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" +#, fuzzy +msgid "Child process connected." msgstr "子进程已连接" #: editor/script_editor_debugger.cpp @@ -10327,6 +10335,11 @@ msgid "Copy Error" msgstr "复制错误信息" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "断点" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "编辑上一个实例" @@ -10343,6 +10356,11 @@ msgid "Profiler" msgstr "性能分析" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Network Profiler" +msgstr "导出配置文件" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "监视" @@ -10355,6 +10373,10 @@ msgid "Monitors" msgstr "显示" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "从列表中选取一个或多个项目以显示图形。" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "占用显存的资源列表:" @@ -10404,7 +10426,7 @@ msgstr "从场景树设置" #: editor/script_editor_debugger.cpp msgid "Export measures as CSV" -msgstr "" +msgstr "导出为CSV格式" #: editor/settings_config_dialog.cpp msgid "Erase Shortcut" @@ -10540,22 +10562,17 @@ msgstr "动态链接库" #: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Enabled GDNative Singleton" -msgstr "" +msgstr "启用gdnative singleton" #: modules/gdnative/gdnative_library_singleton_editor.cpp -#, fuzzy msgid "Disabled GDNative Singleton" -msgstr "禁用自动更新" +msgstr "禁用的 GDNative 单例" #: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Library" msgstr "库" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "状态" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "库: " @@ -10564,6 +10581,10 @@ msgid "GDNative" msgstr "GDNative" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "Step参数为 0 !" @@ -10632,9 +10653,8 @@ msgid "GridMap Fill Selection" msgstr "填充选择网格地图" #: modules/gridmap/grid_map_editor_plugin.cpp -#, fuzzy msgid "GridMap Paste Selection" -msgstr "删除选择的GridMap" +msgstr "GridMap粘贴选择" #: modules/gridmap/grid_map_editor_plugin.cpp msgid "GridMap Paint" @@ -10716,6 +10736,15 @@ msgstr "GridMap设置" msgid "Pick Distance:" msgstr "拾取距离:" +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "过滤方式" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "类名不能是保留关键字" @@ -10836,28 +10865,28 @@ msgid "Set Variable Type" msgstr "设置变量类型" #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Override an existing built-in function." -msgstr "与引擎内置类型名称冲突。" +msgstr "覆盖现有的内置函数。" #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Create a new function." -msgstr "新建一个四边形。" +msgstr "创建一个新函数。" #: modules/visual_script/visual_script_editor.cpp msgid "Variables:" msgstr "变量:" #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Create a new variable." -msgstr "新建一个四边形。" +msgstr "创建一个新变量。" + +#: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "信号:" #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Create a new signal." -msgstr "创建新多边形。" +msgstr "创建一个新信号。" #: modules/visual_script/visual_script_editor.cpp msgid "Name is not a valid identifier:" @@ -11012,6 +11041,11 @@ msgid "Editing Signal:" msgstr "编辑信号:" #: modules/visual_script/visual_script_editor.cpp +#, fuzzy +msgid "Make Tool:" +msgstr "使用本地" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "基础类型:" @@ -11024,9 +11058,8 @@ msgid "Available Nodes:" msgstr "有效节点:" #: modules/visual_script/visual_script_editor.cpp -#, fuzzy msgid "Select or create a function to edit its graph." -msgstr "选择或创建一个函数来编辑" +msgstr "选择或创建一个函数来编辑其图形。" #: modules/visual_script/visual_script_editor.cpp msgid "Delete Selected" @@ -11152,16 +11185,18 @@ msgstr "未在编辑器设置或预设中配置调试密钥库。" #: platform/android/export/export.cpp msgid "Custom build requires a valid Android SDK path in Editor Settings." -msgstr "" +msgstr "自定义构建需要在“编辑器设置”中使用有效的Android SDK路径。" #: platform/android/export/export.cpp msgid "Invalid Android SDK path for custom build in Editor Settings." -msgstr "" +msgstr "用于“编辑器设置”中自定义构建的Android SDK路径是无效的。" #: platform/android/export/export.cpp +#, fuzzy msgid "" -"Android project is not installed for compiling. Install from Editor menu." -msgstr "" +"Android build template not installed in the project. Install it from the " +"Project menu." +msgstr "未安装Android项目进行编译。从编辑器菜单安装。" #: platform/android/export/export.cpp msgid "Invalid public key for APK expansion." @@ -11176,6 +11211,7 @@ msgid "" "Trying to build from a custom built template, but no version info for it " "exists. Please reinstall from the 'Project' menu." msgstr "" +"尝试从自定义构建的模板构建,但是不存在其版本信息。请从“项目”菜单中重新安装。" #: platform/android/export/export.cpp msgid "" @@ -11184,20 +11220,26 @@ msgid "" " Godot Version: %s\n" "Please reinstall Android build template from 'Project' menu." msgstr "" +"Android构建版本不匹配:\n" +" 安装的模板:\n" +" Godot版本:%s\n" +"请从“项目”菜单中重新安装Android构建模板。" #: platform/android/export/export.cpp msgid "Building Android Project (gradle)" -msgstr "" +msgstr "构建android项目(gradle)" #: platform/android/export/export.cpp msgid "" "Building of Android project failed, check output for the error.\n" "Alternatively visit docs.godotengine.org for Android build documentation." msgstr "" +"Android项目构建失败,请检查输出以了解错误。 或者访问docs.godotengine.org获取" +"Android构建文档。" #: platform/android/export/export.cpp msgid "No build apk generated at: " -msgstr "" +msgstr "在以下位置未生成构建APK: " #: platform/iphone/export/export.cpp msgid "Identifier is missing." @@ -11313,13 +11355,12 @@ msgid "Invalid splash screen image dimensions (should be 620x300)." msgstr "启动画面图片尺寸无效(应为620x300)。" #: scene/2d/animated_sprite.cpp -#, fuzzy msgid "" "A SpriteFrames resource must be created or set in the \"Frames\" property in " "order for AnimatedSprite to display frames." msgstr "" -"SpriteFrames资源必须是通过AnimatedSprite节点的frames属性创建的,否则无法显示" -"动画帧。" +"必须创建SpriteFrames资源,或在“ Frames”属性中设置SpriteFrames资源,以便" +"AnimatedSprite显示帧。" #: scene/2d/canvas_modulate.cpp msgid "" @@ -11374,11 +11415,10 @@ msgid "" msgstr "CPUParticles2D动画需要使用启用了“粒子动画”的CanvasItemMaterial。" #: scene/2d/light_2d.cpp -#, fuzzy msgid "" "A texture with the shape of the light must be supplied to the \"Texture\" " "property." -msgstr "光照的形状与纹理必须提供给纹理属性。" +msgstr "必须将具有灯光形状的纹理提供给“纹理”(Texture)属性。" #: scene/2d/light_occluder_2d.cpp msgid "" @@ -11386,9 +11426,8 @@ msgid "" msgstr "此遮光体必须设置遮光形状才能起到遮光作用。" #: scene/2d/light_occluder_2d.cpp -#, fuzzy msgid "The occluder polygon for this occluder is empty. Please draw a polygon." -msgstr "此遮光体的遮光形状为空,请为其绘制一个遮光形状!" +msgstr "此封堵器的封堵器多边形为空。请绘制一个多边形。" #: scene/2d/navigation_polygon.cpp msgid "" @@ -11465,55 +11504,47 @@ msgid "" msgstr "该骨骼没有一个合适的 REST 姿势。请到 Skeleton2D 节点中设置一个。" #: scene/2d/tile_map.cpp -#, fuzzy msgid "" "TileMap with Use Parent on needs a parent CollisionObject2D to give shapes " "to. Please use it as a child of Area2D, StaticBody2D, RigidBody2D, " "KinematicBody2D, etc. to give them a shape." msgstr "" -"CollisionShape2D类型节点只能为CollisionObject2D的派生类提供碰撞形状数据,请将" -"其放在Area2D、StaticBody2D、RigidBody2D或者是KinematicBody2D节点下。" +"启用了“使用父级”的TileMap需要父级CollisionObject2D才能提供形状。请使用它作为" +"Area2D,StaticBody2D,RigidBody2D,KinematicBody2D等的子项来赋予它们形状。" #: scene/2d/visibility_notifier_2d.cpp -#, fuzzy msgid "" "VisibilityEnabler2D works best when used with the edited scene root directly " "as parent." -msgstr "VisibilityEnable2D类型的节点用于场景的根节点才能获得最好的效果。" +msgstr "当直接将已编辑的场景根作为父级使用时,VisibilityEnabler2D效果最佳。" #: scene/3d/arvr_nodes.cpp -#, fuzzy msgid "ARVRCamera must have an ARVROrigin node as its parent." -msgstr "ARVRCamera 必须处于 ARVROrigin 节点之下" +msgstr "ARVRCamera必须将ARVROrigin节点作为其父节点。" #: scene/3d/arvr_nodes.cpp -#, fuzzy msgid "ARVRController must have an ARVROrigin node as its parent." -msgstr "ARVRController 必须处于 ARVROrigin 节点之下" +msgstr "ARVRController必须具有ARVROrigin节点作为其父节点。" #: scene/3d/arvr_nodes.cpp -#, fuzzy msgid "" "The controller ID must not be 0 or this controller won't be bound to an " "actual controller." -msgstr "控制器 id 必须不为 0 或此控制器将不绑定到实际的控制器" +msgstr "控制器ID不能为0,否则此控制器将不会绑定到实际的控制器。" #: scene/3d/arvr_nodes.cpp -#, fuzzy msgid "ARVRAnchor must have an ARVROrigin node as its parent." -msgstr "ARVRAnchor 必须处于 ARVROrigin 节点之下" +msgstr "ARVRAnchor必须具有ARVROrigin节点作为其父节点。" #: scene/3d/arvr_nodes.cpp -#, fuzzy msgid "" "The anchor ID must not be 0 or this anchor won't be bound to an actual " "anchor." -msgstr "锚 id 必须不是 0 或这个锚点将不绑定到实际的锚" +msgstr "锚点ID不能为0,否则此锚点将不会绑定到实际的锚点。" #: scene/3d/arvr_nodes.cpp -#, fuzzy msgid "ARVROrigin requires an ARVRCamera child node." -msgstr "ARVROrigin 必须拥有 ARVRCamera 子节点" +msgstr "ARVROrigin需要一个ARVRCamera子节点。" #: scene/3d/baked_lightmap.cpp msgid "%d%%" @@ -11571,13 +11602,10 @@ msgstr "" "在Area、StaticBody、RigidBody或KinematicBody节点下。" #: scene/3d/collision_shape.cpp -#, fuzzy msgid "" "A shape must be provided for CollisionShape to function. Please create a " "shape resource for it." -msgstr "" -"CollisionShape节点必须拥有一个形状才能进行碰撞检测工作,请为它创建一个形状资" -"源!" +msgstr "必须提供形状以使CollisionShape起作用。请为其创建形状资源。" #: scene/3d/collision_shape.cpp msgid "" @@ -11590,11 +11618,12 @@ msgid "Nothing is visible because no mesh has been assigned." msgstr "无物可见,因为没有指定网格。" #: scene/3d/cpu_particles.cpp -#, fuzzy msgid "" "CPUParticles animation requires the usage of a SpatialMaterial whose " "Billboard Mode is set to \"Particle Billboard\"." -msgstr "CPUParticles动画需要使用启动了“Billboard Particles”的SpatialMaterial。" +msgstr "" +"CPUParticles动画需要使用SpatialMaterial,其“公告牌模式”设置为“ Particle " +"Billboard”。" #: scene/3d/gi_probe.cpp msgid "Plotting Meshes" @@ -11638,23 +11667,22 @@ msgid "" msgstr "粒子不可见,因为没有网格(meshe)指定到绘制通道(draw passes)。" #: scene/3d/particles.cpp -#, fuzzy msgid "" "Particles animation requires the usage of a SpatialMaterial whose Billboard " "Mode is set to \"Particle Billboard\"." -msgstr "粒子动画需要使用启用了“Billboard Particles”的SpatialMaterial。" +msgstr "" +"粒子动画需要使用SpatialMaterial,其“公告牌模式”设置为“ Particle Billboard”。" #: scene/3d/path.cpp msgid "PathFollow only works when set as a child of a Path node." msgstr "PathFollow类型的节点只有作为Path类型节点的子节点才能正常工作。" #: scene/3d/path.cpp -#, fuzzy msgid "" "PathFollow's ROTATION_ORIENTED requires \"Up Vector\" to be enabled in its " "parent Path's Curve resource." msgstr "" -"PathFollow ROTATION_ORIENTED需要在其父路径的曲线资源中启用“Up Vector”。" +"PathFollow的ROTATION_ORIENTED要求在其父路径的Curve资源中启用“向上矢量”。" #: scene/3d/physics_body.cpp msgid "" @@ -11667,16 +11695,14 @@ msgstr "" "建议您修改子节点的碰撞形状。" #: scene/3d/remote_transform.cpp -#, fuzzy msgid "" "The \"Remote Path\" property must point to a valid Spatial or Spatial-" "derived node to work." -msgstr "path属性必须指向一个合法的Spatial节点才能正常工作。" +msgstr "“远程路径”属性必须指向有效的Spatial或Spatial派生的节点才能工作。" #: scene/3d/soft_body.cpp -#, fuzzy msgid "This body will be ignored until you set a mesh." -msgstr "这个物体将被忽略,除非设置一个网格" +msgstr "在设置网格之前,将忽略该实体。" #: scene/3d/soft_body.cpp msgid "" @@ -11688,13 +11714,11 @@ msgstr "" "建议修改子节点的碰撞体形状尺寸。" #: scene/3d/sprite_3d.cpp -#, fuzzy msgid "" "A SpriteFrames resource must be created or set in the \"Frames\" property in " "order for AnimatedSprite3D to display frames." msgstr "" -"SpriteFrame资源必须是通过AnimatedSprite3D节点的Frames属性创建的,否则无法显示" -"动画帧。" +"必须在“frames”属性中创建或设置spriteframes资源,以便animatedsprite3d显示帧。" #: scene/3d/vehicle_body.cpp msgid "" @@ -11745,9 +11769,8 @@ msgid "Nothing connected to input '%s' of node '%s'." msgstr "没有任何物体连接到节点 '%s' 的输入 '%s' 。" #: scene/animation/animation_tree.cpp -#, fuzzy msgid "No root AnimationNode for the graph is set." -msgstr "图表没有设置动画节点作为根节点。" +msgstr "没有为图设置根AnimationNode。" #: scene/animation/animation_tree.cpp msgid "Path to an AnimationPlayer node containing animations is not set." @@ -11758,9 +11781,8 @@ msgid "Path set for AnimationPlayer does not lead to an AnimationPlayer node." msgstr "动画播放器的路径没有加载一个 AnimationPlayer 节点。" #: scene/animation/animation_tree.cpp -#, fuzzy msgid "The AnimationPlayer root node is not a valid node." -msgstr "AnimationPlayer 的根节点不是一个有效的节点。" +msgstr "AnimationPlayer根节点不是有效节点。" #: scene/animation/animation_tree_player.cpp msgid "This node has been deprecated. Use AnimationTree instead." @@ -11771,14 +11793,12 @@ msgid "Pick a color from the screen." msgstr "从屏幕中选择一种颜色。" #: scene/gui/color_picker.cpp -#, fuzzy msgid "HSV" msgstr "HSV" #: scene/gui/color_picker.cpp -#, fuzzy msgid "Raw" -msgstr "偏航" +msgstr "原始" #: scene/gui/color_picker.cpp msgid "Switch between hexadecimal and code values." @@ -11789,14 +11809,13 @@ msgid "Add current color as a preset." msgstr "将当前颜色添加为预设。" #: scene/gui/container.cpp -#, fuzzy msgid "" "Container by itself serves no purpose unless a script configures its " "children placement behavior.\n" "If you don't intend to add a script, use a plain Control node instead." msgstr "" -"除非在脚本内配置其子项的放置行为,否则容器本身没有用处。\n" -"如果您不打算添加脚本,请使用简单的“控件”节点。" +"除非脚本配置其子代放置行为,否则容器本身没有任何作用。 如果您不想添加脚本,请" +"改用普通的Control节点。" #: scene/gui/control.cpp msgid "" @@ -11815,29 +11834,26 @@ msgid "Please Confirm..." msgstr "请确认..." #: scene/gui/popup.cpp -#, fuzzy msgid "" "Popups will hide by default unless you call popup() or any of the popup*() " "functions. Making them visible for editing is fine, but they will hide upon " "running." msgstr "" -"Popup对象默认保持隐藏,除非你调用popup()或其他popup相关方法。编辑时可以让它们" -"保持可见,但它在运行时们会自动隐藏。" +"默认情况下,弹出窗口将隐藏,除非您调用popup()或任何popup *()函数。使它们" +"可见以进行编辑是可以的,但是它们会在运行时隐藏。" #: scene/gui/range.cpp -#, fuzzy msgid "If \"Exp Edit\" is enabled, \"Min Value\" must be greater than 0." -msgstr "如果exp_edit为true, 则min_value必须为>0。" +msgstr "如果启用了“ Exp Edit”,则“ Min Value”必须大于0。" #: scene/gui/scroll_container.cpp -#, fuzzy msgid "" "ScrollContainer is intended to work with a single child control.\n" "Use a container as child (VBox, HBox, etc.), or a Control and set the custom " "minimum size manually." msgstr "" -"ScrollContainer旨在与单个子控件配合使用。\n" -"请使用Container(VBox,HBox等)作为其子控件或手动设置Control的最小尺寸。" +"ScrollContainer旨在与单个子控件一起使用。 使用容器作为子容器(VBox,HBox等)" +"或控件,并手动设置自定义最小尺寸。" #: scene/gui/tree.cpp msgid "(Other)" @@ -11873,9 +11889,8 @@ msgid "Invalid source for shader." msgstr "非法的着色器源。" #: scene/resources/visual_shader_nodes.cpp -#, fuzzy msgid "Invalid comparison function for that type." -msgstr "该类型的比较函数无效。" +msgstr "该类型的比较功能无效。" #: servers/visual/shader_language.cpp msgid "Assignment to function." @@ -11893,6 +11908,43 @@ msgstr "变量只能在顶点函数中指定。" msgid "Constants cannot be modified." msgstr "不允许修改常量。" +#~ msgid "Properties:" +#~ msgstr "属性:" + +#~ msgid "Methods:" +#~ msgstr "方法:" + +#~ msgid "Theme Properties:" +#~ msgstr "Theme Properties:" + +#~ msgid "Enumerations:" +#~ msgstr "枚举:" + +#~ msgid "Constants:" +#~ msgstr "常量:" + +#~ msgid "Class Description:" +#~ msgstr "类说明:" + +#~ msgid "Property Descriptions:" +#~ msgstr "属性说明:" + +#~ msgid "Method Descriptions:" +#~ msgstr "方法说明:" + +#~ msgid "" +#~ "This will install the Android project for custom builds.\n" +#~ "Note that, in order to use it, it needs to be enabled per export preset." +#~ msgstr "" +#~ "将安装Android项目以进行自定义构建。\n" +#~ "注意,为了可用,需要为每个导出预设启用。" + +#~ msgid "Reverse sorting." +#~ msgstr "反向排序。" + +#~ msgid "Delete Node(s)?" +#~ msgstr "确定要删除节点吗?" + #~ msgid "No Matches" #~ msgstr "无匹配项" @@ -12134,9 +12186,6 @@ msgstr "不允许修改常量。" #~ msgid "Instance the selected scene(s) as child of the selected node." #~ msgstr "将选中的场景实例为选中节点的子节点。" -#~ msgid "Warnings:" -#~ msgstr "警告:" - #~ msgid "Font Size:" #~ msgstr "字体大小:" @@ -12180,9 +12229,6 @@ msgstr "不允许修改常量。" #~ msgid "Select a split to erase it." #~ msgstr "选择一个拆分以擦除它。" -#~ msgid "No name provided" -#~ msgstr "未提供名称" - #~ msgid "Add Node.." #~ msgstr "添加节点.." @@ -12316,9 +12362,6 @@ msgstr "不允许修改常量。" #~ msgid "Warning" #~ msgstr "警告" -#~ msgid "Error:" -#~ msgstr "错误:" - #~ msgid "Function:" #~ msgstr "函数:" @@ -12400,9 +12443,6 @@ msgstr "不允许修改常量。" #~ msgid "Duplicate Graph Node(s)" #~ msgstr "复制Graph Node节点" -#~ msgid "Delete Shader Graph Node(s)" -#~ msgstr "删除Graph Node节点" - #~ msgid "Error: Cyclic Connection Link" #~ msgstr "错误:循环的连接" @@ -12846,9 +12886,6 @@ msgstr "不允许修改常量。" #~ msgid "Pick New Name and Location For:" #~ msgstr "选择新名称和路径:" -#~ msgid "No files selected!" -#~ msgstr "没有选中任何文件!" - #~ msgid "Info" #~ msgstr "信息" @@ -13244,12 +13281,6 @@ msgstr "不允许修改常量。" #~ msgid "Scaling to %s%%." #~ msgstr "缩放到%s%%。" -#~ msgid "Up" -#~ msgstr "向上" - -#~ msgid "Down" -#~ msgstr "向下" - #~ msgid "Bucket" #~ msgstr "桶(Bucket)" diff --git a/editor/translations/zh_HK.po b/editor/translations/zh_HK.po index 89e0d28fcf..fef45a44f4 100644 --- a/editor/translations/zh_HK.po +++ b/editor/translations/zh_HK.po @@ -58,6 +58,34 @@ msgstr "" msgid "On call to '%s':" msgstr "" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +msgid "MiB" +msgstr "" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "" @@ -503,6 +531,11 @@ msgid "Select None" msgstr "不選" #: editor/animation_track_editor.cpp +#, fuzzy +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "由Scene Tree選取一個動畫播放器以編輯當中動畫。" + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "" @@ -845,7 +878,8 @@ msgstr "連接訊號:" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -957,7 +991,8 @@ msgstr "搜尋:" msgid "Matches:" msgstr "吻合:" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1274,7 +1309,7 @@ msgid "Delete Bus Effect" msgstr "刪除選中檔案" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +msgid "Drag & drop to rearrange." msgstr "" #: editor/editor_audio_buses.cpp @@ -1489,6 +1524,7 @@ msgid "Add AutoLoad" msgstr "新增AutoLoad" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "路徑:" @@ -1727,6 +1763,7 @@ msgstr "" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "" @@ -1809,6 +1846,7 @@ msgid "New Folder..." msgstr "新增資料夾" #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "重新整理" @@ -1975,7 +2013,7 @@ msgstr "" #: editor/editor_help.cpp #, fuzzy -msgid "Brief Description:" +msgid "Brief Description" msgstr "簡述:" #: editor/editor_help.cpp @@ -1983,44 +2021,21 @@ msgid "Properties" msgstr "" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "" - -#: editor/editor_help.cpp #, fuzzy msgid "Methods" msgstr "選擇模式" #: editor/editor_help.cpp #, fuzzy -msgid "Methods:" -msgstr "選擇模式" - -#: editor/editor_help.cpp -#, fuzzy msgid "Theme Properties" msgstr "篩選:" #: editor/editor_help.cpp #, fuzzy -msgid "Theme Properties:" -msgstr "篩選:" - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "訊號:" - -#: editor/editor_help.cpp -#, fuzzy msgid "Enumerations" msgstr "翻譯:" #: editor/editor_help.cpp -#, fuzzy -msgid "Enumerations:" -msgstr "翻譯:" - -#: editor/editor_help.cpp msgid "enum " msgstr "" @@ -2030,22 +2045,13 @@ msgid "Constants" msgstr "常數" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "" - -#: editor/editor_help.cpp #, fuzzy msgid "Class Description" msgstr "描述:" #: editor/editor_help.cpp #, fuzzy -msgid "Class Description:" -msgstr "描述:" - -#: editor/editor_help.cpp -#, fuzzy -msgid "Online Tutorials:" +msgid "Online Tutorials" msgstr "關閉場景" #: editor/editor_help.cpp @@ -2061,11 +2067,6 @@ msgid "Property Descriptions" msgstr "簡述:" #: editor/editor_help.cpp -#, fuzzy -msgid "Property Descriptions:" -msgstr "簡述:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -2077,11 +2078,6 @@ msgid "Method Descriptions" msgstr "描述:" #: editor/editor_help.cpp -#, fuzzy -msgid "Method Descriptions:" -msgstr "描述:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2156,8 +2152,8 @@ msgstr "" msgid "Copy Selection" msgstr "移除選項" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2171,6 +2167,49 @@ msgstr "清空" msgid "Clear Output" msgstr "下一個腳本" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "停止" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +#, fuzzy +msgid "Down" +msgstr "下載" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +msgid "Node" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" msgstr "" @@ -2755,6 +2794,19 @@ msgstr "專案" msgid "Project Settings..." msgstr "專案設定" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Version Control" +msgstr "版本:" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp #, fuzzy msgid "Export..." @@ -2969,10 +3021,6 @@ msgstr "暫停場景" msgid "Stop the scene." msgstr "停止運行場景" -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "停止" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "運行修改的場景" @@ -3026,10 +3074,6 @@ msgid "Inspector" msgstr "監視器" #: editor/editor_node.cpp -msgid "Node" -msgstr "" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "" @@ -3052,15 +3096,21 @@ msgstr "管理輸出範本" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -3128,6 +3178,11 @@ msgstr "要離開編輯器嗎?" msgid "Open the previous Editor" msgstr "" +#: editor/editor_path.cpp +#, fuzzy +msgid "No sub-resources found." +msgstr "資源" + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "" @@ -3139,6 +3194,11 @@ msgstr "縮圖" #: editor/editor_plugin_settings.cpp #, fuzzy +msgid "Main Script:" +msgstr "下一個腳本" + +#: editor/editor_plugin_settings.cpp +#, fuzzy msgid "Edit Plugin" msgstr "插件" @@ -3169,11 +3229,6 @@ msgstr "狀態:" msgid "Edit:" msgstr "編輯" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "" @@ -4020,9 +4075,10 @@ msgstr "檔案" msgid "Import As:" msgstr "導入" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." -msgstr "" +#: editor/import_dock.cpp +#, fuzzy +msgid "Preset" +msgstr "重設縮放比例" #: editor/import_dock.cpp #, fuzzy @@ -4491,6 +4547,7 @@ msgid "Change Animation Name:" msgstr "更改動畫名稱:" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "刪除動畫?" @@ -5085,11 +5142,6 @@ msgid "Sort:" msgstr "排序:" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy -msgid "Reverse sorting." -msgstr "請求中..." - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "分類:" @@ -5372,6 +5424,11 @@ msgid "Pan Mode" msgstr "" #: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy +msgid "Ruler Mode" +msgstr "選擇模式" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "" @@ -6457,7 +6514,7 @@ msgstr "" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "" @@ -6679,11 +6736,11 @@ msgid "Toggle Scripts Panel" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" +msgid "Step Into" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Into" +msgid "Step Over" msgstr "" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp @@ -6769,7 +6826,7 @@ msgstr "關閉場景" msgid "Connections to method:" msgstr "連到:" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp #, fuzzy msgid "Source" msgstr "來源:" @@ -7585,6 +7642,11 @@ msgstr "" #: editor/plugins/sprite_frames_editor_plugin.cpp #, fuzzy +msgid "Move Frame" +msgstr "移動模式" + +#: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy msgid "Animations:" msgstr "新增動畫" @@ -7920,6 +7982,15 @@ msgid "Enable Priority" msgstr "檔案" #: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy +msgid "Filter tiles" +msgstr "篩選檔案..." + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "" @@ -8064,6 +8135,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp #, fuzzy msgid "Remove selected texture? This will remove all tiles which use it." msgstr "只限選中" @@ -8241,6 +8317,108 @@ msgstr "不能執行這個動作,因為沒有tree root." msgid "TileSet" msgstr "TileSet..." +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No VCS addons are available." +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No commit message was provided" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit" +msgstr "社群" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Initialize" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "新增" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "當改變時更新" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "重新命名..." + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "刪除" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Typechange" +msgstr "當改變時更新" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "刪除選中檔案" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage All" +msgstr "全選" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit Changes" +msgstr "同步更新腳本" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -8492,6 +8670,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9728,6 +9911,11 @@ msgid "Settings saved OK." msgstr "" #: editor/project_settings_editor.cpp +#, fuzzy +msgid "Moved Input Action Event" +msgstr "縮放selection" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "" @@ -9866,6 +10054,10 @@ msgid "Plugins" msgstr "插件" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "" + +#: editor/property_editor.cpp msgid "Zero" msgstr "" @@ -10042,10 +10234,6 @@ msgstr "轉為..." msgid "Reset" msgstr "重設縮放比例" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "" @@ -10101,6 +10289,10 @@ msgid "Instance Scene(s)" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Replace with Branch Scene" +msgstr "" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "" @@ -10143,10 +10335,24 @@ msgid "Make node as Root" msgstr "儲存場景" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "不選" + +#: editor/scene_tree_dock.cpp +msgid "Delete the root node \"%s\"?" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" +msgstr "" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "不選" + +#: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." msgstr "" @@ -10559,11 +10765,40 @@ msgid "Bytes:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" +msgid "Warning:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." +msgid "Error:" +msgstr "錯誤:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error" +msgstr "載入錯誤" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error:" +msgstr "錯誤:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source" +msgstr "來源:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" +msgstr "來源:" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source:" +msgstr "來源:" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" msgstr "" #: editor/script_editor_debugger.cpp @@ -10571,8 +10806,9 @@ msgid "Errors" msgstr "錯誤" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" -msgstr "" +#, fuzzy +msgid "Child process connected." +msgstr "中斷" #: editor/script_editor_debugger.cpp #, fuzzy @@ -10580,6 +10816,11 @@ msgid "Copy Error" msgstr "載入錯誤" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "刪除" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "" @@ -10596,6 +10837,11 @@ msgid "Profiler" msgstr "" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Network Profiler" +msgstr "匯出" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "" @@ -10608,6 +10854,10 @@ msgid "Monitors" msgstr "" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" + +#: editor/script_editor_debugger.cpp msgid "List of Video Memory Usage by Resource:" msgstr "" @@ -10809,10 +11059,6 @@ msgid "Library" msgstr "MeshLibrary..." #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "" @@ -10821,6 +11067,10 @@ msgid "GDNative" msgstr "" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp msgid "Step argument is zero!" msgstr "" @@ -10982,6 +11232,15 @@ msgstr "設定" msgid "Pick Distance:" msgstr "" +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "篩選:" + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -11122,6 +11381,10 @@ msgid "Create a new variable." msgstr "新增" #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "訊號:" + +#: modules/visual_script/visual_script_editor.cpp #, fuzzy msgid "Create a new signal." msgstr "縮放selection" @@ -11292,6 +11555,10 @@ msgid "Editing Signal:" msgstr "連接" #: modules/visual_script/visual_script_editor.cpp +msgid "Make Tool:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "" @@ -11441,7 +11708,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp @@ -12108,6 +12376,34 @@ msgid "Constants cannot be modified." msgstr "" #, fuzzy +#~ msgid "Methods:" +#~ msgstr "選擇模式" + +#, fuzzy +#~ msgid "Theme Properties:" +#~ msgstr "篩選:" + +#, fuzzy +#~ msgid "Enumerations:" +#~ msgstr "翻譯:" + +#, fuzzy +#~ msgid "Class Description:" +#~ msgstr "描述:" + +#, fuzzy +#~ msgid "Property Descriptions:" +#~ msgstr "簡述:" + +#, fuzzy +#~ msgid "Method Descriptions:" +#~ msgstr "描述:" + +#, fuzzy +#~ msgid "Reverse sorting." +#~ msgstr "請求中..." + +#, fuzzy #~ msgid "Error: could not load file." #~ msgstr "無法新增資料夾" @@ -12289,9 +12585,6 @@ msgstr "" #~ msgid "Convert To Lowercase" #~ msgstr "轉為..." -#~ msgid "Error:" -#~ msgstr "錯誤:" - #~ msgid "Errors:" #~ msgstr "錯誤:" diff --git a/editor/translations/zh_TW.po b/editor/translations/zh_TW.po index cfda19870f..dbc8432108 100644 --- a/editor/translations/zh_TW.po +++ b/editor/translations/zh_TW.po @@ -71,6 +71,35 @@ msgstr "無效參數類型: '%s'" msgid "On call to '%s':" msgstr "調用“%s”時:" +#: core/ustring.cpp +msgid "B" +msgstr "" + +#: core/ustring.cpp +msgid "KiB" +msgstr "" + +#: core/ustring.cpp +#, fuzzy +msgid "MiB" +msgstr "混合" + +#: core/ustring.cpp +msgid "GiB" +msgstr "" + +#: core/ustring.cpp +msgid "TiB" +msgstr "" + +#: core/ustring.cpp +msgid "PiB" +msgstr "" + +#: core/ustring.cpp +msgid "EiB" +msgstr "" + #: editor/animation_bezier_editor.cpp msgid "Free" msgstr "释放" @@ -509,6 +538,11 @@ msgid "Select None" msgstr "選擇模式" #: editor/animation_track_editor.cpp +#, fuzzy +msgid "Select an AnimationPlayer node to create and edit animations." +msgstr "從場景樹中選擇一個 AnimationPlayer 來編輯動畫。" + +#: editor/animation_track_editor.cpp msgid "Only show tracks from nodes selected in tree." msgstr "僅顯示樹中所選節點的軌跡。" @@ -845,7 +879,8 @@ msgstr "無法連接訊號" #: editor/plugins/canvas_item_editor_plugin.cpp #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/script_editor_plugin.cpp -#: editor/plugins/sprite_frames_editor_plugin.cpp editor/project_export.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp editor/project_export.cpp #: editor/project_settings_editor.cpp editor/property_editor.cpp #: editor/run_settings_dialog.cpp editor/settings_config_dialog.cpp #: modules/visual_script/visual_script_editor.cpp @@ -947,7 +982,8 @@ msgstr "搜尋:" msgid "Matches:" msgstr "符合條件:" -#: editor/create_dialog.cpp editor/plugin_config_dialog.cpp +#: editor/create_dialog.cpp editor/editor_plugin_settings.cpp +#: editor/plugin_config_dialog.cpp #: editor/plugins/asset_library_editor_plugin.cpp #: editor/plugins/visual_shader_editor_plugin.cpp editor/property_selector.cpp #: modules/visual_script/visual_script_property_selector.cpp @@ -1273,7 +1309,8 @@ msgid "Delete Bus Effect" msgstr "刪除 Bus 效果" #: editor/editor_audio_buses.cpp -msgid "Audio Bus, Drag and Drop to rearrange." +#, fuzzy +msgid "Drag & drop to rearrange." msgstr "Audio Bus。拖放以重新排列。" #: editor/editor_audio_buses.cpp @@ -1478,6 +1515,7 @@ msgid "Add AutoLoad" msgstr "新增 AutoLoad" #: editor/editor_autoload_settings.cpp editor/editor_file_dialog.cpp +#: editor/editor_plugin_settings.cpp #: editor/plugins/animation_tree_editor_plugin.cpp scene/gui/file_dialog.cpp msgid "Path:" msgstr "路徑:" @@ -1727,6 +1765,7 @@ msgstr "當前:" #: editor/editor_feature_profile.cpp #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "New" msgstr "新增" @@ -1807,6 +1846,7 @@ msgid "New Folder..." msgstr "新增資料夾..." #: editor/editor_file_dialog.cpp +#: editor/plugins/version_control_editor_plugin.cpp msgid "Refresh" msgstr "重新整理" @@ -1971,7 +2011,8 @@ msgid "Inherited by:" msgstr "繼承:" #: editor/editor_help.cpp -msgid "Brief Description:" +#, fuzzy +msgid "Brief Description" msgstr "簡要說明:" #: editor/editor_help.cpp @@ -1979,41 +2020,19 @@ msgid "Properties" msgstr "性質" #: editor/editor_help.cpp -msgid "Properties:" -msgstr "效能:" - -#: editor/editor_help.cpp msgid "Methods" msgstr "方法" #: editor/editor_help.cpp #, fuzzy -msgid "Methods:" -msgstr "方法" - -#: editor/editor_help.cpp -#, fuzzy msgid "Theme Properties" msgstr "過濾檔案..." #: editor/editor_help.cpp -#, fuzzy -msgid "Theme Properties:" -msgstr "過濾檔案..." - -#: editor/editor_help.cpp modules/visual_script/visual_script_editor.cpp -msgid "Signals:" -msgstr "訊號:" - -#: editor/editor_help.cpp msgid "Enumerations" msgstr "枚舉" #: editor/editor_help.cpp -msgid "Enumerations:" -msgstr "枚舉:" - -#: editor/editor_help.cpp msgid "enum " msgstr "枚舉 " @@ -2022,21 +2041,13 @@ msgid "Constants" msgstr "定數" #: editor/editor_help.cpp -msgid "Constants:" -msgstr "定數:" - -#: editor/editor_help.cpp #, fuzzy msgid "Class Description" msgstr "描述:" #: editor/editor_help.cpp #, fuzzy -msgid "Class Description:" -msgstr "描述:" - -#: editor/editor_help.cpp -msgid "Online Tutorials:" +msgid "Online Tutorials" msgstr "線上教學:" #: editor/editor_help.cpp @@ -2054,11 +2065,6 @@ msgid "Property Descriptions" msgstr "Property 說明:" #: editor/editor_help.cpp -#, fuzzy -msgid "Property Descriptions:" -msgstr "Property 說明:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this property. Please help us by " "[color=$color][url=$url]contributing one[/url][/color]!" @@ -2072,11 +2078,6 @@ msgid "Method Descriptions" msgstr "Method 說明:" #: editor/editor_help.cpp -#, fuzzy -msgid "Method Descriptions:" -msgstr "Method 說明:" - -#: editor/editor_help.cpp msgid "" "There is currently no description for this method. Please help us by [color=" "$color][url=$url]contributing one[/url][/color]!" @@ -2152,8 +2153,8 @@ msgstr "輸出:" msgid "Copy Selection" msgstr "複製選擇" -#: editor/editor_log.cpp editor/editor_profiler.cpp -#: editor/editor_properties.cpp +#: editor/editor_log.cpp editor/editor_network_profiler.cpp +#: editor/editor_profiler.cpp editor/editor_properties.cpp #: editor/plugins/animation_tree_player_editor_plugin.cpp #: editor/property_editor.cpp editor/scene_tree_dock.cpp #: editor/script_editor_debugger.cpp @@ -2167,6 +2168,50 @@ msgstr "清除" msgid "Clear Output" msgstr "輸出:" +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#: editor/editor_profiler.cpp +msgid "Stop" +msgstr "停止" + +#: editor/editor_network_profiler.cpp editor/editor_profiler.cpp +#: editor/plugins/animation_state_machine_editor.cpp editor/rename_dialog.cpp +msgid "Start" +msgstr "開始" + +#: editor/editor_network_profiler.cpp +msgid "%s/s" +msgstr "" + +#: editor/editor_network_profiler.cpp +#, fuzzy +msgid "Down" +msgstr "下載" + +#: editor/editor_network_profiler.cpp +msgid "Up" +msgstr "" + +#: editor/editor_network_profiler.cpp editor/editor_node.cpp +#, fuzzy +msgid "Node" +msgstr "節點" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Incoming RSET" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RPC" +msgstr "" + +#: editor/editor_network_profiler.cpp +msgid "Outgoing RSET" +msgstr "" + #: editor/editor_node.cpp editor/project_manager.cpp msgid "New Window" msgstr "" @@ -2741,6 +2786,19 @@ msgstr "專案" msgid "Project Settings..." msgstr "專案設定" +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Version Control" +msgstr "版本:" + +#: editor/editor_node.cpp editor/plugins/version_control_editor_plugin.cpp +msgid "Set Up Version Control" +msgstr "" + +#: editor/editor_node.cpp +msgid "Shut Down Version Control" +msgstr "" + #: editor/editor_node.cpp #, fuzzy msgid "Export..." @@ -2957,10 +3015,6 @@ msgstr "暫停場景" msgid "Stop the scene." msgstr "停止此場景." -#: editor/editor_node.cpp editor/editor_profiler.cpp -msgid "Stop" -msgstr "停止" - #: editor/editor_node.cpp msgid "Play the edited scene." msgstr "運行編輯過的場景。" @@ -3015,11 +3069,6 @@ msgid "Inspector" msgstr "屬性面板" #: editor/editor_node.cpp -#, fuzzy -msgid "Node" -msgstr "節點" - -#: editor/editor_node.cpp msgid "Expand Bottom Panel" msgstr "展開底部面板" @@ -3042,15 +3091,21 @@ msgstr "管理輸出模板" #: editor/editor_node.cpp msgid "" -"This will install the Android project for custom builds.\n" -"Note that, in order to use it, it needs to be enabled per export preset." +"This will set up your project for custom Android builds by installing the " +"source template to \"res://android/build\".\n" +"You can then apply modifications and build your own custom APK on export " +"(adding modules, changing the AndroidManifest.xml, etc.).\n" +"Note that in order to make custom builds instead of using pre-built APKs, " +"the \"Use Custom Build\" option should be enabled in the Android export " +"preset." msgstr "" #: editor/editor_node.cpp msgid "" -"Android build template is already installed and it won't be overwritten.\n" -"Remove the \"build\" directory manually before attempting this operation " -"again." +"The Android build template is already installed in this project and it won't " +"be overwritten.\n" +"Remove the \"res://android/build\" directory manually before attempting this " +"operation again." msgstr "" #: editor/editor_node.cpp @@ -3113,6 +3168,11 @@ msgstr "開啟下一個編輯器" msgid "Open the previous Editor" msgstr "開啟上一個編輯器" +#: editor/editor_path.cpp +#, fuzzy +msgid "No sub-resources found." +msgstr "未指定表面源。" + #: editor/editor_plugin.cpp msgid "Creating Mesh Previews" msgstr "創建網格預覽" @@ -3122,6 +3182,11 @@ msgid "Thumbnail..." msgstr "縮圖…" #: editor/editor_plugin_settings.cpp +#, fuzzy +msgid "Main Script:" +msgstr "開啟最近存取" + +#: editor/editor_plugin_settings.cpp msgid "Edit Plugin" msgstr "編輯擴充功能" @@ -3150,11 +3215,6 @@ msgstr "狀態:" msgid "Edit:" msgstr "編輯:" -#: editor/editor_profiler.cpp editor/plugins/animation_state_machine_editor.cpp -#: editor/rename_dialog.cpp -msgid "Start" -msgstr "開始" - #: editor/editor_profiler.cpp msgid "Measure:" msgstr "措施:" @@ -3989,9 +4049,10 @@ msgstr " 資料夾" msgid "Import As:" msgstr "導入為:" -#: editor/import_dock.cpp editor/property_editor.cpp -msgid "Preset..." -msgstr "預設。。。" +#: editor/import_dock.cpp +#, fuzzy +msgid "Preset" +msgstr "預設" #: editor/import_dock.cpp msgid "Reimport" @@ -4451,6 +4512,7 @@ msgid "Change Animation Name:" msgstr "更改動畫名稱:" #: editor/plugins/animation_player_editor_plugin.cpp +#: editor/plugins/sprite_frames_editor_plugin.cpp msgid "Delete Animation?" msgstr "刪除動畫?" @@ -5036,11 +5098,6 @@ msgid "Sort:" msgstr "排序:" #: editor/plugins/asset_library_editor_plugin.cpp -#, fuzzy -msgid "Reverse sorting." -msgstr "正在請求…" - -#: editor/plugins/asset_library_editor_plugin.cpp #: editor/project_settings_editor.cpp msgid "Category:" msgstr "類別:" @@ -5322,6 +5379,11 @@ msgid "Pan Mode" msgstr "平移模式" #: editor/plugins/canvas_item_editor_plugin.cpp +#, fuzzy +msgid "Ruler Mode" +msgstr "縮放模式" + +#: editor/plugins/canvas_item_editor_plugin.cpp msgid "Toggle snapping." msgstr "切換吸附。" @@ -6418,7 +6480,7 @@ msgstr "" #: editor/plugins/resource_preloader_editor_plugin.cpp #: editor/plugins/theme_editor_plugin.cpp editor/project_settings_editor.cpp -#: editor/scene_tree_editor.cpp +#: editor/scene_tree_editor.cpp editor/script_editor_debugger.cpp msgid "Type:" msgstr "" @@ -6637,14 +6699,14 @@ msgid "Toggle Scripts Panel" msgstr "\"切換腳本\" 面板" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp -msgid "Step Over" -msgstr "跨過" - -#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Step Into" msgstr "步入" #: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp +msgid "Step Over" +msgstr "跨過" + +#: editor/plugins/script_editor_plugin.cpp editor/script_editor_debugger.cpp msgid "Break" msgstr "跳過" @@ -6727,7 +6789,7 @@ msgstr "清除最近開啟的場景" msgid "Connections to method:" msgstr "連接到節點:" -#: editor/plugins/script_text_editor.cpp +#: editor/plugins/script_text_editor.cpp editor/script_editor_debugger.cpp #, fuzzy msgid "Source" msgstr "資源" @@ -7540,6 +7602,11 @@ msgstr "(空)" #: editor/plugins/sprite_frames_editor_plugin.cpp #, fuzzy +msgid "Move Frame" +msgstr "粘貼幀" + +#: editor/plugins/sprite_frames_editor_plugin.cpp +#, fuzzy msgid "Animations:" msgstr "動畫:" @@ -7874,6 +7941,15 @@ msgid "Enable Priority" msgstr "編輯磁貼優先級" #: editor/plugins/tile_map_editor_plugin.cpp +#, fuzzy +msgid "Filter tiles" +msgstr "篩選檔案..." + +#: editor/plugins/tile_map_editor_plugin.cpp +msgid "Give a TileSet resource to this TileMap to use its tiles." +msgstr "" + +#: editor/plugins/tile_map_editor_plugin.cpp msgid "Paint Tile" msgstr "繪製磁貼" @@ -8021,6 +8097,11 @@ msgid "Display Tile Names (Hold Alt Key)" msgstr "顯示磁貼名稱 (按住 ALT 鍵)" #: editor/plugins/tile_set_editor_plugin.cpp +msgid "" +"Add or select a texture on the left panel to edit the tiles bound to it." +msgstr "" + +#: editor/plugins/tile_set_editor_plugin.cpp #, fuzzy msgid "Remove selected texture? This will remove all tiles which use it." msgstr "刪除選定的紋理?這將刪除使用它的所有磁貼。" @@ -8189,6 +8270,109 @@ msgstr "無法更改此屬性。" msgid "TileSet" msgstr "" +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No VCS addons are available." +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp editor/rename_dialog.cpp +msgid "Error" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No commit message was provided" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No files added to stage" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit" +msgstr "社區" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "VCS Addon is not initialized" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Version Control System" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Initialize" +msgstr "首字母大寫" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Staging area" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Detect new changes" +msgstr "創建新矩形。" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Changes" +msgstr "更換" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Modified" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Renamed" +msgstr "重命名" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Deleted" +msgstr "刪除" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Typechange" +msgstr "更換" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage Selected" +msgstr "縮放所選" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Stage All" +msgstr "全部保存" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Add a commit message" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +#, fuzzy +msgid "Commit Changes" +msgstr "同步腳本的變更" + +#: editor/plugins/version_control_editor_plugin.cpp +#: modules/gdnative/gdnative_library_singleton_editor.cpp +msgid "Status" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "View file diffs before committing them to the latest version" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "No file diff is active" +msgstr "" + +#: editor/plugins/version_control_editor_plugin.cpp +msgid "Detect changes in file diff" +msgstr "" + #: editor/plugins/visual_shader_editor_plugin.cpp msgid "(GLES3 only)" msgstr "" @@ -8444,6 +8628,11 @@ msgid "" msgstr "" #: editor/plugins/visual_shader_editor_plugin.cpp +msgid "" +"Returns an associated scalar if the provided boolean value is true or false." +msgstr "" + +#: editor/plugins/visual_shader_editor_plugin.cpp msgid "Returns the boolean result of the comparison between two parameters." msgstr "" @@ -9676,6 +9865,11 @@ msgid "Settings saved OK." msgstr "" #: editor/project_settings_editor.cpp +#, fuzzy +msgid "Moved Input Action Event" +msgstr "所有的選擇" + +#: editor/project_settings_editor.cpp msgid "Override for Feature" msgstr "" @@ -9818,6 +10012,10 @@ msgid "Plugins" msgstr "挿件" #: editor/property_editor.cpp +msgid "Preset..." +msgstr "預設。。。" + +#: editor/property_editor.cpp msgid "Zero" msgstr "" @@ -9990,10 +10188,6 @@ msgstr "轉換成..." msgid "Reset" msgstr "重設縮放大小" -#: editor/rename_dialog.cpp -msgid "Error" -msgstr "" - #: editor/reparent_dialog.cpp editor/scene_tree_dock.cpp msgid "Reparent Node" msgstr "" @@ -10049,6 +10243,10 @@ msgid "Instance Scene(s)" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Replace with Branch Scene" +msgstr "" + +#: editor/scene_tree_dock.cpp msgid "Instance Child Scene" msgstr "" @@ -10090,10 +10288,24 @@ msgid "Make node as Root" msgstr "儲存場景" #: editor/scene_tree_dock.cpp -msgid "Delete Node(s)?" +#, fuzzy +msgid "Delete %d nodes?" +msgstr "刪除" + +#: editor/scene_tree_dock.cpp +msgid "Delete the root node \"%s\"?" msgstr "" #: editor/scene_tree_dock.cpp +msgid "Delete node \"%s\" and its children?" +msgstr "" + +#: editor/scene_tree_dock.cpp +#, fuzzy +msgid "Delete node \"%s\"?" +msgstr "刪除" + +#: editor/scene_tree_dock.cpp msgid "Can not perform with the root node." msgstr "" @@ -10502,11 +10714,42 @@ msgid "Bytes:" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Stack Trace" -msgstr "" +#, fuzzy +msgid "Warning:" +msgstr "警告" #: editor/script_editor_debugger.cpp -msgid "Pick one or more items from the list to display the graph." +#, fuzzy +msgid "Error:" +msgstr "錯誤!" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error" +msgstr "連接..." + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Error:" +msgstr "連接..." + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source" +msgstr "資源" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Source:" +msgstr "資源" + +#: editor/script_editor_debugger.cpp +#, fuzzy +msgid "C++ Source:" +msgstr "資源" + +#: editor/script_editor_debugger.cpp +msgid "Stack Trace" msgstr "" #: editor/script_editor_debugger.cpp @@ -10514,8 +10757,9 @@ msgid "Errors" msgstr "" #: editor/script_editor_debugger.cpp -msgid "Child Process Connected" -msgstr "" +#, fuzzy +msgid "Child process connected." +msgstr "斷線" #: editor/script_editor_debugger.cpp #, fuzzy @@ -10523,6 +10767,11 @@ msgid "Copy Error" msgstr "連接..." #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Skip Breakpoints" +msgstr "刪除" + +#: editor/script_editor_debugger.cpp msgid "Inspect Previous Instance" msgstr "" @@ -10539,6 +10788,11 @@ msgid "Profiler" msgstr "" #: editor/script_editor_debugger.cpp +#, fuzzy +msgid "Network Profiler" +msgstr "輸出專案" + +#: editor/script_editor_debugger.cpp msgid "Monitor" msgstr "" @@ -10552,6 +10806,10 @@ msgid "Monitors" msgstr "監看畫面" #: editor/script_editor_debugger.cpp +msgid "Pick one or more items from the list to display the graph." +msgstr "" + +#: editor/script_editor_debugger.cpp #, fuzzy msgid "List of Video Memory Usage by Resource:" msgstr "影片記憶體使用容量列表(依資源別):" @@ -10763,10 +11021,6 @@ msgid "Library" msgstr "" #: modules/gdnative/gdnative_library_singleton_editor.cpp -msgid "Status" -msgstr "" - -#: modules/gdnative/gdnative_library_singleton_editor.cpp msgid "Libraries: " msgstr "" @@ -10775,6 +11029,10 @@ msgid "GDNative" msgstr "" #: modules/gdscript/gdscript_functions.cpp +msgid "Expected a string of length 1 (a character)." +msgstr "" + +#: modules/gdscript/gdscript_functions.cpp #, fuzzy msgid "Step argument is zero!" msgstr "step引數為0!" @@ -10943,6 +11201,15 @@ msgstr "專案設定" msgid "Pick Distance:" msgstr "" +#: modules/gridmap/grid_map_editor_plugin.cpp +#, fuzzy +msgid "Filter meshes" +msgstr "過濾檔案..." + +#: modules/gridmap/grid_map_editor_plugin.cpp +msgid "Give a MeshLibrary resource to this GridMap to use its meshes." +msgstr "" + #: modules/mono/csharp_script.cpp msgid "Class name can't be a reserved keyword" msgstr "" @@ -11084,6 +11351,10 @@ msgid "Create a new variable." msgstr "創建新矩形。" #: modules/visual_script/visual_script_editor.cpp +msgid "Signals:" +msgstr "訊號:" + +#: modules/visual_script/visual_script_editor.cpp #, fuzzy msgid "Create a new signal." msgstr "創建新多邊形。" @@ -11245,6 +11516,10 @@ msgid "Editing Signal:" msgstr "" #: modules/visual_script/visual_script_editor.cpp +msgid "Make Tool:" +msgstr "" + +#: modules/visual_script/visual_script_editor.cpp msgid "Base Type:" msgstr "" @@ -11394,7 +11669,8 @@ msgstr "" #: platform/android/export/export.cpp msgid "" -"Android project is not installed for compiling. Install from Editor menu." +"Android build template not installed in the project. Install it from the " +"Project menu." msgstr "" #: platform/android/export/export.cpp @@ -12077,6 +12353,39 @@ msgstr "" msgid "Constants cannot be modified." msgstr "" +#~ msgid "Properties:" +#~ msgstr "效能:" + +#, fuzzy +#~ msgid "Methods:" +#~ msgstr "方法" + +#, fuzzy +#~ msgid "Theme Properties:" +#~ msgstr "過濾檔案..." + +#~ msgid "Enumerations:" +#~ msgstr "枚舉:" + +#~ msgid "Constants:" +#~ msgstr "定數:" + +#, fuzzy +#~ msgid "Class Description:" +#~ msgstr "描述:" + +#, fuzzy +#~ msgid "Property Descriptions:" +#~ msgstr "Property 說明:" + +#, fuzzy +#~ msgid "Method Descriptions:" +#~ msgstr "Method 說明:" + +#, fuzzy +#~ msgid "Reverse sorting." +#~ msgstr "正在請求…" + #~ msgid "No Matches" #~ msgstr "無符合條件" diff --git a/main/tests/test_oa_hash_map.cpp b/main/tests/test_oa_hash_map.cpp index bf5b4588ea..beee52d1de 100644 --- a/main/tests/test_oa_hash_map.cpp +++ b/main/tests/test_oa_hash_map.cpp @@ -140,6 +140,19 @@ MainLoop *test() { OS::get_singleton()->print("test for issue #31402 passed.\n"); } + // test collision resolution, should not crash or run indefinitely + { + OAHashMap<int, int> map(4); + map.set(1, 1); + map.set(5, 1); + map.set(9, 1); + map.set(13, 1); + map.remove(5); + map.remove(9); + map.remove(13); + map.set(5, 1); + } + return NULL; } } // namespace TestOAHashMap diff --git a/modules/mono/mono_gd/gd_mono.cpp b/modules/mono/mono_gd/gd_mono.cpp index 915a01af7e..b2e1deca01 100644 --- a/modules/mono/mono_gd/gd_mono.cpp +++ b/modules/mono/mono_gd/gd_mono.cpp @@ -119,26 +119,29 @@ void gdmono_debug_init() { mono_debug_init(MONO_DEBUG_FORMAT_MONO); + CharString da_args = OS::get_singleton()->get_environment("GODOT_MONO_DEBUGGER_AGENT").utf8(); + +#ifdef TOOLS_ENABLED int da_port = GLOBAL_DEF("mono/debugger_agent/port", 23685); bool da_suspend = GLOBAL_DEF("mono/debugger_agent/wait_for_debugger", false); int da_timeout = GLOBAL_DEF("mono/debugger_agent/wait_timeout", 3000); - CharString da_args = OS::get_singleton()->get_environment("GODOT_MONO_DEBUGGER_AGENT").utf8(); - -#ifdef TOOLS_ENABLED if (Engine::get_singleton()->is_editor_hint() || ProjectSettings::get_singleton()->get_resource_path().empty() || Main::is_project_manager()) { if (da_args.size() == 0) return; } -#endif if (da_args.length() == 0) { da_args = String("--debugger-agent=transport=dt_socket,address=127.0.0.1:" + itos(da_port) + ",embedding=1,server=y,suspend=" + (da_suspend ? "y,timeout=" + itos(da_timeout) : "n")) .utf8(); } +#else + if (da_args.length() == 0) + return; // Exported games don't use the project settings to setup the debugger agent +#endif // --debugger-agent=help const char *options[] = { @@ -761,7 +764,9 @@ bool GDMono::_try_load_api_assemblies() { void GDMono::_load_api_assemblies() { - if (!_try_load_api_assemblies()) { + bool api_assemblies_loaded = _try_load_api_assemblies(); + + if (!api_assemblies_loaded) { #ifdef TOOLS_ENABLED // The API assemblies are out of sync. Fine, try one more time, but this time // update them from the prebuilt assemblies directory before trying to load them. @@ -782,28 +787,30 @@ void GDMono::_load_api_assemblies() { CRASH_COND_MSG(domain_load_err != OK, "Mono: Failed to load scripts domain."); // 4. Try loading the updated assemblies - if (!_try_load_api_assemblies()) { - // welp... too bad - - if (_are_api_assemblies_out_of_sync()) { - if (core_api_assembly_out_of_sync) { - ERR_PRINT("The assembly '" CORE_API_ASSEMBLY_NAME "' is out of sync."); - } else if (!GDMonoUtils::mono_cache.godot_api_cache_updated) { - ERR_PRINT("The loaded assembly '" CORE_API_ASSEMBLY_NAME "' is in sync, but the cache update failed."); - } - - if (editor_api_assembly_out_of_sync) { - ERR_PRINT("The assembly '" EDITOR_API_ASSEMBLY_NAME "' is out of sync."); - } - - CRASH_NOW(); - } else { - CRASH_NOW_MSG("Failed to load one of the API assemblies."); + api_assemblies_loaded = _try_load_api_assemblies(); +#endif + } + + if (!api_assemblies_loaded) { + // welp... too bad + + if (_are_api_assemblies_out_of_sync()) { + if (core_api_assembly_out_of_sync) { + ERR_PRINT("The assembly '" CORE_API_ASSEMBLY_NAME "' is out of sync."); + } else if (!GDMonoUtils::mono_cache.godot_api_cache_updated) { + ERR_PRINT("The loaded assembly '" CORE_API_ASSEMBLY_NAME "' is in sync, but the cache update failed."); + } + +#ifdef TOOLS_ENABLED + if (editor_api_assembly_out_of_sync) { + ERR_PRINT("The assembly '" EDITOR_API_ASSEMBLY_NAME "' is out of sync."); } - } -#else - CRASH_NOW_MSG("Failed to load one of the API assemblies."); #endif + + CRASH_NOW(); + } else { + CRASH_NOW_MSG("Failed to load one of the API assemblies."); + } } } diff --git a/scene/2d/tile_map.cpp b/scene/2d/tile_map.cpp index c0c1d8f691..2bfdfd7d02 100644 --- a/scene/2d/tile_map.cpp +++ b/scene/2d/tile_map.cpp @@ -1549,7 +1549,8 @@ Vector2 TileMap::_map_to_world(int p_x, int p_y, bool p_ignore_ofs) const { ret += get_cell_transform()[1] * (half_offset == HALF_OFFSET_Y ? 0.5 : -0.5); } } break; - default: { + case HALF_OFFSET_DISABLED: { + // Nothing to do. } } } @@ -1612,26 +1613,27 @@ Vector2 TileMap::world_to_map(const Vector2 &p_pos) const { switch (half_offset) { case HALF_OFFSET_X: { - if (ret.y > 0 ? int(ret.y) & 1 : (int(ret.y) - 1) & 1) { + if (int(floor(ret.y)) & 1) { ret.x -= 0.5; } } break; case HALF_OFFSET_NEGATIVE_X: { - if (ret.y > 0 ? int(ret.y) & 1 : (int(ret.y) - 1) & 1) { + if (int(floor(ret.y)) & 1) { ret.x += 0.5; } } break; case HALF_OFFSET_Y: { - if (ret.x > 0 ? int(ret.x) & 1 : (int(ret.x) - 1) & 1) { + if (int(floor(ret.x)) & 1) { ret.y -= 0.5; } } break; case HALF_OFFSET_NEGATIVE_Y: { - if (ret.x > 0 ? int(ret.x) & 1 : (int(ret.x) - 1) & 1) { + if (int(floor(ret.x)) & 1) { ret.y += 0.5; } } break; - default: { + case HALF_OFFSET_DISABLED: { + // Nothing to do. } } diff --git a/scene/3d/skeleton.cpp b/scene/3d/skeleton.cpp index ead1e69f90..b0f567f183 100644 --- a/scene/3d/skeleton.cpp +++ b/scene/3d/skeleton.cpp @@ -245,6 +245,9 @@ void Skeleton::_notification(int p_what) { if (b.enabled) { Transform pose = b.pose; + if (b.custom_pose_enable) { + pose = b.custom_pose * pose; + } if (b.parent >= 0) { b.pose_global = bonesptr[b.parent].pose_global * pose; @@ -267,7 +270,9 @@ void Skeleton::_notification(int p_what) { if (b.enabled) { Transform pose = b.pose; - + if (b.custom_pose_enable) { + pose = b.custom_pose * pose; + } if (b.parent >= 0) { b.pose_global = bonesptr[b.parent].pose_global * (b.rest * pose); @@ -533,6 +538,23 @@ Transform Skeleton::get_bone_pose(int p_bone) const { return bones[p_bone].pose; } +void Skeleton::set_bone_custom_pose(int p_bone, const Transform &p_custom_pose) { + + ERR_FAIL_INDEX(p_bone, bones.size()); + //ERR_FAIL_COND( !is_inside_scene() ); + + bones.write[p_bone].custom_pose_enable = (p_custom_pose != Transform()); + bones.write[p_bone].custom_pose = p_custom_pose; + + _make_dirty(); +} + +Transform Skeleton::get_bone_custom_pose(int p_bone) const { + + ERR_FAIL_INDEX_V(p_bone, bones.size(), Transform()); + return bones[p_bone].custom_pose; +} + void Skeleton::_make_dirty() { if (dirty) @@ -808,6 +830,9 @@ void Skeleton::_bind_methods() { ClassDB::bind_method(D_METHOD("set_bone_global_pose_override", "bone_idx", "pose", "amount", "persistent"), &Skeleton::set_bone_global_pose_override, DEFVAL(false)); ClassDB::bind_method(D_METHOD("get_bone_global_pose", "bone_idx"), &Skeleton::get_bone_global_pose); + ClassDB::bind_method(D_METHOD("get_bone_custom_pose", "bone_idx"), &Skeleton::get_bone_custom_pose); + ClassDB::bind_method(D_METHOD("set_bone_custom_pose", "bone_idx", "custom_pose"), &Skeleton::set_bone_custom_pose); + #ifndef _3D_DISABLED ClassDB::bind_method(D_METHOD("physical_bones_stop_simulation"), &Skeleton::physical_bones_stop_simulation); diff --git a/scene/3d/skeleton.h b/scene/3d/skeleton.h index f20c550055..824d9567fa 100644 --- a/scene/3d/skeleton.h +++ b/scene/3d/skeleton.h @@ -87,6 +87,9 @@ private: Transform pose; Transform pose_global; + bool custom_pose_enable; + Transform custom_pose; + float global_pose_override_amount; bool global_pose_override_reset; Transform global_pose_override; @@ -102,6 +105,7 @@ private: parent = -1; enabled = true; disable_rest = false; + custom_pose_enable = false; global_pose_override_amount = 0; global_pose_override_reset = false; #ifndef _3D_DISABLED @@ -184,6 +188,9 @@ public: void set_bone_pose(int p_bone, const Transform &p_pose); Transform get_bone_pose(int p_bone) const; + void set_bone_custom_pose(int p_bone, const Transform &p_custom_pose); + Transform get_bone_custom_pose(int p_bone) const; + void localize_rests(); // used for loaders and tools int get_process_order(int p_idx); diff --git a/scene/resources/mesh_library.cpp b/scene/resources/mesh_library.cpp index ad8da63abf..f04af29761 100644 --- a/scene/resources/mesh_library.cpp +++ b/scene/resources/mesh_library.cpp @@ -29,6 +29,7 @@ /*************************************************************************/ #include "mesh_library.h" +#include "core/engine.h" bool MeshLibrary::_set(const StringName &p_name, const Variant &p_value) { @@ -201,6 +202,11 @@ Transform MeshLibrary::get_item_navmesh_transform(int p_item) const { Ref<Texture> MeshLibrary::get_item_preview(int p_item) const { + if (!Engine::get_singleton()->is_editor_hint()) { + ERR_PRINT("MeshLibrary item previews are only generated in an editor context, which means they aren't available in a running project."); + return Ref<Texture>(); + } + ERR_FAIL_COND_V_MSG(!item_map.has(p_item), Ref<Texture>(), "Requested for nonexistent MeshLibrary item '" + itos(p_item) + "'."); return item_map[p_item].preview; } |