created separate branch for refactoring

This commit is contained in:
voidplus
2014-11-13 00:02:26 +01:00
parent 920a0e0e94
commit d84d33921c
15 changed files with 201 additions and 75 deletions

View File

@@ -22,47 +22,56 @@
package processing.app;
import java.io.*;
import java.net.MalformedURLException;
import java.net.URL;
import java.net.URLClassLoader;
import java.net.URLConnection;
import java.util.*;
import processing.core.PApplet;
/**
* Internationalization (i18n)
* @author Darius Morawiec
*/
public class Language {
static private final String FILE = "processing.app.languages.PDE";
//static private final String LISTING = "processing/app/languages/languages.txt";
// Store the language information in a file separate from the preferences,
// because preferences need the language on load time.
static protected final String PREF_FILE = "language.txt";
static protected final File prefFile = Base.getSettingsFile(PREF_FILE);
/**
* Store the language information in a file separate from the preferences,
* because preferences need the language on load time.
*/
static private final String LANG_FILE = "language.properties";
/** Directory of available languages */
static private final String LANG_FILES = "languages";
/** Definition of package for fallback */
static private final String LANG_PACKAGE = "processing.app.languages";
static private final String LANG_BASE_NAME = "PDE";
static private Properties props;
static private File propsFile;
/** Language */
private String language;
/** Available languages */
private HashMap<String, String> languages;
/** Define the location of language files */
static private File langFiles = Base.getSettingsFile(LANG_FILES);
/** Set version of current PDE */
static private final String version = Base.getVersionName();
static private ResourceBundle bundle;
/** Single instance of this Language class */
static private volatile Language instance;
/** The system language */
private String language;
/** Available languages */
private HashMap<String, String> languages;
private ResourceBundle bundle;
private Language() {
String systemLanguage = Locale.getDefault().getLanguage();
language = loadLanguage();
boolean writePrefs = false;
if (language == null) {
language = systemLanguage;
writePrefs = true;
}
// Set default language
language = "en";
// Set available languages
languages = new HashMap<String, String>();
@@ -70,20 +79,85 @@ public class Language {
languages.put(code, Locale.forLanguageTag(code).getDisplayLanguage(Locale.forLanguageTag(code)));
}
// Set default language
if (!languages.containsKey(language)) {
language = "en";
writePrefs = true;
}
if(loadProps()){
if (writePrefs) {
saveLanguage(language);
boolean updateProps = false;
boolean updateLangFiles = false;
// Define and check version
if(props.containsKey("version") && langFiles.exists()){
if(!props.getProperty("version").equals(version)){
updateLangFiles = true;
}
} else {
updateLangFiles = true;
}
// Copy new language properties
if(updateLangFiles){
if(updateLangFiles()){
props.setProperty("version", version);
updateProps = true;
}
}
// Define language
if(props.containsKey("language")){
language = props.getProperty("language");
} else {
if (!languages.containsKey(Locale.getDefault().getLanguage())) {
language = Locale.getDefault().getLanguage();
}
props.setProperty("language", language);
updateProps = true;
}
// Save changes
if(updateProps){
updateProps();
}
}
try {
URL[] paths = { langFiles.toURI().toURL() };
bundle = ResourceBundle.getBundle(
Language.LANG_BASE_NAME,
new Locale(language),
new URLClassLoader(paths),
new UTF8Control()
);
} catch (MalformedURLException e) {
// Fallback: Does we need a fallback?
// bundle = ResourceBundle.getBundle(
// Language.LANG_PACKAGE+"."+Language.LANG_BASE_NAME,
// new Locale(this.language),
// new UTF8Control()
// );
}
// Get bundle with translations (processing.app.language.PDE)
bundle = ResourceBundle.getBundle(Language.FILE, new Locale(this.language), new UTF8Control());
}
private static boolean updateLangFiles() {
// Delete old languages
if(langFiles.exists()){
File[] lang = langFiles.listFiles();
for (int i = 0; i < lang.length; i++) {
lang[i].delete();
}
langFiles.delete();
}
// Copy new languages
String javaPath = new File(Base.class.getProtectionDomain().getCodeSource().getLocation().getFile()).getParentFile().getAbsolutePath();
try {
copyDirectory(
new File(javaPath+"/lib/languages"), // from shared library
Base.getSettingsFile("languages") // to editable library location
);
return true;
} catch (IOException e) {
e.printStackTrace();
return false;
}
}
static private String[] listSupported() {
// List of languages in alphabetical order. (Add yours here.)
@@ -101,6 +175,8 @@ public class Language {
"tr", // Turkish
"zh" // chinese
};
Arrays.sort(SUPPORTED);
return SUPPORTED;
/*
@@ -120,38 +196,71 @@ public class Language {
*/
}
/** Read the saved language */
static private String loadLanguage() {
try {
if (prefFile.exists()) {
String language = PApplet.loadStrings(prefFile)[0];
language = language.trim().toLowerCase();
if (!language.equals("")) {
return language;
}
}
} catch (Exception e) {
e.printStackTrace();
/** Load properties of language.properties */
static private boolean loadProps(){
if (props == null) {
props = new Properties();
}
return null;
propsFile = Base.getSettingsFile(LANG_FILE);
if(!propsFile.exists()){
try {
Base.saveFile("", propsFile);
} catch (IOException e) {
e.printStackTrace();
return false;
}
}
InputStream is = null;
try {
is = new FileInputStream(propsFile);
} catch (Exception e) {
return false;
}
try {
props.load(is);
} catch (IOException e) {
e.printStackTrace();
return false;
}
try {
is.close();
} catch (IOException e) {
e.printStackTrace();
return false;
}
return true;
}
/** Save changes in language.properties */
static private boolean updateProps(){
if (props != null) {
try {
OutputStream out = new FileOutputStream(propsFile);
props.store(out, "language preferences");
} catch (FileNotFoundException e) {
e.printStackTrace();
return false;
} catch (IOException e) {
e.printStackTrace();
return false;
}
}
return true;
}
/**
* Save the language directly to a settings file. This is 'save' and not
* 'set' because a language change requires a restart of Processing.
*/
static public void saveLanguage(String language) {
try {
Base.saveFile(language, prefFile);
} catch (Exception e) {
e.printStackTrace();
if (loadProps()) {
props.setProperty("language", language);
if (updateProps()) {
Base.getPlatform().saveLanguage(language);
}
}
Base.getPlatform().saveLanguage(language);
}
/** Singleton constructor */
static public Language init() {
if (instance == null) {
@@ -164,24 +273,27 @@ public class Language {
return instance;
}
/** Get translation from bundles. */
static public String text(String text) {
ResourceBundle bundle = init().bundle;
// System.out.println(prefDir.toString());
// try {
// System.out.println(prefDir.toURI().toURL().toString());
// } catch (MalformedURLException e1) {
// // TODO Auto-generated catch block
// e1.printStackTrace();
// }
try {
return bundle.getString(text);
} catch (MissingResourceException e) {
return text;
}
}
static public String interpolate(String text, Object... arguments) {
return String.format(init().bundle.getString(text), arguments);
}
static public String pluralize(String text, int count) {
ResourceBundle bundle = init().bundle;
@@ -192,38 +304,53 @@ public class Language {
}
return interpolate(String.format(fmt, "n"), count);
}
/** Get all available languages */
static public Map<String, String> getLanguages() {
return init().languages;
}
/** Get current language */
static public String getLanguage() {
return init().language;
}
// /** Set new language (called by Preferences) */
// static public void setLanguage(String language) {
// this.language = language;
//
// try {
// File file = Base.getContentFile("lib/language.txt");
// Base.saveFile(language, file);
// } catch (Exception e) {
// e.printStackTrace();
// }
// }
// Copy files without dependencies (Java >= 7)
// http://stackoverflow.com/a/5368745/1293700
static private void copy(File sourceLocation, File targetLocation)
throws IOException {
if (sourceLocation.isDirectory()) {
copyDirectory(sourceLocation, targetLocation);
} else {
copyFile(sourceLocation, targetLocation);
}
}
static private void copyDirectory(File source, File target)
throws IOException {
if (!target.exists()) {
target.mkdir();
}
for (String f : source.list()) {
copy(new File(source, f), new File(target, f));
}
}
static private void copyFile(File source, File target) throws IOException {
try (InputStream in = new FileInputStream(source);
OutputStream out = new FileOutputStream(target)) {
byte[] buf = new byte[1024];
int length;
while ((length = in.read(buf)) > 0) {
out.write(buf, 0, length);
}
}
}
/**
* Custom 'Control' class for consistent encoding.
* http://stackoverflow.com/questions/4659929/how-to-use-utf-8-in-resource-properties-with-resourcebundle
*/
static class UTF8Control extends ResourceBundle.Control {
static private class UTF8Control extends ResourceBundle.Control {
public ResourceBundle newBundle(String baseName, Locale locale, String format, ClassLoader loader, boolean reload) throws IllegalAccessException, InstantiationException,IOException {
// The below is a copy of the default implementation.
String bundleName = toBundleName(baseName, locale);

View File

@@ -1,325 +0,0 @@
# ---------------------------------------
# Language: English (en) (default)
# ---------------------------------------
# ---------------------------------------
# Menu
# | File | Edit | Sketch | Library | Tools | Help |
# | File |
menu.file = File
menu.file.new = New
menu.file.open = Open...
menu.file.recent = Open Recent
menu.file.sketchbook = Sketchbook...
menu.file.sketchbook.empty = Empty Sketchbook
menu.file.examples = Examples...
menu.file.close = Close
menu.file.save = Save
menu.file.save_as = Save As...
menu.file.export_application = Export Application...
menu.file.page_setup = Page Setup
menu.file.print = Print...
menu.file.preferences = Preferences...
menu.file.quit = Quit
# | File | Edit | Sketch | Library | Tools | Help |
# | Edit |
menu.edit = Edit
menu.edit.undo = Undo
menu.edit.redo = Redo
menu.edit.cut = Cut
menu.edit.copy = Copy
menu.edit.copy_as_html = Copy as HTML
menu.edit.paste = Paste
menu.edit.select_all = Select All
menu.edit.auto_format = Auto Format
menu.edit.comment_uncomment = Comment/Uncomment
menu.edit.increase_indent = Increase Indent
menu.edit.decrease_indent = Decrease Indent
menu.edit.find = Find...
menu.edit.find_next = Find Next
menu.edit.find_previous = Find Previous
menu.edit.use_selection_for_find = Use Selection for Find
# | File | Edit | Sketch | Library | Tools | Help |
# | Sketch |
menu.sketch = Sketch
menu.sketch.show_sketch_folder = Show Sketch Folder
menu.sketch.add_file = Add File...
# | File | Edit | Sketch | Library | Tools | Help |
# | Library |
menu.library = Import Library...
menu.library.add_library = Add Library...
menu.library.contributed = Contributed
menu.library.no_core_libraries = mode has no core libraries
# | File | Edit | Sketch | Library | Tools | Help |
# | Tools |
menu.tools = Tools
menu.tools.color_selector = Color Selector...
menu.tools.create_font = Create Font...
menu.tools.archive_sketch = Archive Sketch
menu.tools.fix_the_serial_lbrary = Fix the Serial Library
menu.tools.install_processing_java = Install "processing-java"
menu.tools.add_tool = Add Tool...
# | File | Edit | Sketch | Library | Tools | Help |
# | Help |
menu.help = Help
menu.help.about = About Processing
menu.help.environment = Environment
menu.help.reference = Reference
menu.help.find_in_reference = Find in Reference
menu.help.online = Online
menu.help.getting_started = Getting Started
menu.help.getting_started.url = http://processing.org/learning/gettingstarted/
menu.help.troubleshooting = Troubleshooting
menu.help.troubleshooting.url = http://wiki.processing.org/w/Troubleshooting
menu.help.faq = Frequently Asked Questions
menu.help.faq.url = http://wiki.processing.org/w/FAQ
menu.help.foundation = The Processing Foundation
menu.help.foundation.url = http://processing.org/foundation/
menu.help.visit = Visit Processing.org
menu.help.visit.url = http://processing.org/
# ---------------------------------------
# Basics
# Buttons
prompt.yes = Yes
prompt.no = No
prompt.cancel = Cancel
prompt.ok = OK
prompt.browse = Browse
prompt.export = Export
# ---------------------------------------
# Frames
# Open (Frame)
open = Open a Processing sketch...
# Save (Frame)
save = Save sketch folder as...
save.title = Do you want to save changes to this sketch<br> before closing?
save.hint = If you don't save, your changes will be lost.
save.btn.save = Save
save.btn.dont_save = Don't Save
# Preferences (Frame)
preferences = Preferences
preferences.button.width = 80
preferences.requires_restart = requires restart of Processing
preferences.sketchbook_location = Sketchbook location
preferences.sketchbook_location.popup = Sketchbook location
preferences.language = Language
preferences.editor_and_console_font = Editor and Console font
preferences.editor_and_console_font.tip = \
Select the font used in the Editor and the Console.<br>\
Only monospaced (fixed-width) fonts may be used,<br>\
though the list may be imperfect.
preferences.editor_font_size = Editor font size
preferences.console_font_size = Console font size
preferences.background_color = Background color when Presenting
preferences.background_color.tip = \
Select the background color used when using Present.<br>\
Present is used to present a sketch in full-screen,<br>\
accessible from the Sketch menu.
preferences.use_smooth_text = Use smooth text in editor window
preferences.enable_complex_text_input = Enable complex text input
preferences.enable_complex_text_input_example = i.e. Japanese
preferences.continuously_check = Continuously check for errors
preferences.show_warnings = Show warnings
preferences.code_completion = Code completion
preferences.trigger_with = Trigger with
preferences.cmd_space = space
preferences.suggest_imports = Suggest import statements
preferences.increase_max_memory = Increase maximum available memory to
preferences.delete_previous_folder_on_export = Delete previous folder on export
preferences.hide_toolbar_background_image = Hide tab/toolbar background image
preferences.check_for_updates_on_startup = Check for updates on startup
preferences.run_sketches_on_display = Run sketches on display
preferences.run_sketches_on_display.tip = \
Sets the display where sketches are initially placed.<br>\
As usual, if the sketch window is moved, it will re-open<br>\
at the same location, however when running in present<br>\
(full screen) mode, this display will always be used.
preferences.automatically_associate_pde_files = Automatically associate .pde files with Processing
preferences.launch_programs_in = Launch programs in
preferences.launch_programs_in.mode = mode
preferences.file = More preferences can be edited directly in the file
preferences.file.hint = edit only when Processing is not running
# Sketchbook Location (Frame)
sketchbook_location = Select new sketchbook location
# Sketchbook (Frame)
sketchbook = Sketchbook
sketchbook.tree = Sketchbook
# examples (Frame)
examples = Examples
examples.add_examples = Add Examples...
# Export (Frame)
export = Export Options
export.platforms = Platforms
export.options = Options
export.options.fullscreen = Full Screen (Present mode)
export.options.show_stop_button = Show a Stop button
export.description.line1 = Export to Application creates double-clickable,
export.description.line2 = standalone applications for the selected platforms.
# Find (Frame)
find = Find
find.find = Find:
find.replace_with = Replace with:
find.ignore_case = Ignore Case
find.all_tabs = All Tabs
find.wrap_around = Wrap Around
find.btn.replace_all = Replace All
find.btn.replace = Replace
find.btn.find_and_replace = Find & Replace
find.btn.previous = Previous
find.btn.find = Find
# Find in reference (Frame)
find_in_reference = Find in Reference
# File (Frame)
file = Select an image or other data file to copy to your sketch
# Create Font (Frame)
create_font = Create Font
# Color Selector (Frame)
color_selector = Color Selector
# Archive Sketch (Frame)
archive_sketch = Archive sketch as...
# ---------------------------------------
# Toolbar
# [Run/Present] [Stop] [New] [Open] [Save]
toolbar.run = Run
toolbar.present = Present
toolbar.stop = Stop
toolbar.new = New
toolbar.open = Open
toolbar.save = Save
toolbar.export_application = Export Application
toolbar.add_mode = Add mode...
# ---------------------------------------
# Editor
# [Tab1] [Tab2] [v]
editor.header.new_tab = New Tab
editor.header.rename = Rename
editor.header.delete = Delete
editor.header.previous_tab = Previous Tab
editor.header.next_tab = Next Tab
editor.header.delete.warning.title = Yeah, no.
editor.header.delete.warning.text = You can't delete the last tab of the last open sketch.
# Tabs
editor.tab.new = New Name
editor.tab.new.description = Name for new file
editor.tab.rename = New Name
editor.tab.rename.description = New name for file
# Sketch
editor.sketch.rename.description = New name for sketch
editor.status.autoformat.no_changes = No changes necessary for Auto Format.
editor.status.autoformat.finished = Auto Format finished.
editor.status.find_reference.select_word_first = First select a word to find in the reference.
editor.status.find_reference.not_available = No reference available for "%s".
editor.status.drag_and_drop.files_added.0 = No files were added to the sketch.
editor.status.drag_and_drop.files_added.1 = One file added to the sketch.
editor.status.drag_and_drop.files_added.n = %d files added to the sketch.
editor.status.saving = Saving...
editor.status.saving.done = Done saving.
editor.status.saving.canceled = Save canceled.
editor.status.printing = Printing...
editor.status.printing.done = Done printing.
editor.status.printing.error = Error while printing.
editor.status.printing.canceled = Printing canceled.
# ---------------------------------------
# Contribution Panel
contrib = Contribution Manager
contrib.manager_title.update = Update Manager
contrib.manager_title.mode = Mode Manager
contrib.manager_title.tool = Tool Manager
contrib.manager_title.library = Library Manager
contrib.manager_title.examples-package = Examples-Package Manager
contrib.category = Category:
contrib.filter_your_search = Filter your search...
contrib.show_only_compatible.mode = Show Only Compatible Modes
contrib.show_only_compatible.tool = Show Only Compatible Tools
contrib.show_only_compatible.library = Show Only Compatible Libraries
contrib.show_only_compatible.examples-package = Show Only Compatible Examples
contrib.show_only_compatible.update = Show Only Compatible Updates
contrib.restart = Restart Processing
contrib.unsaved_changes = Unsaved changes have been found
contrib.unsaved_changes.prompt = Are you sure you want to restart Processing without saving first?
contrib.messages.remove_restart = Please restart Processing to finish removing this item.
contrib.messages.install_restart = Please restart Processing to finish installing this item.
contrib.messages.update_restart = Please restart Processing to finish updating this item.
contrib.errors.list_download = Could not download the list of available contributions.
contrib.errors.list_download.timeout = Connection timed out while downloading the contribution list.
contrib.errors.download_and_install = Error during download and install of %s.
contrib.errors.description_unavailable = Description unavailable.
contrib.errors.malformed_url = The link fetched from Processing.org is not valid.\nYou can still install this library manually by visiting\nthe library's website.
contrib.errors.needs_repackage = %s needs to be repackaged according to the %s guidelines.
contrib.errors.no_contribution_found = Could not find a %s in the downloaded file.
contrib.errors.overwriting_properties = Error overwriting .properties file.
contrib.errors.install_failed = Install failed.
contrib.errors.update_on_restart_failed = Update on restart of %s failed.
contrib.errors.temporary_directory = Could not write to temporary directory.
contrib.errors.contrib_download.timeout = Connection timed out while downloading %s.
contrib.errors.no_internet_connection = You don't seem to be connected to the Internet.
contrib.status.downloading_list = Downloading contribution list...
contrib.status.done = Done.
contrib.all = All
contrib.undo = Undo
contrib.remove = Remove
contrib.install = Install
contrib.progress.installing = Installing
contrib.progress.starting = Starting
contrib.progress.downloading = Downloading
contrib.download_error = An error occured while downloading the contribution.
contrib.unsupported_operating_system = Your operating system doesn't appear to be supported. You should visit the %s's library for more info.
# ---------------------------------------
# Warnings
warn.delete = Delete
warn.delete.sketch = Are you sure you want to delete this sketch?
warn.delete.file = Are you sure you want to delete "%s"?
# ---------------------------------------
# Update Check
update_check = Update
update_check.updates_available.core = A new version of Processing is available,\nwould you like to visit the Processing download page?
update_check.updates_available.contributions = There are updates available for some of the installed contributions,\nwould you like to open the the Contribution Manager now?
# ---------------------------------------
# Color Chooser
color_chooser = Color Selector

View File

@@ -1,236 +0,0 @@
# ---------------------------------------
# Language: German (Deutsch) (de)
# ---------------------------------------
# ---------------------------------------
# Menu
# | File | Edit | Sketch | Library | Tools | Help |
# | File |
menu.file = Datei
menu.file.new = Neu
menu.file.open = Öffnen ...
menu.file.sketchbook = Sketchbook ...
menu.file.recent = Letzte Dateien öffnen
menu.file.examples = Beispiele ...
menu.file.close = Schließen
menu.file.save = Speichern
menu.file.save_as = Speichern unter ...
menu.file.export_application = Exportieren
menu.file.page_setup = Eine Kopie drucken
menu.file.print = Drucken ...
menu.file.preferences = Einstellungen ...
menu.file.quit = Beenden
# | File | Edit | Sketch | Library | Tools | Help |
# | Edit |
menu.edit = Bearbeiten
menu.edit.undo = Rückgängig
menu.edit.redo = Wiederholen
menu.edit.cut = Ausschneiden
menu.edit.copy = Kopieren
menu.edit.copy_as_html = Kopieren als HTML
menu.edit.paste = Einfügen
menu.edit.select_all = Alle auswählen
menu.edit.auto_format = Autoformatierung
menu.edit.comment_uncomment = Ein- und Auskommentieren
menu.edit.increase_indent = Ausrücken
menu.edit.decrease_indent = Einrücken
menu.edit.find = Suchen ...
menu.edit.find_next = Weiter suchen
menu.edit.find_previous = Vorher suchen
menu.edit.use_selection_for_find = Suche in Auswahl
# | File | Edit | Sketch | Library | Tools | Help |
# | Sketch |
menu.sketch = Sketch
menu.sketch.show_sketch_folder = Zeige Sketch Verzeichnis
menu.sketch.add_file = Datei hinzufügen ...
# | File | Edit | Sketch | Library | Tools | Help |
# | Library |
menu.library = Library importieren...
menu.library.add_library = Library hinzufügen...
menu.library.contributed = Contributed
menu.library.no_core_libraries = Mode weist keine Kern-Libraries auf
# | File | Edit | Sketch | Library | Tools | Help |
# | Tools |
menu.tools = Tools
menu.tools.color_selector = Farbauswahl ...
menu.tools.create_font = Schrift erstellen ...
menu.tools.archive_sketch = Sketch archivieren ...
menu.tools.fix_the_serial_lbrary = "Serial Library" beheben ...
menu.tools.install_processing_java = "processing-java" installieren ...
menu.tools.add_tool = Tool hinzufügen ...
# | File | Edit | Sketch | Library | Tools | Help |
# | Help |
menu.help = Hilfe
menu.help.about = Über Processing
menu.help.environment = Entwicklungsumgebung
menu.help.reference = Referenz
menu.help.find_in_reference = Suche in Referenz
menu.help.online = Online
menu.help.getting_started = Erste Schritte
menu.help.troubleshooting = Fehlerbehandlung
menu.help.faq = Häufig gestellte Fragen
menu.help.foundation = "The Processing Foundation"
menu.help.visit = Processing.org besuchen
# ---------------------------------------
# Basics
# Buttons
prompt.yes = Ja
prompt.no = Nein
prompt.cancel = Abbrechen
prompt.ok = Ok
prompt.browse = Durchsuchen
prompt.export = Exportieren
# ---------------------------------------
# Frames
# Open (Frame)
open = Processing Sketch öffnen ...
# Save (Frame)
save = Sketch speichern unter ...
save.title = Änderungen speichern?
save.hint = Wenn nicht, gehen alle Änderungen verloren.
save.btn.save = Speichern
save.btn.dont_save = Nicht speichern
# Preferences (Frame)
preferences = Einstellungen
preferences.button.width = 110
preferences.requires_restart = nach Neustart von Processing aktiv
preferences.sketchbook_location = Sketchbook Pfad
preferences.language = Sprache
preferences.editor_and_console_font = Editor und Konsolen Schriftart
preferences.editor_and_console_font.tip = \
Wähle die Schrift für die Konsole und den Editor.<br>\
Es sollte eine dicktengleiche (monospace) Schrift ausgewählt werden,<br>\
da die Liste vorgeschlagener Schriftarten mangelhaft sein kann.
preferences.editor_font_size = Editor Schriftgröße
preferences.console_font_size = Konsolen Schriftgröße
preferences.background_color = Hintergrundfarbe im Present Modus
preferences.background_color.tip = \
Wähle die Hintergrundfarbe im Present Modus.<br>\
Im Present Modus erhält ein Sketch eine vollflächige Hintergrundfarbe,<br>\
welches man im Sketch Menü auswählen kann.
preferences.use_smooth_text = Editor Textglättung
preferences.enable_complex_text_input = Komplexe Sprachen erlauben
preferences.enable_complex_text_input_example = z.B. Japanisch
preferences.continuously_check = Kontinuierliche Fehlererkennung
preferences.show_warnings = Zeige Warnungen
preferences.code_completion = Codevervollständigung
preferences.trigger_with = Trigger mit
preferences.cmd_space = Leerzeichen
preferences.increase_max_memory = Maximalen Speicher erhöhen auf
preferences.delete_previous_folder_on_export = Leere Verzeichnis beim Exportieren
preferences.hide_toolbar_background_image = Hintergrundgrafik der Toolbar ausblenden
preferences.check_for_updates_on_startup = Prüfung auf Updates bei Programmstart
preferences.run_sketches_on_display = Starte Sketch auf Bildschirm
preferences.automatically_associate_pde_files = Öffne .pde Dateien automatisch mit Processing
preferences.launch_programs_in = Anwendungen starten im
preferences.launch_programs_in.mode = Modus
preferences.file = Weitere Einstellungen können in der folgenden Datei bearbeitet werden
preferences.file.hint = Processing darf während der Bearbeitung nicht laufen
# Sketchbook Location (Frame)
sketchbook_location = Neuen Sketchbook Pfad auswählen
# Export (Frame)
export = Export Optionen
export.platforms = Plattformen
export.options = Optionen
export.options.fullscreen = Bildschirmfüllend (Present Mode)
export.options.show_stop_button = Sichtbarer Stopp Button
export.description.line1 = Exportierte Sketches sind ausführbare An-
export.description.line2 = wendungen für die ausgewählten Plattformen.
# Find (Frame)
find = Suchen
find.find = Suche:
find.replace_with = Ersetzen durch:
find.ignore_case = Groß-/Kleinschreibung ignorieren
find.all_tabs = Alle Tabs
find.wrap_around = Nächsten Zeilen
find.btn.replace_all = Alle ersetzen
find.btn.replace = Ersetzen
find.btn.find_and_replace = Suchen & Ersetzen
find.btn.previous = Vorherige
find.btn.find = Suchen
# Find in reference (Frame)
find_in_reference = Suche in Referenz
# File (Frame)
file = Grafik oder andere Datei zum Sketch kopieren
# Create Font (Frame)
create_font = Schrift erstellen
# Color Selector (Frame)
color_selector = Farbauswahl
# Archive Sketch (Frame)
archive_sketch = Sketch archivieren unter ...
# ---------------------------------------
# Toolbar
# [Run/Present] [Stop] [New] [Open] [Save]
toolbar.run = Starten
toolbar.present = Starten in Vollbild
toolbar.stop = Stoppen
toolbar.new = Neu
toolbar.open = Öffnen
toolbar.save = Speichern
toolbar.export_application = Exportieren
toolbar.add_mode = Modus hinzufügen ...
# ---------------------------------------
# Editor
# [Tab1] [Tab2] [v]
editor.header.new_tab = Neuer Tab
editor.header.rename = Unbenennen
editor.header.delete = Löschen
editor.header.previous_tab = Nächster Tab
editor.header.next_tab = Vorheriger Tab
editor.header.delete.warning.title = Yeah, nein.
editor.header.delete.warning.text = Du kannst nicht den letzten Tab des letzten Sketches löschen.
# Tab
editor.tab.new = Neuer Name
editor.tab.new.description = Name der neuen Datei
editor.tab.rename = Neuer Name
editor.tab.rename.description = Name der neuen Datei
# Sketch
editor.sketch.rename.description = Name des neuen Sketches
# ---------------------------------------
# Contribution Panel
contrib.category = Kategorie:
contrib.filter_your_search = Suche filtern ...
# ---------------------------------------
# Warnings
warn.delete = Löschen
warn.delete.sketch = Den Sketch endgültig löschen?
warn.delete.file = Die Datei "%s" entgültig löschen?

View File

@@ -1,243 +0,0 @@
# ---------------------------------------
# Language: Greek (Ελληνικά) (el)
# ---------------------------------------
# ---------------------------------------
# Menu
# | File | Edit | Sketch | Library | Tools | Help |
# | File |
menu.file = Αρχείο
menu.file.new = Νέο
menu.file.open = Άνοιγμα...
menu.file.sketchbook = Σχεδιοθήκη
menu.file.recent = Πρόσφατα
menu.file.examples = Παραδείγματα...
menu.file.close = Κλείσιμο
menu.file.save = Αποθήκευση
menu.file.save_as = Αποθήκευση ως...
menu.file.export_application = Εξαγωγή Εφαρμογής...
menu.file.page_setup = Διαμόρφωση σελίδας
menu.file.print = Εκτύπωση...
menu.file.preferences = Προτιμήσεις...
menu.file.quit = Έξοδος
# | File | Edit | Sketch | Library | Tools | Help |
# | Edit |
menu.edit = Επεξεργασία
menu.edit.undo = Αναίρεση
menu.edit.redo = Επανάληψη
menu.edit.cut = Αποκοπή
menu.edit.copy = Αντιγραφή
menu.edit.copy_as_html = Αντιγραφή ως HTML
menu.edit.paste = Επικόλληση
menu.edit.select_all = Επιλογή όλων
menu.edit.auto_format = Αυτόματη διαμόρφωση
menu.edit.comment_uncomment = Σχολιασμός/Αποσχολιασμός
menu.edit.increase_indent = Αύξηση εσοχής
menu.edit.decrease_indent = Μείωση εσοχής
menu.edit.find = Αναζήτηση...
menu.edit.find_next = Αναζήτηση επόμενου
menu.edit.find_previous = Αναζήτηση προηγούμενου
menu.edit.use_selection_for_find = Χρήση επιλογής για Αναζήτηση
# | File | Edit | Sketch | Library | Tools | Help |
# | Sketch |
menu.sketch = Σχέδιο
menu.sketch.show_sketch_folder = Προβολή φακέλου του Σχεδίου
menu.sketch.add_file = Προσθήκη αρχείου...
# | File | Edit | Sketch | Library | Tools | Help |
# | Library |
menu.library = Εισαγωγή Βιβλιοθήκης...
menu.library.add_library = Προσθήκη Βιβλιοθήκης...
menu.library.contributed = Συνεισφερόμενα
menu.library.no_core_libraries = Αυτή η λειτουργία δεν έχει βασικές Βιβλιοθήκες
# | File | Edit | Sketch | Library | Tools | Help |
# | Tools |
menu.tools = Εργαλεία
menu.tools.color_selector = Επιλογέας χρωμάτων...
menu.tools.create_font = Δημιουργία γραμματοσειρά...
menu.tools.archive_sketch = Αρχειοθέτηση Σχεδίου
menu.tools.fix_the_serial_lbrary = Διόρθωση Σειριακής Βιβλιοθήκης
menu.tools.install_processing_java = Εγκατάσταση της "processing-java"
menu.tools.add_tool = Προσθήκη εργαλείου...
# | File | Edit | Sketch | Library | Tools | Help |
# | Help |
menu.help = Βοήθεια
menu.help.about = Σχετικά με την Processing
menu.help.environment = Περιβάλλον
menu.help.reference = Processing Reference
menu.help.find_in_reference = Αναζήτηση στην Processing Reference
menu.help.online = Online
menu.help.getting_started = Ξεκινώντας
menu.help.getting_started.url = http://processing.org/learning/gettingstarted/
menu.help.troubleshooting = Αντιμετώπιση προβλημάτων
menu.help.troubleshooting.url = http://wiki.processing.org/w/Troubleshooting
menu.help.faq = Συχνές ερωτήσεις
menu.help.faq.url = http://wiki.processing.org/w/FAQ
menu.help.foundation = The Processing Foundation
menu.help.foundation.url = http://processing.org/foundation/
menu.help.visit = Επισκευθείτε την Processing.org
menu.help.visit.url = http://processing.org/
# ---------------------------------------
# Basics
# Buttons
prompt.yes = Ναι
prompt.no = Όχι
prompt.cancel = Ακύρωση
prompt.ok = Εντάξει
prompt.browse = Εξερεύνηση
prompt.export = Εξαγωγή
# ---------------------------------------
# Frames
# Open (Frame)
open = Άνοιγμα Σχεδίου Processing...
# Save (Frame)
save = Αποθήκευση φακέλου Σχεδίου ως...
save.title = Θέλετε να αποθηκεύσετε τις αλλαγές σε<br> αυτό το Σχέδιο πριν το κλείσιμο;
save.hint = Αν δεν αποθηκεύσετε, οι αλλαγές σας θα χαθούν.
save.btn.save = Αποθήκευση
save.btn.dont_save = Χωρίς αποθήκευση
# Preferences (Frame)
preferences = Προτιμήσεις
preferences.button.width = 80
preferences.requires_restart = χρειάζεται επανεκκίνηση της Processing
preferences.sketchbook_location = Τοποθεσία Σχεδιοθήκης
preferences.language = Γλώσσα
preferences.editor_and_console_font = Γραμματοσειρά Επεξεργαστή και Κονσόλας
preferences.editor_font_size = Μέγεθος γραμματοσειράς Επεξεργαστή
preferences.console_font_size = Μέγεθος γραμματοσειράς Κονσόλας
preferences.background_color = Χρώμα φόντου κατά την Παρουσίαση
preferences.use_smooth_text = Χρήση ομαλού κειμένου στο παράθυρο επεξεργασίας
preferences.enable_complex_text_input = Ενεργοποίηση εισαγωγής σύνθετου κειμένου
preferences.enable_complex_text_input_example = π.χ. Ιαπωνικά
preferences.continuously_check = Συνεχής έλεγχος σφαλμάτων
preferences.show_warnings = Προβολή προειδοποιήσεων
preferences.code_completion = Συμπλήρωση κώδικα
preferences.trigger_with = Αυτόματη εκτέλεση με
preferences.cmd_space = κενό
preferences.increase_max_memory = Άυξηση μέγιστης διαθέσιμης μνήμης σε
preferences.delete_previous_folder_on_export = Διαγραφή προηγούμενου φακέλου κατά την Εξαγωγή
preferences.hide_toolbar_background_image = Απόκρυψη εικόνας φόντου καρτέλας και μπάρας εργαλείων
preferences.check_for_updates_on_startup = Έλεγχος ενημερώσεων κατά την εκκίνηση
preferences.run_sketches_on_display = Εκτέλεση Σχεδίων στην οθόνη
preferences.run_sketches_on_display.tip = \
Επιλέγει την οθόνη στην οποία τα Σχέδια τοποθετούνται<br>\
αρχικά. Συνήθως, αν το παράθυρο του Σχεδίου μετακινηθεί,<br>\
θα ανοίξει στην ίδια θέση, όμως κατά την Παρουσίαση<br>\
(πλήρης οθόνη), θα χρησιμοποιείται αυτή η οθόνη.
preferences.automatically_associate_pde_files = Αυτόματη συσχέτιση αρχείων .pde με την Processing
preferences.launch_programs_in = Εκτέλεση προγραμμάτων σε
preferences.launch_programs_in.mode = κατάσταση
preferences.file = Μπορείτε να επεξεργαστείτε περισσότερες ρυθμίσεις απευθείας στο αρχείο
preferences.file.hint = επεξεργαστείτε μόνο όταν είναι κλειστή η Processing
# Sketchbook Location (Frame)
sketchbook_location = Επιλογή νέας τοποθεσίας Σχεδιοθήκης
# Export (Frame)
export = Επιλογές εξαγωγής
export.platforms = Πλατφόρμες
export.options = Επιλογές
export.options.fullscreen = Πλήρης οθόνη (Παρουσίαση)
export.options.show_stop_button = Προβολή κουμπιού τερματισμού
export.description.line1 = Η εξαγωγή Εφαρμογής δημιουργεί αυτόνομα αρχεία που
export.description.line2 = ανοίγουν με διπλό-κλικ στις επιλεγμένες πλατφόρμες.
# Find (Frame)
find = Αναζήτηση
find.find = Αναζήτηση:
find.replace_with = Αντικατάσταση με:
find.ignore_case = Αγνόησε μικρά ή κεφαλαία
find.all_tabs = Όλες οι καρτέλες
find.wrap_around = Περιτύλιξη
find.btn.replace_all = Αντικατάσταση όλων
find.btn.replace = Αντικατάσταση
find.btn.find_and_replace = Αναζήτηση και Αντικατάσταση
find.btn.previous = Προηγούμενο
find.btn.find = Αναζήτηση
# Find in reference (Frame)
find_in_reference = Αναζήτηση στην Processing Reference
# File (Frame)
file = Επιλέξτε μια εικόνα ή άλλο αρχείο δεδομένων για να αντιγράψετε στο Σχέδιό σας
# Create Font (Frame)
create_font = Δημιουργία γραμματοσειράς
# Color Selector (Frame)
color_selector = Επιλογέας χρωμάτων...
# Archive Sketch (Frame)
archive_sketch = Αρχειοθέτηση Σχεδίου ως...
# ---------------------------------------
# Toolbar
# [Run/Present] [Stop] [New] [Open] [Save]
toolbar.run = Εκτέλεση
toolbar.present = Παρουσίαση
toolbar.stop = Τερματισμός
toolbar.new = Νέο
toolbar.open = Άνοιγμα
toolbar.save = Αποθήκευση
toolbar.export_application = Εξαγωγή Εφαρμογής
toolbar.add_mode = Προσθήκη κατάστασης...
# ---------------------------------------
# Editor
# [Tab1] [Tab2] [v]
editor.header.new_tab = Νέα Καρτέλα
editor.header.rename = Μετονομασία
editor.header.delete = Διαγραφή
editor.header.previous_tab = Προηγούμενη Καρτέλα
editor.header.next_tab = Επόμενη Καρτέλα
editor.header.delete.warning.title = Ναι, όχι.
editor.header.delete.warning.text = Δεν μπορείτε να διαγράψετε την τελευταία ανοιχτή Καρτέλα του τελευταίου ανοιχτού Σχεδίου.
editor.status.autoformat.no_changes = Δεν χρειάζονται αλλαγές από την Αυτόματη μορφοποίηση.
editor.status.autoformat.finished = Ολοκληρώθηκε η Αυτόματη μορφοποίηση.
editor.status.find_reference.select_word_first = Επιλέξτε πρώτα μια λέξη προς αναζήτηση στην Processing Reference.
editor.status.find_reference.not_available = Δεν υπάρχει καταχώρηση για το "%s" στην Processing Reference.
editor.status.drag_and_drop.files_added.0 = Δεν προστέθηκαν αρχεία στο Σχέδιο.
editor.status.drag_and_drop.files_added.1 = Ένα αρχείο προστέθηκε στο Σχέδιο.
editor.status.drag_and_drop.files_added.n = %d αρχεία προστέθηκαν στο Σχέδιο.
editor.status.saving = Αποθήκευση...
editor.status.saving.done = Ολοκλήρωση αποθήκευσης.
editor.status.saving.canceled = Ακύρωση αποθήκευσης.
editor.status.printing = Εκτύπωση...
editor.status.printing.done = Ολοκλήρωση εκτύπωσης.
editor.status.printing.error = Σφάλμα κατά την εκτύπωση.
editor.status.printing.canceled = Ακύρωση εκτύπωσης.
# ---------------------------------------
# Contribution Panel
contrib.category = Κατηγορία:
contrib.filter_your_search = Φιλτράρισμα αναζήτησης...
contrib.undo = Αναίρεση
contrib.remove = Διαγραφή
contrib.install = Εγκατάσταση
contrib.progress.starting = Εκκίνηση
contrib.progress.downloading = Μεταφόρτωση
contrib.download_error = Προέκυψε σφάλμα κατά την μεταφόρτωση της συνεισφοράς.
contrib.unsupported_operating_system = Το λειτουργικό σας σύστημα μάλλον δεν υποστηρίζεται. Επισκευθείτε την βιβλιοθήκη των %s για περισσότερα.

View File

@@ -1 +0,0 @@
# -> PDE.properties

View File

@@ -1,324 +0,0 @@
# ---------------------------------------
# Language: Spanish (es)
# ---------------------------------------
# ---------------------------------------
# Menu
# | File | Edit | Sketch | Library | Tools | Help |
# | File |
menu.file = Archivo
menu.file.new = Nuevo
menu.file.open = Abrir...
menu.file.sketchbook = Sketchbook
menu.file.sketchbook.empty = Sketchbook vacío
menu.file.recent = Recientes
menu.file.examples = Ejemplos...
menu.file.close = Cerrar
menu.file.save = Guardar
menu.file.save_as = Guardar como...
menu.file.export_application = Exportar Aplicación...
menu.file.page_setup = Configurar página
menu.file.print = Imprimir...
menu.file.preferences = Preferencias...
menu.file.quit = Salir
# | File | Edit | Sketch | Library | Tools | Help |
# | Edit |
menu.edit = Editar
menu.edit.undo = Deshacer
menu.edit.redo = Rehacer
menu.edit.cut = Cortar
menu.edit.copy = Copiar
menu.edit.copy_as_html = Copar como HTML
menu.edit.paste = Pegar
menu.edit.select_all = Seleccionar todo
menu.edit.auto_format = Autoformato
menu.edit.comment_uncomment = Comentar/Descomentar
menu.edit.increase_indent = Aumentar indentación
menu.edit.decrease_indent = Reducir indentación
menu.edit.find = Buscar...
menu.edit.find_next = Buscar siguiente
menu.edit.find_previous = Buscar anterior
menu.edit.use_selection_for_find = Usar selección para buscar
# | File | Edit | Sketch | Library | Tools | Help |
# | Sketch |
menu.sketch = Sketch
menu.sketch.show_sketch_folder = Mostrar carpeta de sketches
menu.sketch.add_file = Añadir archivo
# | File | Edit | Sketch | Library | Tools | Help |
# | Library |
menu.library = Importar biblioteca...
menu.library.add_library = Añadir biblioteca...
menu.library.contributed = Contribuidas
menu.library.no_core_libraries = el modo no tiene bibliotecas incluidas
# | File | Edit | Sketch | Library | Tools | Help |
# | Tools |
menu.tools = Herramientas
menu.tools.color_selector = Selector de colores...
menu.tools.create_font = Crear fuente...
menu.tools.archive_sketch = Archivar sketch
menu.tools.fix_the_serial_lbrary = Corregir la biblioteca de serie
menu.tools.install_processing_java = Instalar "processing-java"
menu.tools.add_tool = Añadir herramienta...
# | File | Edit | Sketch | Library | Tools | Help |
# | Help |
menu.help = Ayuda
menu.help.about = Acerca de Processing
menu.help.environment = Entorno
menu.help.reference = Referencia
menu.help.find_in_reference = Buscar en la referencia
menu.help.online = Online
menu.help.getting_started = Primeros Pasos
menu.help.getting_started.url = http://processing.org/learning/gettingstarted/
menu.help.troubleshooting = Resolución de problemas
menu.help.troubleshooting.url = http://wiki.processing.org/w/Troubleshooting
menu.help.faq = Preguntas Frecuentes
menu.help.faq.url = http://wiki.processing.org/w/FAQ
menu.help.foundation = The Processing Foundation
menu.help.foundation.url = http://processing.org/foundation/
menu.help.visit = Visitar Processing.org
menu.help.visit.url = http://processing.org/
# ---------------------------------------
# Basics
# Buttons
prompt.yes =
prompt.no = No
prompt.cancel = Cancelar
prompt.ok = Aceptar
prompt.browse = Buscar
prompt.export = Exportar
# ---------------------------------------
# Frames
# Open (Frame)
open = Abrir un sketch de Processing...
# Save (Frame)
save = Guardar directorio de sketches...
save.title = Deseas guardar cambios a este sketch<br> antes de cerrar?
save.hint = Si no los guardas, tus cambios se perderán.
save.btn.save = Guardar
save.btn.dont_save = No guardar
# Preferences (Frame)
preferences = Preferencias
preferences.button.width = 80
preferences.requires_restart = requiere reiniciar Processing
preferences.sketchbook_location = Ubicación del sketchbook
preferences.sketchbook_location.popup = Ubicación del sketchbook
preferences.language = Idioma
preferences.editor_and_console_font = Fuente de la consola y el editor
preferences.editor_and_console_font.tip = \
Selecciona la fuente usada en el editor y la consola.<br>\
Sólo las fuentes con caracteres de ancho fijo pueden<br>\
ser utilizadas, aunque la lista puede ser incompleta.
preferences.editor_font_size = Tamaño de letra del editor
preferences.console_font_size = Tamaño de letra de la consola
preferences.background_color = Color de fondo en modo presentación
preferences.background_color.tip = \
Selecciona el color de fondo al usar el modo presentación<br>\
Este modo es utilizado para presentar el sketch en<br>\
pantalla completa, y es accesible desde el menú Sketch.
preferences.use_smooth_text = Usar texto suavizado en la ventana del editor
preferences.enable_complex_text_input = Habilitar el ingreso de caracteres complejos
preferences.enable_complex_text_input_example = ej. Japonés
preferences.continuously_check = Comprobar errores de forma continua
preferences.show_warnings = Mostrar advertencias
preferences.code_completion = Autocompletado de código
preferences.trigger_with = Activar con
preferences.cmd_space = espacio
preferences.suggest_imports = Sugerir declaraciones de importación
preferences.increase_max_memory = Aumentar memoria máxima disponible a
preferences.delete_previous_folder_on_export = Eliminar directorio anterior al exportar
preferences.hide_toolbar_background_image = Ocultar imagen de fondo de la barra de herramientas
preferences.check_for_updates_on_startup = Comprobar actualizaciones al iniciar
preferences.run_sketches_on_display = Ejecutar sketches en la pantalla
preferences.run_sketches_on_display.tip = \
Configura la pantalla donde los sketches se abren inicialmente.<br>\
Como es habitual, si la ventana del sketch se mueve, se volverá a abrir<br>\
en la misma ubicación. Sin embargo, al ejecutar en modo presentación<br>\
(pantalla completa), esta pantalla será utilizada siempre.
preferences.automatically_associate_pde_files = Asociar automáticamente archivos .pde con Processing
preferences.launch_programs_in = Ejecutar programs en
preferences.launch_programs_in.mode = modo
preferences.file = Puedes editar otras preferencias modificando directamente el archivo
preferences.file.hint = asegúrate de que Processing está cerrado antes de editar este archivo
# Sketchbook Location (Frame)
sketchbook_location = Escoja una ubicación nueva para el sketchbook
# Sketchbook (Frame)
sketchbook = Sketchbook
sketchbook.tree = Sketchbook
# Examples (Frame)
examples = Ejemplos
examples.add_examples = Añadir ejemplos...
# Export (Frame)
export = Opciones de exportación
export.platforms = Plataformas
export.options = Opciones
export.options.fullscreen = Pantalla completa (Modo Presentación)
export.options.show_stop_button = Mostrar un botón de Detener
export.description.line1 = Exportar a Aplicación crea aplicaciones ejecutables,
export.description.line2 = independientes para las plataformas seleccionadas.
# Find (Frame)
find = Buscar
find.find = Buscar:
find.replace_with = Reemplazar con:
find.ignore_case = Ignorar mayúsculas
find.all_tabs = Todas las pestañas
find.wrap_around = Continuar buscando
find.btn.replace_all = Reemplazar todo
find.btn.replace = Reemplazar
find.btn.find_and_replace = Buscar y reemplazar
find.btn.previous = Anterior
find.btn.find = Buscar
# Find in reference (Frame)
find_in_reference = Buscar en el manual de referencia
# File (Frame)
file = Selecciona una imagen u otro archivo de datos para copiar a tu sketch
# Create Font (Frame)
create_font = Crear fuente
# Color Selector (Frame)
color_selector = Selector de colores
# Archive Sketch (Frame)
archive_sketch = Archivar sketch como...
# ---------------------------------------
# Toolbar
# [Run/Present] [Stop] [New] [Open] [Save]
toolbar.run = Ejecutar
toolbar.present = Presentar
toolbar.stop = Detener
toolbar.new = Nuevo
toolbar.open = Abrir
toolbar.save = Guardar
toolbar.export_application = Exportar Aplicación
toolbar.add_mode = Añadir modo...
# ---------------------------------------
# Editor
# [Tab1] [Tab2] [v]
editor.header.new_tab = Nueva pestaña
editor.header.rename = Renombrar
editor.header.delete = Eliminar
editor.header.previous_tab = Pestaña anterior
editor.header.next_tab = Pestaña siguiente
editor.header.delete.warning.title = No
editor.header.delete.warning.text = No puedes eliminar la última pestaña del último sketch abierto
# Tabs
editor.tab.new = Nuevo nombre
editor.tab.new.description = Nombre para el archivo nuevo
editor.tab.rename = Nuevo nombre
editor.tab.rename.description = Nuevo nombre para el archivo
# Sketch
editor.sketch.rename.description = Nuevo nombre para el sketch
editor.status.autoformat.no_changes = No se realizaron cambios por Autoformato.
editor.status.autoformat.finished = Autoformato completado.
editor.status.find_reference.select_word_first = Selecciona primero una palabra para buscar en la referencia.
editor.status.find_reference.not_available = No se encontró una referencia disponible para "%s".
editor.status.drag_and_drop.files_added.0 = Ningún archivo añadido al sketch.
editor.status.drag_and_drop.files_added.1 = Un archivo añadido al sketch.
editor.status.drag_and_drop.files_added.n = %d archivos añadidos al sketch.
editor.status.saving = Guardando...
editor.status.saving.done = Guardado finalizado.
editor.status.saving.canceled = Guardado cancelado.
editor.status.printing = Imprimiendo...
editor.status.printing.done = Impresión finalizada.
editor.status.printing.error = Error al imprimir.
editor.status.printing.canceled = Impresión cancelada.
# ---------------------------------------
# Contribution Panel
contrib = Gestor de contribuciones
contrib.manager_title.update = Gestor de actualizaciones
contrib.manager_title.mode = Gestor de Modos
contrib.manager_title.tool = Gestor de Herramientas
contrib.manager_title.library = Gestor de Bibliotecas
contrib.manager_title.examples-package = Gestor de Paquetes de Ejemplo
contrib.category = Categoría:
contrib.filter_your_search = Filtrar tu búsqueda...
contrib.show_only_compatible.mode = Mostrar sólo modos compatibles
contrib.show_only_compatible.tool = Mostrar sólo herramientas compatibles
contrib.show_only_compatible.library = Mostrar sólo bibliotecas compatibles
contrib.show_only_compatible.examples-package = Mostrar sólo ejemplos compatibles
contrib.show_only_compatible.update = Mostrar sólo actualizaciones compatibles
contrib.restart = Reiniciar Processing
contrib.unsaved_changes = Se encontraron cambios sin guardar
contrib.unsaved_changes.prompt = ¿Seguro que deseas reiniciar Processing sin guardar primero?
contrib.messages.remove_restart = Reinicia Processing para terminar de eliminar este item.
contrib.messages.install_restart = Reinicia Processing para terminar de instalar este item.
contrib.messages.update_restart = Reinicia Processing para terminar de actualizar este item.
contrib.errors.list_download = No se pudo descargar la lista de contribuciones disponibles.
contrib.errors.list_download.timeout = El tiempo de espera para descargar la lista de contribuciones expiró.
contrib.errors.download_and_install = Ocurrió un error durante la descarga e instalación.
contrib.errors.description_unavailable = Descripción no disponible.
contrib.errors.malformed_url = El enlace obtenido de Processing.org no es válido. Intenta instalar esta librería manualmente visitando su sitio web.
contrib.errors.needs_repackage = %s necesita volver a empaquetarse de acuerdo a las directivas para las contribuciones.
contrib.errors.no_contribution_found = No se pudo encontrar una contribución válida en el archivo descargado.
contrib.errors.overwriting_properties = Ocurrió un error al sobrescribir el archivo .properties.
contrib.errors.install_failed = La instalación falló.
contrib.errors.update_on_restart_failed = La actualización al reiniciar de %s falló.
contrib.errors.temporary_directory = No se pudo escribir al directorio temporal.
contrib.errors.contrib_download.timeout = El tiempo de conexión expiró al intentar descargar %s.
contrib.status.downloading_list = Descargando la lista de contribuciones...
contrib.status.done = Listo.
contrib.all = All
contrib.undo = Deshacer
contrib.remove = Eliminar
contrib.install = Instalar
contrib.progress.starting = Iniciando
contrib.progress.downloading = Descargando
contrib.progress.installing = Instalando
contrib.download_error = Ocurrió un error al descargar la contribución.
contrib.unsupported_operating_system = Tu sistema operativo no está soportado. Visita la documentación de la biblioteca para más información.
# ---------------------------------------
# Warnings
warn.delete = Eliminar
warn.delete.sketch = ¿Seguro que deseas eliminar este sketch?
warn.delete.file = ¿Seguro que deseas eliminar "%s"?
# ---------------------------------------
# Update Check
update_check = Actualización
update_check.updates_available.core = Hay nueva versión de Processing disponible,\n¿deseas visitar la página de descarga?
update_check.updates_available.contributions = Hay actualizaciones disponibles para algunas de las contribuciones instaladas,\n¿deseas abrir el gestor de contribuciones ahora?
# ---------------------------------------
# Color Chooser
color_chooser = Selector de colores

View File

@@ -1,211 +0,0 @@
# ---------------------------------------
# Language: Français (French) (fr)
# ---------------------------------------
# ---------------------------------------
# Menu
# | File | Edit | Sketch | Library | Tools | Help |
# | File |
menu.file = Fichier
menu.file.new = Nouveau
menu.file.open = Ouvrir...
menu.file.sketchbook = Sketchbook
menu.file.recent = Ouvrir récent
menu.file.examples = Exemples...
menu.file.close = Fermer
menu.file.save = Enregistrer
menu.file.save_as = Enregistrer sous...
menu.file.export_application = Exporter
menu.file.page_setup = Aperçu avant impression
menu.file.print = Imprimer...
menu.file.preferences = Préférences...
menu.file.quit = Quitter
# | File | Edit | Sketch | Library | Tools | Help |
# | Edit |
menu.edit = Modifier
menu.edit.undo = Annuler
menu.edit.redo = Refaire
menu.edit.cut = Couper
menu.edit.copy = Copier
menu.edit.copy_as_html = Copier comme HTML
menu.edit.paste = Coller
menu.edit.select_all = Selectionner tout
menu.edit.auto_format = Mise en forme automatique
menu.edit.comment_uncomment = Commenter/Décommenter
menu.edit.increase_indent = Augmenter l'indentation
menu.edit.decrease_indent = Diminuer l'indentation
menu.edit.find = Rechercher...
menu.edit.find_next = Rechercher suivant
menu.edit.find_previous = Rechercher précédent
menu.edit.use_selection_for_find = Rechercher dans la sélection
# | File | Edit | Sketch | Library | Tools | Help |
# | Sketch |
menu.sketch = Sketch
menu.sketch.show_sketch_folder = Afficher le dossier
menu.sketch.add_file = Ajouter un fichier...
# | File | Edit | Sketch | Library | Tools | Help |
# | Library |
menu.library = Importer une librairie...
menu.library.add_library = Ajouter une librairie...
menu.library.contributed = Contribuées
menu.library.no_core_libraries = Ce mode n'a pas de librairies de base
# | File | Edit | Sketch | Library | Tools | Help |
# | Tools |
menu.tools = Outils
menu.tools.color_selector = Sélecteur de couleurs...
menu.tools.create_font = Générer la police...
menu.tools.archive_sketch = Archiver le sketch...
menu.tools.fix_the_serial_lbrary = Réparer la "Serial Library"...
menu.tools.install_processing_java = Installer "processing-java"...
menu.tools.add_tool = Ajouter un outil...
# | File | Edit | Sketch | Library | Tools | Help |
# | Help |
menu.help = Aide
menu.help.about = À propos de Processing (en)
menu.help.environment = Environement (en)
menu.help.reference = Documentation (en)
menu.help.find_in_reference = Chercher dans la documentation (en)
menu.help.online = En ligne
menu.help.getting_started = Premiers pas (en)
menu.help.troubleshooting = Dépannage (en)
menu.help.faq = Foire aux questions (en)
menu.help.foundation = "The Processing Foundation" (en)
menu.help.visit = Visiter Processing.org (en)
# ---------------------------------------
# Basics
# Buttons
prompt.yes = Oui
prompt.no = Non
prompt.cancel = Annuler
prompt.ok = Ok
prompt.browse = Naviguer
prompt.export = Exporter
# ---------------------------------------
# Frames
# Open (Frame)
open = Ouvrir un sketch Processing...
# Save (Frame)
save = Enregistrer le dossier de sketch sous...
save.title = Voulez-vous enregistrer les modifications<br> avant de quitter?
save.hint = Si vous ne sauvegardez pas, vos modifications seront supprimées.
save.btn.save = Enregistrer
save.btn.dont_save = Ne pas enregistrer
# Preferences (Frame)
preferences = Préférences
preferences.button.width = 110
preferences.requires_restart = Nécessite de redémarrer Processing
preferences.sketchbook_location = Emplacement du sketchbook
preferences.language = Langue
preferences.editor_and_console_font = Police de l'éditeur et de la console
preferences.editor_font_size = Taille de police de l'éditeur
preferences.console_font_size = Taille de police de la console
preferences.background_color = Couleur d'arrière plan en mode présentation
preferences.use_smooth_text = Lissage des polices dans l'éditeur
preferences.enable_complex_text_input = Autoriser la saisie de caractères non-latins
preferences.enable_complex_text_input_example = ex.: Japonais
preferences.continuously_check = Détecter les erreurs en continu
preferences.show_warnings = Afficher les avertissements
preferences.code_completion = Autocomplétion du code
preferences.trigger_with = Forcer l'autocomplétion avec
preferences.cmd_space = Espace
preferences.increase_max_memory = Augmenter la mémoire vive disponible
preferences.delete_previous_folder_on_export = Effacer le dossier précédent lors de l'export
preferences.hide_toolbar_background_image = Masquer l'image d'arrière-plan de la barre d'outils
preferences.check_for_updates_on_startup = Vérifier les mises à jour au démarrage
preferences.run_sketches_on_display = Exécuter les sketch sur le moniteur
preferences.automatically_associate_pde_files = Ouvrir les fichiers .pde avec Processing par défaut
preferences.launch_programs_in = Lancer les programmes en
preferences.launch_programs_in.mode = mode
preferences.file = Plus de préférences peuvent être éditées dirrectement dans le fichier suivant
preferences.file.hint = fermez toutes les instances de Processing avant d'éditer les préférences
# Sketchbook Location (Frame)
sketchbook_location = Sélectionnez l'emplacement du sketchbook
# Export (Frame)
export = Options d'export
export.platforms = Plateformes
export.options = Options
export.options.fullscreen = Plein écran (Mode présentation)
export.options.show_stop_button = Afficher un bouton stop
export.description.line1 = “Exporter lapplication” crée un exécutable
export.description.line2 = autonome pour chaque plateforme sélectionnée.
# Find (Frame)
find = Rechercher
find.find = Rechercher:
find.replace_with = Remplacer par:
find.ignore_case = Ignorer la casse
find.all_tabs = Tous les onglets
find.wrap_around = Reprendre au début
find.btn.replace_all = Remplacer tout
find.btn.replace = Remplacer
find.btn.find_and_replace = Remplacer & rechercher
find.btn.previous = Précédent
find.btn.find = Rechercher
# Find in reference (Frame)
find_in_reference = Chercher dans la doc (en)
# File (Frame)
file = Selectionner une image ou fichier de données à ajouter au sketch
# Create Font (Frame)
create_font = Créer la police
# Color Selector (Frame)
color_selector = Sélecteur de couleurs
# Archive Sketch (Frame)
archive_sketch = Archiver le sketch sous...
# ---------------------------------------
# Toolbar
# [Run/Present] [Stop] [New] [Open] [Save]
toolbar.run = Exécuter
toolbar.present = Présenter
toolbar.stop = Stop
toolbar.new = Nouveau
toolbar.open = Ouvrir
toolbar.save = Enregistrer
toolbar.export_application = Exporter
toolbar.add_mode = Ajouter un mode...
# ---------------------------------------
# Editor
# [Tab1] [Tab2] [v]
editor.header.new_tab = Nouvel onglet
editor.header.rename = Renommer
editor.header.delete = Supprimer
editor.header.previous_tab = Onglet précédent
editor.header.next_tab = Onglet suivant
editor.header.delete.warning.title = Ouais, mais non.
editor.header.delete.warning.text = Impossible de supprimer le dernier onglet du sketch.
# ---------------------------------------
# Contribution Panel
contrib.category = Catégorie:
contrib.filter_your_search = Filtrer la recherche...

View File

@@ -1,222 +0,0 @@
# ---------------------------------------
# JAPANESE (ja)
# ---------------------------------------
# ---------------------------------------
# Menu
# | File | Edit | Sketch | Library | Tools | Help |
# | File |
menu.file = ファイル
menu.file.new = 新規
menu.file.open = 開く...
menu.file.sketchbook = スケッチブック
menu.file.recent = 最近開いたファイル
menu.file.examples = サンプル...
menu.file.close = 閉じる
menu.file.save = 保存
menu.file.save_as = 名前を付けて保存...
menu.file.export_application = エクスポート
menu.file.page_setup = ページ設定
menu.file.print = プリント
menu.file.preferences = 設定
menu.file.quit = 終了
# | File | Edit | Sketch | Library | Tools | Help |
# | Edit |
menu.edit = 編集
menu.edit.undo = 戻す
menu.edit.redo = やり直し
menu.edit.cut = 切り取り
menu.edit.copy = 複製
menu.edit.copy_as_html = HTMLとしてコピー
menu.edit.paste = 貼り付け
menu.edit.select_all = すべて選択
menu.edit.auto_format = 自動フォーマット
menu.edit.comment_uncomment = コメント/アンコメント
menu.edit.increase_indent = インデントを上げる
menu.edit.decrease_indent = インデントを下げる
menu.edit.find = 検索...
menu.edit.find_next = 次を探す
menu.edit.find_previous = 前を探す
menu.edit.use_selection_for_find = 選択を検索
# | File | Edit | Sketch | Library | Tools | Help |
# | Sketch |
menu.sketch = スケッチ
menu.sketch.show_sketch_folder = スケッチフォルダを開く
menu.sketch.add_file = ファイルを追加...
# | File | Edit | Sketch | Library | Tools | Help |
# | Library |
menu.library = ライブラリのインポート...
menu.library.add_library = ライブラリの追加...
menu.library.contributed = 貢献
menu.library.no_core_libraries = モードにコアライブラリがありません
# | File | Edit | Sketch | Library | Tools | Help |
# | Tools |
menu.tools = ツール
menu.tools.create_font = フォント作成...
menu.tools.color_selector = 色選択
menu.tools.archive_sketch = スケッチをアーカイブ
menu.tools.fix_the_serial_lbrary = シリアルライブラリを修正
menu.tools.install_processing_java = "processing-java"をインストール
menu.tools.add_tool = ツールを追加...
# | File | Edit | Sketch | Library | Tools | Help |
# | Help |
menu.help = ヘルプ
menu.help.about = About Processing
menu.help.environment = 環境
menu.help.reference = 参照
menu.help.find_in_reference = 参照から探す
menu.help.online = オンライン
menu.help.getting_started = はじめの一歩
menu.help.getting_started.url = http://processing.org/learning/gettingstarted/
menu.help.troubleshooting = 問題解決
menu.help.troubleshooting.url = http://wiki.processing.org/w/Troubleshooting
menu.help.faq = よくある質問
menu.help.faq.url = http://wiki.processing.org/w/FAQ
menu.help.foundation = The Processing Foundation
menu.help.foundation.url = http://processing.org/foundation/
menu.help.visit = Processing.orgを訪ねる
menu.help.visit.url = http://processing.org/
# ---------------------------------------
# Basics
# Buttons
prompt.yes = Yes
prompt.no = No
prompt.cancel = Cancel
prompt.ok = OK
prompt.browse = Browse
prompt.export = Export
# ---------------------------------------
# Frames
# Open (Frame)
open = Open a Processing sketch...
# Save (Frame)
save = Save sketch folder as...
save.title = Do you want to save changes to this sketch<br> before closing?
save.hint = If you don't save, your changes will be lost.
save.btn.save = Save
save.btn.dont_save = Don't Save
# Preferences (Frame)
preferences = 設定
preferences.button.width = 80
preferences.requires_restart = Processingの再起動が必要です
preferences.sketchbook_location = スケッチブックの場所
preferences.language = 言語
preferences.editor_and_console_font = エディタ・コンソールフォント
preferences.editor_font_size = エディタフォントサイズ
preferences.console_font_size = コンソールフォントサイズ
preferences.background_color = プレゼンテーションの背景色
preferences.use_smooth_text = エディタウィンドウでスムーズテキストを使う
preferences.enable_complex_text_input = 複雑なテキスト入力を有効にする
preferences.enable_complex_text_input_example = 例:日本語
preferences.continuously_check = エラーのために継続的にチェックする
preferences.show_warnings = ワーニングを表示する
preferences.code_completion = コード補完
preferences.trigger_with = 起動
preferences.cmd_space = スペース
preferences.increase_max_memory = 有効な最大メモリを増やす
preferences.delete_previous_folder_on_export = エクスポート時に以前のフォルダを削除する
preferences.hide_toolbar_background_image = タブ/ツールバーの背景画像を隠す
preferences.check_for_updates_on_startup = 起動時にアップデートをチェックする
preferences.run_sketches_on_display = ディスプレイでスケッチを実行する
preferences.run_sketches_on_display.tip = \
スケッチが最初に置かれるディスプレイをセットして下さい<br>\
通常、スケッチウィンドウを動かすと、同じ位置に<br>\
再び開かれますが、プレゼント(フルスクリーン)モードで<br>\
実行している場合、このディスプレイが常に使用されます。
preferences.automatically_associate_pde_files = 自動的に.pdeファイルをProcessingに関連付ける
preferences.launch_programs_in = プログラムを起動する
preferences.launch_programs_in.mode = モード
preferences.file = さらなる設定は次のファイルを直接編集することで可能です
preferences.file.hint = Processingが起動していない時のみ編集できます
# Sketchbook Location (Frame)
preferences.sketchbook_location = スケッチブックの場所
# Export (Frame)
export = エクスポートオプション
export.platforms = プラットフォーム
export.options = オプション
export.options.fullscreen = フルスクリーン(プレゼンテーションモード)
export.options.show_stop_button = 停止ボタンを表示する
export.description.line1 = 選択されたプラットフォーム用のスタンドアロンの
export.description.line2 = アプリケーションとしてエクスポートします
# Find (Frame)
find = 検索
find.find = 検索:
find.replace_with = 置き換える:
find.ignore_case = ケースを無視
find.all_tabs = すべてのタブ
find.wrap_around = 折り返し
find.btn.replace_all = すべて置換
find.btn.replace = 置換
find.btn.find_and_replace = 検索&置換
find.btn.previous =
find.btn.find = 検索
# Find in reference (Frame)
find_in_reference = リファレンスから探す
# File (Frame)
file = スケッチにコピーする画像やその他のデータファイルを選択して下さい
# Create Font (Frame)
create_font = フォント作成
# Color Selector (Frame)
color_selector = 色選択
# Archive Sketch (Frame)
archive_sketch = スケッチをアーカイブする...
# ---------------------------------------
# Toolbar
# [Run/Present] [Stop] [New] [Open] [Save]
# スケッチのメニュー部分は日本語が表示できないため、英語のままにする
toolbar.run = Run
toolbar.present = Present
toolbar.stop = Stop
toolbar.new = New
toolbar.open = Open
toolbar.save = Save
toolbar.export_application = Export Application
toolbar.add_mode = モードの追加...
# ---------------------------------------
# Editor
# [Tab1] [Tab2] [v]
editor.header.new_tab = 新規タブ
editor.header.rename = リネーム
editor.header.delete = 削除
editor.header.previous_tab = 前のタブ
editor.header.next_tab = 次のタブ
editor.header.delete.warning.title = Yeah, no.
editor.header.delete.warning.text = 最後に開いたスケッチの最後のタブは削除できません
# ---------------------------------------
# Contribution Panel
contrib.category = カテゴリ:
contrib.filter_your_search = 検索をフィルタ...

View File

@@ -1,308 +0,0 @@
# ---------------------------------------
# KOREAN (ko)
# ---------------------------------------
# ---------------------------------------
# Menu
# | File | Edit | Sketch | Library | Tools | Help |
# | File |
menu.file = 파일
menu.file.new = 새 스케치
menu.file.open = 열기...
menu.file.recent = 최근 스케치
menu.file.sketchbook = 스케치북
menu.file.sketchbook.empty = Empty Sketchbook
menu.file.examples = 예제...
menu.file.close = 닫기
menu.file.save = 저장
menu.file.save_as = 다른 이름으로 저장...
menu.file.export_application = 어플리케이션으로 내보내기...
menu.file.page_setup = 인쇄 설정
menu.file.print = 인쇄
menu.file.preferences = 환경 설정
menu.file.quit = 종료
# | File | Edit | Sketch | Library | Tools | Help |
# | Edit |
menu.edit = 편집
menu.edit.undo = 입력 취소
menu.edit.redo = 다시 실행
menu.edit.cut = 잘라내기
menu.edit.copy = 복사하기
menu.edit.copy_as_html = HTML 서식으로 복사
menu.edit.paste = 붙이기
menu.edit.select_all = 전체선택
menu.edit.auto_format = 자동 정렬
menu.edit.comment_uncomment = 주석 처리/해제
menu.edit.increase_indent = 들여쓰기
menu.edit.decrease_indent = 내어쓰기
menu.edit.find = 찾기...
menu.edit.find_next = 다음 찾기
menu.edit.find_previous = 이전 찾기
menu.edit.use_selection_for_find = 선택영역으로 찾기
# | File | Edit | Sketch | Library | Tools | Help |
# | Sketch |
menu.sketch = 스케치
menu.sketch.show_sketch_folder = 스케치 폴더 열기
menu.sketch.add_file = 스케치 불러오기...
# | File | Edit | Sketch | Library | Tools | Help |
# | Library |
menu.library = 내부 라이브러리...
menu.library.add_library = 라이브러리 추가하기...
menu.library.contributed = 외부 라이브러리
menu.library.no_core_libraries = 내부 라이브러리 미제공
# | File | Edit | Sketch | Library | Tools | Help |
# | Tools |
menu.tools = 도구
menu.tools.create_font = 글꼴 생성...
menu.tools.color_selector = 색상 선택
menu.tools.archive_sketch = .zip으로 압축하기
menu.tools.fix_the_serial_lbrary = 시리얼 라이브러리 오류 수정
menu.tools.install_processing_java = "processing-java" 설치
menu.tools.add_tool = 추가도구 생성...
# | File | Edit | Sketch | Library | Tools | Help |
# | Help |
menu.help = 도움말
menu.help.about = Processing에 관하여
menu.help.environment = 환경
menu.help.reference = 레퍼런스
menu.help.find_in_reference = 레퍼런스 찾기
menu.help.online = 온라인
menu.help.getting_started = 시작하기
menu.help.getting_started.url = http://processing.org/learning/gettingstarted/
menu.help.troubleshooting = 문제해결
menu.help.troubleshooting.url = http://wiki.processing.org/w/Troubleshooting
menu.help.faq = f&q
menu.help.faq.url = http://wiki.processing.org/w/FAQ
menu.help.foundation = 프로세싱 재단
menu.help.foundation.url = http://processing.org/foundation/
menu.help.visit = Processing.org
menu.help.visit.url = http://processing.org/
# ---------------------------------------
# Basics
# Buttons
prompt.yes =
prompt.no = 아니오
prompt.cancel = 취소
prompt.ok = OK
prompt.browse = 네비게이션
prompt.export = 내보내기
# ---------------------------------------
# Frames
# Open (Frame)
open = 프로세싱 스케치 열기...
# Save (Frame)
save = 다른 이름으로 해당 폴더에 저장...
save.title = 스케치의 변경 내용을 저장할까요?
save.hint = 저장하지 않으면 변경 내용은 삭제됩니다.
save.btn.save = 저장
save.btn.dont_save = 저장 안 함
# Preferences (Frame)
preferences = 설정
preferences.button.width = 80
preferences.requires_restart = 프로세싱 재실행 시 적용
preferences.sketchbook_location = 스케치 폴더 위치
preferences.sketchbook_location.popup = 스케치 폴더 위치
preferences.language = 언어
preferences.editor_and_console_font = 스케치 에디터와 콘솔 글꼴
preferences.editor_and_console_font.tip = \
Select the font used in the Editor and the Console.<br>\
Only monospaced (fixed-width) fonts may be used,<br>\
though the list may be imperfect.
preferences.editor_font_size = 스케치 에디터 글꼴 크기
preferences.console_font_size = 콘솔 글꼴 크기
preferences.background_color = 전체 화면 보기 배경색상
preferences.background_color.tip = \
Select the background color used when using Present.<br>\
Present is used to present a sketch in full-screen,<br>\
accessible from the Sketch menu.
preferences.use_smooth_text = 에디터창 부드러운 글꼴 적용
preferences.enable_complex_text_input = 다국어 언어 입력 허용
preferences.enable_complex_text_input_example = 예. 한국어
preferences.continuously_check = 오류 검사 활성화
preferences.show_warnings = 오류 메시지 보기
preferences.code_completion = 코드 자동 완성
preferences.trigger_with = 자동 완성 비활성화
preferences.cmd_space = space키
preferences.increase_max_memory = 프로세싱의 사용 메모리 설정
preferences.delete_previous_folder_on_export = 내보내기 시 기존 폴더 삭제
preferences.hide_toolbar_background_image = 탭/툴바의 배경 이미지 숨기기
preferences.check_for_updates_on_startup = 프로그램 시작 시 버전 업데이트 확인
preferences.run_sketches_on_display = 실행 시 스케치창 디스플레이의 장치 설정
preferences.run_sketches_on_display.tip = \
Sets the display where sketches are initially placed.<br>\
As usual, if the sketch window is moved, it will re-open<br>\ 일반적으로, 스케치 창이 이동되면
at the same location, however when running in present<br>\
(full screen) mode, this display will always be used.
preferences.automatically_associate_pde_files = .pde 파일 실행 시 프로세싱으로 자동 연결
preferences.launch_programs_in = 프로그램 실행
preferences.launch_programs_in.mode = 모드
preferences.file = 기타 자세 설정은 해당 경로의 파일에서 변경 가능
preferences.file.hint = 프로그램 종료 시에만 적용
# Sketchbook Location (Frame)
sketchbook_location = 새 스케치북 폴더 위치 설정
# Sketchbook (Frame)
sketchbook = 스케치북
sketchbook.tree = 스케치북
# Examples (Frame)
examples = 예제
# Export (Frame)
export = 내보내 옵션
export.platforms = 플랫폼
export.options = 옵션
export.options.fullscreen = 전체 화면 (보기 모드)
export.options.show_stop_button = 정지 버튼 표시
export.description.line1 = "어플리케이션으로 내보내기"는 아래에서 선택한 플랫폼에서
export.description.line2 = 독립적으로 실행되는 어플리케이션으로 스케치를 저장합니다.
# Find (Frame)
find = 찾기
find.find = 찾을 내용:
find.replace_with = 바꿀 내용:
find.ignore_case = 대소문자 구별 안 함
find.all_tabs = 탭 전체
find.wrap_around = 자동 줄바꿈
find.btn.replace_all = 모두 바꾸기
find.btn.replace = 바꾸기
find.btn.find_and_replace = 찾기 & 바꾸기
find.btn.previous = 이전
find.btn.find = 찾기
# Find in reference (Frame)
find_in_reference = 레퍼런스에서 찾기
# File (Frame)
file = 선택한 이미지 또는 데이터 파일을 스케치로 불러오기
# Create Font (Frame)
create_font = 글꼴 생성
# Color Selector (Frame)
color_selector = 색상 선택기
# Archive Sketch (Frame)
archive_sketch = 스케치 전체를 (이미지/데이터 포함) Zip으로 압축하기...
# ---------------------------------------
# Toolbar
# [Run/Present] [Stop] [New] [Open] [Save]
toolbar.run = 실행
toolbar.present = 전체 화면
toolbar.stop = 정지
toolbar.new = 새 스케치
toolbar.open = 열기
toolbar.save = 저장
toolbar.export_application = 어플리케이션으로 내보내기
toolbar.add_mode = 모드 추가...
# ---------------------------------------
# Editor
# [Tab1] [Tab2] [v]
editor.header.new_tab = 새 탭
editor.header.rename = 탭 이름 변경
editor.header.delete = 삭제
editor.header.previous_tab = 이전 탭
editor.header.next_tab = 다음 탭
editor.header.delete.warning.title = Yeah, no.
editor.header.delete.warning.text = 스케치의 마지막 탭은 삭제할 수 없습니다.
# Tabs
editor.tab.new = New Name
editor.tab.new.description = Name for new file
editor.tab.rename = New Name
editor.tab.rename.description = New name for file
# Sketch
editor.sketch.rename.description = New name for sketch
editor.status.autoformat.no_changes = 변경할 서식이 없습니다.
editor.status.autoformat.finished = 자동 서식 적용 완료
editor.status.find_reference.select_word_first = 레퍼런스에서 찾을 단어를 선택하세요.
editor.status.find_reference.not_available = "%s" 관련 레퍼런스 없음.
editor.status.drag_and_drop.files_added.0 = 스케치에 추가된 파일 없음.
editor.status.drag_and_drop.files_added.1 = 스케치에 1개의 파일 추가.
editor.status.drag_and_drop.files_added.n = 스케치에 %d개의 파일 추가.
editor.status.saving = 저장 중...
editor.status.saving.done = 저장 완료.
editor.status.saving.canceled = 저장 취소.
editor.status.printing = 인쇄 중...
editor.status.printing.done = 인쇄 완료.
editor.status.printing.error = 인쇄 중 오류 발생.
editor.status.printing.canceled = 인쇄 취소.
# ---------------------------------------
# Contribution Panel
contrib = Contribution Manager
contrib.category = 카테고리:
contrib.filter_your_search = 검색 필터...
contrib.restart = Restart Processing
contrib.unsaved_changes = Unsaved changes have been found
contrib.unsaved_changes.prompt = Are you sure you want to restart Processing without saving first?
contrib.messages.remove_restart = Please restart Processing to finish removing this item.
contrib.messages.install_restart = Please restart Processing to finish installing this item.
contrib.messages.update_restart = Please restart Processing to finish updating this item.
contrib.errors.list_download = Could not download the list of available contributions.
contrib.errors.list_download.timeout = Connection timed out while downloading the contribution list.
contrib.errors.download_and_install = Error during download and install.
contrib.errors.description_unavailable = Description unavailable.
contrib.errors.malformed_url = "The link fetched from Processing.org is not valid.\nYou can still install this library manually by visiting\nthe library's website.
contrib.errors.needs_repackage = %s needs to be repackaged according to the %s guidelines.
contrib.errors.no_contribution_found = Could not find a %s in the downloaded file.
contrib.errors.overwriting_properties = Error overwriting .properties file.
contrib.errors.install_failed = Install failed.
contrib.errors.update_on_restart_failed = Update on restart of %s failed.
contrib.errors.temporary_directory = Could not write to temporary directory.
contrib.all = All
contrib.undo = 입력 취소
contrib.remove = 삭제
contrib.install = 설치
contrib.progress.installing = Installing
contrib.progress.starting = 시작 중
contrib.progress.downloading = 다운로드 중
contrib.download_error = 외부 라이브러리 다운로드 중 에러 발생.
contrib.unsupported_operating_system = 외부 라이브러리가 해당 컴퓨터의 운영체제를 지원하지 않습니다. %s의 웹페이지에 방문하여 확인해 보세요.
# ---------------------------------------
# Warnings
warn.delete = Delete
warn.delete.sketch = Are you sure you want to delete this sketch?
warn.delete.file = Are you sure you want to delete "%s"?
# ---------------------------------------
# Update Check
update_check = Update
update_check.updates_available.core = A new version of Processing is available,\nwould you like to visit the Processing download page?
update_check.updates_available.contributions = There are updates available for some of the installed contributions,\nwould you like to open the the Contribution Manager now?
# ---------------------------------------
# Color Chooser
color_chooser = Color Selector

View File

@@ -1,309 +0,0 @@
# ---------------------------------------
# Language: Dutch (Nederlands) (nl)
# ---------------------------------------
# ---------------------------------------
# Menu
# | File | Edit | Sketch | Library | Tools | Help |
# | File |
menu.file = Bestand
menu.file.new = Nieuw
menu.file.open = Openen...
menu.file.sketchbook = Schetsboek
menu.file.sketchbook.empty = Leeg Schetsboek
menu.file.recent = Recent
menu.file.examples = Voorbeelden...
menu.file.close = Sluiten
menu.file.save = Opslaan
menu.file.save_as = Opslaan Als...
menu.file.export_application = Exporteren Applicatie...
menu.file.page_setup = Pagina-instelling
menu.file.print = Afdrukken...
menu.file.preferences = Instellingen...
menu.file.quit = Afsluiten
# | File | Edit | Sketch | Library | Tools | Help |
# | Edit |
menu.edit = Bewerken
menu.edit.undo = Ongedaan Maken
menu.edit.redo = Opnieuw Uitvoeren
menu.edit.cut = Knippen
menu.edit.copy = Kopiëren
menu.edit.copy_as_html = Kopiëren als HTML
menu.edit.paste = Plakken
menu.edit.select_all = Alles Selecteren
menu.edit.auto_format = Automatische Opmaak
menu.edit.comment_uncomment = Commentaar Aan/Uit
menu.edit.increase_indent = Inspringen Vergroten
menu.edit.decrease_indent = Inspringen Verkleinen
menu.edit.find = Zoeken...
menu.edit.find_next = Volgende Zoeken
menu.edit.find_previous = Vorige Zoeken
menu.edit.use_selection_for_find = Gebruik Selectie voor Zoeken
# | File | Edit | Sketch | Library | Tools | Help |
# | Sketch |
menu.sketch = Schets
menu.sketch.show_sketch_folder = Toon Schets Map
menu.sketch.add_file = Bestand Toevoegen...
# | File | Edit | Sketch | Library | Tools | Help |
# | Library |
menu.library = Bibliotheek Importeren...
menu.library.add_library = Bibliotheek Toevoegen...
menu.library.contributed = Bijgedragen
menu.library.no_core_libraries = Modus heeft geen standaard bibliotheken
# | File | Edit | Sketch | Library | Tools | Help |
# | Tools |
menu.tools = Tools
menu.tools.color_selector = Kleur Selecteren...
menu.tools.create_font = Lettertype Maken...
menu.tools.archive_sketch = Schets Archiveren
menu.tools.fix_the_serial_lbrary = Seriële Bibliotheek Herstellen
menu.tools.install_processing_java = Installeren "processing-java"
menu.tools.add_tool = Tool Toevoegen...
# | File | Edit | Sketch | Library | Tools | Help |
# | Help |
menu.help = Help
menu.help.about = Over Processing
menu.help.environment = Programmeeromgeving
menu.help.reference = Handleiding
menu.help.find_in_reference = Zoeken in Handleiding
menu.help.online = Online
menu.help.getting_started = Om te beginnen
menu.help.getting_started.url = http://processing.org/learning/gettingstarted/
menu.help.troubleshooting = Bekende Problemen
menu.help.troubleshooting.url = http://wiki.processing.org/w/Troubleshooting
menu.help.faq = Veelgestelde Vragen
menu.help.faq.url = http://wiki.processing.org/w/FAQ
menu.help.foundation = Over The Processing Foundation
menu.help.foundation.url = http://processing.org/foundation/
menu.help.visit = Ga naar Processing.org
menu.help.visit.url = http://processing.org/
# ---------------------------------------
# Basics
# Buttons
prompt.yes = Ja
prompt.no = Nee
prompt.cancel = Annuleren
prompt.ok = OK
prompt.browse = Bladeren
prompt.export = Exporteren
# ---------------------------------------
# Frames
# Open (Frame)
open = Een Processing schets openen...
# Save (Frame)
save = Schets map opslaan als...
save.title = Wilt u wijzigingen die zijn aangebracht in deze schets<br> opslaan voor het sluiten?
save.hint = Als u niet opslaat, zullen uw wijzigingen verloren gaan.
save.btn.save = Opslaan
save.btn.dont_save = Niet Opslaan
# Preferences (Frame)
preferences = Instellingen
preferences.button.width = 90
preferences.requires_restart = herstart van Processing vereist
preferences.sketchbook_location = Schetsboek locatie
preferences.sketchbook_location.popup = Schetsboek locatie
preferences.language = Taal
preferences.editor_and_console_font = Editor en Console lettertype
preferences.editor_and_console_font.tip = \
Selecteer het gebruikte lettertype in de Editor en de Console.<br>\
Alleen monospace lettertypes (dezelfde breedte voor elk karakter)<br>\
mogen gebruikt worden, ook al is de lijst wellicht niet geheel correct.
preferences.editor_font_size = Editor lettergrootte
preferences.console_font_size = Console lettergrootte
preferences.background_color = Achtergrond kleur in Presenteer modus
preferences.background_color.tip = \
Selecteer de achtergrond kleur in Presenteer modus.<br>\
De Presenteer modus (te vinden in het Schets menu) wordt gebruikt<br>\
om een schets op het volledige scherm te tonen.
preferences.use_smooth_text = Gebruik duidelijke tekst in Editor venster
preferences.enable_complex_text_input = Complexe tekstkarakters mogelijk maken
preferences.enable_complex_text_input_example = i.e. Japans
preferences.continuously_check = Continu controleren op fouten
preferences.show_warnings = Toon waarschuwingen
preferences.code_completion = Automatische aanvulling
preferences.trigger_with = Activeren met
preferences.cmd_space = Spatie
preferences.increase_max_memory = Verhogen maximaal beschikbare geheugen naar
preferences.delete_previous_folder_on_export = Vorige map verwijderen bij exporteren
preferences.hide_toolbar_background_image = Achtergrond van toolbar verbergen
preferences.check_for_updates_on_startup = Controleren op updates bij het opstarten
preferences.run_sketches_on_display = Uitvoeren schetsen op beeld
preferences.run_sketches_on_display.tip = \
Stelt het beeld in waarop schetsen aanvankelijk te zien zijn.<br>\
Zoals gebruikelijk, als het venster wordt verplaatst, zal het heropenen<br>\
op die locatie. Wanneer echter gebruik wordt gemaakt van de Presenteer<br>\
modus (volledig scherm), zal altijd het gekozen beeld worden gebruikt.
preferences.automatically_associate_pde_files = Automatisch associëren .pde bestanden met Processing
preferences.launch_programs_in = Programma's starten in
preferences.launch_programs_in.mode = modus
preferences.file = Meer instellingen kunnen direct worden aangepast in het bestand
preferences.file.hint = alleen aanpassen wanneer Processing niet actief is
# Sketchbook Location (Frame)
sketchbook_location = Selecteer nieuwe schetsboek locatie
# Sketchbook (Frame)
sketchbook = Schetsboek
sketchbook.tree = Schetsboek
# examples (Frame)
examples = Examples
# Export (Frame)
export = Exporteer Opties
export.platforms = Platforms
export.options = Opties
export.options.fullscreen = Volledig Scherm (Presenteer modus)
export.options.show_stop_button = Tonen Stop knop
export.description.line1 = Exporteren naar Applicatie creëert dubbel-klikbare,
export.description.line2 = zelfstandige applicaties voor de geselecteerde platforms.
# Find (Frame)
find = Zoeken
find.find = Zoeken naar:
find.replace_with = Vervangen door:
find.ignore_case = Case negeren
find.all_tabs = Alle Tabbladen
find.wrap_around = Rondgaan
find.btn.replace_all = Alles Vervangen
find.btn.replace = Vervangen
find.btn.find_and_replace = Zoeken & Vervangen
find.btn.previous = Vorige
find.btn.find = Zoeken
# Find in reference (Frame)
find_in_reference = Zoeken in Handleiding
# File (Frame)
file = Selecteer een bestand om te kopiëren naar uw schets
# Create Font (Frame)
create_font = Lettertype Maken
# Color Selector (Frame)
color_selector = Kleur Selecteren
# Archive Sketch (Frame)
archive_sketch = Schets archiveren als...
# ---------------------------------------
# Toolbar
# [Run/Present] [Stop] [New] [Open] [Save]
toolbar.run = Uitvoeren
toolbar.present = Presenteren
toolbar.stop = Stoppen
toolbar.new = Nieuw
toolbar.open = Openen
toolbar.save = Opslaan
toolbar.export_application = Exporteren Applicatie
toolbar.add_mode = Modus toevoegen...
# ---------------------------------------
# Editor
# [Tab1] [Tab2] [v]
editor.header.new_tab = Nieuw Tabblad
editor.header.rename = Naam wijzigen
editor.header.delete = Verwijderen
editor.header.previous_tab = Vorige Tabblad
editor.header.next_tab = Volgende Tabblad
editor.header.delete.warning.title = Waarschuwing
editor.header.delete.warning.text = U kunt het laatste tabblad van de laatst geopende schets niet verwijderen.
# Tabs
editor.tab.new = Nieuwe Naam
editor.tab.new.description = Naam voor nieuw bestand
editor.tab.rename = Nieuwe Naam
editor.tab.rename.description = Nieuwe naam voor bestand
# Sketch
editor.sketch.rename.description = Nieuwe naam voor schets
editor.status.autoformat.no_changes = Geen wijzigingen nodig voor Automatische Opmaak.
editor.status.autoformat.finished = Automatische Opmaak gereed.
editor.status.find_reference.select_word_first = Selecteer eerst een woord om te zoeken in de handleiding.
editor.status.find_reference.not_available = Geen handleiding beschikbaar voor "%s".
editor.status.drag_and_drop.files_added.0 = Er zijn geen bestanden toegevoegd aan de schets.
editor.status.drag_and_drop.files_added.1 = Een bestand toegevoegd aan de schets.
editor.status.drag_and_drop.files_added.n = %d bestanden toegevoegd aan de schets.
editor.status.saving = Bezig met opslaan...
editor.status.saving.done = Opslaan gereed.
editor.status.saving.canceled = Opslaan geannuleerd.
editor.status.printing = Bezig met afdrukken...
editor.status.printing.done = Afdrukken gereed.
editor.status.printing.error = Fout tijdens het afdrukken.
editor.status.printing.canceled = Afdrukken geannuleerd.
# ---------------------------------------
# Contribution Panel
contrib = Bijdragen Manager
contrib.category = Categorie:
contrib.filter_your_search = Filter zoekresultaten...
contrib.restart = Processing herstarten
contrib.unsaved_changes = Niet opgeslagen wijzigingen gevonden
contrib.unsaved_changes.prompt = Weet u zeker dat u Processing wil herstarten zonder eerst op te slaan?
contrib.messages.remove_restart = Herstart Processing om het verwijderen van dit item te voltooien.
contrib.messages.install_restart = Herstart Processing om het installeren van dit item te voltooien.
contrib.messages.update_restart = Herstart Processing om het updaten van dit item te voltooien.
contrib.errors.list_download = De lijst met beschikbare bijdragen kon niet worden gedownload.
contrib.errors.list_download.timeout = Verbinding time out bij het downloaden van de lijst met bijdragen.
contrib.errors.download_and_install = Fout bij het downloaden en installeren.
contrib.errors.description_unavailable = Beschrijving niet beschikbaar.
contrib.errors.malformed_url = "De van Processing.org verkregen link is niet correct.\nU kunt nog steeds de bibliotheek handmatig installeren door\nde website van de bibliotheek te bezoeken
contrib.errors.needs_repackage = %s moet opnieuw worden ingepakt volgens de %s richtlijnen.
contrib.errors.no_contribution_found = Kan geen %s vinden in het gedownloade bestand.
contrib.errors.overwriting_properties = Fout bij het overschrijven van het .properties bestand.
contrib.errors.install_failed = Installatie mislukt.
contrib.errors.update_on_restart_failed = Update bij herstart van %s mislukt.
contrib.errors.temporary_directory = Kan niet schrijven naar een tijdelijke map.
contrib.all = Alles
contrib.undo = Ongedaan maken
contrib.remove = Verwijderen
contrib.install = Installeren
contrib.progress.installing = Bezig met installeren
contrib.progress.starting = Bezig met starten
contrib.progress.downloading = Bezig met downloaden
contrib.download_error = Fout bij het downloaden van de bijdrage.
contrib.unsupported_operating_system = Uw besturingssyteem wordt schijnbaar niet ondersteund. U kunt de website van de %s bibliotheek bezoeken voor meer informatie.
# ---------------------------------------
# Warnings
warn.delete = Verwijderen
warn.delete.sketch = Weet u zeker dat u deze schets wil verwijderen?
warn.delete.file = Weet u zeker dat u "%s" wil verwijderen?
# ---------------------------------------
# Update Check
update_check = Update
update_check.updates_available.core = Een nieuwe versie van Processing is beschikbaar,\nwilt u de Processing download pagina bezoeken?
update_check.updates_available.contributions = Er zijn updates beschikbaar voor sommige van de door u geïnstalleerde bijdragen,\nwilt u nu de Bijdragen Manager openen?
# ---------------------------------------
# Color Chooser
color_chooser = Kies een kleur...

View File

@@ -1,243 +0,0 @@
# ---------------------------------------
# Language: Portuguese (pt)
# ---------------------------------------
# ---------------------------------------
# Menu
# | File | Edit | Sketch | Library | Tools | Help |
# | File |
menu.file = Arquivo
menu.file.new = Novo
menu.file.open = Abrir...
menu.file.sketchbook = Sketchbook
menu.file.recent = Recentes
menu.file.examples = Exemplos...
menu.file.close = Fechar
menu.file.save = Guardar
menu.file.save_as = Guardar Como...
menu.file.export_application = Exportar Applicação...
menu.file.page_setup = Configurar Página
menu.file.print = Imprimir...
menu.file.preferences = Preferências...
menu.file.quit = Sair
# | File | Edit | Sketch | Library | Tools | Help |
# | Edit |
menu.edit = Editar
menu.edit.undo = Desfazer
menu.edit.redo = Refazer
menu.edit.cut = Cortar
menu.edit.copy = Copiar
menu.edit.copy_as_html = Copiar como HTML
menu.edit.paste = Colar
menu.edit.select_all = Seleccionar Tudo
menu.edit.auto_format = Auto Formatar
menu.edit.comment_uncomment = Comentar/Descomentar
menu.edit.increase_indent = Aumentar Indentação
menu.edit.decrease_indent = Diminuir Indentação
menu.edit.find = Procurar...
menu.edit.find_next = Procurar Seguinte
menu.edit.find_previous = Procurar Anterior
menu.edit.use_selection_for_find = Usar Selecção para Procurar
# | File | Edit | Sketch | Library | Tools | Help |
# | Sketch |
menu.sketch = Sketch
menu.sketch.show_sketch_folder = Ver Pasta de Sketch
menu.sketch.add_file = Adicionar Ficheiro...
# | File | Edit | Sketch | Library | Tools | Help |
# | Library |
menu.library = Importar Biblioteca...
menu.library.add_library = Adicionar Biblioteca...
menu.library.contributed = Contribuidas
menu.library.no_core_libraries = O modo não tem bibliotecas incluídas
# | File | Edit | Sketch | Library | Tools | Help |
# | Tools |
menu.tools = Ferramentas
menu.tools.color_selector = Selector de Côr...
menu.tools.create_font = Criar Fonte...
menu.tools.archive_sketch = Arquivar Sketch
menu.tools.fix_the_serial_lbrary = Corrijir a Biblioteca Serial
menu.tools.install_processing_java = Instalar "processing-java"
menu.tools.add_tool = Adicionar Ferramenta...
# | File | Edit | Sketch | Library | Tools | Help |
# | Help |
menu.help = Ajuda
menu.help.about = Acerca do Processing
menu.help.environment = Ambiente
menu.help.reference = Referência
menu.help.find_in_reference = Procurar na Referência
menu.help.online = Online
menu.help.getting_started = Primeiros Passos
menu.help.getting_started.url = http://processing.org/learning/gettingstarted/
menu.help.troubleshooting = Resolução de Problemas
menu.help.troubleshooting.url = http://wiki.processing.org/w/Troubleshooting
menu.help.faq = Perguntas Mais Frequentes
menu.help.faq.url = http://wiki.processing.org/w/FAQ
menu.help.foundation = A Processing Foundation
menu.help.foundation.url = http://processing.org/foundation/
menu.help.visit = Visitar Processing.org
menu.help.visit.url = http://processing.org/
# ---------------------------------------
# Basics
# Buttons
prompt.yes = Sim
prompt.no = Não
prompt.cancel = Cancelar
prompt.ok = OK
prompt.browse = Procurar
prompt.export = Exportar
# ---------------------------------------
# Frames
# Open (Frame)
open = Abrir um sketch de Processing...
# Save (Frame)
save = Guardar pasta do sketch como...
save.title = Deseja guardar as alterções a este sketch<br> antes de fechar?
save.hint = Se não guardar as suas alterações serão perdidas.
save.btn.save = Guardar
save.btn.dont_save = Não Guardar
# Preferences (Frame)
preferences = Preferências
preferences.button.width = 80
preferences.requires_restart = requer reiniciar o Processing
preferences.sketchbook_location = Localização do Sketchook
preferences.language = Língua
preferences.editor_and_console_font = Fonte do Editor e da Consola
preferences.editor_font_size = Tamanho da fonte do Editor
preferences.console_font_size = Tamanho da fonte da Consola
preferences.background_color = Côr de fundo em modo de Apresentação
preferences.use_smooth_text = Utilizar texto suavizado na janela do editor
preferences.enable_complex_text_input = Activar inserção de caracteres complexos
preferences.enable_complex_text_input_example = ex. Japonês
preferences.continuously_check = Verificação contínua de erros
preferences.show_warnings = Mostrar avisos
preferences.code_completion = Auto-completar de código
preferences.trigger_with = Activar com
preferences.cmd_space = espaço
preferences.increase_max_memory = Aumentar tamanho máximo de memória para
preferences.delete_previous_folder_on_export = Apagar pasta anterior ao exportar
preferences.hide_toolbar_background_image = Esconder imagem de fundo da Aba/Aba de ferramentas
preferences.check_for_updates_on_startup = Verificar por actualizações ao iniciar
preferences.run_sketches_on_display = Executar sketches no ecrã
preferences.run_sketches_on_display.tip = \
Configura o ecrã onde os sketches se abrem inicialmente.<br>\
Como habitual, ao mover a janela do sketch, esta volta a abrir<br>\
na mesma localização. No entanto, quando em modo de apresentação<br>\
(ecrã inteiro), este ecrã será sempre utilizado.
preferences.automatically_associate_pde_files = Automaticamente associar ficheiros .pde com o Processing
preferences.launch_programs_in = Executar aplicações em
preferences.launch_programs_in.mode = modo
preferences.file = Mais preferências podem ser configuradas directamente no ficheiro
preferences.file.hint = editar apenas quando o Processing não está a ser executado
# Sketchbook Location (Frame)
sketchbook_location = Escolha a nova loclização do sketchbook
# Export (Frame)
export = Opções de Exportação
export.platforms = Plataformas
export.options = Opções
export.options.fullscreen = Ecrã Inteiro (Modo de Apresentação)
export.options.show_stop_button = Mostrar botão de Parar
export.description.line1 = Exportar para Aplicação cria uma aplicação executavél,
export.description.line2 = para as plataformas seleccionadas.
# Find (Frame)
find = Procurar
find.find = Procurar:
find.replace_with = Substituir por:
find.ignore_case = Ignorar Caixa
find.all_tabs = Todas as Abas
find.wrap_around = Continuar desde início
find.btn.replace_all = Substituir Todas
find.btn.replace = Substituir
find.btn.find_and_replace = Procurar e Substituir
find.btn.previous = Anterior
find.btn.find = Seguinte
# Find in reference (Frame)
find_in_reference = Procurar na Referência
# File (Frame)
file = Seleccionar uma imagem ou outro ficheiro de dados para copiar para o sketch
# Create Font (Frame)
create_font = Criar Fonte
# Color Selector (Frame)
color_selector = Selector de Côr
# Archive Sketch (Frame)
archive_sketch = Arquivar sketch como...
# ---------------------------------------
# Toolbar
# [Run/Present] [Stop] [New] [Open] [Save]
toolbar.run = Executar
toolbar.present = Apresentar
toolbar.stop = Parar
toolbar.new = Novo
toolbar.open = Abrir
toolbar.save = Guardr
toolbar.export_application = Exportar Aplicação
toolbar.add_mode = Adicionar modo...
# ---------------------------------------
# Editor
# [Tab1] [Tab2] [v]
editor.header.new_tab = Nova Aba
editor.header.rename = Renomear
editor.header.delete = Apagar
editor.header.previous_tab = Aba Anterior
editor.header.next_tab = Aba Seguinte
editor.header.delete.warning.title = Yah, não.
editor.header.delete.warning.text = Não pode apagar a última aba do último sketch aberto.
editor.status.autoformat.no_changes = Não foram necessárias alterações para a Auto Formatação.
editor.status.autoformat.finished = Auto Formatação completa.
editor.status.find_reference.select_word_first = Primeiro escolha uma palavra para procurar na referência.
editor.status.find_reference.not_available = Não existe refrência disponivel para "%s".
editor.status.drag_and_drop.files_added.0 = Nenhuns ficheiros foram adicionados ao sketch.
editor.status.drag_and_drop.files_added.1 = Um ficheiro adicionado ao sketch.
editor.status.drag_and_drop.files_added.n = %d ficheiros adicionados ao sketch.
editor.status.saving = A Guardar...
editor.status.saving.done = Guardado com sucesso.
editor.status.saving.canceled = Guardar cancelado.
editor.status.printing = A imprimir...
editor.status.printing.done = Impresso com sucesso.
editor.status.printing.error = Erro a imprimir.
editor.status.printing.canceled = Impressão cancelada.
# ---------------------------------------
# Contribution Panel
contrib.category = Categoria:
contrib.filter_your_search = Filtrar a sua procura...
contrib.undo = Desfazer
contrib.remove = Refazer
contrib.install = Instalar
contrib.progress.starting = A iniciar
contrib.progress.downloading = A descarregar
contrib.download_error = Ocorreu um erro a descarregar a contribuição.
contrib.unsupported_operating_system = O seu sistema operativo não parece ser suportado. Deve visitar a biblioteca %s para mais informação.

View File

@@ -1,221 +0,0 @@
# ---------------------------------------
# Language: Türkçe (Turkish) (tr)
# ---------------------------------------
# ---------------------------------------
# Menu
# | File | Edit | Sketch | Library | Tools | Help |
# | File |
menu.file = Dosya
menu.file.new = Yeni
menu.file.open = Aç...
menu.file.recent = En son
menu.file.sketchbook = Sketchbook...
menu.file.sketchbook.empty = Boş Sketchbook
menu.file.examples = Örnekler...
menu.file.close = Kapat
menu.file.save = Kaydet
menu.file.save_as = ... olarak Kaydet
menu.file.export_application = Aktar
menu.file.page_setup = Sayfa Yapısı
menu.file.print = Yazdır
menu.file.preferences = Tercihler
menu.file.quit = Çıkış
# | File | Edit | Sketch | Library | Tools | Help |
# | Edit |
menu.edit = Düzenle
menu.edit.undo = Geri Al
menu.edit.redo = İleri Al
menu.edit.cut = Kes
menu.edit.copy = Kopyala
menu.edit.copy_as_html = HTML olarak Kopyala
menu.edit.paste = Yapıştır
menu.edit.select_all = Tümünü Seç
menu.edit.auto_format = Otomatik Biçimlendir
menu.edit.comment_uncomment = Yorumla/Yorumu Kaldır
menu.edit.increase_indent = Girintiyi Artır
menu.edit.decrease_indent = Girintiyi Azalt
menu.edit.find = Bul..
menu.edit.find_next = Sonrakini Bul
menu.edit.find_previous = Öncekini Bul
menu.edit.use_selection_for_find = Seçimi Bul
# | File | Edit | Sketch | Library | Tools | Help |
# | Sketch |
menu.sketch = Sketch
menu.sketch.show_sketch_folder = Sketch Klasörünü Görüntüle
menu.sketch.add_file = Dosya Ekle...
# | File | Edit | Sketch | Library | Tools | Help |
# | Library |
menu.library = Kütüphane...
menu.library.add_library = Kütüphane Ekle...
menu.library.contributed = Yüklenenler
menu.library.no_core_libraries = Esas mod kütüphaneleri yoktur
# | File | Edit | Sketch | Library | Tools | Help |
# | Tools |
menu.tools = Araçlar
menu.tools.color_selector = Renk Seçici
menu.tools.create_font = Yazı Tipi Oluştur...
menu.tools.archive_sketch = Sketch'i Arşivle
menu.tools.fix_the_serial_lbrary = "Serial Kütüphanesi"ni Onar...
menu.tools.install_processing_java = "Processing-Java"yı Yükle...
menu.tools.add_tool = Araç Ekle...
# | File | Edit | Sketch | Library | Tools | Help |
# | Help |
menu.help = Yardım
menu.help.about = Processing Hakkında (en)
menu.help.environment = Ortam (en)
menu.help.reference = Referanslar (en)
menu.help.find_in_reference = Referanslarda Bul (en)
menu.help.online = Çevrimiçi
menu.help.getting_started = Başlarken (en)
menu.help.getting_started.url = http://processing.org/learning/gettingstarted/
menu.help.troubleshooting = Sorun Giderme (en)
menu.help.troubleshooting.url = http://wiki.processing.org/w/Troubleshooting
menu.help.faq = Sıkça Sorulan Sorular (en)
menu.help.faq.url = http://wiki.processing.org/w/FAQ
menu.help.foundation = "Processing Vakfı" (en)
menu.help.foundation.url = http://processing.org/foundation/
menu.help.visit = Processing.org'u Ziyaret Et (en)
menu.help.visit.url = http://processing.org/
# ---------------------------------------
# Basics
# Buttons
prompt.yes = Evet
prompt.no = Hayır
prompt.cancel = İptal
prompt.ok = Tamam
prompt.browse = Gözat
prompt.export = Aktar
# ---------------------------------------
# Frames
# Open (Frame)
open = Bir Processing Sketch'i Aç...
# Save (Frame)
save = Sketch Dosyasını Kaydet...
save.title = Kapatmadan önce yapılan son değişikleri<br> kaydetmek istiyor musunuz?
save.hint = Kaydedilmeyen değişiklikler kaybolur
save.btn.save = Kaydet
save.btn.dont_save = Kaydetme
# Preferences (Frame)
preferences = Tercihler
preferences.button.width = 110
preferences.requires_restart = Processing'i yeniden başlatmalısınız
preferences.sketchbook_location = Sketchbook'un Konumu
preferences.language = Dil
preferences.editor_and_console_font = Editör ve Konsol Yazı Tipi
preferences.editor_font_size = Editör Yazı Tipi Boyutu
preferences.console_font_size = Konsol Yazı Tipi Boyutu
preferences.background_color = Sunum sırasındaki arkaplan rengi
preferences.use_smooth_text = Editör penceresinde yazıyı yumuşat
preferences.enable_complex_text_input = Latin olmayan karakter girişini etkinleştir
preferences.enable_complex_text_input_example = örn.: Japonca,
preferences.continuously_check = Hataları sürekli tespit et
preferences.show_warnings = Uyarıları göster
preferences.code_completion = Otomatik kod tamamlama
preferences.trigger_with = ile Başlat
preferences.cmd_space = Boşluk
preferences.increase_max_memory = Kullanılabilir maksimum hafızayı artır
preferences.delete_previous_folder_on_export = Aktarırken önceki uygulama klasörünü sil
preferences.hide_toolbar_background_image = Araç çubuğu arkaplan görselini gizle
preferences.check_for_updates_on_startup = Başlangıçta güncellemeleri denetle
preferences.run_sketches_on_display = Ekranda çalışan sketch sayısı
preferences.automatically_associate_pde_files = .pde dosyalarını otomatik olarak Processing'le ilişkilendir
preferences.launch_programs_in = Programları çalıştır
preferences.launch_programs_in.mode = Mod
preferences.file = Dosya menüsünde bir çok ayarı düzenleyebilirsiniz
preferences.file.hint = Tercihleri düzenlemeden önce Processing Sketchlerini kapatın
# Sketchbook Location (Frame)
sketchbook_location = Sketchbook'un konumunu seç
# Sketchbook (Frame)
sketchbook = Sketchbook
sketchbook.tree = Sketchbook Ağacı
# examples (Frame)
examples = Örnekler
# Export (Frame)
export = Aktarım Seçenekleri
export.platforms = Platformlar
export.options = Seçenekler
export.options.fullscreen = Tam Ekran (Sunum Modu)
export.options.show_stop_button = Durdur butonunu göster
export.description.line1 = Uygulama Aktarımı iki platformda da bağımsız
export.description.line2 = olarak çalışabilen uygulamalar oluşturabilir.
# Find (Frame)
find = Bul
find.find = Bul:
find.replace_with = ile Değiştir:
find.ignore_case = Büyük/Küçük Harf'i Yoksay
find.all_tabs = Tüm Sekmelerde
find.wrap_around = Başa Dön
find.btn.replace_all = Tümünü Değiştir
find.btn.replace = Değiştir
find.btn.find_and_replace = Bul ve Değiştir
find.btn.previous = Önceki
find.btn.find = Bul
# Find in reference (Frame)
find_in_reference = Referans Bul (en)
# File (Frame)
file = Sketch'e eklemek için görüntü veya başka bir data dosyası seç
# Create Font (Frame)
create_font = Yazı Tipi Oluştur
# Color Selector (Frame)
color_selector = Renk Seçici
# Archive Sketch (Frame)
archive_sketch = ... olarak Arşivle
# ---------------------------------------
# Toolbar
# [Run/Present] [Stop] [New] [Open] [Save]
toolbar.run = Çalıştır
toolbar.present = Sürmekte
toolbar.stop = Durdur
toolbar.new = Yeni
toolbar.open =
toolbar.save = Kaydet
toolbar.export_application = Uygulama Aktarımı
toolbar.add_mode = Mod ekle...
# ---------------------------------------
# Editor
# [Tab1] [Tab2] [v]
editor.header.new_tab = Yeni Sekme
editor.header.rename = Yeniden İsimlendir
editor.header.delete = Sil
editor.header.previous_tab = Önceki Sekme
editor.header.next_tab = Sonraki Sekme
editor.header.delete.warning.title = Evet, hayır.
editor.header.delete.warning.text = Aktif sketchteki son sekmeyi silemezsin.
# ---------------------------------------
# Contribution Panel
contrib.category = Kategori:
contrib.filter_your_search = Aramayı Filtrele...

View File

@@ -1,278 +0,0 @@
# ---------------------------------------
# CHINESE (zh)
# ---------------------------------------
# ---------------------------------------
# Menu
# | File | Edit | Sketch | Library | Tools | Help |
# | File |
menu.file = 文件
menu.file.new = 新建
menu.file.open = 打开...
menu.file.recent = 打开最近项目
menu.file.sketchbook = 速写本...
menu.file.examples = 范例程序...
menu.file.close = 关闭
menu.file.save = 保存
menu.file.save_as = 另存为...
menu.file.export_application = 输出程序...
menu.file.page_setup = 页面设置
menu.file.print = 打印...
menu.file.preferences = 偏好设定...
menu.file.quit = 退出
# | File | Edit | Sketch | Library | Tools | Help |
# | Edit |
menu.edit = 编辑
menu.edit.undo = 撤销
menu.edit.redo = 重做
menu.edit.cut = 剪切
menu.edit.copy = 复制
menu.edit.copy_as_html = 复制为HTML
menu.edit.paste = 黏贴
menu.edit.select_all = 全部选择
menu.edit.auto_format = 自动对齐
menu.edit.comment_uncomment = 注释/取消注释
menu.edit.increase_indent = 增加缩进量
menu.edit.decrease_indent = 减少缩进量
menu.edit.find = 查找...
menu.edit.find_next = 查找下一个
menu.edit.find_previous = 查找上一个
menu.edit.use_selection_for_find = 使用当前选定查找
# | File | Edit | Sketch | Library | Tools | Help |
# | Sketch |
menu.sketch = 速写本
menu.sketch.show_sketch_folder = 打开程序目录
menu.sketch.add_file = 添加文件...
# | File | Edit | Sketch | Library | Tools | Help |
# | Library |
menu.library = 引用库文件...
menu.library.add_library = 添加库文件...
menu.library.contributed = 第三方贡献库
menu.library.no_core_libraries = 该模式下无核心库文件
# | File | Edit | Sketch | Library | Tools | Help |
# | Tools |
menu.tools = 工具
menu.tools.color_selector = 颜色选择器...
menu.tools.create_font = 创建字体...
menu.tools.archive_sketch = 速写本压缩输出
menu.tools.fix_the_serial_lbrary = 修复串口库文件
menu.tools.install_processing_java = 安装 "processing-java"
menu.tools.add_tool = 添加工具...
# | File | Edit | Sketch | Library | Tools | Help |
# | Help |
menu.help = 帮助
menu.help.about = 关于 Processing
menu.help.environment = 开发环境
menu.help.reference = 参考文档
menu.help.find_in_reference = 在文档中查询
menu.help.online = 在线
menu.help.getting_started = 入门帮助
menu.help.getting_started.url = http://processing.org/learning/gettingstarted/
menu.help.troubleshooting = 问题排除
menu.help.troubleshooting.url = http://wiki.processing.org/w/Troubleshooting
menu.help.faq = 常见问题解答
menu.help.faq.url = http://wiki.processing.org/w/FAQ
menu.help.foundation = The Processing Foundation
menu.help.foundation.url = http://processing.org/foundation/
menu.help.visit = 访问 Processing.org
menu.help.visit.url = http://processing.org/
# ---------------------------------------
# Basics
# Buttons
prompt.yes =
prompt.no =
prompt.cancel = 取消
prompt.ok = 确认
prompt.browse = 浏览
prompt.export = 输出
# ---------------------------------------
# Frames
# Open (Frame)
open = 打开 Processing 速写本...
# Save (Frame)
save = 保存速写本文件夹为...
save.title = 在关闭前你想要保存该速写本更改内容么<br>?
save.hint = 如果你没保存, 你所有的更改内容将丢失.
save.btn.save = 保存
save.btn.dont_save = 不保存
# Preferences (Frame)
preferences = 偏好设置
preferences.button.width = 80
preferences.requires_restart = 需要重启 Processing
preferences.sketchbook_location = 速写本位置
preferences.sketchbook_location.popup = 速写本位置
preferences.language = 语言
preferences.editor_and_console_font = 编辑器和控制台字体
preferences.editor_and_console_font.tip = \
为编辑器和控制台选择字体.<br>\
Only monospaced (fixed-width) fonts may be used,<br>\
though the list may be imperfect.
preferences.editor_font_size = 编辑器字体大小
preferences.console_font_size = 控制台字体大小
preferences.background_color = 展示模式时的背景颜色
preferences.background_color.tip = \
选择背景颜色当使用展示模式时.<br>\
展示模式通常被用来在全屏模式下展示速写程序,<br>\
可从速写本菜单中访问.
preferences.use_smooth_text = 在编辑器窗口中使用平滑字体
preferences.enable_complex_text_input = 启用复杂字体输入
preferences.enable_complex_text_input_example = i.e. Japanese
preferences.continuously_check = 不断检查错误
preferences.show_warnings = 显示警告
preferences.code_completion = Code completion
preferences.trigger_with = Trigger with
preferences.cmd_space = space
preferences.increase_max_memory = 增加最大内存至
preferences.delete_previous_folder_on_export = 当导出时删除先前的文件夹
preferences.hide_toolbar_background_image = 隐藏标签/工具栏背景图片
preferences.check_for_updates_on_startup = 在启动时检查有无更新
preferences.run_sketches_on_display = Run sketches on display
preferences.run_sketches_on_display.tip = \
Sets the display where sketches are initially placed.<br>\
As usual, if the sketch window is moved, it will re-open<br>\
at the same location, however when running in present<br>\
(full screen) mode, this display will always be used.
preferences.automatically_associate_pde_files = 自动关联 .pde 文件通过 Processing
preferences.launch_programs_in = Launch programs in
preferences.launch_programs_in.mode = 模式
preferences.file = 更多选项可直接编辑该文件
preferences.file.hint = 请在Processing不在运行时编辑该文件
# Sketchbook Location (Frame)
sketchbook_location = 选择新速写本位置
# Sketchbook (Frame)
sketchbook = Sketchbook
sketchbook.tree = Sketchbook
# examples (Frame)
examples = 范例程序
# Export (Frame)
export = 输出选项
export.platforms = 系统平台
export.options = 选项
export.options.fullscreen = 全屏 (展示模式)
export.options.show_stop_button = 显示停止按钮
export.description.line1 = 为输出程序创建双击事件,
export.description.line2 = 为所选系统创建独立运行程序.
# Find (Frame)
find = 搜索
find.find = 搜索:
find.replace_with = 替换为:
find.ignore_case = 忽略大小写
find.all_tabs = 所有标签
find.wrap_around = Wrap Around
find.btn.replace_all = 全部替换
find.btn.replace = 替换
find.btn.find_and_replace = 搜索 & 替换
find.btn.previous = 上一个
find.btn.find = 搜索
# Find in reference (Frame)
find_in_reference = 在参考文档中搜索
# Library Manager (Frame)
library.category = 目录:
library.filter_your_search = 筛查需找...
# File (Frame)
file = 选择一个图片或其它文件拷贝至你的速写本中
# Create Font (Frame)
create_font = 创建字体
# Color Selector (Frame)
color_selector = 颜色选择
# Archive Sketch (Frame)
archive_sketch = 速写本压缩输出...
# ---------------------------------------
# Toolbar
# [Run/Present] [Stop] [New] [Open] [Save]
toolbar.run = 运行
toolbar.present = 展示模式
toolbar.stop = 停止
toolbar.new = 新建
toolbar.open = 打开
toolbar.save = 保存
toolbar.export_application = 导出程序
toolbar.add_mode = 添加模式...
# ---------------------------------------
# Editor
# [Tab1] [Tab2] [v]
editor.header.new_tab = 新建标签
editor.header.rename = 重命名
editor.header.delete = 删除
editor.header.previous_tab = 前一个标签
editor.header.next_tab = 后一个标签
editor.header.delete.warning.title = Yeah, no.
editor.header.delete.warning.text = You can't delete the last tab of the last open sketch.
# Tabs
editor.tab.new = 新文件名
editor.tab.new.description = 新文件名称
editor.tab.rename = 新文件名
editor.tab.rename.description = 新文件名称
# Sketch
editor.sketch.rename.description = New name for sketch
editor.status.autoformat.no_changes = No changes necessary for Auto Format.
editor.status.autoformat.finished = Auto Format finished.
editor.status.find_reference.select_word_first = First select a word to find in the reference.
editor.status.find_reference.not_available = No reference available for "%s".
editor.status.drag_and_drop.files_added.0 = No files were added to the sketch.
editor.status.drag_and_drop.files_added.1 = One file added to the sketch.
editor.status.drag_and_drop.files_added.n = %d files added to the sketch.
editor.status.saving = 保存中...
editor.status.saving.done = 保存完成.
editor.status.saving.canceled = 取消保存.
editor.status.printing = 打印中...
editor.status.printing.done = 打印完毕.
editor.status.printing.error = 打印时出错.
editor.status.printing.canceled = 取消打印.
# ---------------------------------------
# Contribution Panel
contrib.undo = 撤销
contrib.remove = 移除
contrib.install = 安装
contrib.progress.starting = 开始
contrib.progress.downloading = 下载
contrib.download_error = 下载时出现问题.
contrib.unsupported_operating_system = 你当前的操作系统似乎不被支持. 你应该访问 %s's 该库文件地址得到更多信息.
# ---------------------------------------
# Warnings
warn.delete = 删除
warn.delete.sketch = 你确定要删除该速写本?
warn.delete.file = 你确定删除 "%s"?

View File

@@ -1,17 +0,0 @@
# List of supported language codes
# http://en.wikipedia.org/wiki/ISO_639-1
# http://en.wikipedia.org/wiki/List_of_ISO_639-1_codes
# Add new languages in alphabetical order to (slightly)
# reduce the risk of merge conflicts
de # German, Deutsch
en # English, English
el # Greek
es # Spanish
fr # French, Français, Langue française
ja # Japanese
ko # Korean
nl # Dutch, Nederlands
pt # Portuguese
zh # Chinese