##// END OF EJS Templates
* Updated German translation (Thomas Löber)...
Jean-Philippe Lang -
r921:233990dac389
parent child
Show More
@@ -1,105 +1,105
1 # redMine - project management software
1 # redMine - project management software
2 # Copyright (C) 2006-2007 Jean-Philippe Lang
2 # Copyright (C) 2006-2007 Jean-Philippe Lang
3 #
3 #
4 # This program is free software; you can redistribute it and/or
4 # This program is free software; you can redistribute it and/or
5 # modify it under the terms of the GNU General Public License
5 # modify it under the terms of the GNU General Public License
6 # as published by the Free Software Foundation; either version 2
6 # as published by the Free Software Foundation; either version 2
7 # of the License, or (at your option) any later version.
7 # of the License, or (at your option) any later version.
8 #
8 #
9 # This program is distributed in the hope that it will be useful,
9 # This program is distributed in the hope that it will be useful,
10 # but WITHOUT ANY WARRANTY; without even the implied warranty of
10 # but WITHOUT ANY WARRANTY; without even the implied warranty of
11 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
11 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
12 # GNU General Public License for more details.
12 # GNU General Public License for more details.
13 #
13 #
14 # You should have received a copy of the GNU General Public License
14 # You should have received a copy of the GNU General Public License
15 # along with this program; if not, write to the Free Software
15 # along with this program; if not, write to the Free Software
16 # Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
16 # Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
17
17
18 require "digest/md5"
18 require "digest/md5"
19
19
20 class Attachment < ActiveRecord::Base
20 class Attachment < ActiveRecord::Base
21 belongs_to :container, :polymorphic => true
21 belongs_to :container, :polymorphic => true
22 belongs_to :author, :class_name => "User", :foreign_key => "author_id"
22 belongs_to :author, :class_name => "User", :foreign_key => "author_id"
23
23
24 validates_presence_of :container, :filename, :author
24 validates_presence_of :container, :filename, :author
25 validates_length_of :filename, :maximum => 255
25 validates_length_of :filename, :maximum => 255
26 validates_length_of :disk_filename, :maximum => 255
26 validates_length_of :disk_filename, :maximum => 255
27
27
28 acts_as_event :title => :filename,
28 acts_as_event :title => :filename,
29 :description => :filename,
29 :description => :filename,
30 :url => Proc.new {|o| {:controller => 'attachments', :action => 'download', :id => o.id}}
30 :url => Proc.new {|o| {:controller => 'attachments', :action => 'download', :id => o.id}}
31
31
32 cattr_accessor :storage_path
32 cattr_accessor :storage_path
33 @@storage_path = "#{RAILS_ROOT}/files"
33 @@storage_path = "#{RAILS_ROOT}/files"
34
34
35 def validate
35 def validate
36 errors.add_to_base :too_long if self.filesize > Setting.attachment_max_size.to_i.kilobytes
36 errors.add_to_base :too_long if self.filesize > Setting.attachment_max_size.to_i.kilobytes
37 end
37 end
38
38
39 def file=(incomming_file)
39 def file=(incomming_file)
40 unless incomming_file.nil?
40 unless incomming_file.nil?
41 @temp_file = incomming_file
41 @temp_file = incomming_file
42 if @temp_file.size > 0
42 if @temp_file.size > 0
43 self.filename = sanitize_filename(@temp_file.original_filename)
43 self.filename = sanitize_filename(@temp_file.original_filename)
44 self.disk_filename = DateTime.now.strftime("%y%m%d%H%M%S") + "_" + self.filename
44 self.disk_filename = DateTime.now.strftime("%y%m%d%H%M%S") + "_" + self.filename
45 self.content_type = @temp_file.content_type.chomp
45 self.content_type = @temp_file.content_type.chomp
46 self.filesize = @temp_file.size
46 self.filesize = @temp_file.size
47 end
47 end
48 end
48 end
49 end
49 end
50
50
51 def file
51 def file
52 nil
52 nil
53 end
53 end
54
54
55 # Copy temp file to its final location
55 # Copy temp file to its final location
56 def before_save
56 def before_save
57 if @temp_file && (@temp_file.size > 0)
57 if @temp_file && (@temp_file.size > 0)
58 logger.debug("saving '#{self.diskfile}'")
58 logger.debug("saving '#{self.diskfile}'")
59 File.open(diskfile, "wb") do |f|
59 File.open(diskfile, "wb") do |f|
60 f.write(@temp_file.read)
60 f.write(@temp_file.read)
61 end
61 end
62 self.digest = Digest::MD5.hexdigest(File.read(diskfile))
62 self.digest = Digest::MD5.hexdigest(File.read(diskfile))
63 end
63 end
64 # Don't save the content type if it's longer than the authorized length
64 # Don't save the content type if it's longer than the authorized length
65 if self.content_type && self.content_type.length > 255
65 if self.content_type && self.content_type.length > 255
66 self.content_type = nil
66 self.content_type = nil
67 end
67 end
68 end
68 end
69
69
70 # Deletes file on the disk
70 # Deletes file on the disk
71 def after_destroy
71 def after_destroy
72 if self.filename?
72 if self.filename?
73 File.delete(diskfile) if File.exist?(diskfile)
73 File.delete(diskfile) if File.exist?(diskfile)
74 end
74 end
75 end
75 end
76
76
77 # Returns file's location on disk
77 # Returns file's location on disk
78 def diskfile
78 def diskfile
79 "#{@@storage_path}/#{self.disk_filename}"
79 "#{@@storage_path}/#{self.disk_filename}"
80 end
80 end
81
81
82 def increment_download
82 def increment_download
83 increment!(:downloads)
83 increment!(:downloads)
84 end
84 end
85
85
86 def project
86 def project
87 container.is_a?(Project) ? container : container.project
87 container.project
88 end
88 end
89
89
90 def image?
90 def image?
91 self.filename =~ /\.(jpeg|jpg|gif|png)$/i
91 self.filename =~ /\.(jpeg|jpg|gif|png)$/i
92 end
92 end
93
93
94 private
94 private
95 def sanitize_filename(value)
95 def sanitize_filename(value)
96 # get only the filename, not the whole path
96 # get only the filename, not the whole path
97 just_filename = value.gsub(/^.*(\\|\/)/, '')
97 just_filename = value.gsub(/^.*(\\|\/)/, '')
98 # NOTE: File.basename doesn't work right with Windows paths on Unix
98 # NOTE: File.basename doesn't work right with Windows paths on Unix
99 # INCORRECT: just_filename = File.basename(value.gsub('\\\\', '/'))
99 # INCORRECT: just_filename = File.basename(value.gsub('\\\\', '/'))
100
100
101 # Finally, replace all non alphanumeric, underscore or periods with underscore
101 # Finally, replace all non alphanumeric, underscore or periods with underscore
102 @filename = just_filename.gsub(/[^\w\.\-]/,'_')
102 @filename = just_filename.gsub(/[^\w\.\-]/,'_')
103 end
103 end
104
104
105 end
105 end
@@ -1,548 +1,548
1 _gloc_rule_default: '|n| n==1 ? "" : "_plural" '
1 _gloc_rule_default: '|n| n==1 ? "" : "_plural" '
2
2
3 actionview_datehelper_select_day_prefix:
3 actionview_datehelper_select_day_prefix:
4 actionview_datehelper_select_month_names: Januar,Februar,März,April,Mai,Juni,Juli,August,September,Oktober,November,Dezember
4 actionview_datehelper_select_month_names: Januar,Februar,März,April,Mai,Juni,Juli,August,September,Oktober,November,Dezember
5 actionview_datehelper_select_month_names_abbr: Jan,Feb,Mär,Apr,Mai,Jun,Jul,Aug,Sep,Okt,Nov,Dez
5 actionview_datehelper_select_month_names_abbr: Jan,Feb,Mär,Apr,Mai,Jun,Jul,Aug,Sep,Okt,Nov,Dez
6 actionview_datehelper_select_month_prefix:
6 actionview_datehelper_select_month_prefix:
7 actionview_datehelper_select_year_prefix:
7 actionview_datehelper_select_year_prefix:
8 actionview_datehelper_time_in_words_day: 1 Tag
8 actionview_datehelper_time_in_words_day: 1 Tag
9 actionview_datehelper_time_in_words_day_plural: %d Tage
9 actionview_datehelper_time_in_words_day_plural: %d Tagen
10 actionview_datehelper_time_in_words_hour_about: ungefähr eine Stunde
10 actionview_datehelper_time_in_words_hour_about: ungefähr einer Stunde
11 actionview_datehelper_time_in_words_hour_about_plural: ungefähr %d Stunden
11 actionview_datehelper_time_in_words_hour_about_plural: ungefähr %d Stunden
12 actionview_datehelper_time_in_words_hour_about_single: ungefähr eine Stunde
12 actionview_datehelper_time_in_words_hour_about_single: ungefähr einer Stunde
13 actionview_datehelper_time_in_words_minute: 1 Minute
13 actionview_datehelper_time_in_words_minute: 1 Minute
14 actionview_datehelper_time_in_words_minute_half: halbe Minute
14 actionview_datehelper_time_in_words_minute_half: einer halben Minute
15 actionview_datehelper_time_in_words_minute_less_than: weniger als eine Minute
15 actionview_datehelper_time_in_words_minute_less_than: weniger als einer Minute
16 actionview_datehelper_time_in_words_minute_plural: %d Minuten
16 actionview_datehelper_time_in_words_minute_plural: %d Minuten
17 actionview_datehelper_time_in_words_minute_single: 1 Minute
17 actionview_datehelper_time_in_words_minute_single: 1 Minute
18 actionview_datehelper_time_in_words_second_less_than: Weniger als eine Sekunde
18 actionview_datehelper_time_in_words_second_less_than: weniger als einer Sekunde
19 actionview_datehelper_time_in_words_second_less_than_plural: weniger als %d Sekunden
19 actionview_datehelper_time_in_words_second_less_than_plural: weniger als %d Sekunden
20 actionview_instancetag_blank_option: Bitte auswählen
20 actionview_instancetag_blank_option: Bitte auswählen
21
21
22 activerecord_error_inclusion: ist nicht inbegriffen
22 activerecord_error_inclusion: ist nicht inbegriffen
23 activerecord_error_exclusion: ist reserviert
23 activerecord_error_exclusion: ist reserviert
24 activerecord_error_invalid: ist unzulässig
24 activerecord_error_invalid: ist unzulässig
25 activerecord_error_confirmation: Bestätigung nötig
25 activerecord_error_confirmation: Bestätigung nötig
26 activerecord_error_accepted: muss angenommen werden
26 activerecord_error_accepted: muss angenommen werden
27 activerecord_error_empty: darf nicht leer sein
27 activerecord_error_empty: darf nicht leer sein
28 activerecord_error_blank: darf nicht leer sein
28 activerecord_error_blank: darf nicht leer sein
29 activerecord_error_too_long: ist zu lang
29 activerecord_error_too_long: ist zu lang
30 activerecord_error_too_short: ist zu kurz
30 activerecord_error_too_short: ist zu kurz
31 activerecord_error_wrong_length: hat die falsche Länge
31 activerecord_error_wrong_length: hat die falsche Länge
32 activerecord_error_taken: ist bereits vergeben
32 activerecord_error_taken: ist bereits vergeben
33 activerecord_error_not_a_number: ist keine Zahl
33 activerecord_error_not_a_number: ist keine Zahl
34 activerecord_error_not_a_date: ist kein gültiges Datum
34 activerecord_error_not_a_date: ist kein gültiges Datum
35 activerecord_error_greater_than_start_date: muss größer als Anfangsdatum sein
35 activerecord_error_greater_than_start_date: muss größer als Anfangsdatum sein
36 activerecord_error_not_same_project: gehört nicht zum selben Projekt
36 activerecord_error_not_same_project: gehört nicht zum selben Projekt
37 activerecord_error_circular_dependency: Diese Beziehung würde eine zyklische Abhängigkeit erzeugen
37 activerecord_error_circular_dependency: Diese Beziehung würde eine zyklische Abhängigkeit erzeugen
38
38
39 general_fmt_age: %d Jahr
39 general_fmt_age: %d Jahr
40 general_fmt_age_plural: %d Jahre
40 general_fmt_age_plural: %d Jahre
41 general_fmt_date: %%d.%%m.%%y
41 general_fmt_date: %%d.%%m.%%y
42 general_fmt_datetime: %%d.%%m.%%y, %%H:%%M
42 general_fmt_datetime: %%d.%%m.%%y, %%H:%%M
43 general_fmt_datetime_short: %%d.%%m, %%H:%%M
43 general_fmt_datetime_short: %%d.%%m, %%H:%%M
44 general_fmt_time: %%H:%%M
44 general_fmt_time: %%H:%%M
45 general_text_No: 'Nein'
45 general_text_No: 'Nein'
46 general_text_Yes: 'Ja'
46 general_text_Yes: 'Ja'
47 general_text_no: 'nein'
47 general_text_no: 'nein'
48 general_text_yes: 'ja'
48 general_text_yes: 'ja'
49 general_lang_name: 'Deutsch'
49 general_lang_name: 'Deutsch'
50 general_csv_separator: ';'
50 general_csv_separator: ';'
51 general_csv_encoding: ISO-8859-1
51 general_csv_encoding: ISO-8859-1
52 general_pdf_encoding: ISO-8859-1
52 general_pdf_encoding: ISO-8859-1
53 general_day_names: Montag,Dienstag,Mittwoch,Donnerstag,Freitag,Samstag,Sonntag
53 general_day_names: Montag,Dienstag,Mittwoch,Donnerstag,Freitag,Samstag,Sonntag
54 general_first_day_of_week: '1'
54 general_first_day_of_week: '1'
55
55
56 notice_account_updated: Konto wurde erfolgreich aktualisiert.
56 notice_account_updated: Konto wurde erfolgreich aktualisiert.
57 notice_account_invalid_creditentials: Benutzer oder Kennwort unzulässig
57 notice_account_invalid_creditentials: Benutzer oder Kennwort unzulässig
58 notice_account_password_updated: Kennwort wurde erfolgreich aktualisiert.
58 notice_account_password_updated: Kennwort wurde erfolgreich aktualisiert.
59 notice_account_wrong_password: Falsches Kennwort
59 notice_account_wrong_password: Falsches Kennwort
60 notice_account_register_done: Konto wurde erfolgreich angelegt.
60 notice_account_register_done: Konto wurde erfolgreich angelegt.
61 notice_account_unknown_email: Unbekannter Benutzer.
61 notice_account_unknown_email: Unbekannter Benutzer.
62 notice_can_t_change_password: Dieses Konto verwendet eine externe Authentifizierungs-Quelle. Unmöglich, das Kennwort zu ändern.
62 notice_can_t_change_password: Dieses Konto verwendet eine externe Authentifizierungs-Quelle. Unmöglich, das Kennwort zu ändern.
63 notice_account_lost_email_sent: Eine E-Mail mit Anweisungen, ein neues Kennwort zu wählen, wurde Ihnen geschickt.
63 notice_account_lost_email_sent: Eine E-Mail mit Anweisungen, ein neues Kennwort zu wählen, wurde Ihnen geschickt.
64 notice_account_activated: Ihr Konto ist aktiviert. Sie können sich jetzt anmelden.
64 notice_account_activated: Ihr Konto ist aktiviert. Sie können sich jetzt anmelden.
65 notice_successful_create: Erfolgreich angelegt
65 notice_successful_create: Erfolgreich angelegt
66 notice_successful_update: Erfolgreich aktualisiert.
66 notice_successful_update: Erfolgreich aktualisiert.
67 notice_successful_delete: Erfolgreich gelöscht.
67 notice_successful_delete: Erfolgreich gelöscht.
68 notice_successful_connection: Verbindung erfolgreich.
68 notice_successful_connection: Verbindung erfolgreich.
69 notice_file_not_found: Anhang besteht nicht oder ist gelöscht worden.
69 notice_file_not_found: Anhang besteht nicht oder ist gelöscht worden.
70 notice_locking_conflict: Datum wurde von einem anderen Benutzer geändert.
70 notice_locking_conflict: Datum wurde von einem anderen Benutzer geändert.
71 notice_scm_error: Eintrag und/oder Revision besteht nicht im Projektarchiv.
71 notice_scm_error: Eintrag und/oder Revision besteht nicht im Projektarchiv.
72 notice_not_authorized: Sie sind nicht berechtigt, auf diese Seite zuzugreifen.
72 notice_not_authorized: Sie sind nicht berechtigt, auf diese Seite zuzugreifen.
73 notice_email_sent: Eine E-Mail wurde an %s gesendet.
73 notice_email_sent: Eine E-Mail wurde an %s gesendet.
74 notice_email_error: Beim Senden einer E-Mail ist ein Fehler aufgetreten (%s).
74 notice_email_error: Beim Senden einer E-Mail ist ein Fehler aufgetreten (%s).
75 notice_feeds_access_key_reseted: Ihr RSS-Zugriffsschlüssel wurde zurückgesetzt.
75 notice_feeds_access_key_reseted: Ihr RSS-Zugriffsschlüssel wurde zurückgesetzt.
76
76
77 mail_subject_lost_password: Ihr Redmine Kennwort
77 mail_subject_lost_password: Ihr Redmine-Kennwort
78 mail_body_lost_password: 'Benutzen Sie folgenden Link, um das Password zu Ãndern:'
78 mail_body_lost_password: 'Benutzen Sie den folgenden Link, um Ihr Kennwort zu ändern:'
79 mail_subject_register: Redmine Kontoaktivierung
79 mail_subject_register: Redmine Kontoaktivierung
80 mail_body_register: 'Um Ihren Account zu aktivieren, benutzen Sie folgenden Link:'
80 mail_body_register: 'Um Ihr Konto zu aktivieren, benutzen Sie folgenden Link:'
81
81
82 gui_validation_error: 1 Fehler
82 gui_validation_error: 1 Fehler
83 gui_validation_error_plural: %d Fehler
83 gui_validation_error_plural: %d Fehler
84
84
85 field_name: Name
85 field_name: Name
86 field_description: Beschreibung
86 field_description: Beschreibung
87 field_summary: Zusammenfassung
87 field_summary: Zusammenfassung
88 field_is_required: Erforderlich
88 field_is_required: Erforderlich
89 field_firstname: Vorname
89 field_firstname: Vorname
90 field_lastname: Nachname
90 field_lastname: Nachname
91 field_mail: Email
91 field_mail: E-Mail
92 field_filename: Datei
92 field_filename: Datei
93 field_filesize: Größe
93 field_filesize: Größe
94 field_downloads: Downloads
94 field_downloads: Downloads
95 field_author: Autor
95 field_author: Autor
96 field_created_on: Angelegt
96 field_created_on: Angelegt
97 field_updated_on: Aktualisiert
97 field_updated_on: Aktualisiert
98 field_field_format: Format
98 field_field_format: Format
99 field_is_for_all: Für alle Projekte
99 field_is_for_all: Für alle Projekte
100 field_possible_values: Mögliche Werte
100 field_possible_values: Mögliche Werte
101 field_regexp: Regulärer Ausdruck
101 field_regexp: Regulärer Ausdruck
102 field_min_length: Minimale Länge
102 field_min_length: Minimale Länge
103 field_max_length: Maximale Länge
103 field_max_length: Maximale Länge
104 field_value: Wert
104 field_value: Wert
105 field_category: Kategorie
105 field_category: Kategorie
106 field_title: Titel
106 field_title: Titel
107 field_project: Projekt
107 field_project: Projekt
108 field_issue: Ticket
108 field_issue: Ticket
109 field_status: Status
109 field_status: Status
110 field_notes: Kommentare
110 field_notes: Kommentare
111 field_is_closed: Problem erledigt
111 field_is_closed: Problem erledigt
112 field_is_default: Default
112 field_is_default: Default
113 field_tracker: Tracker
113 field_tracker: Tracker
114 field_subject: Thema
114 field_subject: Thema
115 field_due_date: Abgabedatum
115 field_due_date: Abgabedatum
116 field_assigned_to: Zugewiesen an
116 field_assigned_to: Zugewiesen an
117 field_priority: Priorität
117 field_priority: Priorität
118 field_fixed_version: Erledigt in Version
118 field_fixed_version: Erledigt in Version
119 field_user: Benutzer
119 field_user: Benutzer
120 field_role: Rolle
120 field_role: Rolle
121 field_homepage: Startseite
121 field_homepage: Startseite
122 field_is_public: Öffentlich
122 field_is_public: Öffentlich
123 field_parent: Unterprojekt von
123 field_parent: Unterprojekt von
124 field_is_in_chlog: Ansicht im Change-Log
124 field_is_in_chlog: Ansicht im Change-Log
125 field_is_in_roadmap: Ansicht in der Roadmap
125 field_is_in_roadmap: Ansicht in der Roadmap
126 field_login: Mitgliedsname
126 field_login: Mitgliedsname
127 field_mail_notification: Mailbenachrichtigung
127 field_mail_notification: Mailbenachrichtigung
128 field_admin: Administrator
128 field_admin: Administrator
129 field_last_login_on: Letzte Anmeldung
129 field_last_login_on: Letzte Anmeldung
130 field_language: Sprache
130 field_language: Sprache
131 field_effective_date: Datum
131 field_effective_date: Datum
132 field_password: Kennwort
132 field_password: Kennwort
133 field_new_password: Neues Kennwort
133 field_new_password: Neues Kennwort
134 field_password_confirmation: Bestätigung
134 field_password_confirmation: Bestätigung
135 field_version: Version
135 field_version: Version
136 field_type: Typ
136 field_type: Typ
137 field_host: Host
137 field_host: Host
138 field_port: Port
138 field_port: Port
139 field_account: Konto
139 field_account: Konto
140 field_base_dn: Base DN
140 field_base_dn: Base DN
141 field_attr_login: Mitgliedsname-Attribut
141 field_attr_login: Mitgliedsname-Attribut
142 field_attr_firstname: Vorname-Attribut
142 field_attr_firstname: Vorname-Attribut
143 field_attr_lastname: Name-Attribut
143 field_attr_lastname: Name-Attribut
144 field_attr_mail: E-Mail-Attribut
144 field_attr_mail: E-Mail-Attribut
145 field_onthefly: On-the-fly-Benutzererstellung
145 field_onthefly: On-the-fly-Benutzererstellung
146 field_start_date: Beginn
146 field_start_date: Beginn
147 field_done_ratio: %% erledigt
147 field_done_ratio: %% erledigt
148 field_auth_source: Authentifizierungs-Modus
148 field_auth_source: Authentifizierungs-Modus
149 field_hide_mail: Email-Adresse nicht anzeigen
149 field_hide_mail: E-Mail-Adresse nicht anzeigen
150 field_comments: Kommentar
150 field_comments: Kommentar
151 field_url: URL
151 field_url: URL
152 field_start_page: Hauptseite
152 field_start_page: Hauptseite
153 field_subproject: Subprojekt von
153 field_subproject: Subprojekt von
154 field_hours: Stunden
154 field_hours: Stunden
155 field_activity: Aktivität
155 field_activity: Aktivität
156 field_spent_on: Datum
156 field_spent_on: Datum
157 field_identifier: Kennung
157 field_identifier: Kennung
158 field_is_filter: Als Fiter benutzen
158 field_is_filter: Als Fiter benutzen
159 field_issue_to_id: Zugehöriges Ticket
159 field_issue_to_id: Zugehöriges Ticket
160 field_delay: Pufferzeit
160 field_delay: Pufferzeit
161 field_assignable: Tickets können dieser Rolle zugewiesen werden
161 field_assignable: Tickets können dieser Rolle zugewiesen werden
162 field_redirect_existing_links: Existierende Links umleiten
162 field_redirect_existing_links: Existierende Links umleiten
163 field_estimated_hours: Geschätzter Aufwand
163 field_estimated_hours: Geschätzter Aufwand
164
164
165 setting_app_title: Applikations-Titel
165 setting_app_title: Applikations-Titel
166 setting_app_subtitle: Applikations-Untertitel
166 setting_app_subtitle: Applikations-Untertitel
167 setting_welcome_text: Willkommenstext
167 setting_welcome_text: Willkommenstext
168 setting_default_language: Default-Sprache
168 setting_default_language: Default-Sprache
169 setting_login_required: Authentisierung erforderlich
169 setting_login_required: Authentisierung erforderlich
170 setting_self_registration: Anmeldung ermöglicht
170 setting_self_registration: Anmeldung ermöglicht
171 setting_attachment_max_size: Max. Dateigröße
171 setting_attachment_max_size: Max. Dateigröße
172 setting_issues_export_limit: Max. Anzahl Tickets bei CSV/PDF-Export
172 setting_issues_export_limit: Max. Anzahl Tickets bei CSV/PDF-Export
173 setting_mail_from: E-Mail-Absender
173 setting_mail_from: E-Mail-Absender
174 setting_host_name: Hostname
174 setting_host_name: Hostname
175 setting_text_formatting: Textformatierung
175 setting_text_formatting: Textformatierung
176 setting_wiki_compression: Wiki-Historie komprimieren
176 setting_wiki_compression: Wiki-Historie komprimieren
177 setting_feeds_limit: Feed-Inhalt begrenzen
177 setting_feeds_limit: Feed-Inhalt begrenzen
178 setting_autofetch_changesets: Commits automatisch abrufen
178 setting_autofetch_changesets: Commits automatisch abrufen
179 setting_sys_api_enabled: Webservice für Repository-Verwaltung benutzen
179 setting_sys_api_enabled: Webservice für Repository-Verwaltung benutzen
180 setting_commit_ref_keywords: Schlüsselwörter (Beziehungen)
180 setting_commit_ref_keywords: Schlüsselwörter (Beziehungen)
181 setting_commit_fix_keywords: Schlüsselwörter (Status)
181 setting_commit_fix_keywords: Schlüsselwörter (Status)
182 setting_autologin: Automatische Anmeldung
182 setting_autologin: Automatische Anmeldung
183 setting_date_format: Datumsformat
183 setting_date_format: Datumsformat
184 setting_cross_project_issue_relations: Ticket-Beziehungen zwischen Projekten erlauben
184 setting_cross_project_issue_relations: Ticket-Beziehungen zwischen Projekten erlauben
185
185
186 label_user: Benutzer
186 label_user: Benutzer
187 label_user_plural: Benutzer
187 label_user_plural: Benutzer
188 label_user_new: Neuer Benutzer
188 label_user_new: Neuer Benutzer
189 label_project: Projekt
189 label_project: Projekt
190 label_project_new: Neues Projekt
190 label_project_new: Neues Projekt
191 label_project_plural: Projekte
191 label_project_plural: Projekte
192 label_project_all: Alle Projekte
192 label_project_all: Alle Projekte
193 label_project_latest: Neueste Projekte
193 label_project_latest: Neueste Projekte
194 label_issue: Ticket
194 label_issue: Ticket
195 label_issue_new: Neues Ticket
195 label_issue_new: Neues Ticket
196 label_issue_plural: Tickets
196 label_issue_plural: Tickets
197 label_issue_view_all: Alle Tickets ansehen
197 label_issue_view_all: Alle Tickets ansehen
198 label_document: Dokument
198 label_document: Dokument
199 label_document_new: Neues Dokument
199 label_document_new: Neues Dokument
200 label_document_plural: Dokumente
200 label_document_plural: Dokumente
201 label_role: Rolle
201 label_role: Rolle
202 label_role_plural: Rollen
202 label_role_plural: Rollen
203 label_role_new: Neue Rolle
203 label_role_new: Neue Rolle
204 label_role_and_permissions: Rollen und Rechte
204 label_role_and_permissions: Rollen und Rechte
205 label_member: Mitglied
205 label_member: Mitglied
206 label_member_new: Neues Mitglied
206 label_member_new: Neues Mitglied
207 label_member_plural: Mitglieder
207 label_member_plural: Mitglieder
208 label_tracker: Tracker
208 label_tracker: Tracker
209 label_tracker_plural: Tracker
209 label_tracker_plural: Tracker
210 label_tracker_new: Neuer Tracker
210 label_tracker_new: Neuer Tracker
211 label_workflow: Workflow
211 label_workflow: Workflow
212 label_issue_status: Ticket-Status
212 label_issue_status: Ticket-Status
213 label_issue_status_plural: Ticket-Status
213 label_issue_status_plural: Ticket-Status
214 label_issue_status_new: Neuer Status
214 label_issue_status_new: Neuer Status
215 label_issue_category: Ticket-Kategorie
215 label_issue_category: Ticket-Kategorie
216 label_issue_category_plural: Ticket-Kategorien
216 label_issue_category_plural: Ticket-Kategorien
217 label_issue_category_new: Neue Kategorie
217 label_issue_category_new: Neue Kategorie
218 label_custom_field: Benutzerdefiniertes Feld
218 label_custom_field: Benutzerdefiniertes Feld
219 label_custom_field_plural: Benutzerdefinierte Felder
219 label_custom_field_plural: Benutzerdefinierte Felder
220 label_custom_field_new: Neues Feld
220 label_custom_field_new: Neues Feld
221 label_enumerations: Aufzählungen
221 label_enumerations: Aufzählungen
222 label_enumeration_new: Neuer Wert
222 label_enumeration_new: Neuer Wert
223 label_information: Information
223 label_information: Information
224 label_information_plural: Informationen
224 label_information_plural: Informationen
225 label_please_login: Anmelden
225 label_please_login: Anmelden
226 label_register: Registrieren
226 label_register: Registrieren
227 label_password_lost: Kennwort vergessen
227 label_password_lost: Kennwort vergessen
228 label_home: Hauptseite
228 label_home: Hauptseite
229 label_my_page: Meine Seite
229 label_my_page: Meine Seite
230 label_my_account: Mein Konto
230 label_my_account: Mein Konto
231 label_my_projects: Meine Projekte
231 label_my_projects: Meine Projekte
232 label_administration: Administration
232 label_administration: Administration
233 label_login: Anmelden
233 label_login: Anmelden
234 label_logout: Abmelden
234 label_logout: Abmelden
235 label_help: Hilfe
235 label_help: Hilfe
236 label_reported_issues: Gemeldete Tickets
236 label_reported_issues: Gemeldete Tickets
237 label_assigned_to_me_issues: Mir zugewiesen
237 label_assigned_to_me_issues: Mir zugewiesen
238 label_last_login: Letzte Anmeldung
238 label_last_login: Letzte Anmeldung
239 label_last_updates: zuletzt aktualisiert
239 label_last_updates: zuletzt aktualisiert
240 label_last_updates_plural: %d zuletzt aktualisierten
240 label_last_updates_plural: %d zuletzt aktualisierten
241 label_registered_on: Angemeldet am
241 label_registered_on: Angemeldet am
242 label_activity: Aktivität
242 label_activity: Aktivität
243 label_new: Neu
243 label_new: Neu
244 label_logged_as: Angemeldet als
244 label_logged_as: Angemeldet als
245 label_environment: Environment
245 label_environment: Environment
246 label_authentication: Authentifizierung
246 label_authentication: Authentifizierung
247 label_auth_source: Authentifizierungs-Modus
247 label_auth_source: Authentifizierungs-Modus
248 label_auth_source_new: Neuer Authentifizierungs-Modus
248 label_auth_source_new: Neuer Authentifizierungs-Modus
249 label_auth_source_plural: Authentifizierungs-Arten
249 label_auth_source_plural: Authentifizierungs-Arten
250 label_subproject_plural: Unterprojekte
250 label_subproject_plural: Unterprojekte
251 label_min_max_length: Länge (Min. - Max.)
251 label_min_max_length: Länge (Min. - Max.)
252 label_list: Liste
252 label_list: Liste
253 label_date: Datum
253 label_date: Datum
254 label_integer: Zahl
254 label_integer: Zahl
255 label_boolean: Boolean
255 label_boolean: Boolean
256 label_string: Text
256 label_string: Text
257 label_text: Langer Text
257 label_text: Langer Text
258 label_attribute: Attribut
258 label_attribute: Attribut
259 label_attribute_plural: Attribute
259 label_attribute_plural: Attribute
260 label_download: %d Download
260 label_download: %d Download
261 label_download_plural: %d Downloads
261 label_download_plural: %d Downloads
262 label_no_data: Nichts anzuzeigen
262 label_no_data: Nichts anzuzeigen
263 label_change_status: Statuswechsel
263 label_change_status: Statuswechsel
264 label_history: Historie
264 label_history: Historie
265 label_attachment: Datei
265 label_attachment: Datei
266 label_attachment_new: Neue Datei
266 label_attachment_new: Neue Datei
267 label_attachment_delete: Anhang löschen
267 label_attachment_delete: Anhang löschen
268 label_attachment_plural: Dateien
268 label_attachment_plural: Dateien
269 label_report: Bericht
269 label_report: Bericht
270 label_report_plural: Berichte
270 label_report_plural: Berichte
271 label_news: News
271 label_news: News
272 label_news_new: News hinzufügen
272 label_news_new: News hinzufügen
273 label_news_plural: News
273 label_news_plural: News
274 label_news_latest: Letzte News
274 label_news_latest: Letzte News
275 label_news_view_all: Alle News anzeigen
275 label_news_view_all: Alle News anzeigen
276 label_change_log: Change-Log
276 label_change_log: Change-Log
277 label_settings: Konfiguration
277 label_settings: Konfiguration
278 label_overview: Übersicht
278 label_overview: Übersicht
279 label_version: Version
279 label_version: Version
280 label_version_new: Neue Version
280 label_version_new: Neue Version
281 label_version_plural: Versionen
281 label_version_plural: Versionen
282 label_confirmation: Bestätigung
282 label_confirmation: Bestätigung
283 label_export_to: Export zu
283 label_export_to: Export zu
284 label_read: Lesen...
284 label_read: Lesen...
285 label_public_projects: Öffentliche Projekte
285 label_public_projects: Öffentliche Projekte
286 label_open_issues: offen
286 label_open_issues: offen
287 label_open_issues_plural: offen
287 label_open_issues_plural: offen
288 label_closed_issues: geschlossen
288 label_closed_issues: geschlossen
289 label_closed_issues_plural: geschlossen
289 label_closed_issues_plural: geschlossen
290 label_total: Gesamtzahl
290 label_total: Gesamtzahl
291 label_permissions: Berechtigungen
291 label_permissions: Berechtigungen
292 label_current_status: Gegenwärtiger Status
292 label_current_status: Gegenwärtiger Status
293 label_new_statuses_allowed: Neue Berechtigungen
293 label_new_statuses_allowed: Neue Berechtigungen
294 label_all: alle
294 label_all: alle
295 label_none: kein
295 label_none: kein
296 label_next: Weiter
296 label_next: Weiter
297 label_previous: Zurück
297 label_previous: Zurück
298 label_used_by: Benutzt von
298 label_used_by: Benutzt von
299 label_details: Details
299 label_details: Details
300 label_add_note: Kommentar hinzufügen
300 label_add_note: Kommentar hinzufügen
301 label_per_page: Pro Seite
301 label_per_page: Pro Seite
302 label_calendar: Kalender
302 label_calendar: Kalender
303 label_months_from: Monate ab
303 label_months_from: Monate ab
304 label_gantt: Gantt
304 label_gantt: Gantt
305 label_internal: Intern
305 label_internal: Intern
306 label_last_changes: %d letzte Änderungen
306 label_last_changes: %d letzte Änderungen
307 label_change_view_all: Alle Änderungen ansehen
307 label_change_view_all: Alle Änderungen ansehen
308 label_personalize_page: Diese Seite anpassen
308 label_personalize_page: Diese Seite anpassen
309 label_comment: Kommentar
309 label_comment: Kommentar
310 label_comment_plural: Kommentare
310 label_comment_plural: Kommentare
311 label_comment_add: Kommentar hinzufügen
311 label_comment_add: Kommentar hinzufügen
312 label_comment_added: Kommentar hinzugefügt
312 label_comment_added: Kommentar hinzugefügt
313 label_comment_delete: Kommentar löschen
313 label_comment_delete: Kommentar löschen
314 label_query: Benutzerdefinierte Abfrage
314 label_query: Benutzerdefinierte Abfrage
315 label_query_plural: Benutzerdefinierte Berichte
315 label_query_plural: Benutzerdefinierte Berichte
316 label_query_new: Neuer Bericht
316 label_query_new: Neuer Bericht
317 label_filter_add: Filter hinzufügen
317 label_filter_add: Filter hinzufügen
318 label_filter_plural: Filter
318 label_filter_plural: Filter
319 label_equals: ist
319 label_equals: ist
320 label_not_equals: ist nicht
320 label_not_equals: ist nicht
321 label_in_less_than: in weniger als
321 label_in_less_than: in weniger als
322 label_in_more_than: in mehr als
322 label_in_more_than: in mehr als
323 label_in: an
323 label_in: an
324 label_today: heute
324 label_today: heute
325 label_this_week: diese Woche
325 label_this_week: diese Woche
326 label_less_than_ago: vor weniger als
326 label_less_than_ago: vor weniger als
327 label_more_than_ago: vor mehr als
327 label_more_than_ago: vor mehr als
328 label_ago: vor
328 label_ago: vor
329 label_contains: enthält
329 label_contains: enthält
330 label_not_contains: enthält nicht
330 label_not_contains: enthält nicht
331 label_day_plural: Tage
331 label_day_plural: Tage
332 label_repository: Projektarchiv
332 label_repository: Projektarchiv
333 label_browse: Codebrowser
333 label_browse: Codebrowser
334 label_modification: %d Änderung
334 label_modification: %d Änderung
335 label_modification_plural: %d Änderungen
335 label_modification_plural: %d Änderungen
336 label_revision: Revision
336 label_revision: Revision
337 label_revision_plural: Revisionen
337 label_revision_plural: Revisionen
338 label_added: hinzugefügt
338 label_added: hinzugefügt
339 label_modified: geändert
339 label_modified: geändert
340 label_deleted: gelöscht
340 label_deleted: gelöscht
341 label_latest_revision: Aktuellste Revision
341 label_latest_revision: Aktuellste Revision
342 label_latest_revision_plural: Aktuellste Revisionen
342 label_latest_revision_plural: Aktuellste Revisionen
343 label_view_revisions: Revisionen anzeigen
343 label_view_revisions: Revisionen anzeigen
344 label_max_size: Maximale Größe
344 label_max_size: Maximale Größe
345 label_on: von
345 label_on: von
346 label_sort_highest: Anfang
346 label_sort_highest: Anfang
347 label_sort_higher: eins höher
347 label_sort_higher: eins höher
348 label_sort_lower: eins tiefer
348 label_sort_lower: eins tiefer
349 label_sort_lowest: Ende
349 label_sort_lowest: Ende
350 label_roadmap: Roadmap
350 label_roadmap: Roadmap
351 label_roadmap_due_in: Fällig in
351 label_roadmap_due_in: Fällig in
352 label_roadmap_overdue: %s verspätet
352 label_roadmap_overdue: %s verspätet
353 label_roadmap_no_issues: Keine Tickets für diese Version
353 label_roadmap_no_issues: Keine Tickets für diese Version
354 label_search: Suche
354 label_search: Suche
355 label_result_plural: Resultate
355 label_result_plural: Resultate
356 label_all_words: Alle Wörter
356 label_all_words: Alle Wörter
357 label_wiki: Wiki
357 label_wiki: Wiki
358 label_wiki_edit: Wiki-Bearbeitung
358 label_wiki_edit: Wiki-Bearbeitung
359 label_wiki_edit_plural: Wiki-Bearbeitungen
359 label_wiki_edit_plural: Wiki-Bearbeitungen
360 label_wiki_page: Wiki-Seite
360 label_wiki_page: Wiki-Seite
361 label_wiki_page_plural: Wiki-Seiten
361 label_wiki_page_plural: Wiki-Seiten
362 label_index_by_title: Index by title
362 label_index_by_title: Index by title
363 label_index_by_date: Index by date
363 label_index_by_date: Index by date
364 label_current_version: Gegenwärtige Version
364 label_current_version: Gegenwärtige Version
365 label_preview: Vorschau
365 label_preview: Vorschau
366 label_feed_plural: Feeds
366 label_feed_plural: Feeds
367 label_changes_details: Details aller Änderungen
367 label_changes_details: Details aller Änderungen
368 label_issue_tracking: Tickets
368 label_issue_tracking: Tickets
369 label_spent_time: Aufgewendete Zeit
369 label_spent_time: Aufgewendete Zeit
370 label_f_hour: %.2f Stunde
370 label_f_hour: %.2f Stunde
371 label_f_hour_plural: %.2f Stunden
371 label_f_hour_plural: %.2f Stunden
372 label_time_tracking: Zeiterfassung
372 label_time_tracking: Zeiterfassung
373 label_change_plural: Änderungen
373 label_change_plural: Änderungen
374 label_statistics: Statistiken
374 label_statistics: Statistiken
375 label_commits_per_month: Übertragungen pro Monat
375 label_commits_per_month: Übertragungen pro Monat
376 label_commits_per_author: Übertragungen pro Autor
376 label_commits_per_author: Übertragungen pro Autor
377 label_view_diff: Unterschiede anzeigen
377 label_view_diff: Unterschiede anzeigen
378 label_diff_inline: inline
378 label_diff_inline: inline
379 label_diff_side_by_side: nebeneinander
379 label_diff_side_by_side: nebeneinander
380 label_options: Optionen
380 label_options: Optionen
381 label_copy_workflow_from: Workflow kopieren von
381 label_copy_workflow_from: Workflow kopieren von
382 label_permissions_report: Berechtigungsübersicht
382 label_permissions_report: Berechtigungsübersicht
383 label_watched_issues: Beobachtete Tickets
383 label_watched_issues: Beobachtete Tickets
384 label_related_issues: Zugehörige Tickets
384 label_related_issues: Zugehörige Tickets
385 label_applied_status: Zugewiesener Status
385 label_applied_status: Zugewiesener Status
386 label_loading: Lade...
386 label_loading: Lade...
387 label_relation_new: Neue Beziehung
387 label_relation_new: Neue Beziehung
388 label_relation_delete: Beziehung löschen
388 label_relation_delete: Beziehung löschen
389 label_relates_to: Beziehung mit
389 label_relates_to: Beziehung mit
390 label_duplicates: Duplikat von
390 label_duplicates: Duplikat von
391 label_blocks: Blockiert
391 label_blocks: Blockiert
392 label_blocked_by: Blockiert durch
392 label_blocked_by: Blockiert durch
393 label_precedes: Vorgänger von
393 label_precedes: Vorgänger von
394 label_follows: folgt
394 label_follows: folgt
395 label_end_to_start: Ende - Anfang
395 label_end_to_start: Ende - Anfang
396 label_end_to_end: Ende - Ende
396 label_end_to_end: Ende - Ende
397 label_start_to_start: Anfang - Anfang
397 label_start_to_start: Anfang - Anfang
398 label_start_to_end: Anfang - Ende
398 label_start_to_end: Anfang - Ende
399 label_stay_logged_in: Angemeldet bleiben
399 label_stay_logged_in: Angemeldet bleiben
400 label_disabled: gesperrt
400 label_disabled: gesperrt
401 label_show_completed_versions: Abgeschlossene Versionen anzeigen
401 label_show_completed_versions: Abgeschlossene Versionen anzeigen
402 label_me: ich
402 label_me: ich
403 label_board: Forum
403 label_board: Forum
404 label_board_new: Neues Forum
404 label_board_new: Neues Forum
405 label_board_plural: Foren
405 label_board_plural: Foren
406 label_topic_plural: Themen
406 label_topic_plural: Themen
407 label_message_plural: Nachrichten
407 label_message_plural: Nachrichten
408 label_message_last: Letzte Nachricht
408 label_message_last: Letzte Nachricht
409 label_message_new: Neue Nachricht
409 label_message_new: Neue Nachricht
410 label_reply_plural: Antworten
410 label_reply_plural: Antworten
411 label_send_information: Sende Kontoinformationen zum Benutzer
411 label_send_information: Sende Kontoinformationen zum Benutzer
412 label_year: Jahr
412 label_year: Jahr
413 label_month: Monat
413 label_month: Monat
414 label_week: Woche
414 label_week: Woche
415 label_date_from: Von
415 label_date_from: Von
416 label_date_to: Bis
416 label_date_to: Bis
417 label_language_based: Sprachabhängig
417 label_language_based: Sprachabhängig
418 label_sort_by: Sortiert nach %s
418 label_sort_by: Sortiert nach %s
419 label_send_test_email: Test-E-Mail senden
419 label_send_test_email: Test-E-Mail senden
420 label_feeds_access_key_created_on: RSS-Zugriffsschlüssel vor %s erstellt
420 label_feeds_access_key_created_on: RSS-Zugriffsschlüssel vor %s erstellt
421 label_module_plural: Module
421 label_module_plural: Module
422 label_added_time_by: Von %s vor %s hinzugefügt
422 label_added_time_by: Von %s vor %s hinzugefügt
423 label_updated_time: Vor %s aktualisiert
423 label_updated_time: Vor %s aktualisiert
424 label_jump_to_a_project: Jump to a project...
424 label_jump_to_a_project: Zu einem Projekt springen...
425
425
426 button_login: Anmelden
426 button_login: Anmelden
427 button_submit: OK
427 button_submit: OK
428 button_save: Speichern
428 button_save: Speichern
429 button_check_all: Alles auswählen
429 button_check_all: Alles auswählen
430 button_uncheck_all: Alles abwählen
430 button_uncheck_all: Alles abwählen
431 button_delete: Löschen
431 button_delete: Löschen
432 button_create: Anlegen
432 button_create: Anlegen
433 button_test: Testen
433 button_test: Testen
434 button_edit: Bearbeiten
434 button_edit: Bearbeiten
435 button_add: Hinzufügen
435 button_add: Hinzufügen
436 button_change: Wechseln
436 button_change: Wechseln
437 button_apply: Anwenden
437 button_apply: Anwenden
438 button_clear: Zurücksetzen
438 button_clear: Zurücksetzen
439 button_lock: Sperren
439 button_lock: Sperren
440 button_unlock: Entsperren
440 button_unlock: Entsperren
441 button_download: Download
441 button_download: Download
442 button_list: Liste
442 button_list: Liste
443 button_view: Siehe
443 button_view: Siehe
444 button_move: Verschieben
444 button_move: Verschieben
445 button_back: Zurück
445 button_back: Zurück
446 button_cancel: Abbrechen
446 button_cancel: Abbrechen
447 button_activate: Aktivieren
447 button_activate: Aktivieren
448 button_sort: Sortieren
448 button_sort: Sortieren
449 button_log_time: Aufwand buchen
449 button_log_time: Aufwand buchen
450 button_rollback: Auf diese Version zurücksetzen
450 button_rollback: Auf diese Version zurücksetzen
451 button_watch: Beobachten
451 button_watch: Beobachten
452 button_unwatch: Nicht beobachten
452 button_unwatch: Nicht beobachten
453 button_reply: Antworten
453 button_reply: Antworten
454 button_archive: Archivieren
454 button_archive: Archivieren
455 button_unarchive: Entarchivieren
455 button_unarchive: Entarchivieren
456 button_reset: Zurücksetzen
456 button_reset: Zurücksetzen
457 button_rename: Umbenennen
457 button_rename: Umbenennen
458
458
459 status_active: aktiv
459 status_active: aktiv
460 status_registered: angemeldet
460 status_registered: angemeldet
461 status_locked: gesperrt
461 status_locked: gesperrt
462
462
463 text_select_mail_notifications: Aktionen, für die Mailbenachrichtigung aktiviert werden soll.
463 text_select_mail_notifications: Aktionen, für die Mailbenachrichtigung aktiviert werden soll.
464 text_regexp_info: z. B. ^[A-Z0-9]+$
464 text_regexp_info: z. B. ^[A-Z0-9]+$
465 text_min_max_length_info: 0 heißt keine Beschränkung
465 text_min_max_length_info: 0 heißt keine Beschränkung
466 text_project_destroy_confirmation: Sind Sie sicher, dass sie das Projekt löschen wollen?
466 text_project_destroy_confirmation: Sind Sie sicher, dass sie das Projekt löschen wollen?
467 text_workflow_edit: Workflow zum Bearbeiten auswählen
467 text_workflow_edit: Workflow zum Bearbeiten auswählen
468 text_are_you_sure: Sind Sie sicher?
468 text_are_you_sure: Sind Sie sicher?
469 text_journal_changed: geändert von %s zu %s
469 text_journal_changed: geändert von %s zu %s
470 text_journal_set_to: gestellt zu %s
470 text_journal_set_to: gestellt zu %s
471 text_journal_deleted: gelöscht
471 text_journal_deleted: gelöscht
472 text_tip_task_begin_day: Aufgabe, die an diesem Tag beginnt
472 text_tip_task_begin_day: Aufgabe, die an diesem Tag beginnt
473 text_tip_task_end_day: Aufgabe, die an diesem Tag beendet
473 text_tip_task_end_day: Aufgabe, die an diesem Tag endet
474 text_tip_task_begin_end_day: Aufgabe, die an diesem Tag beginnt und beendet
474 text_tip_task_begin_end_day: Aufgabe, die an diesem Tag beginnt und endet
475 text_project_identifier_info: 'Kleinbuchstaben (a-z), Ziffern und Bindestriche erlaubt.<br />Einmal gespeichert, kann die Kennung nicht mehr geändert werden.'
475 text_project_identifier_info: 'Kleinbuchstaben (a-z), Ziffern und Bindestriche erlaubt.<br />Einmal gespeichert, kann die Kennung nicht mehr geändert werden.'
476 text_caracters_maximum: Max. %d Zeichen.
476 text_caracters_maximum: Max. %d Zeichen.
477 text_length_between: Länge zwischen %d und %d Zeichen.
477 text_length_between: Länge zwischen %d und %d Zeichen.
478 text_tracker_no_workflow: Kein Workflow für diesen Tracker definiert.
478 text_tracker_no_workflow: Kein Workflow für diesen Tracker definiert.
479 text_unallowed_characters: Nicht erlaubte Zeichen
479 text_unallowed_characters: Nicht erlaubte Zeichen
480 text_comma_separated: Mehrere Werte erlaubt (durch Komma getrennt).
480 text_comma_separated: Mehrere Werte erlaubt (durch Komma getrennt).
481 text_issues_ref_in_commit_messages: Ticket-Beziehungen und -Status in Commit-Log-Meldungen
481 text_issues_ref_in_commit_messages: Ticket-Beziehungen und -Status in Commit-Log-Meldungen
482 text_issue_added: Ticket %s wurde erstellt.
482 text_issue_added: Ticket %s wurde erstellt.
483 text_issue_updated: Ticket %s wurde aktualisiert.
483 text_issue_updated: Ticket %s wurde aktualisiert.
484 text_wiki_destroy_confirmation: Sind Sie sicher, dass Sie dieses Wiki mit sämtlichem Inhalt löschen möchten?
484 text_wiki_destroy_confirmation: Sind Sie sicher, dass Sie dieses Wiki mit sämtlichem Inhalt löschen möchten?
485 text_issue_category_destroy_question: Some issues (%d) are assigned to this category. What do you want to do ?
485 text_issue_category_destroy_question: Einige Tickets (%d) sind dieser Kategorie zugeodnet. Was möchten Sie tun?
486 text_issue_category_destroy_assignments: Remove category assignments
486 text_issue_category_destroy_assignments: Kategorie-Zuordnung entfernen
487 text_issue_category_reassign_to: Reassing issues to this category
487 text_issue_category_reassign_to: Tickets dieser Kategorie zuordnen
488
488
489 default_role_manager: Manager
489 default_role_manager: Manager
490 default_role_developper: Developer
490 default_role_developper: Developer
491 default_role_reporter: Reporter
491 default_role_reporter: Reporter
492 default_tracker_bug: Fehler
492 default_tracker_bug: Fehler
493 default_tracker_feature: Feature
493 default_tracker_feature: Feature
494 default_tracker_support: Support
494 default_tracker_support: Support
495 default_issue_status_new: Neu
495 default_issue_status_new: Neu
496 default_issue_status_assigned: Zugewiesen
496 default_issue_status_assigned: Zugewiesen
497 default_issue_status_resolved: Gelöst
497 default_issue_status_resolved: Gelöst
498 default_issue_status_feedback: Feedback
498 default_issue_status_feedback: Feedback
499 default_issue_status_closed: Erledigt
499 default_issue_status_closed: Erledigt
500 default_issue_status_rejected: Abgewiesen
500 default_issue_status_rejected: Abgewiesen
501 default_doc_category_user: Benutzerdokumentation
501 default_doc_category_user: Benutzerdokumentation
502 default_doc_category_tech: Technische Dokumentation
502 default_doc_category_tech: Technische Dokumentation
503 default_priority_low: Niedrig
503 default_priority_low: Niedrig
504 default_priority_normal: Normal
504 default_priority_normal: Normal
505 default_priority_high: Hoch
505 default_priority_high: Hoch
506 default_priority_urgent: Dringend
506 default_priority_urgent: Dringend
507 default_priority_immediate: Sofort
507 default_priority_immediate: Sofort
508 default_activity_design: Design
508 default_activity_design: Design
509 default_activity_development: Development
509 default_activity_development: Development
510
510
511 enumeration_issue_priorities: Ticket-Prioritäten
511 enumeration_issue_priorities: Ticket-Prioritäten
512 enumeration_doc_categories: Dokumentenkategorien
512 enumeration_doc_categories: Dokumentenkategorien
513 enumeration_activities: Aktivitäten (Zeiterfassung)
513 enumeration_activities: Aktivitäten (Zeiterfassung)
514 label_file_plural: Files
514 label_file_plural: Dateien
515 label_changeset_plural: Changesets
515 label_changeset_plural: Changesets
516 field_column_names: Columns
516 field_column_names: Spalten
517 label_default_columns: Default columns
517 label_default_columns: Default-Spalten
518 setting_issue_list_default_columns: Default columns displayed on the issue list
518 setting_issue_list_default_columns: Default-Spalten in der Ticket-Auflistung
519 setting_repositories_encodings: Repositories encodings
519 setting_repositories_encodings: Repository-Kodierung
520 notice_no_issue_selected: "No issue is selected! Please, check the issues you want to edit."
520 notice_no_issue_selected: "Kein Ticket ausgewählt! Bitte wählen Sie die Tickets, die Sie bearbeiten möchten."
521 label_bulk_edit_selected_issues: Bulk edit selected issues
521 label_bulk_edit_selected_issues: Alle ausgewählten Tickets bearbeiten
522 label_no_change_option: (No change)
522 label_no_change_option: (Keine Änderung)
523 notice_failed_to_save_issues: "Failed to save %d issue(s) on %d selected: %s."
523 notice_failed_to_save_issues: "%d von %d ausgewählten Tickets konnte(n) nicht gespeichert werden: %s."
524 label_theme: Theme
524 label_theme: Stil
525 label_default: Default
525 label_default: Default
526 label_search_titles_only: Search titles only
526 label_search_titles_only: Nur Titel durchsuchen
527 label_nobody: nobody
527 label_nobody: Niemand
528 button_change_password: Change password
528 button_change_password: Kennwort ändern
529 text_user_mail_option: "For unselected projects, you will only receive notifications about things you watch or you're involved in (eg. issues you're the author or assignee)."
529 text_user_mail_option: "Für nicht ausgewählte Projekte werden Sie nur Benachrichtigungen für Dinge erhalten, die Sie beobachten oder an denen Sie beteiligt sind (z.B. Tickets, deren Autor Sie sind oder die Ihnen zugewiesen sind)."
530 label_user_mail_option_selected: "For any event on the selected projects only..."
530 label_user_mail_option_selected: "Für alle Ereignisse in den ausgewählten Projekten..."
531 label_user_mail_option_all: "For any event on all my projects"
531 label_user_mail_option_all: "Für alle Ereignisse in all meinen Projekten"
532 label_user_mail_option_none: "Only for things I watch or I'm involved in"
532 label_user_mail_option_none: "Nur für Dinge, die ich beobachte oder an denen ich beteiligt bin"
533 setting_emails_footer: Emails footer
533 setting_emails_footer: E-Mail-Fußzeile
534 label_float: Float
534 label_float: Fließkommazahl
535 button_copy: Copy
535 button_copy: Kopieren
536 mail_body_account_information_external: You can use your "%s" account to log into Redmine.
536 mail_body_account_information_external: Sie können sich mit Ihrem Konto "%s" an Redmine anmelden.
537 mail_body_account_information: Your Redmine account information
537 mail_body_account_information: Ihre Redmine Konto-Informationen
538 setting_protocol: Protocol
538 setting_protocol: Protokoll
539 label_user_mail_no_self_notified: "I don't want to be notified of changes that I make myself"
539 label_user_mail_no_self_notified: "Ich möchte nicht über Änderungen benachrichtigt werden, die ich selbst durchführe."
540 setting_time_format: Time format
540 setting_time_format: Zeitformat
541 label_registration_activation_by_email: account activation by email
541 label_registration_activation_by_email: Kontoaktivierung durch E-Mail
542 mail_subject_account_activation_request: Redmine account activation request
542 mail_subject_account_activation_request: Antrag auf Redmine Kontoaktivierung
543 mail_body_account_activation_request: 'A new user (%s) has registered. His account his pending your approval:'
543 mail_body_account_activation_request: 'Ein neuer Benutzer (%s) hat sich registriert. Sein Konto wartet auf Ihre Genehmigung:'
544 label_registration_automatic_activation: automatic account activation
544 label_registration_automatic_activation: Automatische Kontoaktivierung
545 label_registration_manual_activation: manual account activation
545 label_registration_manual_activation: Manuelle Kontoaktivierung
546 notice_account_pending: "Your account was created and is now pending administrator approval."
546 notice_account_pending: "Ihr Konto wurde erstellt und wartet jetzt auf die Genehmigung des Administrators."
547 field_time_zone: Time zone
547 field_time_zone: Zeitzone
548 text_caracters_minimum: Must be at least %d characters long.
548 text_caracters_minimum: Muss mindestens %d Zeichen lang sein.
@@ -1,551 +1,551
1 _gloc_rule_default: '|n| n==1 ? "" : "_plural" '
1 _gloc_rule_default: '|n| n==1 ? "" : "_plural" '
2
2
3 actionview_datehelper_select_day_prefix:
3 actionview_datehelper_select_day_prefix:
4 actionview_datehelper_select_month_names: Enero,Febrero,Marzo,Abril,Mayo,Junio,Julio,Agosto,Septiembre,Octubre,Noviembre,Diciembre
4 actionview_datehelper_select_month_names: Enero,Febrero,Marzo,Abril,Mayo,Junio,Julio,Agosto,Septiembre,Octubre,Noviembre,Diciembre
5 actionview_datehelper_select_month_names_abbr: Ene,Feb,Mar,Abr,Mayo,Jun,Jul,Ago,Sep,Oct,Nov,Dic
5 actionview_datehelper_select_month_names_abbr: Ene,Feb,Mar,Abr,Mayo,Jun,Jul,Ago,Sep,Oct,Nov,Dic
6 actionview_datehelper_select_month_prefix:
6 actionview_datehelper_select_month_prefix:
7 actionview_datehelper_select_year_prefix:
7 actionview_datehelper_select_year_prefix:
8 actionview_datehelper_time_in_words_day: 1 día
8 actionview_datehelper_time_in_words_day: 1 día
9 actionview_datehelper_time_in_words_day_plural: %d días
9 actionview_datehelper_time_in_words_day_plural: %d días
10 actionview_datehelper_time_in_words_hour_about: una hora aproximadamente
10 actionview_datehelper_time_in_words_hour_about: una hora aproximadamente
11 actionview_datehelper_time_in_words_hour_about_plural: aproximadamente %d horas
11 actionview_datehelper_time_in_words_hour_about_plural: aproximadamente %d horas
12 actionview_datehelper_time_in_words_hour_about_single: una hora aproximadamente
12 actionview_datehelper_time_in_words_hour_about_single: una hora aproximadamente
13 actionview_datehelper_time_in_words_minute: 1 minuto
13 actionview_datehelper_time_in_words_minute: 1 minuto
14 actionview_datehelper_time_in_words_minute_half: medio minuto
14 actionview_datehelper_time_in_words_minute_half: medio minuto
15 actionview_datehelper_time_in_words_minute_less_than: menos de un minuto
15 actionview_datehelper_time_in_words_minute_less_than: menos de un minuto
16 actionview_datehelper_time_in_words_minute_plural: %d minutos
16 actionview_datehelper_time_in_words_minute_plural: %d minutos
17 actionview_datehelper_time_in_words_minute_single: 1 minuto
17 actionview_datehelper_time_in_words_minute_single: 1 minuto
18 actionview_datehelper_time_in_words_second_less_than: menos de un segundo
18 actionview_datehelper_time_in_words_second_less_than: menos de un segundo
19 actionview_datehelper_time_in_words_second_less_than_plural: menos de %d segundos
19 actionview_datehelper_time_in_words_second_less_than_plural: menos de %d segundos
20 actionview_instancetag_blank_option: Por favor seleccione
20 actionview_instancetag_blank_option: Por favor seleccione
21
21
22 activerecord_error_inclusion: no está incluído en la lista
22 activerecord_error_inclusion: no está incluído en la lista
23 activerecord_error_exclusion: está reservado
23 activerecord_error_exclusion: está reservado
24 activerecord_error_invalid: no es válido
24 activerecord_error_invalid: no es válido
25 activerecord_error_confirmation: la confirmación no coincide
25 activerecord_error_confirmation: la confirmación no coincide
26 activerecord_error_accepted: debe ser aceptado
26 activerecord_error_accepted: debe ser aceptado
27 activerecord_error_empty: no puede estar vacío
27 activerecord_error_empty: no puede estar vacío
28 activerecord_error_blank: no puede estar en blanco
28 activerecord_error_blank: no puede estar en blanco
29 activerecord_error_too_long: es demasiado largo
29 activerecord_error_too_long: es demasiado largo
30 activerecord_error_too_short: es demasiado corto
30 activerecord_error_too_short: es demasiado corto
31 activerecord_error_wrong_length: la longitud es incorrecta
31 activerecord_error_wrong_length: la longitud es incorrecta
32 activerecord_error_taken: has already been taken
32 activerecord_error_taken: ya está siendo usado
33 activerecord_error_not_a_number: no es un número
33 activerecord_error_not_a_number: no es un número
34 activerecord_error_not_a_date: no es una fecha válida
34 activerecord_error_not_a_date: no es una fecha válida
35 activerecord_error_greater_than_start_date: debe ser la fecha mayor que del comienzo
35 activerecord_error_greater_than_start_date: debe ser la fecha mayor que del comienzo
36 activerecord_error_not_same_project: no pertenece al mismo proyecto
36 activerecord_error_not_same_project: no pertenece al mismo proyecto
37 activerecord_error_circular_dependency: Esta relación podría crear una dependencia anidada
37 activerecord_error_circular_dependency: Esta relación podría crear una dependencia anidada
38
38
39 general_fmt_age: %d año
39 general_fmt_age: %d año
40 general_fmt_age_plural: %d años
40 general_fmt_age_plural: %d años
41 general_fmt_date: %%d/%%m/%%Y
41 general_fmt_date: %%d/%%m/%%Y
42 general_fmt_datetime: %%d/%%m/%%Y %%H:%%M
42 general_fmt_datetime: %%d/%%m/%%Y %%H:%%M
43 general_fmt_datetime_short: %%d/%%m %%H:%%M
43 general_fmt_datetime_short: %%d/%%m %%H:%%M
44 general_fmt_time: %%H:%%M
44 general_fmt_time: %%H:%%M
45 general_text_No: 'No'
45 general_text_No: 'No'
46 general_text_Yes: 'Sí'
46 general_text_Yes: 'Sí'
47 general_text_no: 'no'
47 general_text_no: 'no'
48 general_text_yes: 'sí'
48 general_text_yes: 'sí'
49 general_lang_name: 'Español'
49 general_lang_name: 'Español'
50 general_csv_separator: ';'
50 general_csv_separator: ';'
51 general_csv_encoding: ISO-8859-15
51 general_csv_encoding: ISO-8859-15
52 general_pdf_encoding: ISO-8859-15
52 general_pdf_encoding: ISO-8859-15
53 general_day_names: Lunes,Martes,Miércoles,Jueves,Viernes,Sábado,Domingo
53 general_day_names: Lunes,Martes,Miércoles,Jueves,Viernes,Sábado,Domingo
54 general_first_day_of_week: '1'
54 general_first_day_of_week: '1'
55
55
56 notice_account_updated: Cuenta creada correctamente.
56 notice_account_updated: Cuenta creada correctamente.
57 notice_account_invalid_creditentials: Usuario o contraseña inválido.
57 notice_account_invalid_creditentials: Usuario o contraseña inválido.
58 notice_account_password_updated: Contraseña modificada correctamente.
58 notice_account_password_updated: Contraseña modificada correctamente.
59 notice_account_wrong_password: Contraseña incorrecta.
59 notice_account_wrong_password: Contraseña incorrecta.
60 notice_account_register_done: Cuenta creada correctamente.
60 notice_account_register_done: Cuenta creada correctamente.
61 notice_account_unknown_email: Usuario desconocido.
61 notice_account_unknown_email: Usuario desconocido.
62 notice_can_t_change_password: Esta cuenta utiliza una fuente de autenticación externa. No es posible cambiar la contraseña.
62 notice_can_t_change_password: Esta cuenta utiliza una fuente de autenticación externa. No es posible cambiar la contraseña.
63 notice_account_lost_email_sent: Un correo con instrucciones para elegir una nueva contraseña le ha sido enviado.
63 notice_account_lost_email_sent: Se le ha enviado un correo con instrucciones para elegir una nueva contraseña.
64 notice_account_activated: Su cuenta ha sido activada. Ahora se encuentra conectado.
64 notice_account_activated: Su cuenta ha sido activada. Ahora se encuentra conectado.
65 notice_successful_create: Creación correcta.
65 notice_successful_create: Creación correcta.
66 notice_successful_update: Modificación correcta.
66 notice_successful_update: Modificación correcta.
67 notice_successful_delete: Borrado correcto.
67 notice_successful_delete: Borrado correcto.
68 notice_successful_connection: Conexión correcta.
68 notice_successful_connection: Conexión correcta.
69 notice_file_not_found: La página a la que intentas acceder no existe.
69 notice_file_not_found: La página a la que intentas acceder no existe.
70 notice_locking_conflict: Los datos han sido modificados por otro usuario.
70 notice_locking_conflict: Los datos han sido modificados por otro usuario.
71 notice_scm_error: La entrada y/o la revisión no existe en el repositorio.
71 notice_scm_error: La entrada y/o la revisión no existe en el repositorio.
72 notice_not_authorized: No tiene autorización para acceder a esta página.
72 notice_not_authorized: No tiene autorización para acceder a esta página.
73
73
74 mail_subject_lost_password: Tu contraseña del CIYAT - Gestor de Solicitudes
74 mail_subject_lost_password: Tu contraseña del CIYAT - Gestor de Solicitudes
75 mail_body_lost_password: 'Para cambiar su contraseña de Redmine, haga click en el siguiente enlace:'
75 mail_body_lost_password: 'Para cambiar su contraseña de Redmine, haga click en el siguiente enlace:'
76 mail_subject_register: Activación de la cuenta del CIYAT - Gestor de Solicitudes
76 mail_subject_register: Activación de la cuenta del CIYAT - Gestor de Solicitudes
77 mail_body_register: 'Para activar su cuenta Redmine, haga click en el siguiente enlace:'
77 mail_body_register: 'Para activar su cuenta Redmine, haga click en el siguiente enlace:'
78
78
79 gui_validation_error: 1 error
79 gui_validation_error: 1 error
80 gui_validation_error_plural: %d errores
80 gui_validation_error_plural: %d errores
81
81
82 field_name: Nombre
82 field_name: Nombre
83 field_description: Descripción
83 field_description: Descripción
84 field_summary: Resumen
84 field_summary: Resumen
85 field_is_required: Obligatorio
85 field_is_required: Obligatorio
86 field_firstname: Nombre
86 field_firstname: Nombre
87 field_lastname: Apellido
87 field_lastname: Apellido
88 field_mail: Correo electrónico
88 field_mail: Correo electrónico
89 field_filename: Fichero
89 field_filename: Fichero
90 field_filesize: Tamaño
90 field_filesize: Tamaño
91 field_downloads: Descargas
91 field_downloads: Descargas
92 field_author: Autor
92 field_author: Autor
93 field_created_on: Creado
93 field_created_on: Creado
94 field_updated_on: Actualizado
94 field_updated_on: Actualizado
95 field_field_format: Formato
95 field_field_format: Formato
96 field_is_for_all: Para todos los proyectos
96 field_is_for_all: Para todos los proyectos
97 field_possible_values: Valores posibles
97 field_possible_values: Valores posibles
98 field_regexp: Expresión regular
98 field_regexp: Expresión regular
99 field_min_length: Longitud mínima
99 field_min_length: Longitud mínima
100 field_max_length: Longitud máxima
100 field_max_length: Longitud máxima
101 field_value: Valor
101 field_value: Valor
102 field_category: Categoría
102 field_category: Categoría
103 field_title: Título
103 field_title: Título
104 field_project: Proyecto
104 field_project: Proyecto
105 field_issue: Petición
105 field_issue: Petición
106 field_status: Estado
106 field_status: Estado
107 field_notes: Notas
107 field_notes: Notas
108 field_is_closed: Petición resuelta
108 field_is_closed: Petición resuelta
109 field_is_default: Estado por defecto
109 field_is_default: Estado por defecto
110 field_tracker: Tracker
110 field_tracker: Tracker
111 field_subject: Tema
111 field_subject: Tema
112 field_due_date: Fecha fin
112 field_due_date: Fecha fin
113 field_assigned_to: Asignado a
113 field_assigned_to: Asignado a
114 field_priority: Prioridad
114 field_priority: Prioridad
115 field_fixed_version: Versión corregida
115 field_fixed_version: Versión corregida
116 field_user: Usuario
116 field_user: Usuario
117 field_role: Perfil
117 field_role: Perfil
118 field_homepage: Sitio web
118 field_homepage: Sitio web
119 field_is_public: Público
119 field_is_public: Público
120 field_parent: Proyecto padre
120 field_parent: Proyecto padre
121 field_is_in_chlog: Consultar las peticiones en el histórico
121 field_is_in_chlog: Consultar las peticiones en el histórico
122 field_is_in_roadmap: Consultar las peticiones en el roadmap
122 field_is_in_roadmap: Consultar las peticiones en el roadmap
123 field_login: Identificador
123 field_login: Identificador
124 field_mail_notification: Notificaciones por correo
124 field_mail_notification: Notificaciones por correo
125 field_admin: Administrador
125 field_admin: Administrador
126 field_last_login_on: Última conexión
126 field_last_login_on: Última conexión
127 field_language: Idioma
127 field_language: Idioma
128 field_effective_date: Fecha
128 field_effective_date: Fecha
129 field_password: Contraseña
129 field_password: Contraseña
130 field_new_password: Nueva contraseña
130 field_new_password: Nueva contraseña
131 field_password_confirmation: Confirmación
131 field_password_confirmation: Confirmación
132 field_version: Versión
132 field_version: Versión
133 field_type: Tipo
133 field_type: Tipo
134 field_host: Anfitrión
134 field_host: Anfitrión
135 field_port: Puerto
135 field_port: Puerto
136 field_account: Cuenta
136 field_account: Cuenta
137 field_base_dn: Base DN
137 field_base_dn: Base DN
138 field_attr_login: Cualidad del identificador
138 field_attr_login: Cualidad del identificador
139 field_attr_firstname: Cualidad del nombre
139 field_attr_firstname: Cualidad del nombre
140 field_attr_lastname: Cualidad del apellido
140 field_attr_lastname: Cualidad del apellido
141 field_attr_mail: Cualidad del Email
141 field_attr_mail: Cualidad del Email
142 field_onthefly: Creación del usuario "al vuelo"
142 field_onthefly: Creación del usuario "al vuelo"
143 field_start_date: Fecha de inicio
143 field_start_date: Fecha de inicio
144 field_done_ratio: %% Realizado
144 field_done_ratio: %% Realizado
145 field_auth_source: Modo de identificación
145 field_auth_source: Modo de identificación
146 field_hide_mail: Ocultar mi dirección de correo
146 field_hide_mail: Ocultar mi dirección de correo
147 field_comment: Comentario
147 field_comment: Comentario
148 field_url: URL
148 field_url: URL
149 field_start_page: Página principal
149 field_start_page: Página principal
150 field_subproject: Proyecto secundario
150 field_subproject: Proyecto secundario
151 field_hours: Horas
151 field_hours: Horas
152 field_activity: Actividad
152 field_activity: Actividad
153 field_spent_on: Fecha
153 field_spent_on: Fecha
154 field_identifier: Identificador
154 field_identifier: Identificador
155 field_is_filter: Usado como filtro
155 field_is_filter: Usado como filtro
156 field_issue_to_id: Petición Relacionada
156 field_issue_to_id: Petición Relacionada
157 field_delay: Retraso
157 field_delay: Retraso
158
158
159 setting_app_title: Título de la aplicación
159 setting_app_title: Título de la aplicación
160 setting_app_subtitle: Subtítulo de la aplicación
160 setting_app_subtitle: Subtítulo de la aplicación
161 setting_welcome_text: Texto de bienvenida
161 setting_welcome_text: Texto de bienvenida
162 setting_default_language: Idioma por defecto
162 setting_default_language: Idioma por defecto
163 setting_login_required: Se requiere identificación
163 setting_login_required: Se requiere identificación
164 setting_self_registration: Registro permitido
164 setting_self_registration: Registro permitido
165 setting_attachment_max_size: Tamaño máximo del fichero
165 setting_attachment_max_size: Tamaño máximo del fichero
166 setting_issues_export_limit: Límite de exportación de peticiones
166 setting_issues_export_limit: Límite de exportación de peticiones
167 setting_mail_from: Correo desde el que enviar mensajes
167 setting_mail_from: Correo desde el que enviar mensajes
168 setting_host_name: Nombre de host
168 setting_host_name: Nombre de host
169 setting_text_formatting: Formato de texto
169 setting_text_formatting: Formato de texto
170 setting_wiki_compression: Compresión del historial de Wiki
170 setting_wiki_compression: Compresión del historial de Wiki
171 setting_feeds_limit: Límite de contenido para sindicación
171 setting_feeds_limit: Límite de contenido para sindicación
172 setting_autofetch_changesets: Autorellenar los commits del repositorio
172 setting_autofetch_changesets: Autorellenar los commits del repositorio
173 setting_sys_api_enabled: Enable WS for repository management
173 setting_sys_api_enabled: Enable WS for repository management
174 setting_commit_ref_keywords: Palabras clave para la referencia
174 setting_commit_ref_keywords: Palabras clave para la referencia
175 setting_commit_fix_keywords: Palabras clave para la corrección
175 setting_commit_fix_keywords: Palabras clave para la corrección
176 setting_autologin: Conexión automática
176 setting_autologin: Conexión automática
177 setting_date_format: Formato de la fecha
177 setting_date_format: Formato de la fecha
178
178
179 label_user: Usuario
179 label_user: Usuario
180 label_user_plural: Usuarios
180 label_user_plural: Usuarios
181 label_user_new: Nuevo usuario
181 label_user_new: Nuevo usuario
182 label_project: Proyecto
182 label_project: Proyecto
183 label_project_new: Nuevo proyecto
183 label_project_new: Nuevo proyecto
184 label_project_plural: Proyectos
184 label_project_plural: Proyectos
185 label_project_all: Todos los proyectos
185 label_project_all: Todos los proyectos
186 label_project_latest: Últimos proyectos
186 label_project_latest: Últimos proyectos
187 label_issue: Petición
187 label_issue: Petición
188 label_issue_new: Nueva petición
188 label_issue_new: Nueva petición
189 label_issue_plural: Peticiones
189 label_issue_plural: Peticiones
190 label_issue_view_all: Ver todas las peticiones
190 label_issue_view_all: Ver todas las peticiones
191 label_document: Documento
191 label_document: Documento
192 label_document_new: Nuevo documento
192 label_document_new: Nuevo documento
193 label_document_plural: Documentos
193 label_document_plural: Documentos
194 label_role: Perfil
194 label_role: Perfil
195 label_role_plural: Perfiles
195 label_role_plural: Perfiles
196 label_role_new: Nuevo perfil
196 label_role_new: Nuevo perfil
197 label_role_and_permissions: Perfiles y permisos
197 label_role_and_permissions: Perfiles y permisos
198 label_member: Miembro
198 label_member: Miembro
199 label_member_new: Nuevo miembro
199 label_member_new: Nuevo miembro
200 label_member_plural: Miembros
200 label_member_plural: Miembros
201 label_tracker: Tracker
201 label_tracker: Tracker
202 label_tracker_plural: Trackers
202 label_tracker_plural: Trackers
203 label_tracker_new: Nuevo tracker
203 label_tracker_new: Nuevo tracker
204 label_workflow: Flujo de trabajo
204 label_workflow: Flujo de trabajo
205 label_issue_status: Estado de petición
205 label_issue_status: Estado de petición
206 label_issue_status_plural: Estados de las peticiones
206 label_issue_status_plural: Estados de las peticiones
207 label_issue_status_new: Nuevo estado
207 label_issue_status_new: Nuevo estado
208 label_issue_category: Categoría de las peticiones
208 label_issue_category: Categoría de las peticiones
209 label_issue_category_plural: Categorías de las peticiones
209 label_issue_category_plural: Categorías de las peticiones
210 label_issue_category_new: Nueva categoría
210 label_issue_category_new: Nueva categoría
211 label_custom_field: Campo personalizado
211 label_custom_field: Campo personalizado
212 label_custom_field_plural: Campos personalizados
212 label_custom_field_plural: Campos personalizados
213 label_custom_field_new: Nuevo campo personalizado
213 label_custom_field_new: Nuevo campo personalizado
214 label_enumerations: Listas de valores
214 label_enumerations: Listas de valores
215 label_enumeration_new: Nuevo valor
215 label_enumeration_new: Nuevo valor
216 label_information: Información
216 label_information: Información
217 label_information_plural: Información
217 label_information_plural: Información
218 label_please_login: Conexión
218 label_please_login: Conexión
219 label_register: Registrar
219 label_register: Registrar
220 label_password_lost: ¿Olvidaste la contraseña?
220 label_password_lost: ¿Olvidaste la contraseña?
221 label_home: Inicio
221 label_home: Inicio
222 label_my_page: Mi página
222 label_my_page: Mi página
223 label_my_account: Mi cuenta
223 label_my_account: Mi cuenta
224 label_my_projects: Mis proyectos
224 label_my_projects: Mis proyectos
225 label_administration: Administración
225 label_administration: Administración
226 label_login: Conexión
226 label_login: Conexión
227 label_logout: Desconexión
227 label_logout: Desconexión
228 label_help: Ayuda
228 label_help: Ayuda
229 label_reported_issues: Peticiones registradas
229 label_reported_issues: Peticiones registradas por mí
230 label_assigned_to_me_issues: Peticiones que me están asignadas
230 label_assigned_to_me_issues: Peticiones que me están asignadas
231 label_last_login: Última conexión
231 label_last_login: Última conexión
232 label_last_updates: Actualizado
232 label_last_updates: Actualizado
233 label_last_updates_plural: %d Actualizados
233 label_last_updates_plural: %d Actualizados
234 label_registered_on: Inscrito el
234 label_registered_on: Inscrito el
235 label_activity: Actividad
235 label_activity: Actividad
236 label_new: Nuevo
236 label_new: Nuevo
237 label_logged_as: Conectado como
237 label_logged_as: Conectado como
238 label_environment: Entorno
238 label_environment: Entorno
239 label_authentication: Autentificación
239 label_authentication: Autentificación
240 label_auth_source: Modo de la autentificación
240 label_auth_source: Modo de la autentificación
241 label_auth_source_new: Nuevo modo de la autentificación
241 label_auth_source_new: Nuevo modo de la autentificación
242 label_auth_source_plural: Modos de la autentificación
242 label_auth_source_plural: Modos de la autentificación
243 label_subproject_plural: Proyectos secundarios
243 label_subproject_plural: Proyectos secundarios
244 label_min_max_length: Longitud mín - máx
244 label_min_max_length: Longitud mín - máx
245 label_list: Lista
245 label_list: Lista
246 label_date: Fecha
246 label_date: Fecha
247 label_integer: Número
247 label_integer: Número
248 label_boolean: Boleano
248 label_boolean: Boleano
249 label_string: Texto
249 label_string: Texto
250 label_text: Texto largo
250 label_text: Texto largo
251 label_attribute: Cualidad
251 label_attribute: Cualidad
252 label_attribute_plural: Cualidades
252 label_attribute_plural: Cualidades
253 label_download: %d Descarga
253 label_download: %d Descarga
254 label_download_plural: %d Descargas
254 label_download_plural: %d Descargas
255 label_no_data: Ningun dato a mostrar
255 label_no_data: Ningun dato a mostrar
256 label_change_status: Cambiar el estado
256 label_change_status: Cambiar el estado
257 label_history: Histórico
257 label_history: Histórico
258 label_attachment: Fichero
258 label_attachment: Fichero
259 label_attachment_new: Nuevo fichero
259 label_attachment_new: Nuevo fichero
260 label_attachment_delete: Suprimir el fichero
260 label_attachment_delete: Borrar el fichero
261 label_attachment_plural: Ficheros
261 label_attachment_plural: Ficheros
262 label_report: Informe
262 label_report: Informe
263 label_report_plural: Informes
263 label_report_plural: Informes
264 label_news: Noticia
264 label_news: Noticia
265 label_news_new: Nueva noticia
265 label_news_new: Nueva noticia
266 label_news_plural: Noticias
266 label_news_plural: Noticias
267 label_news_latest: Últimas noticias
267 label_news_latest: Últimas noticias
268 label_news_view_all: Ver todas las noticias
268 label_news_view_all: Ver todas las noticias
269 label_change_log: Cambios
269 label_change_log: Cambios
270 label_settings: Configuración
270 label_settings: Configuración
271 label_overview: Vistazo
271 label_overview: Vistazo
272 label_version: Versión
272 label_version: Versión
273 label_version_new: Nueva versión
273 label_version_new: Nueva versión
274 label_version_plural: Versiones
274 label_version_plural: Versiones
275 label_confirmation: Confirmación
275 label_confirmation: Confirmación
276 label_export_to: Exportar a
276 label_export_to: Exportar a
277 label_read: Leer...
277 label_read: Leer...
278 label_public_projects: Proyectos públicos
278 label_public_projects: Proyectos públicos
279 label_open_issues: abierta
279 label_open_issues: abierta
280 label_open_issues_plural: abiertas
280 label_open_issues_plural: abiertas
281 label_closed_issues: cerrada
281 label_closed_issues: cerrada
282 label_closed_issues_plural: cerradas
282 label_closed_issues_plural: cerradas
283 label_total: Total
283 label_total: Total
284 label_permissions: Permisos
284 label_permissions: Permisos
285 label_current_status: Estado actual
285 label_current_status: Estado actual
286 label_new_statuses_allowed: Nuevos estados autorizados
286 label_new_statuses_allowed: Nuevos estados autorizados
287 label_all: todos
287 label_all: todos
288 label_none: ninguno
288 label_none: ninguno
289 label_next: Próximo
289 label_next: Próximo
290 label_previous: Anterior
290 label_previous: Anterior
291 label_used_by: Utilizado por
291 label_used_by: Utilizado por
292 label_details: Detalles
292 label_details: Detalles
293 label_add_note: Añadir una nota
293 label_add_note: Añadir una nota
294 label_per_page: Por la página
294 label_per_page: Por la página
295 label_calendar: Calendario
295 label_calendar: Calendario
296 label_months_from: meses de
296 label_months_from: meses de
297 label_gantt: Gantt
297 label_gantt: Gantt
298 label_internal: Interno
298 label_internal: Interno
299 label_last_changes: %d cambios del último
299 label_last_changes: %d cambios del último
300 label_change_view_all: Ver todos los cambios
300 label_change_view_all: Ver todos los cambios
301 label_personalize_page: Personalizar esta página
301 label_personalize_page: Personalizar esta página
302 label_comment: Comentario
302 label_comment: Comentario
303 label_comment_plural: Comentarios
303 label_comment_plural: Comentarios
304 label_comment_add: Añadir un comentario
304 label_comment_add: Añadir un comentario
305 label_comment_added: Comentario añadido
305 label_comment_added: Comentario añadido
306 label_comment_delete: Suprimir comentarios
306 label_comment_delete: Borrar comentarios
307 label_query: Pregunta personalizada
307 label_query: Consulta personalizada
308 label_query_plural: Preguntas personalizadas
308 label_query_plural: Consultas personalizadas
309 label_query_new: Nueva pregunta
309 label_query_new: Nueva consulta
310 label_filter_add: Añadir el filtro
310 label_filter_add: Añadir el filtro
311 label_filter_plural: Filtros
311 label_filter_plural: Filtros
312 label_equals: igual
312 label_equals: igual
313 label_not_equals: no igual
313 label_not_equals: no igual
314 label_in_less_than: en menos que
314 label_in_less_than: en menos que
315 label_in_more_than: en más que
315 label_in_more_than: en más que
316 label_in: en
316 label_in: en
317 label_today: hoy
317 label_today: hoy
318 label_less_than_ago: hace menos de
318 label_less_than_ago: hace menos de
319 label_more_than_ago: hace más de
319 label_more_than_ago: hace más de
320 label_ago: hace
320 label_ago: hace
321 label_contains: contiene
321 label_contains: contiene
322 label_not_contains: no contiene
322 label_not_contains: no contiene
323 label_day_plural: días
323 label_day_plural: días
324 label_repository: Repositorio
324 label_repository: Repositorio
325 label_browse: Hojear
325 label_browse: Hojear
326 label_modification: %d modificación
326 label_modification: %d modificación
327 label_modification_plural: %d modificaciones
327 label_modification_plural: %d modificaciones
328 label_revision: Revisión
328 label_revision: Revisión
329 label_revision_plural: Revisiones
329 label_revision_plural: Revisiones
330 label_added: añadido
330 label_added: añadido
331 label_modified: modificado
331 label_modified: modificado
332 label_deleted: suprimido
332 label_deleted: suprimido
333 label_latest_revision: La revisión más actual
333 label_latest_revision: La revisión más actual
334 label_latest_revision_plural: Las revisiones más actuales
334 label_latest_revision_plural: Las revisiones más actuales
335 label_view_revisions: Ver las revisiones
335 label_view_revisions: Ver las revisiones
336 label_max_size: Tamaño máximo
336 label_max_size: Tamaño máximo
337 label_on: en
337 label_on: de
338 label_sort_highest: Primero
338 label_sort_highest: Primero
339 label_sort_higher: Subir
339 label_sort_higher: Subir
340 label_sort_lower: Bajar
340 label_sort_lower: Bajar
341 label_sort_lowest: Último
341 label_sort_lowest: Último
342 label_roadmap: Roadmap
342 label_roadmap: Roadmap
343 label_roadmap_due_in: Realizado en
343 label_roadmap_due_in: Realizado en
344 label_roadmap_no_issues: No hay peticiones para esta versión
344 label_roadmap_no_issues: No hay peticiones para esta versión
345 label_search: Búsqueda
345 label_search: Búsqueda
346 label_result: %d resultado
346 label_result: %d resultado
347 label_result_plural: %d resultados
347 label_result_plural: Resultados
348 label_all_words: Todas las palabras
348 label_all_words: Todas las palabras
349 label_wiki: Wiki
349 label_wiki: Wiki
350 label_wiki_edit: Wiki edicción
350 label_wiki_edit: Wiki edicción
351 label_wiki_edit_plural: Wiki edicciones
351 label_wiki_edit_plural: Wiki edicciones
352 label_wiki_page: Wiki página
352 label_wiki_page: Wiki página
353 label_wiki_page_plural: Wiki páginas
353 label_wiki_page_plural: Wiki páginas
354 label_page_index: Índice
354 label_page_index: Índice
355 label_current_version: Versión actual
355 label_current_version: Versión actual
356 label_preview: Previo
356 label_preview: Previsualizar
357 label_feed_plural: Feeds
357 label_feed_plural: Feeds
358 label_changes_details: Detalles de todos los cambios
358 label_changes_details: Detalles de todos los cambios
359 label_issue_tracking: Peticiones
359 label_issue_tracking: Peticiones
360 label_spent_time: Tiempo dedicado
360 label_spent_time: Tiempo dedicado
361 label_f_hour: %.2f hora
361 label_f_hour: %.2f hora
362 label_f_hour_plural: %.2f horas
362 label_f_hour_plural: %.2f horas
363 label_time_tracking: Tiempo tracking
363 label_time_tracking: Tiempo tracking
364 label_change_plural: Cambios
364 label_change_plural: Cambios
365 label_statistics: Estadísticas
365 label_statistics: Estadísticas
366 label_commits_per_month: Commits por mes
366 label_commits_per_month: Commits por mes
367 label_commits_per_author: Commits por autor
367 label_commits_per_author: Commits por autor
368 label_view_diff: Ver diferencias
368 label_view_diff: Ver diferencias
369 label_diff_inline: inline
369 label_diff_inline: inline
370 label_diff_side_by_side: cara a cara
370 label_diff_side_by_side: cara a cara
371 label_options: Opciones
371 label_options: Opciones
372 label_copy_workflow_from: Copiar workflow desde
372 label_copy_workflow_from: Copiar workflow desde
373 label_permissions_report: Informe de permisos
373 label_permissions_report: Informe de permisos
374 label_watched_issues: Peticiones monitorizadas
374 label_watched_issues: Peticiones monitorizadas
375 label_related_issues: Peticiones relacionadas
375 label_related_issues: Peticiones relacionadas
376 label_applied_status: Aplicar estado
376 label_applied_status: Aplicar estado
377 label_loading: Cargando...
377 label_loading: Cargando...
378 label_relation_new: Nueva relación
378 label_relation_new: Nueva relación
379 label_relation_delete: Eliminar relación
379 label_relation_delete: Eliminar relación
380 label_relates_to: relacionado a
380 label_relates_to: relacionado a
381 label_duplicates: duplicados
381 label_duplicates: duplicados
382 label_blocks: bloques
382 label_blocks: bloques
383 label_blocked_by: bloqueado por
383 label_blocked_by: bloqueado por
384 label_precedes: anteriores
384 label_precedes: anteriores
385 label_follows: siguientes
385 label_follows: siguientes
386 label_end_to_start: fin a principio
386 label_end_to_start: fin a principio
387 label_end_to_end: fin a fin
387 label_end_to_end: fin a fin
388 label_start_to_start: principio a principio
388 label_start_to_start: principio a principio
389 label_start_to_end: principio a fin
389 label_start_to_end: principio a fin
390 label_stay_logged_in: Recordar conexión
390 label_stay_logged_in: Recordar conexión
391 label_disabled: deshabilitado
391 label_disabled: deshabilitado
392 label_show_completed_versions: Muestra las versiones completas
392 label_show_completed_versions: Muestra las versiones completas
393 label_me: me
393 label_me: me
394 label_board: Forum
394 label_board: Foro
395 label_board_new: Nuevo forum
395 label_board_new: Nuevo foro
396 label_board_plural: Forums
396 label_board_plural: Foros
397 label_topic_plural: Topics
397 label_topic_plural: Temas
398 label_message_plural: Mensajes
398 label_message_plural: Mensajes
399 label_message_last: Último mensaje
399 label_message_last: Último mensaje
400 label_message_new: Nuevo mensaje
400 label_message_new: Nuevo mensaje
401 label_reply_plural: Respuestas
401 label_reply_plural: Respuestas
402 label_send_information: Enviada información de la cuenta al usuario
402 label_send_information: Enviada información de la cuenta al usuario
403 label_year: Año
403 label_year: Año
404 label_month: Mes
404 label_month: Mes
405 label_week: Semana
405 label_week: Semana
406 label_date_from: Desde
406 label_date_from: Desde
407 label_date_to: Hasta
407 label_date_to: Hasta
408 label_language_based: Badado en el idioma
408 label_language_based: Badado en el idioma
409
409
410 button_login: Conexión
410 button_login: Conexión
411 button_submit: Aceptar
411 button_submit: Aceptar
412 button_save: Validar
412 button_save: Guardar
413 button_check_all: Seleccionar todo
413 button_check_all: Seleccionar todo
414 button_uncheck_all: No seleccionar nada
414 button_uncheck_all: No seleccionar nada
415 button_delete: Suprimir
415 button_delete: Borrar
416 button_create: Crear
416 button_create: Crear
417 button_test: Testar
417 button_test: Testar
418 button_edit: Modificar
418 button_edit: Modificar
419 button_add: Añadir
419 button_add: Añadir
420 button_change: Cambiar
420 button_change: Cambiar
421 button_apply: Aceptar
421 button_apply: Aceptar
422 button_clear: Anular
422 button_clear: Anular
423 button_lock: Bloquear
423 button_lock: Bloquear
424 button_unlock: Desbloquear
424 button_unlock: Desbloquear
425 button_download: Descargar
425 button_download: Descargar
426 button_list: Listar
426 button_list: Listar
427 button_view: Ver
427 button_view: Ver
428 button_move: Mover
428 button_move: Mover
429 button_back: Atrás
429 button_back: Atrás
430 button_cancel: Cancelar
430 button_cancel: Cancelar
431 button_activate: Activar
431 button_activate: Activar
432 button_sort: Clasificar
432 button_sort: Clasificar
433 button_log_time: Tiempo dedicado
433 button_log_time: Tiempo dedicado
434 button_rollback: Volver a esta versión
434 button_rollback: Volver a esta versión
435 button_watch: Monitorizar
435 button_watch: Monitorizar
436 button_unwatch: No monitorizar
436 button_unwatch: No monitorizar
437 button_reply: Responder
437 button_reply: Responder
438 button_archive: Archivar
438 button_archive: Archivar
439 button_unarchive: Desarchivar
439 button_unarchive: Desarchivar
440
440
441 status_active: activo
441 status_active: activo
442 status_registered: registrado
442 status_registered: registrado
443 status_locked: bloqueado
443 status_locked: bloqueado
444
444
445 text_select_mail_notifications: Seleccionar los eventos a notificar
445 text_select_mail_notifications: Seleccionar los eventos a notificar
446 text_regexp_info: eg. ^[A-Z0-9]+$
446 text_regexp_info: eg. ^[A-Z0-9]+$
447 text_min_max_length_info: 0 para ninguna restricción
447 text_min_max_length_info: 0 para ninguna restricción
448 text_project_destroy_confirmation: ¿ Estás seguro de querer eliminar el proyecto ?
448 text_project_destroy_confirmation: ¿ Estás seguro de querer eliminar el proyecto ?
449 text_workflow_edit: Seleccionar un flujo de trabajo para actualizar
449 text_workflow_edit: Seleccionar un flujo de trabajo para actualizar
450 text_are_you_sure: ¿ Estás seguro ?
450 text_are_you_sure: ¿ Estás seguro ?
451 text_journal_changed: cambiado de %s a %s
451 text_journal_changed: cambiado de %s a %s
452 text_journal_set_to: fijado a %s
452 text_journal_set_to: fijado a %s
453 text_journal_deleted: suprimido
453 text_journal_deleted: suprimido
454 text_tip_task_begin_day: tarea que comienza este día
454 text_tip_task_begin_day: tarea que comienza este día
455 text_tip_task_end_day: tarea que termina este día
455 text_tip_task_end_day: tarea que termina este día
456 text_tip_task_begin_end_day: tarea que comienza y termina este día
456 text_tip_task_begin_end_day: tarea que comienza y termina este día
457 text_project_identifier_info: 'Letras minúsculas (a-z), números y signos de puntuación permitidos.<br />Una vez guardado, el identificador no puede modificarse.'
457 text_project_identifier_info: 'Letras minúsculas (a-z), números y signos de puntuación permitidos.<br />Una vez guardado, el identificador no puede modificarse.'
458 text_caracters_maximum: %d caracteres máximo.
458 text_caracters_maximum: %d carácteres como máximo.
459 text_length_between: Longitud entre %d y %d caracteres.
459 text_length_between: Longitud entre %d y %d carácteres.
460 text_tracker_no_workflow: No hay ningún workflow definido para este tracker
460 text_tracker_no_workflow: No hay ningún workflow definido para este tracker
461 text_unallowed_characters: Caracteres no permitidos
461 text_unallowed_characters: Carácteres no permitidos
462 text_comma_separated: Múltiples valores permitidos (separados por coma).
462 text_comma_separated: Múltiples valores permitidos (separados por coma).
463 text_issues_ref_in_commit_messages: Referencia y petición de corrección en los mensajes
463 text_issues_ref_in_commit_messages: Referencia y petición de corrección en los mensajes
464
464
465 default_role_manager: Manager
465 default_role_manager: Jefe de proyecto
466 default_role_developper: Desarrollador
466 default_role_developper: Desarrollador
467 default_role_reporter: Informador
467 default_role_reporter: Informador
468 default_tracker_bug: Anomalía
468 default_tracker_bug: Errores
469 default_tracker_feature: Evolución
469 default_tracker_feature: Tareas
470 default_tracker_support: Asistencia
470 default_tracker_support: Soporte
471 default_issue_status_new: Nuevo
471 default_issue_status_new: Nueva
472 default_issue_status_assigned: Asignada
472 default_issue_status_assigned: Asignada
473 default_issue_status_resolved: Resuelta
473 default_issue_status_resolved: Resuelta
474 default_issue_status_feedback: Comentario
474 default_issue_status_feedback: Comentarios
475 default_issue_status_closed: Cerrada
475 default_issue_status_closed: Cerrada
476 default_issue_status_rejected: Rechazada
476 default_issue_status_rejected: Rechazada
477 default_doc_category_user: Documentación del usuario
477 default_doc_category_user: Documentación de usuario
478 default_doc_category_tech: Documentación tecnica
478 default_doc_category_tech: Documentación tecnica
479 default_priority_low: Bajo
479 default_priority_low: Baja
480 default_priority_normal: Normal
480 default_priority_normal: Normal
481 default_priority_high: Alto
481 default_priority_high: Alta
482 default_priority_urgent: Urgente
482 default_priority_urgent: Urgente
483 default_priority_immediate: Inmediata
483 default_priority_immediate: Inmediata
484 default_activity_design: Diseño
484 default_activity_design: Diseño
485 default_activity_development: Desarrollo
485 default_activity_development: Desarrollo
486
486
487 enumeration_issue_priorities: Prioridad de las peticiones
487 enumeration_issue_priorities: Prioridad de las peticiones
488 enumeration_doc_categories: Categorías del documento
488 enumeration_doc_categories: Categorías del documento
489 enumeration_activities: Actividades (tiempo dedicado)
489 enumeration_activities: Actividades (tiempo dedicado)
490 label_index_by_date: Índice por fecha
490 label_index_by_date: Índice por fecha
491 field_column_names: Columnas
491 field_column_names: Columnas
492 button_rename: Renombrar
492 button_rename: Renombrar
493 text_issue_category_destroy_question: Algunas peticiones (%d) están asignadas a esta categoría. ¿Qué desea hacer?
493 text_issue_category_destroy_question: Algunas peticiones (%d) están asignadas a esta categoría. ¿Qué desea hacer?
494 label_feeds_access_key_created_on: Clave de acceso por RSS creada hace %s
494 label_feeds_access_key_created_on: Clave de acceso por RSS creada hace %s
495 label_default_columns: Columnas por defecto
495 label_default_columns: Columnas por defecto
496 setting_cross_project_issue_relations: Permitir relacionar peticiones de distintos proyectos
496 setting_cross_project_issue_relations: Permitir relacionar peticiones de distintos proyectos
497 label_roadmap_overdue: %s late
497 label_roadmap_overdue: %s tarde
498 label_module_plural: Módulos
498 label_module_plural: Módulos
499 label_this_week: this week
499 label_this_week: esta semana
500 label_index_by_title: Index by title
500 label_index_by_title: Índice por título
501 label_jump_to_a_project: Ir al proyecto...
501 label_jump_to_a_project: Ir al proyecto...
502 field_assignable: Se pueden asignar peticiones a este perfil
502 field_assignable: Se pueden asignar peticiones a este perfil
503 label_sort_by: Sort by %s
503 label_sort_by: Ordenar por %s
504 setting_issue_list_default_columns: Columnas por defecto para la lista de peticiones
504 setting_issue_list_default_columns: Columnas por defecto para la lista de peticiones
505 text_issue_updated: La petición %s ha sido actualizada.
505 text_issue_updated: La petición %s ha sido actualizada.
506 notice_feeds_access_key_reseted: Su clave de acceso para RSS ha sido reiniciada
506 notice_feeds_access_key_reseted: Su clave de acceso para RSS ha sido reiniciada
507 field_redirect_existing_links: Redireccionar enlaces existentes
507 field_redirect_existing_links: Redireccionar enlaces existentes
508 text_issue_category_reassign_to: Reasignar las peticiones a la categoría
508 text_issue_category_reassign_to: Reasignar las peticiones a la categoría
509 notice_email_sent: Se ha enviado un correo a %s
509 notice_email_sent: Se ha enviado un correo a %s
510 text_issue_added: Petición añadida
510 text_issue_added: Petición añadida
511 field_comments: Comentario
511 field_comments: Comentario
512 label_file_plural: Archivos
512 label_file_plural: Archivos
513 text_wiki_destroy_confirmation: ¿Seguro que quiere borrar el wiki y todo su contenido?
513 text_wiki_destroy_confirmation: ¿Seguro que quiere borrar el wiki y todo su contenido?
514 notice_email_error: Ha ocurrido un error mientras enviando el correo (%s)
514 notice_email_error: Ha ocurrido un error mientras enviando el correo (%s)
515 label_updated_time: Actualizado hace %s
515 label_updated_time: Actualizado hace %s
516 text_issue_category_destroy_assignments: Dejar las peticiones sin categoría
516 text_issue_category_destroy_assignments: Dejar las peticiones sin categoría
517 label_send_test_email: Enviar un correo de prueba
517 label_send_test_email: Enviar un correo de prueba
518 button_reset: Reset
518 button_reset: Reset
519 label_added_time_by: Añadido por %s hace %s
519 label_added_time_by: Añadido por %s hace %s
520 field_estimated_hours: Tiempo estimado
520 field_estimated_hours: Tiempo estimado
521 label_changeset_plural: Changesets
521 label_changeset_plural: Cambios
522 setting_repositories_encodings: Codificaciones del repositorio
522 setting_repositories_encodings: Codificaciones del repositorio
523 notice_no_issue_selected: "Ninguna petición seleccionada. Por favor, compruebe la petición que quiere modificar"
523 notice_no_issue_selected: "Ninguna petición seleccionada. Por favor, compruebe la petición que quiere modificar"
524 label_bulk_edit_selected_issues: Bulk edit selected issues
524 label_bulk_edit_selected_issues: Bulk edit selected issues
525 label_no_change_option: (No change)
525 label_no_change_option: (No change)
526 notice_failed_to_save_issues: "Imposible salvar %s peticion(es) en %d seleccionado: %s."
526 notice_failed_to_save_issues: "Imposible salvar %s peticion(es) en %d seleccionado: %s."
527 label_theme: Tema
527 label_theme: Tema
528 label_default: Por defecto
528 label_default: Por defecto
529 label_search_titles_only: Buscar sólo en títulos
529 label_search_titles_only: Buscar sólo en títulos
530 label_nobody: nadie
530 label_nobody: nadie
531 button_change_password: Cambiar contraseña
531 button_change_password: Cambiar contraseña
532 text_user_mail_option: "En los proyectos no seleccionados, sólo recibirá notificaciones sobre elementos monitorizados o elementos en los que esté involucrado (por ejemplo, peticiones de las que usted sea autor o asignadas a usted)."
532 text_user_mail_option: "En los proyectos no seleccionados, sólo recibirá notificaciones sobre elementos monitorizados o elementos en los que esté involucrado (por ejemplo, peticiones de las que usted sea autor o asignadas a usted)."
533 label_user_mail_option_selected: "Para cualquier evento del proyecto seleccionado..."
533 label_user_mail_option_selected: "Para cualquier evento del proyecto seleccionado..."
534 label_user_mail_option_all: "Para cualquier evento en todos mis proyectos"
534 label_user_mail_option_all: "Para cualquier evento en todos mis proyectos"
535 label_user_mail_option_none: "Sólo para elementos monitorizados o relacionados conmigo"
535 label_user_mail_option_none: "Sólo para elementos monitorizados o relacionados conmigo"
536 setting_emails_footer: Pie de mensajes
536 setting_emails_footer: Pie de mensajes
537 label_float: Flotante
537 label_float: Flotante
538 button_copy: Copiar
538 button_copy: Copiar
539 mail_body_account_information_external: Puede usar su cuenta "%s" para conectarse a Redmine.
539 mail_body_account_information_external: Puede usar su cuenta "%s" para conectarse a Redmine.
540 mail_body_account_information: Información sobre su cuenta de Redmine
540 mail_body_account_information: Información sobre su cuenta de Redmine
541 setting_protocol: Protocolo
541 setting_protocol: Protocolo
542 text_caracters_minimum: Must be at least %d characters long.
542 text_caracters_minimum: %d carácteres como mínimo
543 field_time_zone: Time zone
543 field_time_zone: Zona horaria
544 label_registration_activation_by_email: account activation by email
544 label_registration_activation_by_email: activación de cuenta por correo
545 label_user_mail_no_self_notified: "I don't want to be notified of changes that I make myself"
545 label_user_mail_no_self_notified: "No quiero ser avisado de cambios hechos por mí"
546 mail_subject_account_activation_request: Redmine account activation request
546 mail_subject_account_activation_request: Petición de activación de cuenta Redmine
547 mail_body_account_activation_request: 'A new user (%s) has registered. His account his pending your approval:'
547 mail_body_account_activation_request: "Un nuevo usuario (%s) ha sido registrado. Esta cuenta está pendiende de aprobación"
548 label_registration_automatic_activation: automatic account activation
548 label_registration_automatic_activation: activación automática de cuenta
549 label_registration_manual_activation: manual account activation
549 label_registration_manual_activation: activación manual de cuenta
550 notice_account_pending: "Your account was created and is now pending administrator approval."
550 notice_account_pending: "Su cuenta ha sido creada y está pendiende de la aprobación por parte de administrador"
551 setting_time_format: Time format
551 setting_time_format: Formato de hora
@@ -1,40 +1,55
1 # General Apache options
1 # General Apache options
2 AddHandler fastcgi-script .fcgi
2 <IfModule mod_fastcgi.c>
3 AddHandler cgi-script .cgi
3 AddHandler fastcgi-script .fcgi
4 Options +FollowSymLinks +ExecCGI
4 </IfModule>
5
5 <IfModule mod_fcgid.c>
6 # If you don't want Rails to look in certain directories,
6 AddHandler fcgid-script .fcgi
7 # use the following rewrite rules so that Apache won't rewrite certain requests
7 </IfModule>
8 #
8 <IfModule mod_cgi.c>
9 # Example:
9 AddHandler cgi-script .cgi
10 # RewriteCond %{REQUEST_URI} ^/notrails.*
10 </IfModule>
11 # RewriteRule .* - [L]
11 Options +FollowSymLinks +ExecCGI
12
12
13 # Redirect all requests not available on the filesystem to Rails
13 # If you don't want Rails to look in certain directories,
14 # By default the cgi dispatcher is used which is very slow
14 # use the following rewrite rules so that Apache won't rewrite certain requests
15 #
15 #
16 # For better performance replace the dispatcher with the fastcgi one
16 # Example:
17 #
17 # RewriteCond %{REQUEST_URI} ^/notrails.*
18 # Example:
18 # RewriteRule .* - [L]
19 # RewriteRule ^(.*)$ dispatch.fcgi [QSA,L]
19
20 RewriteEngine On
20 # Redirect all requests not available on the filesystem to Rails
21
21 # By default the cgi dispatcher is used which is very slow
22 # If your Rails application is accessed via an Alias directive,
22 #
23 # then you MUST also set the RewriteBase in this htaccess file.
23 # For better performance replace the dispatcher with the fastcgi one
24 #
24 #
25 # Example:
25 # Example:
26 # Alias /myrailsapp /path/to/myrailsapp/public
26 # RewriteRule ^(.*)$ dispatch.fcgi [QSA,L]
27 # RewriteBase /myrailsapp
27 RewriteEngine On
28
28
29 RewriteRule ^$ index.html [QSA]
29 # If your Rails application is accessed via an Alias directive,
30 RewriteRule ^([^.]+)$ $1.html [QSA]
30 # then you MUST also set the RewriteBase in this htaccess file.
31 RewriteCond %{REQUEST_FILENAME} !-f
31 #
32 RewriteRule ^(.*)$ dispatch.cgi [QSA,L]
32 # Example:
33
33 # Alias /myrailsapp /path/to/myrailsapp/public
34 # In case Rails experiences terminal errors
34 # RewriteBase /myrailsapp
35 # Instead of displaying this message you can supply a file here which will be rendered instead
35
36 #
36 RewriteRule ^$ index.html [QSA]
37 # Example:
37 RewriteRule ^([^.]+)$ $1.html [QSA]
38 # ErrorDocument 500 /500.html
38 RewriteCond %{REQUEST_FILENAME} !-f
39
39 <IfModule mod_fastcgi.c>
40 RewriteRule ^(.*)$ dispatch.fcgi [QSA,L]
41 </IfModule>
42 <IfModule mod_fcgid.c>
43 RewriteRule ^(.*)$ dispatch.fcgi [QSA,L]
44 </IfModule>
45 <IfModule mod_cgi.c>
46 RewriteRule ^(.*)$ dispatch.cgi [QSA,L]
47 </IfModule>
48
49 # In case Rails experiences terminal errors
50 # Instead of displaying this message you can supply a file here which will be rendered instead
51 #
52 # Example:
53 # ErrorDocument 500 /500.html
54
40 ErrorDocument 500 "<h2>Application error</h2>Rails application failed to start properly" No newline at end of file
55 ErrorDocument 500 "<h2>Application error</h2>Rails application failed to start properly"
General Comments 0
You need to be logged in to leave comments. Login now